16

根据文档,如果我尝试调用由以下两个不同特征提供的方法,Rust 应该会抱怨:

trait Foo {
    fn f(&self);
}

trait Bar {
    fn f(&self);
}

struct Baz;

impl Foo for Baz {
    fn f(&self) { println!("Baz’s impl of Foo"); }
}

impl Bar for Baz {
    fn f(&self) { println!("Baz’s impl of Bar"); }
}

fn main(){
    let b = Baz;
    b.f();
}

运行它会导致预期的error: multiple applicable methods in scope错误。

但是我没有得到任何错误:

extern crate mio;
use mio::buf::RingBuf;
use mio::buf::Buf;
use std::io::Read;

fn main() {
    let buf = RingBuf::new(10);
    let bytes = buf.bytes();
    println!("{:?}", bytes);
}

mio::buf::RingBuf实现BufRead。这两个特征都提供了一种bytes方法。

我希望 Rust 会抱怨与上面相同的错误。相反,它默默地选择“错误”的实现,然后println抱怨错误的类型。

知道为什么我在这里没有收到错误吗?

如果我删除use std::io::Read;一切正常。但是由于范围内的特性突然使用了 Read 的实现,并且 bytes 具有“错误”类型。

(我正在使用 Rust 1.0.0)

4

1 回答 1

7

@bluss 发现了问题:

struct Type;

trait A {
    fn foo(&self) -> bool { false }
}

trait B : Sized {
    fn foo(self) -> bool { true }
}

impl A for Type { }
impl B for Type { }

fn main() {
    println!("{}", Type.foo());   // This will call B::foo -- it will prefer `self`.
}

如果两种类型都使用稍微不同的self类型,Rust 会将它们视为不同的,并且调用该方法只是首选其中一个。

这可能是 Rust 中的一个错误。有关详细信息,请查看相应的Rust 问题

于 2015-06-08T16:49:41.493 回答