9

我将请求从服务器转储到[]byte并用于使用方法ReadRequest发出请求Client.Do。我收到一个错误:

http:Request.RequestURI 不能在客户端请求中设置。

你能解释一下为什么我得到这个错误吗?

4

1 回答 1

15

错误很明显:在执行客户端请求时,您不允许设置 RequestURI。

在文档中http.Request.RequestURI,它说(我的重点):

RequestURI 是客户端 向服务器
发送的请求行(RFC 2616,第 5.1 节)的未修改请求 URI。
通常应该使用 URL 字段。
在 HTTP 客户端请求中设置此字段是错误的。

之所以设置它,是因为这是 ReadRequest 在解析请求流时所做的。

所以,如果你想发送它,你需要设置 URL 并清除 RequestURI。经过尝试,我注意到从ReadRequest返回的请求中的URL对象不会包含所有信息集,例如scheme和host。因此,您需要自己设置它,或者只使用包中的Parsenet/url解析一个新 URL :

这是一些适合您的工作代码:

package main

import (
    "fmt"
    "strings"
    "bufio"
    "net/http"
    "net/url"
)

var rawRequest = `GET /pkg/net/http/ HTTP/1.1
Host: golang.org
Connection: close
User-Agent: Mozilla/5.0 (Macintosh; U; Intel Mac OS X; de-de) AppleWebKit/523.10.3 (KHTML, like Gecko) Version/3.0.4 Safari/523.10
Accept-Encoding: gzip
Accept-Charset: ISO-8859-1,UTF-8;q=0.7,*;q=0.7
Cache-Control: no-cache
Accept-Language: de,en;q=0.7,en-us;q=0.3

`

func main() {
    b := bufio.NewReader(strings.NewReader(rawRequest))

    req, err := http.ReadRequest(b)
    if err != nil {
        panic(err)
    }

    // We can't have this set. And it only contains "/pkg/net/http/" anyway
    req.RequestURI = ""

    // Since the req.URL will not have all the information set,
    // such as protocol scheme and host, we create a new URL
    u, err := url.Parse("http://golang.org/pkg/net/http/")
    if err != nil {
        panic(err)
    }   
    req.URL = u

    client := &http.Client{}
    resp, err := client.Do(req)
    if err != nil {
        panic(err)
    }

    fmt.Printf("%#v\n", resp)
}

操场

附言。play.golang.org 会恐慌,因为我们没有进行 http 请求的权限。

于 2013-10-26T13:20:10.500 回答