- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我有一个使用 Entity Framework 的搜索功能。您可以搜索的其中一项内容是日期范围。您可能会说“开始日期介于 SearchStart 和 Search End 之间”之类的话。用 linq 语法编写并不难,但是当您有许多不同的日期参数要搜索时,它会变得非常冗长。
我在 DateTime 上有一个扩展方法,基本上检查日期是否包含在 StartDate 和 EndDate 之间。我在 EF 不是问题的其他地方使用它,但我也想将它用于 EF 查询。我通过在执行 ToList(将尝试运行查询)之前应用额外的 WHERE 子句来动态创建查询。
如我所料,使用扩展方法会抛出异常:“LINQ to Entities 无法识别‘Boolean IsBetween(System.DateTime, System.DateTime, System.DateTime)’方法,并且此方法无法转换为存储表达式。”
我知道 Linq to Entities 无法知道 IsBetween 在 Sql 中转换成什么,但是我有办法给它指令吗?我尝试在网上搜索答案,但帮助不大。如果有一些属性我可以添加到扩展方法或某种方式我可以更新 EF 配置?
我猜不是,但我不想不问就假设。
谢谢!
更新:添加扩展方法代码
public static bool IsBetween(this DateTime date , DateTime start, DateTime end)
{
return (date >= start && date < end);
}
最佳答案
这是一个完全通用的方法,similar to what danludig's answer is doing但更深入地研究并手动构建表达式树以使其工作。
我们不是在教 Entity Framework 如何阅读新表达式,而是将表达式分解成它的组成部分,使其成为 Entity Framework 已经知道如何阅读的内容。
public static IQueryable<T> IsBetween<T>(this IQueryable<T> query, Expression<Func<T, DateTime>> selector, DateTime start, DateTime end)
{
//Record the start time and end time and turn them in to constants to be passed in to the query.
//There may be a better way to pass them as parameters instead of constants but I don't have the skill with expression trees to know how to do it.
var startTime = Expression.Constant(start);
var endTime = Expression.Constant(end);
//We get the body of the expression that was passed in that selects the DateTime column in the row for us.
var selectorBody = selector.Body;
//We need to pass along the parametres from that original selector.
var selectorParameters = selector.Parameters;
// Represents the "date >= start"
var startCompare = Expression.GreaterThanOrEqual(selectorBody, startTime);
// Represents the "date < end"
var endCompare = Expression.LessThan(selectorBody, endTime);
// Represents the "&&" between the two statements.
var combinedExpression = Expression.AndAlso(startCompare, endCompare);
//Reform the new expression in to a lambada to be passed along to the Where clause.
var lambada = Expression.Lambda<Func<T, bool>>(combinedExpression, selectorParameters);
//Perform the filtering and return the filtered query.
return query.Where(lambada);
}
它生成如下SQL
SELECT
[Extent1].[TestId] AS [TestId],
[Extent1].[Example] AS [Example]
FROM [dbo].[Tests] AS [Extent1]
WHERE ([Extent1].[Example] >= convert(datetime2, '2013-01-01 00:00:00.0000000', 121)) AND ([Extent1].[Example] < convert(datetime2, '2014-01-01 00:00:00.0000000', 121))
使用下面的程序。
private static void Main(string[] args)
{
using (var context = new TestContext())
{
context.SaveChanges();
context.Tests.Add(new Test(new DateTime(2013, 6, 1)));
context.Tests.Add(new Test(new DateTime(2014, 6, 1)));
context.SaveChanges();
DateTime start = new DateTime(2013, 1, 1);
DateTime end = new DateTime(2014, 1, 1);
var query = context.Tests.IsBetween(row => row.Example, start, end);
var traceString = query.ToString();
var result = query.ToList();
Debugger.Break();
}
}
public class Test
{
public Test()
{
Example = DateTime.Now;
}
public Test(DateTime time)
{
Example = time;
}
public int TestId { get; set; }
public DateTime Example { get; set; }
}
public class TestContext : DbContext
{
public DbSet<Test> Tests { get; set; }
}
这是一个实用程序,可以转换通用表达式并将其映射到您的特定对象。这允许您将表达式写为 date => date >= start && date < end
并将其传递给转换器以映射必要的列。您需要在原始 lambada 中为每个参数传递一个映射。
public static class LambadaConverter
{
/// <summary>
/// Converts a many parametered expression in to a single paramter expression using a set of mappers to go from the source type to mapped source.
/// </summary>
/// <typeparam name="TNewSourceType">The datatype for the new soruce type</typeparam>
/// <typeparam name="TResult">The return type of the old lambada return type.</typeparam>
/// <param name="query">The query to convert.</param>
/// <param name="parameterMapping">The mappers to go from the single source class to a set of </param>
/// <returns></returns>
public static Expression<Func<TNewSourceType, TResult>> Convert<TNewSourceType, TResult>(Expression query, params Expression[] parameterMapping)
{
//Doing some pre-condition checking to make sure everything was passed in correctly.
var castQuery = query as LambdaExpression;
if (castQuery == null)
throw new ArgumentException("The passed in query must be a lambada expression", "query");
if (parameterMapping.Any(expression => expression is LambdaExpression == false) ||
parameterMapping.Any(expression => ((LambdaExpression)expression).Parameters.Count != 1) ||
parameterMapping.Any(expression => ((LambdaExpression)expression).Parameters[0].Type != typeof(TNewSourceType)))
{
throw new ArgumentException("Each pramater mapper must be in the form of \"Expression<Func<TNewSourceType,TResut>>\"",
"parameterMapping");
}
//We need to remap all the input mappings so they all share a single paramter variable.
var inputParameter = Expression.Parameter(typeof(TNewSourceType));
//Perform the mapping-remapping.
var normlizer = new ParameterNormalizerVisitor(inputParameter);
var mapping = normlizer.Visit(new ReadOnlyCollection<Expression>(parameterMapping));
//Perform the mapping on the expression query.
var customVisitor = new LambadaVisitor<TNewSourceType, TResult>(mapping, inputParameter);
return (Expression<Func<TNewSourceType, TResult>>)customVisitor.Visit(query);
}
/// <summary>
/// Causes the entire series of input lambadas to all share the same
/// </summary>
private class ParameterNormalizerVisitor : ExpressionVisitor
{
public ParameterNormalizerVisitor(ParameterExpression parameter)
{
_parameter = parameter;
}
private readonly ParameterExpression _parameter;
protected override Expression VisitParameter(ParameterExpression node)
{
if(node.Type == _parameter.Type)
return _parameter;
else
throw new InvalidOperationException("Was passed a parameter type that was not expected.");
}
}
/// <summary>
/// Rewrites the output query to use the new remapped inputs.
/// </summary>
private class LambadaVisitor<TSource,TResult> : ExpressionVisitor
{
public LambadaVisitor(ReadOnlyCollection<Expression> parameterMapping, ParameterExpression newParameter)
{
_parameterMapping = parameterMapping;
_newParameter = newParameter;
}
private readonly ReadOnlyCollection<Expression> _parameterMapping;
private readonly ParameterExpression _newParameter;
private ReadOnlyCollection<ParameterExpression> _oldParameteres = null;
protected override Expression VisitParameter(ParameterExpression node)
{
//Check to see if this is one of our known parameters, and replace the body if it is.
var index = _oldParameteres.IndexOf(node);
if (index >= 0)
{
return ((LambdaExpression)_parameterMapping[index]).Body;
}
//Not one of our known parameters, process as normal.
return base.VisitParameter(node);
}
protected override Expression VisitLambda<T>(Expression<T> node)
{
if (_oldParameteres == null)
{
_oldParameteres = node.Parameters;
var newBody = this.Visit(node.Body);
return Expression.Lambda<Func<TSource, TResult>>(newBody, _newParameter);
}
else
throw new InvalidOperationException("Encountered more than one Lambada, not sure how to handle this.");
}
}
}
这是我用来测试它的一个简单的测试程序,它生成格式良好的查询,并在它们应该在的地方传递参数。
private static void Main(string[] args)
{
using (var context = new TestContext())
{
DateTime start = new DateTime(2013, 1, 1);
DateTime end = new DateTime(2014, 1, 1);
var query = context.Tests.IsBetween(row => row.Example, start, end);
var traceString = query.ToString(); // Generates the where clause: WHERE ([Extent1].[Example] >= @p__linq__0) AND ([Extent1].[Example] < @p__linq__1)
var query2 = context.Tests.ComplexTest(row => row.Param1, row => row.Param2);
var traceString2 = query2.ToString(); //Generates the where clause: WHERE (N'Foo' = [Extent1].[Param1]) AND ([Extent1].[Param1] IS NOT NULL) AND (2 = [Extent1].[Param2])
Debugger.Break();
}
}
public class Test
{
public int TestId { get; set; }
public DateTime Example { get; set; }
public string Param1 { get; set; }
public int Param2 { get; set; }
}
public class TestContext : DbContext
{
public DbSet<Test> Tests { get; set; }
}
public static IQueryable<T> IsBetween<T>(this IQueryable<T> query, Expression<Func<T, DateTime>> dateSelector, DateTime start, DateTime end)
{
Expression<Func<DateTime, bool>> testQuery = date => date >= start && date < end;
var newQuery = LambadaConverter.Convert<T, bool>(testQuery, dateSelector);
return query.Where(newQuery);
}
public static IQueryable<T> ComplexTest<T>(this IQueryable<T> query, Expression<Func<T, string>> selector1, Expression<Func<T, int>> selector2)
{
Expression<Func<string, int, bool>> testQuery = (str, num) => str == "Foo" && num == 2;
var newQuery = LambadaConverter.Convert<T, bool>(testQuery, selector1, selector2);
return query.Where(newQuery);
}
您可以看到这也修复了我在第一个示例中遇到的“常量字符串”问题,DateTimes 现在作为参数传入。
关于c# - 你能教 Entity Framework 识别表达式吗?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/21287111/
这个问题在这里已经有了答案: 10年前关闭。 Possible Duplicates: What is a framework? What does it do? Why do we need a f
我在按照 http://msdn.microsoft.com/en-us/data/jj591621.aspx 处的 Microsoft Data Developer 过程启用代码优先迁移时遇到了一些
我正在从 迁移项目 Entity Framework 4.3 在 .net 4 上运行到 Entity Framework 5 在 .net 4.5 上运行。在不做任何更改的情况下,当我尝试运行该项目
我正在使用 Entity Framework 6 并使用 EntityFramework Extended 来执行一些批量更新和批量删除。批量更新和批量删除工作正常,但我还需要知道更新/删除的实体(即
我在实体上添加了一个列,然后从模型中生成数据库或构建解决方案,然后收到一条消息,提示我刚添加的新列未映射。该数据库以前是从模型创建的,没有错误。 当我右键单击Entity并选择Table Mappin
每次我尝试运行我的代码时都会崩溃,因为我尝试启动函数以调用 SDK 的任何部分。 我在构建过程中包含了 FoundationSDK: 并且我在头文件中包含了对 SDK 的引用: 但是每次我运行这个,我
我以前能够毫无问题地提交我的申请。我的工作流程中唯一改变的部分是使用 Sourcetree。在对以下框架进行更新后,我在提交到 iOS App Store 时收到此警告。我还收到一封电子邮件,其中包含
假设我为 Asp.NET Web 应用程序安装了 .NET Framework 2.0、3.0、3.5。 我意识到 Framework 3.0 和 3.5 只是 Framework 2 的扩展,不太清
是否有 SaveChanges 事件在保存更改后但在更新更改跟踪器之前触发? 我正在使用 EF 6。 我需要在某个实体的状态发生变化时执行任务。 我已经覆盖了 SaveChanges 来设置它。我可以
我正在使用一个现有的数据库,并且我已经将其中一个表映射为一个实体(因为我需要映射一个外键)。 因此,在初始化此数据库时,我希望 EF 忽略此实体,因为它已经存在。 我该怎么做? 最佳答案 您应该使用
我有 3 个表需要与 Entity Framework 进行映射,但我不确定解决此问题的正确方法。这是我的 3 个实体: public class User { [Key] public
我首先使用 VS 2010 和 Entity Framework 代码(版本 6)。我有两个实体,每个实体都在自己的上下文中,我想在它们之间创建一对多关系。 上下文 1 具有以下实体: public
我知道 EF 在 CodePlex 上是开源的,但我没有看到当前发布的 5.0 版本的分支。我在哪里可以得到这个源代码? 最佳答案 没有。他们只开源了 post 5 版本。第一次签到可能足够接近,但再
我们目前有一个数据库很大的系统,存储过程既用于CUD又用于查询。数据集用于从 SP 查询中检索结果。 现在我们正在研究使用 Entity Framework 针对同一个数据库开发另一个项目。在查询数据
我有一个每 10 秒运行一次的 Windows 服务......每次运行时,它都会获取一些测试数据,对其进行修改并使用 EntityFramework 将其保存到数据库中。但是,在每一秒运行时,当我尝
我对在我们的场景中仅将 Entity Framework 与存储过程一起使用的合理性有疑问。 我们计划拥有一个 N 层架构,包括 UI、BusinessLayer (BLL)、DataAccessLa
当我使用 Entity Framework 时,我想在上下文中查询出一条记录并将其添加到具有相同架构的另一个上下文中,在查询出记录后,我将其从上下文中分离出来,但是相关实体都没有了,是吗?有什么办法解
我正在使用 Entity Framework 5 构建 ASP.Net MVC4 Web 应用程序。我必须使用现有的 sql server 数据库,但也想使用 Code First,所以我遵循了本教程
在 Entity Framework 4.0 中使用 T4 模板创建 POCO 会丢失什么?为什么使用 Entity Framework 4.0 时的默认行为不创建 POCO? 最佳答案 你会失去很多
我在网上使用 Repository Pattern 和 EF 看了很多例子。但他们都没有真正谈到与相关实体的合作。 就像说用户可以有多个地址。 IUserRepository User CreateU
我是一名优秀的程序员,十分优秀!