我正面临IEquatable(C#)的问题。正如您在下面的代码中看到的那样,我得到了一个我已经实现了IEquatable的课程,但是它已经#34; Equals"方法没有达到。我的目标是: 我的数据库中有一个日期时间列,我想仅仅区分日期,而不考虑"时间"一部分。
例如: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;
}
}
}
你知道我怎样才能使它正常工作或其他选择做我需要的? 谢谢!!
答案 0 :(得分:8)
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,因此投影和Distinct
调用将转换为商店表达式,此代码仍然不会跑。要解决此问题,您可以使用中间AsEnumerable
电话:
var x = (from t in context.MyTable
where t.id == id
select new MyClassDatetime()
{
Dates = v.Date
}).AsEnumerable().Distinct().ToList();
答案 1 :(得分:0)
申请回复,但仍未解决我的问题。
我终于找到了一种方法,但没有使用IEquatable。
var x =(来自上下文中的t.MyTable 其中t.Id == id 选择EntityFunctions.CreateDateTime(t.Date.Value.Year,t.Date.Value.Month,t.Date.Value.Day,0,0,0))。Distinct();
=)