根据这个isuue issue和answered question,不可能简单地定义一个特征别名,如:
trait Alias = Foo + Bar;
解决方法有点难看:
trait Alias : Foo + Bar {}
impl<T: Foo + Bar> Alias for T {}
因此我想为此定义一个宏。我试过了
macro_rules! trait_alias {
( $name : ident, $base : expr ) => {
trait $name : $base {}
impl<T: $base> $name for T {}
};
}
trait Foo {}
trait Bar {}
trait_alias!(Alias, Foo + Bar);
但它失败了,错误:
src\main.rs:5:17: 5:22 error: expected one of `?`, `where`, or `{`, found `Foo + Bar`
src\main.rs:5 trait $name : $base {}
^~~~~
可能Foo + Bar
不是表达。我尝试了其他几种变化,但没有运气。是否可以定义这样的宏?应该怎么样?
答案 0 :(得分:8)
expr
是一个表达式标记树,它显然不适合您尝试放置它的位置。请记住,Rust宏是强类型的:只允许在给定位置预期的令牌树类型。
您需要使用$(…)*
的序列重复(ident
等。)来实现此目的:
macro_rules! trait_alias {
($name:ident = $base1:ident + $($base2:ident +)+) => {
trait $name: $base1 $(+ $base2)+ { }
impl<T: $base1 $(+ $base2)+> $name for T { }
};
}
trait Foo { }
trait Bar { }
trait_alias!(Alias = Foo + Bar +);
(由于技术原因,目前你不能拥有更好的$base1:ident $(+ $base2:ident)+
或$($base:ident)++
。)
macro_rules! items {
($($item:item)*) => ($($item)*);
}
macro_rules! trait_alias {
($name:ident = $($base:tt)+) => {
items! {
trait $name: $($base)+ { }
impl<T: $($base)+> $name for T { }
}
};
}
trait Foo {}
trait Bar {}
trait_alias!(Alias = Foo + Bar);
但请注意,它会在宏内部转换语法检查,这不太理想。