在理解 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中文網其他相關文章!