通用表达式抽象问题

时间:2014-01-30 08:11:15

标签: c# .net lambda func linq-expressions

我有以下方法SetMapping(),用于使用表达式定义一些映射设置。

public class AggregateMap<TDataEntity>
{
    protected Expression<Func<IUpdateConfiguration<TDataEntity>, object>> graphMapping;

    protected void SetMapping(Expression<Func<IUpdateConfiguration<TDataEntity>, object>> mapping)
    {
        graphMapping = mapping;
    }
}

调用代码示例:

SetMapping(map => map.OwnedCollection(root => root.ChildEntities));

上述方法很有用,但我想通过提供SetOwnedCollectionMapping()来进一步抽象这个方法。这意味着调用代码可以提供更基本的表达式。

进一步抽象的方法:

protected void SetOwnedCollectionMapping<T>(Expression<Func<TDataEntity, ICollection<T>>> mapping)
{
    graphMapping = map => map.OwnedCollection<TDataEntity, T>(mapping);
}

调用代码示例:

SetOwnedCollectionMapping(root => root.ChildEntities);

然后通过在Entity Framework DbContext实例上调用以下方法,在外部库(RefactorThis.GraphDiff)中使用此graphMapping字段:

public static void UpdateGraph<T>(this DbContext context, T entity, Expression<Func<IUpdateConfiguration<T>, object>> mapping) where T : class;

在运行时抛出以下异常:

  

发生了'System.InvalidCastException'类型的异常   RefactorThis.GraphDiff.dll但未在用户代码中处理

     

附加信息:无法投射类型的对象   键入'System.Reflection.RtFieldInfo'   'System.Reflection.PropertyInfo'。

我必须混淆我的通用类型,但我看不出旧的和新的实现之间的区别。

以下是OwnedCollection方法的签名:

public static IUpdateConfiguration<T> OwnedCollection<T, T2>(this IUpdateConfiguration<T> config, Expression<Func<T, System.Collections.Generic.ICollection<T2>>> expression);

编辑:在问题中添加了UpdateGraph信息。

1 个答案:

答案 0 :(得分:2)

两个实现之间的关键区别在于第二个实现了方法参数,而第一个没有。该参数作为字段存储在闭包中,并且该字段访问的存在可能导致RefactorThis.GraphDiff.dll中出现问题。

尝试更改第二个实现,如下所示:

protected void SetOwnedCollectionMapping<T>(Expression<Func<TDataEntity, ICollection<T>>> mapping)
{
    //
    // Hack to resolve the `OwnedCollection` extension method.
    //
    Expression<Func<IUpdateConfiguration<TDataEntity>, object>> template = 
        _ => _.OwnedCollection(mapping);

    var map = Expression.Parameter(
        typeof(IUpdateConfiguration<TDataEntity>),
        "map");

    graphMapping = Expression.Lambda<Func<IUpdateConfiguration<TDataEntity>, object>>(
        Expression.Call(
            ((MethodCallExpression)template.Body).Method,
            map,
            Expression.Quote(mapping)),
        map);
}

graphMapping的值应该与第一次实现的值相同。