在知道EntityFramework的对象上设置属性包括用于检索该属性的表达式

时间:2017-06-29 17:45:29

标签: c# entity-framework linq-expressions

有没有办法设置实体对象导航属性,知道用于在对象上包含此导航属性的表达式?

public class MyGenericBusinessLogic<T> {
    private readonly DbContext _dbContext;


    public MyGenericBusinessLogic(DbContext dbContext) {
       _dbContext = dbContext;
    }

    public U AddItem<U>(int parentId, Expression<Func<T,object>> property, U item) {
        T entity = _dbContext.[DbSet].Queryable.Include(t => t.Property).SingleOrDefault(e => e.id == id);

        //HELP NEEDED HERE
        //now how do i add the ```U item``` to the ```T entity```?

        _dbContext.SaveChanges();
        return item;
    }
}

所以假设你有t => t.Property以上的表达式,是否可以将该属性的值设置为U item

entity.[Property] = item

1 个答案:

答案 0 :(得分:3)

鉴于Expression<Func<T, object>>Include有效,可以使用Expression类方法生成属性设置器。

但是在使用EF时没有必要这样做,因为DbEntityEntry<TEntity>类提供了一个Reference方法,该方法具有完全相同的参数,该参数返回一个DbReferenceEntry<TEntity, TProperty>实例,该实例在turn具有CurrentValue属性,可用于获取和设置导航属性值。

用法可能是这样的:

Expression<Func<T, object>> property = t => t.Property;
T entity = _dbContext.Queryable.Include(property).SingleOrDefault(e => e.id == id);
// Get the property value
var oldValue = _dbContext.Entry(entity).Reference(property).CurrentValue;
// Set the property value
_dbContext.Entry(entity).Reference(property).CurrentValue = newValue;

更新:上述内容适用于简单(a.k.a. 引用)导航属性,而不适用于集合。以下是如何从属性访问器表达式构建属性设置器:

static Expression<Action<T, object>> MakeSetter<T>(Expression<Func<T, object>> property)
{
    var member = (MemberExpression)property.Body;
    var source = property.Parameters[0];
    var value = Expression.Parameter(typeof(object), "value");
    var body = Expression.Assign(member, Expression.Convert(value, member.Type));
    return Expression.Lambda<Action<T, object>>(body, source, value);
}

用法:

Expression<Func<T, object>> property = t => t.Property;
T entity = _dbContext.Queryable.Include(property).SingleOrDefault(e => e.id == id);
// Get the property value
var oldValue = property.Compile()(entity);
// Set the property value
MakeSetter(property).Compile()(entity, newValue);

这样你也可以获得/设置集合属性。添加到收藏仍然是一个问题,但这是另一个故事。