3

我有这个代码:

.and_then(move |key: Option<String>| async {
    let pool = pool.clone();
    let key = key.as_ref().map(|s| &**s);

    match pool.get() {
        Ok(conn) => Ok(Session::from_key(conn, key)),
        Err(e) => {
            error!("Failed to get a db connection");
            Err(warp::reject::not_found())
        }
    }
})
.boxed()

我正在从这个例子中改编

但它给了我错误

lifetime may not live long enough

returning this value requires that `'1` must outlive `'2`

note: closure implements `Fn`, so references to captured variables can't escape the closurerustc
session.rs(131, 19): lifetime `'1` represents this closure's body
session.rs(131, 44): return type of closure is impl core::future::future::Future
session.rs(131, 46): returning this value requires that `'1` must outlive `'2`
async block may outlive the current function, but it borrows `key`, which is owned by the current function

may outlive borrowed value `key`rustc(E0373)
session.rs(131, 52): may outlive borrowed value `key`
session.rs(133, 23): `key` is borrowed here

我不得不将async关键字添加到闭包以避免错误:

the trait bound `std::result::Result<session::Session, warp::reject::Rejection>: core::future::future::Future` is not satisfied

the trait `core::future::future::Future` is not implemented for `std::result::Result<session::Session, warp::reject::Rejection>`

note: required because of the requirements on the impl of `futures_core::future::TryFuture` for `std::result::Result<session::Session, warp::reject::Rejection>`rustc(E0277)
session.rs(138, 10): the trait `core::future::future::Future` is not implemented for `std::result::Result<session::Session, warp::reject::Rejection>`

所以,现在,看起来闭包正在返回一个特性,但是闭包被释放了,所以它会在使用之前尝试释放未来......关于如何解决这个问题的任何想法?

4

1 回答 1

0

关于这个问题要理解的主要事情是这个闭包的参数key是按值传递的,String是一个拥有的字符串。所以当这个闭包运行时,key它在这个闭包的栈帧中拥有,当闭包返回时,这个栈帧和它里面的所有东西都会被drop()编辑。

key.as_ref()生成一个key在此堆栈帧中引用的值,rustc 不允许您从引用函数拥有的值的函数返回某些内容,因为一旦函数返回它们将不存在,这就是为什么生命周期仅限于函数体的原因。

要解决此问题,您有 2 个选项:

  1. 通过key引用传递这个函数key: Option<&str>,然后Session可以返回堆栈,直到借用拥有的字符串。
  2. 使用拥有的字符串创建Session字符串,然后字符串由 Session 拥有,并且可以按值传递(移动)而没有任何生命周期限制。
于 2021-12-02T19:04:38.220 回答