为什么reqwest不返回此请求中的内容长度?

问题描述 投票:2回答:1

我很困惑为什么我没有从以下使用reqwest的函数中获取任何内容:

  fn try_get() {
      let wc = reqwest::Client::new();
      wc.get("https://httpbin.org/json").send().map(|res| {
          println!("{:?}", res);
          println!("length {:?}", res.content_length());
      });
  }

我期待这个函数显示响应对象,然后给我内容长度。它做第一个但不是第二个:

Response { url: "https://httpbin.org/json", status: 200, headers: {"access-control-allow-credentials": "true", "access-control-allow-origin": "*", "connection": "keep-alive", "content-type": "application/json", "date": "Tue, 26 Feb 2019 00:52:47 GMT", "server": "nginx"} }
length None

这很令人困惑,因为如果我使用cURL命中相同的端点,它会按预期给我一个正文:

$ curl -i https://httpbin.org/json
HTTP/1.1 200 OK
Access-Control-Allow-Credentials: true
Access-Control-Allow-Origin: *
Content-Type: application/json
Date: Tue, 26 Feb 2019 00:54:57 GMT
Server: nginx
Content-Length: 429
Connection: keep-alive

{
  "slideshow": {
    "author": "Yours Truly",
    "date": "date of publication",
    "slides": [
      {
        "title": "Wake up to WonderWidgets!",
        "type": "all"
      },
      {
        "items": [
          "Why <em>WonderWidgets</em> are great",
          "Who <em>buys</em> WonderWidgets"
        ],
        "title": "Overview",
        "type": "all"
      }
    ],
    "title": "Sample Slide Show"
  }
}

我的功能有什么问题,它没有提供内容长度?

rust reqwest
1个回答
3
投票

reqwest documentation for content_length()始终是一个很好的起点。它指出

获取响应的内容长度(如果已知)。

可能不知道的原因:

  • 服务器未发送内容长度标头。
  • 对响应进行gzip压缩并自动解码(从而改变实际的解码长度)。

看看你的示例curl输出,它包含Content-Length: 429所以第一个案例被覆盖。所以现在让我们尝试禁用gzip:

let client = reqwest::Client::builder()
  .gzip(false)
  .build()
  .unwrap();

client.get("https://httpbin.org/json").send().map(|res| {
  println!("{:?}", res);
  println!("length {:?}", res.content_length());
});

哪些日志

length Some(429)

所以第二个案例是问题。默认情况下,reqwest似乎是自动处理gzip压缩内容,而curl则不是。

Content-Length HTTP标头完全是可选的,因此通常依赖它的存在将是一个错误。您应该使用其他reqwest API从请求中读取数据,然后计算数据本身的长度。例如,您可以使用.text()

let wc = reqwest::Client::new();
let mut response = wc.get("https://httpbin.org/json").send().unwrap();
let text = response.text().unwrap();

println!("text: {} => {}", text.len(), text);

同样,对于二进制数据,您可以使用.copy_to()

let wc = reqwest::Client::new();
let mut response = wc.get("https://httpbin.org/json").send().unwrap();

let mut data = vec![];
response.copy_to(&mut data).unwrap();

println!("data: {}", data.len());
© www.soinside.com 2019 - 2024. All rights reserved.