我正在面对IEquatable(C#)的问题。如您在下面的代码中看到的,我有一个实现IEquatable的类,但它的“ Equals”方法无法实现。我的目标是:
我的数据库中有一个datetime列,我只想区分日期,而不考虑“时间”部分。
例如:12-01-2014 23:14等于12-01-2014 18:00。
namespace MyNamespace
{
public class MyRepository
{
public void MyMethod(int id)
{
var x = (from t in context.MyTable
where t.id == id
select new MyClassDatetime()
{
Dates = v.Date
}).Distinct().ToList();
}
}
public class MyClassDatetime : IEquatable<MyClassDatetime>
{
public DateTime? Dates { get; set; }
public bool Equals(MyClassDatetime other)
{
if (other == null) return false;
return (this.Dates.HasValue ? this.Dates.Value.ToShortDateString().Equals(other.Dates.Value.ToShortDateString()) : false);
}
public override bool Equals(object other)
{
return this.Equals(other as MyClassDatetime );
}
public override int GetHashCode()
{
int hashDate = Dates.GetHashCode();
return hashDate;
}
}
}
您知道我如何使其正常工作或执行我需要的其他选择吗?
谢谢!!
最佳答案
对于所需的相等语义,您的GetHashCode
实现不正确。这是因为它为要比较等于which is a bug的日期返回了不同的哈希码。
要修复它,请将其更改为
public override int GetHashCode()
{
return Dates.HasValue ? Dates.Value.Date.GetHashCode() : 0;
}
您还应该本着同样的精神更新
Equals
,弄乱日期的字符串表示不是一个好主意:public bool Equals(MyClassDatetime other)
{
if (other == null) return false;
if (Dates == null) return other.Dates == null;
return Dates.Value.Date == other.Dates.Value.Date;
}
更新:作为usr very correctly points out,由于您在IQueryable上使用LINQ,所以将projection和
Distinct
调用转换为存储表达式,并且此代码仍将无法运行。为了解决这个问题,您可以使用中间的AsEnumerable
调用:var x = (from t in context.MyTable
where t.id == id
select new MyClassDatetime()
{
Dates = v.Date
}).AsEnumerable().Distinct().ToList();
关于c# - IEquatable不调用等于方法,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/24634747/