我的数据库中有一个日志表,并且只想获取最近根据列名RowCreateDate添加的那些记录,这就是我试图实现从db中引入行的记录但是我感觉可能有更好的方法来实现同样的目标。
using (var context = new DbEntities())
{
// get date
var latestDate = context.Logs.Max(o => o.RowCreateDate);
if(latestDate!=null)
{
lastDate = new DateTime(latestDate.Value.Year, latestDate.Value.Month, latestDate.Value.Day,00,00,00);
logs = context.Logs.Where( o.RowCreateDate >= lastDate).ToList();
}
}
我需要知道我做得对,还是会有更好的方式?
答案 0 :(得分:0)
您无法简化此代码,因为LINQ to Entities不支持TakeWhile方法。
您可以使用
using (var context = new DbEntities())
{
// get date
var latestDate = context.Logs.Max(o => o.RowCreateDate);
if(latestDate!=null)
{
lastDate = new DateTime(latestDate.Value.Year, latestDate.Value.Month, latestDate.Value.Day,00,00,00);
logs = context.Logs
.OrderBy(o => o.RowCreateDate)
.AsEnumerable()
.TakeWhile(o => o.RowCreateDate >= lastDate);
}
}
但它从数据库获取所有数据,这不是很好,我不推荐它。
答案 1 :(得分:0)
我认为这样做(如果我们假设您想要获得前3个最新记录):
var topDates = context.Logs.OrderByDescending(x=>x.RowCreateDate).Take(3)
答案 2 :(得分:0)
首先,我认为您的代码很好。我没有看到两个查询的问题。但是如果你想简化它,可以使用TruncateTime
,如下所示:
IGrouping<DateTime?, Logs> log =
context.Logs.GroupBy(x => DbFunctions.TruncateTime(x.RowCreateDate))
.OrderByDescending(x => x.Key).FirstOrDefault();
它将返回分组结果,其中包含RowCreateDate
的最后一天创建的日志。
答案 3 :(得分:0)
又一个选择:
context.Logs.Where(c => DbFunctions.TruncateTime(c.RowCreateDate) == DbFunctions.TruncateTime(context.Logs.Max(o => o.RowCreateDate)))
这明确地读取您想要的内容(获取日期等于最大日期的所有行)并且还将导致一个查询(不是您可能预期的两个)。