1

我正在尝试使用Hyperr2d2在 Rust 中构建一个小型 Web 服务,但我遇到了一些关于特征的问题。我无法解析编译器抛出的错误消息,所以我希望有人能帮助我。

考虑以下代码:

extern crate hyper;
extern crate postgres;
extern crate r2d2;
extern crate r2d2_postgres;

use hyper::Server;
use hyper::server::{Request,Response,Handler};
use r2d2_postgres::{SslMode, PostgresConnectionManager};
use r2d2::{Pool, PooledConnection};
use postgres::{Connection};

fn connect() -> Pool<PostgresConnectionManager>{
    let config = r2d2::Config::default();
    let conns = "postgres://abc:abc@localhost/abc";
    let manager = PostgresConnectionManager::new(conns, SslMode::None).unwrap();
    let pool = r2d2::Pool::new(config, manager).unwrap();
    return pool;
}

fn hello(pool: Pool<PostgresConnectionManager>, req: Request, res: Response) {
    res.send(b"Hello world").unwrap();
}

fn main() {
    let pool = connect();
    let dispatch = move |req: Request, res: Response| hello(pool, req, res);
    Server::http("127.0.0.1:3000").unwrap().handle(dispatch).unwrap();
}

我的目标是pool在函数中使用hello. 通过使用闭包,我想,我可以传递一个环境变量,同时仍然不辜负 Hyper 的期望。不幸的是,我收到以下错误:

src/main.rs:28:45: 28:61 error: the trait `for<'r, 'r, 'r> core::ops::Fn<(hyper::server::request::Request<'r, 'r>, hyper::server::response::Response<'r>)>` is not implemented for the type `[closure@src/main.rs:27:20: 27:76 pool:r2d2::Pool<r2d2_postgres::PostgresConnectionManager>]` [E0277]
src/main.rs:28     Server::http("127.0.0.1:3000").unwrap().handle(dispatch).unwrap();
                                                           ^~~~~~~~~~~~~~~~
src/main.rs:28:45: 28:61 help: run `rustc --explain E0277` to see a detailed explanation
error: aborting due to previous error

这取决于pool. 例如,如果我尝试传递一个i64,一切都会膨胀,编译器不会抱怨。

4

1 回答 1

1

如果我们查看 hyper 的源代码,我们可以看到为哪些闭包实现了所需的 trait:

impl<F> Handler for F where F: Fn(Request, Response<Fresh>), F: Sync + Send {
    fn handle<'a, 'k>(&'a self, req: Request<'a, 'k>, res: Response<'a, Fresh>) {
        self(req, res)
    }
}

这意味着您的闭包需要实现才能Fn(Request, Response) + Sync + SendHandler您实现特征。否则,您需要自己实现它。由于您的闭包pool按值获取,因此它仅实现FnOnce(Request, Response)(只能在pool移入函数时调用一次)。

要解决此问题,请改为对池进行不可变引用,以便可以多次调用您的函数(即 implements Fn(Request, Response))。

fn hello(pool: &Pool<PostgresConnectionManager>, req: Request, res: Response) {
    res.send(b"Hello world").unwrap();
}

fn main() {
    let pool = connect();
    let dispatch = move |req: Request, res: Response| hello(&pool, req, res);
    Server::http("127.0.0.1:3000").unwrap().handle(dispatch).unwrap();
}

注意 traitFn(Request, Response)是更高级别的 trait bound 的语法糖for<'r> Fn(Request<'r,'r>, Response<'r>)。这是因为RequestResponse在生命周期中都是通用的,因此您的函数必须处理任何生命周期Request的 s 和Responses 。

于 2016-03-20T23:07:18.627 回答