为什么在通过 TLS 使用 hyper 0.14 发出 POST 请求时会出现类型不匹配?

Why is there type mismatch when making a POST request using hyper 0.14 over TLS?

我正在尝试使用 hyper 构造一个 POST http 请求。 我正在使用 tokio_rustls 构建带 tls 的 https 连接器。

我使用的代码是:

use hyper::{body::to_bytes, client, Body, Method, Uri,Request};

let mut http = client::HttpConnector::new();
http.enforce_http(false);
//set tls configs.
let mut tls = tokio_rustls::rustls::ClientConfig::new();
// initialize http connector
let https = hyper_rustls::HttpsConnector::from((http, tls));
//prepare client with tls settings.
let client: client::Client<_, hyper::Body> = client::Client::builder().build(https);

let fut = async move {
        let req = Request::builder().method(Method::POST)
            .uri("url")
            .body(())
            .unwrap();
        let res = match client.request(req).await {
            Ok(d) => d,
            Method => {
                println!("Invalid method");
                std::process::exit(1);
            }
            TooLarge => {
                println!("Too large");
                std::process::exit(1);
            }
            Err(e) => {
                println!("unable to post {:?} ", e);
                std::process::exit(1);
            }
        };
        println!("Status:\n{}", res.status());
        println!("Headers:\n{:#?}", res.headers());

        let body: Body = res.into_body();
        let body = to_bytes(body)
            .await
            .map_err(|e| error(format!("Could not get body: {:?}", e)))?;
        println!("Body:\n{}", String::from_utf8_lossy(&body));
        // ...
}

我收到以下错误:

error[E0308]: mismatched types
   --> examples/client.rs:116:40
    |
116 |         let res = match client.request(req).await {
    |                                        ^^^ expected struct `Body`, found `()`
    |
    = note: expected struct `hyper::Request<Body>`
               found struct `hyper::Request<()>`

不确定我做错了什么。

类型不匹配与声明的请求类型完全一致。再看client的定义:

let client: client::Client<_, hyper::Body> = client::Client::builder().build(https);

Client 的第二个类型参数(称为 B)代表此客户端发出的所有请求的预期正文类型。 在对 request 的所有后续调用中,正文类型必须匹配。在本例中,它被定义为 hyper::Body,这也是 B 的默认类型。然而,接下来发出的请求有一个 ().

类型的正文值
let req = Request::builder().method(Method::POST)
    .uri("url")
    .body(()) // <--- `()` instead of `Body`
    .unwrap();

如果未来不打算在所有请求中提供空主体,那么相应地更改类型参数 B 是安全的,或者让编译器自动推断它。

let client: client::Client<_, _> = client::Client::builder().build(https);

否则,另一种方法是通过函数 Body::empty.

提供空主体
let req = Request::builder().method(Method::POST)
    .uri("url")
    .body(hyper::Body::empty()) // it's a match now
    .unwrap();