我想将TenantId添加到Asp.Net Identity表(例如:User)。
以下代码段效果很好。租户上下文将通过DI注入,并且租户将根据http上下文域进行更改:
private readonly ITenantContext<ApplicationTenant> tenantContext;
public ApplicationDbContext(DbContextOptions<ApplicationDbContext> options, ITenantContext<ApplicationTenant> tenantContext) : base(options)
{
this.tenantContext = tenantContext;
}
protected override void OnModelCreating(ModelBuilder builder)
{
base.OnModelCreating(builder);
builder.Entity<ApplicationUser>(b =>
{
// add tenant
b.Property(typeof(int), "TenantId");
b.HasQueryFilter(x => EF.Property<int>(x, "TenantId") == this.tenantContext.Tenant.Id);
});
}
为了重用,我想为entityBuilder创建一个扩展方法:
public static class EntityTypeBuilderExtensions
{
public static void AddTenancy<TEntity>(
this EntityTypeBuilder<TEntity> builder,
Expression<Func<int>> tenantId,
string propertyName = "TenantId")
where TEntity : class
{
// validate
Ensure.Argument.NotNull("builder", builder);
// add property to entity
builder.Property(typeof(int), propertyName).IsRequired();
/* THIS WORKS BUT WILL BE EVALUATED LOCALLY */
// left
var parameterExp = Expression.Parameter(typeof(TEntity), "x"); // e = TEntity => e.g: User
var propertyNameExp = Expression.Constant(propertyName, typeof(string)); // the name of the tenant column - eg.: TenantId
// right
var tTenantId = Expression.Convert(tenantId.Body, typeof(int)); // tenantId
var propertyMethod = typeof(EF).GetMethod(nameof(EF.Property), BindingFlags.Public | BindingFlags.Static).MakeGenericMethod(typeof(int)); // build EF.Property
var propertyMethodExec = Expression.Call(propertyMethod, parameterExp, propertyNameExp); // represents EF.Property(e, "TenantId")
var bodyExp = Expression.Equal(propertyMethodExec, tTenantId);
var lambda = Expression.Lambda(bodyExp, parameterExp);
builder.HasQueryFilter(lambda);
}
}
在db上下文中:
private Func<int> tenantId => () =>
{
// return tenant id
if (this.tenantContext != null && this.tenantContext.Tenant != null)
{
return this.tenantContext.Tenant.Id;
}
return -1;
};
protected override void OnModelCreating(ModelBuilder builder)
{
base.OnModelCreating(builder);
builder.Entity<ApplicationUser>(b =>
{
b.AddTenancy(() => this.tenantId(), "TenantId");
});
}
扩展方法也可以工作,但是表达式是在本地求值的:-(。有人可以帮我修复它吗?
LINQ表达式'where(Property([x],“ TenantId”)== 调用(__ef_filter__tenantId_0))'无法翻译,将被翻译成 本地评估。 LINQ表达式'where([x] .NormalizedUserName == __normalizedUserName_0)'无法翻译,将在本地进行评估。 LINQ表达式“ FirstOrDefault()”不能为 已翻译,并将在本地进行评估。
答案 0 :(得分:1)
问题出在这里Func
private Func<int> tenantId => ...
这会导致Invoke(__ef_filter__tenantId_0))
的翻译错误和客户评价。
解决方案是使tenantId
简单int
返回属性或方法。例如,保持通话
b.AddTenancy(() => this.tenantId(), "TenantId");
应更改为
private int tenantId()
{
// return tenant id
if (this.tenantContext != null && this.tenantContext.Tenant != null)
{
return this.tenantContext.Tenant.Id;
}
return -1;
};