在 Rust 中将函数转换为特征的机制是什么?
What is the mechanism for converting a function to a trait in Rust?
use actix_web::{web, App, Responder, HttpServer};
async fn index() -> impl Responder {
"Hello world!"
}
#[actix_rt::main]
async fn main() -> std::io::Result<()> {
HttpServer::new(|| {
App::new().service(
web::scope("/app").route("/index.html", web::get().to(index)),
)
})
.bind("127.0.0.1:8088")?
.run()
.await
}
我的问题是关于语句 to(index)
在 Rust 中是如何工作的。
查看 source code for to
我们看到:
pub fn to<F, T, R, U>(mut self, handler: F) -> Self
where
F: Factory<T, R, U>,
// --- snip
pub trait Factory<T, R, O>: Clone + 'static
where
R: Future<Output = O>,
O: Responder,
{
fn call(&self, param: T) -> R;
}
函数 async fn index() -> impl Responder
转换为 Factory<T, R, O>
的机制是什么?
在您的代码段之后有 an implementation of the trait:
impl<F, R, O> Factory<(), R, O> for F
where
F: Fn() -> R + Clone + 'static,
R: Future<Output = O>,
O: Responder,
{
fn call(&self, _: ()) -> R {
(self)()
}
}
这可以理解为:如果一个类型 F
实现了 Fn() -> Future<Output = impl Responder> + ...
那么它也实现了 Factory<(), _, _>
.
async fn
是 returns 某种 Future
函数的语法糖(并且可以在内部使用 .await
),所以 async fn index() -> impl Responder
实现了 Fn() -> impl Future<Output = impl Responder>
所以它也实现了 Factory<(), _, _>
.
use actix_web::{web, App, Responder, HttpServer};
async fn index() -> impl Responder {
"Hello world!"
}
#[actix_rt::main]
async fn main() -> std::io::Result<()> {
HttpServer::new(|| {
App::new().service(
web::scope("/app").route("/index.html", web::get().to(index)),
)
})
.bind("127.0.0.1:8088")?
.run()
.await
}
我的问题是关于语句 to(index)
在 Rust 中是如何工作的。
查看 source code for to
我们看到:
pub fn to<F, T, R, U>(mut self, handler: F) -> Self
where
F: Factory<T, R, U>,
// --- snip
pub trait Factory<T, R, O>: Clone + 'static
where
R: Future<Output = O>,
O: Responder,
{
fn call(&self, param: T) -> R;
}
函数 async fn index() -> impl Responder
转换为 Factory<T, R, O>
的机制是什么?
在您的代码段之后有 an implementation of the trait:
impl<F, R, O> Factory<(), R, O> for F
where
F: Fn() -> R + Clone + 'static,
R: Future<Output = O>,
O: Responder,
{
fn call(&self, _: ()) -> R {
(self)()
}
}
这可以理解为:如果一个类型 F
实现了 Fn() -> Future<Output = impl Responder> + ...
那么它也实现了 Factory<(), _, _>
.
async fn
是 returns 某种 Future
函数的语法糖(并且可以在内部使用 .await
),所以 async fn index() -> impl Responder
实现了 Fn() -> impl Future<Output = impl Responder>
所以它也实现了 Factory<(), _, _>
.