泛型
泛型函数
fn add<T>(a: T, b: T) -> T
{
a + b
}
结构体泛型
struct Point<T, U> {
a: T,
b: T,
c: U,
}
impl<T, U> Point<T, U> {
fn new(a: T, b: T, c: U) -> Point<T, U> {
Point { a, b, c }
}
}
impl Point<i32, i64> {
fn new2(a: i32, b: i32, c: i64) -> Point<i32, i64> {
Point { a, b, c }
}
}
枚举泛型
enum Some<T> {
A(T),
None,
}
trait
定义
pub trait A {
fn string(&self) -> String {
String::from("impl")
}
}
实现
struct ImplA {}
struct ImplB {}
impl A for ImplA {}
impl A for ImplB {
fn string(&self) -> String {
String::from("implB")
}
}
trait 约束
fn s0(a: impl A, b: impl A) {}
fn s1(a: impl A + std::fmt::Display) {}
fn s2<T: A + std::fmt::Display>(a: T, b: T) {}
fn s3<T, U>(a: T, b: U)
where
T: A + std::fmt::Display,
U: A + std::fmt::Display,
{
}
返回值为 trait
fn s4(flag: bool) -> impl A {
ImplB {}
}
泛型 + trait
fn add<T>(a: T, b: T) -> T
where
T: std::ops::Add + std::ops::Add<Output = T>,
{
a + b
}
fn add2<T, U>(a: T, b: U) -> T
where
T: std::ops::Add + std::ops::Add<Output = T> + std::convert::From<U>,
{
a + T::from(b)
}
fn add3<T, U>(a: T, b: U) -> T
where
T: std::ops::Add + std::ops::Add<Output = T>,
U: std::convert::Into<T>,
{
a + U::into(b)
}