Rust泛型:预期<t>找到<foo>

时间:2015-07-18 11:57:19

标签: generics rust traits

我正在尝试使用泛型,但我不能很好地掌握该主题并且我收到此错误:

error: mismatched types:
expected `book::mdbook::MDBook<R>`,
found `book::mdbook::MDBook<renderer::html_handlebars::HtmlHandlebars>`
(expected type parameter,
found struct `renderer::html_handlebars::HtmlHandlebars`) [E0308]

这是相关代码

pub struct MDBook<R> where R: Renderer {
    title: String,
    author: String,
    config: BookConfig,
    pub content: Vec<BookItem>,
    renderer: R,
}

impl<R> MDBook<R> where R: Renderer {

    pub fn new(path: &PathBuf) -> Self {

        MDBook {
            title: String::from(""),
            author: String::from(""),
            content: vec![],
            config: BookConfig::new()
                        .set_src(path.join("src"))
                        .set_dest(path.join("book")),
            renderer: HtmlHandlebars::new(), // <---- ERROR HERE
        }
    }
}

目前Renderer特征为空,HtmlHandlebars的实施是

pub struct HtmlHandlebars;

impl Renderer for HtmlHandlebars {

}

impl HtmlHandlebars {
    pub fn new() -> Self {
        HtmlHandlebars
    }
}

我做错了什么?

1 个答案:

答案 0 :(得分:5)

impl<R> MDBook<R> where R: Renderer {

    pub fn new(path: &PathBuf) -> Self {

这些行声明实现R的所有类型Renderer,有一个返回new(path)的方法MDBook<R>。但是,无论MDBook<HtmlHandlebars>是什么,您的方法实现始终都会返回R

您可以添加绑定到R的特征(或Renderer的方法),以便在R中构建new类型的值。或者,该方法可以接受渲染器作为参数,即fn new(path: &Path, renderer: R) -> Self。无论哪种方式,您都需要一种方法来获取R内的渲染器(即new类型的值)。

如果另一方面,你想支持这样的事情:

let book = MDBook::new(path);
if some_condition {
    book.set_renderer(SomeOtherThing::new());
}

然后泛型是这项工作的错误工具,因为它们选择了book的静态类型的渲染器部分。您可以完全删除R类型参数,保留您的特征,只需在Box<Renderer>中存储trait object(可能MDBook)。