"LINQ expression could not be translated" 在 LINQ 查询中与 DateTime 比较?

"LINQ expression could not be translated" with DateTime comparison in LINQ query?

我是一名新手,最近刚开始在项目中使用 EF Core 5,遇到以下查询问题:

TimeSpan bookTimeToLive = TimeSpan.FromHours(10);
IList<Book>? expiredBooks = dbContext.Value.Books.AsQueryable()
                    .Where(x => DateTime.UtcNow - x.UtcTimeStamp > bookTimeToLive)
                    .ToList();

// Get list of expired Books to remove them
dbContext.Value.RemoveRange(expiredBooks);
await dbContext.Value.SaveChangesAsync(cancellationToken);

我的目标是删除所有过期的书籍(它们的时间戳超过了我想要跟踪它们的时间)。

有了这个,我得到了例外:

The LINQ expression 'DbSet<Books>()
    .Where(d => DateTime.UtcNow - d.UtcTimeStamp > __bookTimeToLive_0)' could not be translated. Either
 rewrite the query in a form that can be translated, or switch to client evaluation explicitly by 
inserting a call to 'AsEnumerable', 'AsAsyncEnumerable', 'ToList', or 'ToListAsync'. See 
https://go.microsoft.com/fwlink/?linkid=2101038 for more information.

经过一些挖掘,我意识到这是因为 EF 无法将我的 DateTime 比较解析为 SQL 查询,因此我尝试使用 [=13] 中的 DbFunctions.DateDiffHour() 方法=]_

现在的问题是,即使我在 class 中安装并导入了 Nuget EF Core 5,我也无法访问任何 DbFunctions 方法:

同样适用于EF.Functions(没有public方法):

这可能是错误还是我没有正确使用这些 classes?这是我想要完成的正确方法吗? 干杯!

或者,我们可以只使用 DateTime 对象并重写您的原始查询吗?

IList<Book>? expiredBooks = dbContext.Value.Books
                    .Where(x => x.UtcTimeStamp.addHours(10) > DateTime.UtcNow)
                    .ToList();

如果时间分量是静态的(所有行都相同),那么一个简单的选择是将它应用于当前日期以形成一个截断值以进行比较:

而不是:

TimeSpan bookTimeToLive = TimeSpan.FromHours(10);
IList<Book> expiredBooks = dbContext.Value.Books
                .Where(x => DateTime.UtcNow - x.UtcTimeStamp > bookTimeToLive)
                .ToList();

像这样。不需要 DbFunctions。

DateTime expiryCutoff = DateTime.UtcNow.AddHours(-10);
Ilist<Book> expiredBooks = dbContext.Books
    .Where(x => x.UtTimeStamp < expiryCutoff)
    .ToList();

如果它是动态的,DateTime 方法如 AddHours 仍然会翻译:

Ilist<Book> expiredBooks = dbContext.Books
    .Where(x => x.UtTimeStamp.AddHours(x.ExpiryCutoff) < DateTime.UtcNow)
    .ToList();

其中 ExpiryCutoff 是记录中的数据驱动值。 (或相关表达式)