我的泛型类中有以下方法:
// This is the class declaration
public abstract class BaseService<TEntity, TKey> : IBaseService<TEntity, TKey> where TEntity : class, IEntity<TKey>
// The Method
public IQueryable<TEntity> GetActive()
{
if (typeof(IActivable).IsAssignableFrom(typeof(TEntity)))
{
return this.repository.Get().Cast<IActivable>()
.Where(q => q.Active)
.Cast<TEntity>();
}
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
。
答案 0 :(得分:10)
EF表达式解析器无需强制转换即可运行,但是如果没有强制转换,您将无法编译C#代码(C#会抱怨它不知道TEntity
有Active
属性)。解决方案是:为c#编译器强制转换,而不是为EF表达式解析器强制转换。
因此,如果您确定(您正在if
中检查它,那么您是)对象实现IActivable
,您可以使用强制转换创建表达式(用于编译)然后删除EF的运行时(不需要)的铸件。对于您的特定情况:
public IQueryable<TEntity> GetActive()
{
if (typeof(IActivable).IsAssignableFrom(typeof(TEntity)))
{
Expression<Func<TEntity, bool>> getActive = x => ((IActivable)x).Active;
getActive = (Expression<Func<TEntity, bool>>)RemoveCastsVisitor.Visit(getActive);
return this.repository.Get().Where(getActive);
}
else
{
return this.Get();
}
}
表达式访问者的实现如下:
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将正确地进行转换。
答案 1 :(得分:2)
诀窍是施放整个IQueryable&lt; TEntity&gt;到IQueryable&lt; IActivable&gt;而不是第一次演员:
if (typeof(IActivable).IsAssignableFrom(typeof(TEntity)))
{
return ((IQueryable<IActivable>)(this.repository.Get()))
.Where(q => q.Active)
.Cast<TEntity>();
}
答案 2 :(得分:0)
目前我有另一种方法是使用Extension方法。但缺点是我的IBaseService无法声明GetActive
方法,因为具体类实际上并没有实现它。
public static class BaseServiceExtension
{
public static IQueryable<TEntity> GetActive<TEntity, TKey>(this IBaseService<TEntity, TKey> service)
where TEntity : class, IEntity<TKey>, IActivable
{
return service.Get().Where(q => q.Active);
}
}