我试图创建一个向客户端返回字符串的Rocket路由,但我无法使其工作。到目前为止,这就是我所拥有的:
#![feature(plugin)]
#![plugin(rocket_codegen)]
#[macro_use]
extern crate serde_derive;
extern crate toml;
extern crate rocket;
mod utilities;
mod pipeline_config;
mod assets;
use std::path::PathBuf;
#[get("/resources/<path..>")]
fn get_resource(path: PathBuf) -> Result<String, ()> {
if let Some(page_path) = path.to_str() {
match assets::get(&format!("{}/{}", "resources", page_path)) {
Ok(page) => Ok(utf8_to_string(page)),
Err(e) => Err(()),
}
}
Err(())
}
fn main() {
let rocket_obj = rocket::ignite();
rocket_obj.mount("/", routes![get_resource]).launch();
}
pub fn utf8_to_string(bytes: &[u8]) -> String {
let vector: Vec<u8> = Vec::from(bytes);
String::from_utf8(vector).unwrap()
}
它看起来应该有效,但它给我一个错误expected (), found enum std::result::Result
:
error[E0308]: mismatched types
--> src/main.rs:18:9
|
18 | / match assets::get(&format!("{}/{}", "resources", page_path)) {
19 | | Ok(page) => Ok(utf8_to_string(page)),
20 | | Err(e) => Err(()),
21 | | }
| | ^- help: try adding a semicolon: `;`
| |_________|
| expected (), found enum `std::result::Result`
|
= note: expected type `()`
found type `std::result::Result<std::string::String, ()>`
这对我没有意义,因为我正在使用Result
返回String
。
答案 0 :(得分:3)
使用类似函数的样式时,请将一个函数视为一个表达式。您的函数get_resource
有两个表达式并排放置。编译器什么都不懂。你必须把备选方案放在else
分支中,即:如果我能得到一些路径,那就去做吧;否则这是一个错误:
fn get_resource(path: PathBuf) -> Result<String, ()> {
if let Some(page_path) = path.to_str() {
match assets::get(&format!("{}/{}", "resources", page_path)) {
Ok(page) => Ok(utf8_to_string(page)),
Err(e) => Err(()),
}
} else {
Err(())
}
}
换句话说,您可以将函数视为逻辑树,其中每个if
或match
块是一组分支。程序将根据输入遵循此树中的路径:因此您必须只有一个主干,否则没有意义。