pub trait Neg {
type Output;
// Required method
fn neg(self) -> Self::Output;
}
Expand description
一元否定运算符 -
。
Examples
Sign
的 Neg
实现,它允许使用 -
取反其值。
use std::ops::Neg;
#[derive(Debug, PartialEq)]
enum Sign {
Negative,
Zero,
Positive,
}
impl Neg for Sign {
type Output = Self;
fn neg(self) -> Self::Output {
match self {
Sign::Negative => Sign::Positive,
Sign::Zero => Sign::Zero,
Sign::Positive => Sign::Negative,
}
}
}
// 否定的肯定就是否定的。
assert_eq!(-Sign::Positive, Sign::Negative);
// 双重否定就是肯定。
assert_eq!(-Sign::Negative, Sign::Positive);
// 零是它自己的否定。
assert_eq!(-Sign::Zero, Sign::Zero);
Run