等价不调用Equals方法
本文关键字:Equals 方法 调用 | 更新日期: 2023-09-27 18:12:11
我遇到了一个关于c#的问题。正如你可以在下面的代码中看到的,我有一个类,我已经实现了等价,但它的"等于"方法是没有达到。我的目标是:我有一个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
的实现对于所需的相等语义是不正确的。这是因为它为您想要比较相等的日期返回不同的哈希码,这是一个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;
}
Update:正如usr非常正确地指出的那样,由于您在IQueryable上使用LINQ,因此投影和Distinct
调用将被转换为存储表达式,并且此代码仍然不会运行。为了解决这个问题,您可以使用中间的AsEnumerable
调用:
var x = (from t in context.MyTable
where t.id == id
select new MyClassDatetime()
{
Dates = v.Date
}).AsEnumerable().Distinct().ToList();
谢谢你的回复,但还是不能解决我的问题。
我终于找到了一种不使用等价的方法。
var x = (from t in context)MyTablewhere t.Id == id选择EntityFunctions.CreateDateTime (t.Date.Value。年,t.Date.Value.Month t.Date.Value。Day, 0,0,0)).Distinct();
=)