在 Go 中处理纯文本 HTTP GET 响应
当向返回纯文本响应的端点发出 HTTP GET 请求时,检索text 可以通过 ioutil 包和类型转换的组合来实现。
在您给定的代码中:
url := "http://someurl.com" response, err := http.Get(url) if err != nil { log.Fatal(err) } defer response.Body.Close()
响应正文包含纯文本响应,但采用以下形式字节数组的。要获取字符串表示形式,请使用 ioutil.ReadAll 函数将整个正文读取到 []byte 切片中:
responseData, err := ioutil.ReadAll(response.Body) if err != nil { log.Fatal(err) }
最后,由于响应是纯文本,因此可以轻松将其转换为字符串使用类型转换:
responseString := string(responseData)
这就完成了Go中处理纯文本HTTP GET响应的过程。生成的responseString变量现在包含字符串形式的纯文本响应。
示例程序:
package main import ( "fmt" "io/ioutil" "log" "net/http" ) func main() { // HTTP GET request url := "http://country.io/capital.json" response, err := http.Get(url) if err != nil { log.Fatal(err) } defer response.Body.Close() // Retrieve plain text response responseData, err := ioutil.ReadAll(response.Body) if err != nil { log.Fatal(err) } responseString := string(responseData) // Print result fmt.Println(responseString) }
以上是如何在 Go 中处理纯文本 HTTP GET 响应?的详细内容。更多信息请关注PHP中文网其他相关文章!