假设我有以下课程
public class Test
{
public int prop1 { get;set; }
public string prop2 { get;set; }
public Type prop3 { get;set; }
}
如果我有这个类的两个实例,比较对象的快速方法是什么,但同时允许我检查属性是否是其他东西,假设它与其他对象属性不匹配。目前我只是做了很多if语句,但这感觉就像是一种糟糕的做事方式。
我想要的功能的一个例子;如果第一个实例prop1与第二个实例的prop1不匹配,我仍然可以检查第一个实例中的prop1是否为10或其他。
是的,这个例子很粗糙,但实际的代码是巨大的,所以我无法在这里发布。
谢谢
修改
我应该注意,我不能编辑类Test,因为我不拥有它。
答案 0 :(得分:2)
您可以构建自己的Comparer(未经测试的代码)
public class TestComparer : IEqualityComparer<Test>
{
public bool Equals( Test x, Test y )
{
if( ReferenceEquals( x, y ) )
return true;
if( ReferenceEquals( x, null ) || ReferenceEquals( y, null ) )
return false;
return x.prop1 == y.prop1 &&
x.prop2 == y.prop2 &&
x.prop3 == y.prop3;
}
public int GetHashCode( Test entry )
{
unchecked
{
int result = 37;
result *= 397;
result += entry.prop1.ToString( ).GetHashCode( );
result *= 397;
result += entry.prop2.GetHashCode( );
result *= 397;
result += entry.prop3.ToString( ).GetHashCode( );
return result;
}
}
}
然后只需致电:
Test a = new Test( );
Test b = new Test( );
var equal = new TestComparer( ).Equals( a, b );
答案 1 :(得分:0)
如果不能编辑课程本身,我会说你的选择相当有限。您总是可以在某处抽象出代码,只需创建一个带有2个对象并返回bool的比较函数。
public static bool Compare(Test test1, Test test2)
{
//May need to add some null checks
return (test1.prop1 == test2.prop1)
&& (test1.prop2 == test2.prop2);
//...etc
}
除非您确实拥有 相同的 对象,而不仅仅是碰巧拥有所有相同属性值的2个对象,在这种情况下您只需执行...
if (test1 == test2)
但我猜你的问题并非如此。