我的泛型类中有以下方法:
// This is the class declaration public abstract class BaseService: IBaseService where TEntity : class, IEntity // The Method public IQueryable GetActive() { if (typeof(IActivable).IsAssignableFrom(typeof(TEntity))) { return this.repository.Get().Cast () .Where(q => q.Active) .Cast (); } else { return this.Get(); } }
这是界面:
public interface IActivable { bool Active { get; set; } }
基本上,TEntity
是一个实体(POCO)类,如果它们具有Active
属性,则可以实现IActivable .我希望该方法返回所有Active
值为true的记录.但是,我有这个错误:
无法将类型"WebTest.Models.Entities.Product"转换为"Data.IActivable"类型.LINQ to Entities仅支持转换EDM原语或枚举类型.
我理解为什么会出现这种错误.但关于SO的文章对我的案例没有任何有效的解决方案.用它Cast
或其他方式可以实现吗?注意:我不想转换为IEnumerable
,我想保留IQueryable
.
EF表达式解析器可以在不进行转换的情况下工作,但是如果没有转换,您将无法编译C#代码(C#会抱怨它不知道它TEntity
具有Active
属性).解决方案是:为c#编译器强制转换,而不是为EF表达式解析器强制转换.
因此,如果您确定(您正在检查它if
,那么您是)对象实现IActivable
,您可以使用强制转换(用于编译)创建表达式,然后在EF中删除运行时的铸件(这是不必要的).对于您的特定情况:
public IQueryableGetActive() { if (typeof(IActivable).IsAssignableFrom(typeof(TEntity))) { Expression > getActive = x => ((IActivable)x).Active; getActive = (Expression >)RemoveCastsVisitor.Visit(getActive); return this.repository.Get().Where(getActive); } else { return this.Get(); } }
表达式visitor实现如下:
internal class RemoveCastsVisitor : ExpressionVisitor { private static readonly ExpressionVisitor Default = new RemoveCastsVisitor(); private RemoveCastsVisitor() { } public new static Expression Visit(Expression node) { return Default.Visit(node); } protected override Expression VisitUnary(UnaryExpression node) { if (node.NodeType == ExpressionType.Convert && node.Type.IsAssignableFrom(node.Operand.Type)) { return base.Visit(node.Operand); } return base.VisitUnary(node); } }
它只是检查是否需要强制转换:如果实际值已经实现了它所投射的类型,它只会从表达式中删除转换,EF将正确地获取它.