16

我希望我的 Rocket API 有这样的路由:

#[post("create/thing", format = "application/json", data="<thing>")]

当客户端发送{ "name": "mything" }时,一切都应该没问题,我知道该怎么做,但是当它发送时,{ "name": "foo" }它应该以如下方式响应:

HTTP/1.1 422 Unprocessable Entity
Content-Type: application/json
{
  "errors": [
    {
      "status": "422",
      "title":  "Invalid thing name",
      "detail": "The name for a thing must be at least 4 characters long."
    }
  ]
}

如何在 Rocket 中以 JSON 对象和不同于 200 的 HTTP 状态码之类的结果进行响应?

这是我到目前为止所尝试的:

  • impl FromRequest适合我的Thing类型。这让我可以选择一个状态码,因为我可以编写自己的from_request函数,但我不能返回任何其他内容。
  • 像这个例子一样注册一个错误捕获器,但是这样我只能在没有上下文的情况下对一个 HTTP 状态代码做出反应。我有太多失败模式,无法为每种模式保留一个 HTTP 状态代码。
4

2 回答 2

12

在@hellow 的帮助下,我想通了。解决方案是Responder为新结构实现特征ApiResponse,其中包含状态代码以及Json. 这样我就可以做我想做的事:

#[post("/create/thing", format = "application/json", data = "<thing>")]
fn put(thing: Json<Thing>) -> ApiResponse {
    let thing: Thing = thing.into_inner();
    match thing.name.len() {
        0...3 => ApiResponse {
            json: json!({"error": {"short": "Invalid Name", "long": "A thing must have a name that is at least 3 characters long"}}),
            status: Status::UnprocessableEntity,
        },
        _ => ApiResponse {
            json: json!({"status": "success"}),
            status: Status::Ok,
        },
    }
}

这是完整的代码:

#![feature(proc_macro_hygiene)]
#![feature(decl_macro)]

#[macro_use]
extern crate rocket;
#[macro_use]
extern crate rocket_contrib;
extern crate serde;
#[macro_use]
extern crate serde_derive;
extern crate serde_json;

use rocket::http::{ContentType, Status};
use rocket::request::Request;
use rocket::response;
use rocket::response::{Responder, Response};
use rocket_contrib::json::{Json, JsonValue};

#[derive(Serialize, Deserialize, Debug)]
pub struct Thing {
    pub name: String,
}

#[derive(Debug)]
struct ApiResponse {
    json: JsonValue,
    status: Status,
}

impl<'r> Responder<'r> for ApiResponse {
    fn respond_to(self, req: &Request) -> response::Result<'r> {
        Response::build_from(self.json.respond_to(&req).unwrap())
            .status(self.status)
            .header(ContentType::JSON)
            .ok()
    }
}

#[post("/create/thing", format = "application/json", data = "<thing>")]
fn put(thing: Json<Thing>) -> ApiResponse {
    let thing: Thing = thing.into_inner();
    match thing.name.len() {
        0...3 => ApiResponse {
            json: json!({"error": {"short": "Invalid Name", "long": "A thing must have a name that is at least 3 characters long"}}),
            status: Status::UnprocessableEntity,
        },
        _ => ApiResponse {
            json: json!({"status": "success"}),
            status: Status::Ok,
        },
    }
}

fn main() {
    rocket::ignite().mount("/", routes![put]).launch();
}
于 2019-02-25T13:18:10.907 回答
5

你需要建立一个响应。看看ResponseBuilder。您的回复可能看起来像这样。

use std::io::Cursor;
use rocket::response::Response;
use rocket::http::{Status, ContentType};

let response = Response::build()
    .status(Status::UnprocessableEntity)
    .header(ContentType::Json)
    .sized_body(Cursor::new("Your json body"))
    .finalize();
于 2019-02-25T13:12:26.447 回答