分享
  1. 首页
  2. 文章

Go语言HTTP请求流式写入body

mokeyWie · · 3711 次点击 · · 开始浏览
这是一个创建于 的文章,其中的信息可能已经有所发展或是发生改变。

背景

最近在开发一个功能时,需要通过 http 协议上报大量的日志内容,但是在 Go 标准库里的 http client 的 API 是这样的:

http.NewRequest(method, url string, body io.Reader)

body 是通过io.Reader接口来传递,并没有暴露一个io.Writer接口来提供写入的办法,先来看看正常情况下怎么写入一个body,示例:

buf := bytes.NewBuffer([]byte("hello"))
http.Post("localhost:8099/report","text/pain",buf)

需要先把要写入的数据放在Buffer中,放内存缓存着,但是我需要写入大量的数据,如果都放内存里肯定要 OOM 了,http client 并没有提供流式写入的方法,我这么大的数据量直接用Buffer肯定是不行的,最后在 google 了一番之后找到了解决办法。

使用 io.pipe

调用io.pipe()方法会返回ReaderWriter接口实现对象,通过Writer写数据,Reader就可以读到,利用这个特性就可以实现流式的写入,开一个协程来写,然后把Reader传递到方法中,就可以实现 http client body 的流式写入了。

  • 代码示例:
pr, pw := io.Pipe()
// 开协程写入大量数据
go func(){
 for i := 0; i < 100000; i++ {
 pw.Write([]byte(fmt.Sprintf("line:%d\r\n", i)))
 }
 pw.Close()
}()
// 传递Reader
http.Post("localhost:8099/report","text/pain",pr)

源码阅读

目的

了解 go 中 http client 对于 body 的传输是如何处理的。

开始

在构建 Request 的时候,会断言 body 参数的类型,当类型为*bytes.Buffer*bytes.Reader*strings.Reader的时候,可以直接通过Len()方法取出长度,用于Content-Length请求头,相关代码net/http/request.go#L872-L914:

if body != nil {
 switch v := body.(type) {
 case *bytes.Buffer:
 req.ContentLength = int64(v.Len())
 buf := v.Bytes()
 req.GetBody = func() (io.ReadCloser, error) {
 r := bytes.NewReader(buf)
 return ioutil.NopCloser(r), nil
 }
 case *bytes.Reader:
 req.ContentLength = int64(v.Len())
 snapshot := *v
 req.GetBody = func() (io.ReadCloser, error) {
 r := snapshot
 return ioutil.NopCloser(&r), nil
 }
 case *strings.Reader:
 req.ContentLength = int64(v.Len())
 snapshot := *v
 req.GetBody = func() (io.ReadCloser, error) {
 r := snapshot
 return ioutil.NopCloser(&r), nil
 }
 default:
 }
 if req.GetBody != nil && req.ContentLength == 0 {
 req.Body = NoBody
 req.GetBody = func() (io.ReadCloser, error) { return NoBody, nil }
 }
}

在链接建立的时候,会通过body和上一步中得到的ContentLength来进行判断,如果body!=nil并且ContentLength==0时,可能就会启用Chunked编码进行传输,相关代码net/http/transfer.go#L82-L96:

case *Request:
 if rr.ContentLength != 0 && rr.Body == nil {
 return nil, fmt.Errorf("http: Request.ContentLength=%d with nil Body", rr.ContentLength)
 }
 t.Method = valueOrDefault(rr.Method, "GET")
 t.Close = rr.Close
 t.TransferEncoding = rr.TransferEncoding
 t.Header = rr.Header
 t.Trailer = rr.Trailer
 t.Body = rr.Body
 t.BodyCloser = rr.Body
 // 当body为非nil,并且ContentLength==0时,这里返回-1
 t.ContentLength = rr.outgoingLength()
 // TransferEncoding没有手动设置,并且请求方法为PUT、POST、PATCH时,会启用chunked编码传输
 if t.ContentLength < 0 && len(t.TransferEncoding) == 0 && t.shouldSendChunkedRequestBody() {
 t.TransferEncoding = []string{"chunked"}
 }

验证(一)

按照对源码的理解,可以得知在使用io.pipe()方法进行流式传输时,会使用chunked编码进行传输,通过以下代码进行验证:

  • 服务端
func main(){
 http.HandleFunc("/report", func(writer http.ResponseWriter, request *http.Request) {
 })
 http.ListenAndServe(":8099", nil)
}
  • 客户端
func main(){
 pr, rw := io.Pipe()
 go func(){
 for i := 0; i < 100; i++ {
 rw.Write([]byte(fmt.Sprintf("line:%d\r\n", i)))
 }
 rw.Close()
 }()
 http.Post("localhost:8099/report","text/pain",buf)
}

先运行服务端,然后运行客户端,并且使用WireShake进行抓包分析,结果如下:

可以看到和预想的结果一样。

验证(二)

在数据量大的时候chunked编码会增加额外的开销,包括编解码和额外的报文开销,能不能不用chunked编码来进行流式传输呢?通过源码可以得知,当ContentLength不为 0 时,如果能预先计算出待传输的body size,是不是就能避免chunked编码呢?思路就到这,接着就是写代码验证:

  • 服务端
func main(){
 http.HandleFunc("/report", func(writer http.ResponseWriter, request *http.Request) {
 })
 http.ListenAndServe(":8099", nil)
}
  • 客户端
count := 100
line := []byte("line\r\n")
pr, rw := io.Pipe()
go func() {
 for i := 0; i < count; i++ {
 rw.Write(line)
 }
 rw.Close()
}()
// 构造request对象
request, err := http.NewRequest("POST", "http://localhost:8099/report", pr)
if err != nil {
 log.Fatal(err)
}
// 提前计算出ContentLength
request.ContentLength = int64(len(line) * count)
// 发起请求
http.DefaultClient.Do(request)

抓包结果:

可以看到确实直接使用的Content-Length进行传输,没有进行chunked编码了。

总结

本文的目的主要是记录 go 语言中http client如何进行流式的写入,并通过阅读源码了解http client内部对 body 的写入是如何进行处理的,通过两个验证可以得知,如果能提前计算出ContentLength并且对性能要求比较苛刻的情况下,可以通过手动设置ContentLength来优化性能。


有疑问加站长微信联系(非本文作者)

本文来自:Segmentfault

感谢作者:mokeyWie

查看原文:Go语言HTTP请求流式写入body

入群交流(和以上内容无关):加入Go大咖交流群,或添加微信:liuxiaoyan-s 备注:入群;或加QQ群:692541889

关注微信
3711 次点击
下一篇:Golang MySQL
暂无回复
添加一条新回复 (您需要 后才能回复 没有账号 ?)
  • 请尽量让自己的回复能够对别人有帮助
  • 支持 Markdown 格式, **粗体**、~~删除线~~、`单行代码`
  • 支持 @ 本站用户;支持表情(输入 : 提示),见 Emoji cheat sheet
  • 图片支持拖拽、截图粘贴等方式上传

用户登录

没有账号?注册
(追記) (追記ここまで)

今日阅读排行

    加载中
(追記) (追記ここまで)

一周阅读排行

    加载中

关注我

  • 扫码关注领全套学习资料 关注微信公众号
  • 加入 QQ 群:
    • 192706294(已满)
    • 731990104(已满)
    • 798786647(已满)
    • 729884609(已满)
    • 977810755(已满)
    • 815126783(已满)
    • 812540095(已满)
    • 1006366459(已满)
    • 692541889

  • 关注微信公众号
  • 加入微信群:liuxiaoyan-s,备注入群
  • 也欢迎加入知识星球 Go粉丝们(免费)

给该专栏投稿 写篇新文章

每篇文章有总共有 5 次投稿机会

收入到我管理的专栏 新建专栏