SS_*_*ous 5 comparison enums rust
学习 Rust 我碰巧需要比较嵌套枚举内的变体。考虑到以下枚举,我如何比较实例化的实际变体BuffTurget?
enum Attribute {
Strength,
Agility,
Intellect,
}
enum Parameter {
Health,
Mana,
}
enum BuffTarget {
Attribute(Attribute),
Parameter(Parameter),
}
Run Code Online (Sandbox Code Playgroud)
在网上搜索后,我找到了“判别式”,特别是像这样的比较函数:
fn variant_eq<T>(a: &T, b: &T) -> bool {
std::mem::discriminant(a) == std::mem::discriminant(b)
}
Run Code Online (Sandbox Code Playgroud)
不幸的是,这个功能在我的情况下不起作用:
#[test]
fn variant_check_is_working() {
let str = BuffTarget::Attribute(Attribute::Strength);
let int = BuffTarget::Attribute(Attribute::Intellect);
assert_eq!(variant_eq(&str, &int), false);
}
// Output:
// thread 'tests::variant_check' panicked at 'assertion failed: `(left == right)`
// left: `true`,
// right: `false`', src/lib.rs:11:9
Run Code Online (Sandbox Code Playgroud)
理想情况下,我希望我的代码是这样的,使用if let:
let type_1 = get_variant(BuffTarget::Attribute(Attribute::Strength));
let type_2 = get_variant(BuffTarget::Attribute(Attribute::Intellect));
if let type_1 = type_2 {
println!("Damn it!")
} else { println!("Success!!!") }
Run Code Online (Sandbox Code Playgroud)
在此答案中找到了合适的解决方案。使用#[derive(PartialEq)]枚举将它们与==:进行比较enum_1 == enum_2。
#[derive(PartialEq)]
enum Attribute {
Strength,
Agility,
Intellect,
}
#[derive(PartialEq)]
enum Parameter {
Health,
Mana,
}
#[derive(PartialEq)]
enum BuffTarget {
Attribute(Attribute),
Parameter(Parameter),
}
let type_1 = BuffTarget::Attribute(Attribute::Strength));
let type_2 = BuffTarget::Attribute(Attribute::Intellect));
assert_eq!((type_1 == type_2), false);
Run Code Online (Sandbox Code Playgroud)