实体框架-代码优先-忽略除指定属性外的所有属性
本文关键字:属性 代码 框架 实体 | 更新日期: 2023-09-27 18:06:20
我正在处理一些具有许多属性的大型类,我不想忽略所有不想保存到数据库的属性。相反,是否存在忽略所有属性并仅指定我想要的属性的方法?
所以不用这个
protected override void OnModelCreating(DbModelBuilder mb)
{
// code to ignore properties i don't want one at a time, i.e.
mb.Entity<Person>().Ignore(i => i.Name);
mb.Entity<Person>().Ignore(i => i.Birthday);
}
我将有
protected override void OnModelCreating(DbModelBuilder mb)
{
// code to ignore all properties
// code to include only properties I want
}
您可以使用反射以便为所有属性调用Ignore
方法,除了您需要的那些。可以通过创建如下的扩展方法来实现:
public static class EntityTypeConfigurationExtentions
{
public static EntityTypeConfiguration<TEntityType> IgnoreAllExcept<TEntityType>
(this EntityTypeConfiguration<TEntityType> t, params string[] except)
where TEntityType:class
{
var type = typeof(TEntityType);
var properties = type.GetProperties();
var dontIgnore = except ?? new string[0];
//Here you can add more constraints on the class properties
var toIgnore = properties.Where(x => !except.Contains(x.Name) &&
x.SetMethod != null).ToList();
foreach (var name in toIgnore)
{
var selector = GetIgnoreExpression<TEntityType>(name);
MethodInfo genericMethod = GetIgnoreMethod<TEntityType>(name.PropertyType);
genericMethod.Invoke(t, new object[] { selector });
}
return t;
}
private static MethodInfo GetIgnoreMethod<TEntityType>(Type propType)
{
var t = typeof(EntityTypeConfiguration<>);
t = t.MakeGenericType(typeof(TEntityType));
MethodInfo method = t.GetMethod("Ignore");
MethodInfo genericMethod = method.MakeGenericMethod(propType);
return genericMethod;
}
//This method creates the 'x=>x.PropertyName' expression for Ignore method
private static Expression GetIgnoreExpression<TEntityType>(PropertyInfo prop)
{
ParameterExpression arg = Expression.Parameter(typeof(TEntityType), "x");
MemberExpression property = Expression.Property(arg, prop.Name);
var exp = Expression.Lambda(property, new ParameterExpression[] { arg });
return exp;
}
}
首先,我们提取具有setter的类的所有属性(如果你有更多的约束,你最多在那里提供它们),并且不属于例外列表,然后我们为每个属性调用EntityTypeConfiguration<TEntityType>
类的Ignore
方法,以便忽略该属性。
要调用Ignore
方法,我们需要获得类的泛型类型,然后找到类的Ignore
方法,然后提供Ignore
方法的泛型类型,最后通过适当的参数调用它。
Ignore
方法的参数是通过创建一个lambda表达式获得的,该表达式从TEntityType
类中选择所需的属性。
定义了这个扩展类之后,您可以像这样调用IgnoreAllExcept
:
protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
modelBuilder.Entity<TestClass>().IgnoreAllExcept("Id", "Name");
}
您还可以通过将except
参数更改为选择类属性的表达式来改进此方法。