在理解 Go 和 Gin 的过程中,您可能会遇到检索请求体的问题。本文深入研究了该问题,并根据给定的上下文提供了全面的解决方案。
您尝试从外部 POST 请求读取请求正文,但输出一致显示空正文。
问题是由于尝试打印 c.Request.Body 的字符串值而引起的,该字符串是 ReadCloser 接口类型。要确认正文包含预期数据,您可以将其值提取到字符串中并将其打印出来以供您理解。
<code class="go">func events(c *gin.Context) { x, _ := ioutil.ReadAll(c.Request.Body) fmt.Printf("%s", string(x)) c.JSON(http.StatusOK, c) }</code>
虽然信息丰富,但不建议使用此方法来访问请求正文。相反,利用 Gin 的绑定功能,它可以为您简化解析过程。
<code class="go">type E struct { Events string } func events(c *gin.Context) { data := &E{} c.Bind(data) fmt.Println(data) c.JSON(http.StatusOK, c) }</code>
这种方法可以确保请求数据得到正确处理,防止 c.Request.Body 被耗尽并允许 Gin 读取
请注意,使用 ioutil.ReadAll(c.Request.Body) 读取正文会耗尽正文,导致 Gin 无法读取它。
<code class="go">func events(c *gin.Context) { x, _ := ioutil.ReadAll(c.Request.Body) fmt.Printf("%s", string(x)) data := &E{} c.Bind(data) // data remains unchanged since c.Request.Body has been depleted. fmt.Println(data) c.JSON(http.StatusOK, c) }</code>
此外,来自此端点的 JSON 响应可能会显示空的 Request.Body。这是因为 JSON Marshalling 方法无法序列化 ReadCloser,从而导致空表示。
以上是如何在 Gin/Golang 中处理空请求体?的详细内容。更多信息请关注PHP中文网其他相关文章!