从具有Lambda表达式的Lambda表达式中进行选择

时间:2013-03-26 11:37:56

标签: c# lambda expression

我有两个表达方式:

  public static Expression<Func<TSource, TReturn>> Merge<TSource, TSource2, TReturn>(
      Expression<Func<TSource, TSource2>> foo1
      Expression<Func<TSource2, TReturn>> foo2)
  {
      // What to do?
  }

如何将它们合并为单个表达式,因此第一个表达式的输出用作第二个表达式的输入?我是新手,到目前为止只是例外。

由于

1 个答案:

答案 0 :(得分:1)

这很大程度上取决于哪些提供商需要使用它。有些人会很好:

public static Expression<Func<TSource, TReturn>>
     Merge<TSource, TSource2, TReturn>(
  Expression<Func<TSource, TSource2>> foo1,
  Expression<Func<TSource2, TReturn>> foo2)
{
    return Expression.Lambda<Func<TSource, TReturn>>(
      Expression.Invoke(foo2, foo1.Body),
      foo1.Parameters);
}

但是,其他人(EF)不会。您还可以使用访问者重写表达式树以内联表达式:

public static Expression<Func<TSource, TReturn>>
      Merge<TSource, TSource2, TReturn>(
  Expression<Func<TSource, TSource2>> foo1,
  Expression<Func<TSource2, TReturn>> foo2)
{
    var swapped = new SwapVisitor(
        foo2.Parameters.Single(), foo1.Body).Visit(foo2.Body);
    return Expression.Lambda<Func<TSource, TReturn>>(
        swapped, foo1.Parameters);
}

class SwapVisitor : ExpressionVisitor
{
    private readonly Expression from, to;
    public SwapVisitor(Expression from, Expression to)
    {
        this.from = from;
        this.to = to;
    }
    public override Expression Visit(Expression node)
    {
        return node == from ? to : base.Visit(node);
    }
}

这适用于所有提供商。