如何从 Actix-web 中的 HTML 表单的 POST 请求中获取参数?

How do I get the parameters from a POST request from a HTML form in Actix-web?

我正在 Actix-web 中构建一个小网络应用程序,但我找不到任何从 Actix-web 中的 POST 请求中获取参数的示例。

Searching their excellent examples repo only gives a couple of (to me) meaningful examples,但它们都处理 JSON 而不是表单数据。

我还找到了 this page,我怀疑它包含答案;但对于初学者来说,这并没有多大帮助。

我想它应该是这样的:

<form method="POST">
    <input type="password" name="password">
    <button type="submit">Login</button>
</form>

fn main() {
    // ...
    App::with_state(AppState { db: pool.clone() })
        .middleware(IdentityService::new(
            CookieIdentityPolicy::new(&[0; 32])
                .name("auth-cookie")
                .secure(true),
        ))
        .resource("/login", |r| {
            r.method(http::Method::GET).with(login);
            r.method(http::Method::POST).with(perform_login) // help!
        })
}

struct LoginParams {
    password: String,
}    

fn perform_login(mut req: HttpRequest<AppState>, params: LoginParams) -> HttpResponse {
    if params.password == "abc123" {
        req.remember("logged-in".to_owned());
        // redirect to home
    };
    // show "wrong password" error
}

您需要 Form 提取器。 params: Form<LoginParams>

您可以通过以下方式使用提取器:

  • 定义一个可以从原始数据反序列化的结构。
  • 正在定义接受提取器的处理程序。在您的情况下,请使用 Form 和结构的类型参数。
  • 注册此处理程序。

如果您查看链接文档中的简单示例,您将了解如何描述此类处理程序。

这里有一个更完整的:

定义结构

#[derive(Deserialize)]
struct AddHook {
    id: u64,
    title: String,
    version: Option<String>,
    code: Option<String>
}

定义处理程序

fn remove_hook_del((query, state): (Form<AddHook>, State<AppState>)) -> FutureHttpResponse {
    let query = query.into_inner();
    let AddHook {id, title, version, code} = query;

    //Do something with your data
}

注册处理程序

App::with_state(AppState::new()).resource("/remove_hook", |res| {
    res.method(Method::GET).with(remove_hook_get);
    res.method(Method::DELETE).with(remove_hook_del);
    res.route().f(not_allowed);
})

这或多或少是 the current master branch of actix-web 的完整示例。我还使用 state 来展示如何在处理程序中使用多个参数