是否可以在泛型函数中排除引用参数?

时间:2018-04-19 14:59:33

标签: generics reference rust traits

由于泛型类型参数T可以是任何类型,包括引用,我想知道是否可以选择退出泛型函数中的引用,即能够编写如下内容:

use std::ops::Deref;

fn foo<T: !Deref>(x: T) -> T {}

然而,这不是允许的,并且已经在解析阶段中断了。

我读到optin_builtin_traits,但它只支持选择停用自动特征,所以它也不起作用,因为Deref不是自动特征。

有可能实现这个目标吗?

1 个答案:

答案 0 :(得分:4)

是的,您可以使用自动特征:

#![feature(optin_builtin_traits)]

auto trait NotReference {}

impl<'a, T> !NotReference for &'a T {}
impl<'a, T> !NotReference for &'a mut T {}

fn no_references<T: NotReference>(_: T) {}

fn main() {
    no_references(42); // OK
    no_references(&42); // the trait bound `&{integer}: NotReference` is not satisfied
    no_references("hello"); // the trait bound `&str: NotReference` is not satisfied

    no_references(vec![1, 2, 3]); // OK

    let x = vec![1, 2, 3];
    no_references(x.iter()); // the trait bound `&{integer}: NotReference` is not satisfied in `std::slice::Iter<'_, {integer}>`
}

请注意,这也排除了:

  • 带有'static生命周期的引用,如&#34; hello&#34;调用
  • 任何包含引用的结构,如iter()调用所示
  

我可以排除一些终身问题。

实际上,'static绑定的是:

fn foo<T: 'static>(x: T) -> T {}