Pet*_*ony 4 .net c# linq expression-trees entity-framework-6
基本上,我想实现一个存储库,即使通过导航属性也可以过滤所有软删除记录。所以我有一个基本实体,类似这样:
public abstract class Entity
{
public int Id { get; set; }
public bool IsDeleted { get; set; }
...
}
Run Code Online (Sandbox Code Playgroud)
和一个存储库:
public class BaseStore<TEntity> : IStore<TEntity> where TEntity : Entity
{
protected readonly ApplicationDbContext db;
public IQueryable<TEntity> GetAll()
{
return db.Set<TEntity>().Where(e => !e.IsDeleted)
.InterceptWith(new InjectConditionVisitor<Entity>(entity => !entity.IsDeleted));
}
public IQueryable<TEntity> GetAll(Expression<Func<TEntity, bool>> predicate)
{
return GetAll().Where(predicate);
}
public IQueryable<TEntity> GetAllWithDeleted()
{
return db.Set<TEntity>();
}
...
}
Run Code Online (Sandbox Code Playgroud)
InterceptWith 函数来自此项目:https://github.com/davidfowl/QueryInterceptor和https://github.com/StefH/QueryInterceptor(与异步实现相同)
an 的用法IStore<Project>如下:
var project = await ProjectStore.GetAll()
.Include(p => p.Versions).SingleOrDefaultAsync(p => p.Id == projectId);
Run Code Online (Sandbox Code Playgroud)
我实现了一个ExpressionVisitor:
internal class InjectConditionVisitor<T> : ExpressionVisitor
{
private Expression<Func<T, bool>> queryCondition;
public InjectConditionVisitor(Expression<Func<T, bool>> condition)
{
queryCondition = condition;
}
public override Expression Visit(Expression node)
{
return base.Visit(node);
}
}
Run Code Online (Sandbox Code Playgroud)
但这就是我陷入困境的地方。我在 Visit 函数中放置了一个断点来查看我得到了什么表达式,以及何时应该厚脸皮地做一些事情,但它永远不会到达我的树的 Include(p => p.Versions) 部分。
我看到了一些其他可能有效的解决方案,但这些解决方案是“永久的”,例如EntityFramework.Filters似乎适合大多数用例,但在配置 DbContext 时必须添加过滤器 - 但是,您可以禁用过滤器,但我不想为每个查询禁用并重新启用过滤器。另一个像这样的解决方案是订阅 ObjectContext 的 ObjectMaterialized 事件,但我也不喜欢它。
我的目标是“捕获”访问者中的包含内容并修改表达式树以向连接添加另一个条件,该条件仅在您使用商店的 GetAll 函数之一时检查记录的 IsDeleted 字段。任何帮助,将不胜感激!
更新
我的存储库的目的是隐藏基本实体的一些基本行为 - 它还包含“创建/最后修改日期”、“创建/最后修改日期”、时间戳等。我的 BLL 通过此存储库获取所有数据,因此它确实如此不需要担心这些,商店会处理所有的事情。还可以从BaseStore特定类继承(然后我配置的 DI 将注入继承的类(IStore<Project>如果存在)),您可以在其中添加特定行为。比如你修改了一个项目,你需要添加这些修改历史,那么你只需要把这个添加到继承的store的更新功能中即可。
当您查询具有导航属性的类(因此任何类 :D )时,问题就开始了。有两个具体实体:
public class Project : Entity
{
public string Name { get; set; }
public string Description { get; set; }
public virtual ICollection<Platform> Platforms { get; set; }
//note: this version is not historical data, just the versions of the project, like: 1.0.0, 1.4.2, 2.1.0, etc.
public virtual ICollection<ProjectVersion> Versions { get; set; }
}
public class Platform : Entity
{
public string Name { get; set; }
public virtual ICollection<Project> Projects { get; set; }
public virtual ICollection<TestFunction> TestFunctions { get; set; }
}
public class ProjectVersion : Entity
{
public string Code { get; set; }
public virtual Project Project { get; set; }
}
Run Code Online (Sandbox Code Playgroud)
因此,如果我想列出项目的版本,我会调用 store: await ProjectStore.GetAll().Include(p => p.Versions).SingleOrDefaultAsync(p => p.Id == projectId)。我不会得到已删除的项目,但如果该项目存在,它将返回与其相关的所有版本,甚至是已删除的版本。在这种特定情况下,我可以从另一侧开始并调用 ProjectVersionStore,但如果我想通过 2 个以上的导航属性进行查询,那么游戏就结束了:)
预期的行为是:如果我将版本包含到项目中,它应该只查询未删除的版本 - 因此生成的 sql 连接[Versions].[IsDeleted] = FALSE也应该包含一个条件。对于复杂的包含,例如Include(project => project.Platforms.Select(platform => platform.TestFunctions)).
我尝试这样做的原因是我不想将 BLL 中的所有 Include 重构为其他内容。这是懒惰的部分:) 另一个是我想要一个透明的解决方案,我不希望 BLL 知道所有这些。如果不是绝对必要,接口应该保持不变。我知道这只是一个扩展方法,但这种行为应该在存储层中。
您使用的 include 方法调用 QueryableExtensions.Include(source, path1) 方法,该方法将表达式转换为字符串路径。这就是 include 方法的作用:
public static IQueryable<T> Include<T, TProperty>(this IQueryable<T> source, Expression<Func<T, TProperty>> path)
{
Check.NotNull<IQueryable<T>>(source, "source");
Check.NotNull<Expression<Func<T, TProperty>>>(path, "path");
string path1;
if (!DbHelpers.TryParsePath(path.Body, out path1) || path1 == null)
throw new ArgumentException(Strings.DbExtensions_InvalidIncludePathExpression, "path");
return QueryableExtensions.Include<T>(source, path1);
}
Run Code Online (Sandbox Code Playgroud)
因此,您的表达式如下所示(检查表达式中的“Include”或“IncludeSpan”方法):
value(System.Data.Entity.Core.Objects.ObjectQuery`1[TEntity]).MergeAs(AppendOnly)
.IncludeSpan(value(System.Data.Entity.Core.Objects.Span))
Run Code Online (Sandbox Code Playgroud)
您应该挂接 VisitMethodCall 来添加您的表达式:
internal class InjectConditionVisitor<T> : ExpressionVisitor
{
private Expression<Func<T, bool>> queryCondition;
protected override Expression VisitMethodCall(MethodCallExpression node)
{
Expression expression = node;
if (node.Method.Name == "Include" || node.Method.Name == "IncludeSpan")
{
// DO something here! Let just add an OrderBy for fun
// LAMBDA: x => x.[PropertyName]
var parameter = Expression.Parameter(typeof(T), "x");
Expression property = Expression.Property(parameter, "ColumnInt");
var lambda = Expression.Lambda(property, parameter);
// EXPRESSION: expression.[OrderMethod](x => x.[PropertyName])
var orderByMethod = typeof(Queryable).GetMethods().First(x => x.Name == "OrderBy" && x.GetParameters().Length == 2);
var orderByMethodGeneric = orderByMethod.MakeGenericMethod(typeof(T), property.Type);
expression = Expression.Call(null, orderByMethodGeneric, new[] { expression, Expression.Quote(lambda) });
}
else
{
expression = base.VisitMethodCall(node);
}
return expression;
}
}
Run Code Online (Sandbox Code Playgroud)
David Fowl 的 QueryInterceptor 项目不支持“包含”。实体框架尝试使用反射查找“包含”方法,如果未找到则返回当前查询(就是这种情况)。
免责声明:我是EF+项目的所有者。
我添加了一个 QueryInterceptor 功能,支持“包含”来回答您的问题。由于尚未添加单元测试,该功能尚不可用,但您可以下载并尝试源:Query Interceptor Source
如果您有问题,请直接联系我(在我的 GitHub 主页底部发送电子邮件),否则这将开始偏离主题。
请注意,“包含”方法通过隐藏一些先前的表达式来修改表达式。因此,有时很难理解幕后到底发生了什么。
我的项目还包含查询过滤器功能,我认为它具有更大的灵活性。
编辑:从更新的所需添加工作示例
这是您可以根据您的要求使用的起始代码:
public IQueryable<TEntity> GetAll()
{
var conditionVisitor = new InjectConditionVisitor<TEntity>("Versions", db.Set<TEntity>.Provider, x => x.Where(y => !y.IsDeleted));
return db.Set<TEntity>().Where(e => !e.IsDeleted).InterceptWith(conditionVisitor);
}
var project = await ProjectStore.GetAll().Include(p => p.Versions).SingleOrDefaultAsync(p => p.Id == projectId);
internal class InjectConditionVisitor<T> : ExpressionVisitor
{
private readonly string NavigationString;
private readonly IQueryProvider Provider;
private readonly Func<IQueryable<T>, IQueryable<T>> QueryCondition;
public InjectConditionVisitor(string navigationString, IQueryProvider provder , Func<IQueryable<T>, IQueryable<T>> queryCondition)
{
NavigationString = navigationString;
Provider = provder;
QueryCondition = queryCondition;
}
protected override Expression VisitMethodCall(MethodCallExpression node)
{
Expression expression = node;
bool isIncludeSpanValid = false;
if (node.Method.Name == "IncludeSpan")
{
var spanValue = (node.Arguments[0] as ConstantExpression).Value;
// The System.Data.Entity.Core.Objects.Span class and SpanList is internal, let play with reflection!
var spanListProperty = spanValue.GetType().GetProperty("SpanList", BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Instance);
var spanList = (IEnumerable)spanListProperty.GetValue(spanValue);
foreach (var span in spanList)
{
var spanNavigationsField = span.GetType().GetField("Navigations", BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Instance);
var spanNavigation = (List<string>)spanNavigationsField.GetValue(span);
if (spanNavigation.Contains(NavigationString))
{
isIncludeSpanValid = true;
break;
}
}
}
if ((node.Method.Name == "Include" && (node.Arguments[0] as ConstantExpression).Value.ToString() == NavigationString)
|| isIncludeSpanValid)
{
// CREATE a query from current expression
var query = Provider.CreateQuery<T>(expression);
// APPLY the query condition
query = QueryCondition(query);
// CHANGE the query expression
expression = query.Expression;
}
else
{
expression = base.VisitMethodCall(node);
}
return expression;
}
}
Run Code Online (Sandbox Code Playgroud)
编辑:回答子问题
Include 和 IncludeSpan 之间的区别
据我了解
IncludeSpan:当原始查询尚未通过 LINQ 方法修改时出现。
Include:当原始查询已被 LINQ 方法修改时出现(您不再看到以前的表达式)
-- Expression: {value(System.Data.Entity.Core.Objects.ObjectQuery`1[Z.Test.EntityFramework.Plus.Association_Multi_OneToMany_Left]).MergeAs(AppendOnly).IncludeSpan(value(System.Data.Entity.Core.Objects.Span))}
var q = ctx.Association_Multi_OneToMany_Lefts.Include(x => x.Right1s).Include(x => x.Right2s);
-- Expression: {value(System.Data.Entity.Core.Objects.ObjectQuery`1[Z.Test.EntityFramework.Plus.Association_Multi_OneToMany_Left]).Include("Right2s")}
var q = ctx.Association_Multi_OneToMany_Lefts.Include(x => x.Right1s).Where(x => x.ColumnInt > 10).Include(x => x.Right2s);
Run Code Online (Sandbox Code Playgroud)
如何包含和过滤相关实体
包含不允许您过滤相关实体。您可以在这篇文章中找到 2 个解决方案:EF。如何在模型中仅包含一些子结果?