在尝试使用actix-web实现一个简单的 Web 服务器应用程序时,我遇到了不知道如何解释的 Rust 闭包明显不一致的行为。
我有以下代码:
use actix_web::{web, App, HttpServer};
#[derive(Clone)]
struct Config {
val1: String,
val2: String,
val3: String,
}
fn main() {
let conf = Config {
val1: "just".to_string(),
val2: "some".to_string(),
val3: "data".to_string(),
};
HttpServer::new(move ||
App::new().configure(create_config(&conf))
)
.bind("127.0.0.1:8088")
.unwrap()
.run()
.unwrap();
}
fn create_config<'a>(conf: &'a Config) -> impl FnOnce(&mut web::ServiceConfig) + 'a {
move |app: &mut web::ServiceConfig| {
// Have to clone config because web::get().to by definition requires
// its argument to have static lifetime, which is longer than 'a
let my_own_conf_clone = conf.clone();
app.service(
web::scope("/user")
.route("", web::get().to(move || get_user(&my_own_conf_clone)))
);
}
}
fn get_user(conf: &Config) -> String {
println!("Config {} is {} here!", conf.val3, conf.val1);
"User McUser".to_string()
}
此代码有效。注意我传递给的闭包web::get().to
。我用它来将Config
对象传递给get_user
并仍然存在web::get().to
一个没有参数的函数,因为它需要。在这一点上,我决定将闭包生成移到一个单独的函数中:
fn create_config<'a>(conf: &'a Config) -> impl FnOnce(&mut web::ServiceConfig) + 'a {
move |app: &mut web::ServiceConfig| {
app.service(
web::scope("/user")
.route("", web::get().to(gen_get_user(conf)))
);
}
}
fn gen_get_user(conf: &Config) -> impl Fn() -> String {
let my_own_conf_clone = conf.clone();
move || get_user(&my_own_conf_clone)
}
fn get_user(conf: &Config) -> String {
println!("Config {} is {} here!", conf.val3, conf.val1);
"User McUser".to_string()
}
此代码无法编译并出现以下错误:
error[E0277]: the trait bound `impl std::ops::Fn<()>: actix_web::handler::Factory<_, _>` is not satisfied
--> src/main.rs:30:39
|
30 | .route("", web::get().to(gen_get_user(conf)))
| ^^ the trait `actix_web::handler::Factory<_, _>` is not implemented for `impl std::ops::Fn<()>`
为什么它在第二种情况下失败,但在第一种情况下没有?为什么Factory
在第一种情况下满足特征但在第二种情况下不满足?可能是工厂(它的来源在这里)的错吗?是否有其他方法可以返回闭包,在这种情况下可以使用?您可以建议任何其他方法吗?(注意这Factory
不是公开的,所以我不能自己直接实现)
如果你想玩弄代码,我在这里:https://github.com/yanivmo/rust-closure-experiments 请注意,你可以在提交之间移动以查看处于工作状态或失败状态的代码。