你如何在Rust中提出GET请求?

时间:2017-04-05 05:20:38

标签: http get rust

我注意到Rust没有内置库来处理HTTP,它只有一个net模块来处理原始IP和TCP协议。

我需要获取一个&str的URL,发出HTTP GET请求,如果成功返回对应于HTML或JSON或其他响应的String&str以字符串形式。

看起来像是:

use somelib::http;

let response = http::get(&"http://stackoverflow.com");
match response {
    Some(suc) => suc,
    None => panic!
}

3 个答案:

答案 0 :(得分:8)

看看Hyper

发送GET请求就像这样简单。

let client = Client::new();

let res = client.get("http://example.domain").send().unwrap();
assert_eq!(res.status, hyper::Ok);

您可以在documentation中找到更多示例。

修改: 似乎Hyper因为开始使用Tokio而变得更加复杂。这是更新版本。

extern crate futures;
extern crate hyper;
extern crate tokio_core;

use std::io::{self, Write};
use futures::{Future, Stream};
use hyper::Client;
use tokio_core::reactor::Core;


fn main() {
    let mut core = Core::new().unwrap();
    let client = Client::new(&core.handle());

    let uri = "http://httpbin.org/ip".parse().unwrap();
    let work =
        client.get(uri).and_then(|res| {
            println!("Response: {}", res.status());

            res.body().for_each(|chunk| {
                io::stdout()
                    .write_all(&chunk)
                    .map_err(From::from)
            })
        });
    core.run(work).unwrap();
}

以下是必需的依赖项。

[dependencies]
futures = "0.1"
hyper = "0.11"
tokio-core = "0.1"

答案 1 :(得分:4)

此特定问题的当前最佳做法是使用reqwest crate,如指定的in the Rust Cookbook

extern crate reqwest;

use std::io::Read;

fn run() -> Result<()> {
    let mut res = reqwest::get("http://httpbin.org/get")?;
    let mut body = String::new();
    res.read_to_string(&mut body)?;

    println!("Status: {}", res.status());
    println!("Headers:\n{}", res.headers());
    println!("Body:\n{}", body);

    Ok(())
}

正如食谱所提到的,这段代码将同步执行。

答案 2 :(得分:-1)

尝试要求:

extern crate reqwest;

fn main() -> Result<(), Box<dyn std::error::Error>> {
    let mut res = reqwest::get("https://httpbin.org/headers")?;

    // copy the response body directly to stdout
    std::io::copy(&mut res, &mut std::io::stdout())?;

    Ok(())
}