表达式树中的空传播

时间:2017-04-28 15:10:11

标签: c# lambda expression-trees

请参阅下面的示例代码。如何修改它以处理空值,类似于?.运算符的工作方式?

class Program
{
    static LambdaExpression GetExpression(Expression<Func<string, string>> expr)
    {
        return expr;
    }

    static void Main(string[] args)
    {
        // I want to perform the following null propagation check
        // in the expression tree below.
        // (s as string)?.Replace("a", "o");

        var expr = GetExpression(t => t);

        var oldValue = Expression.Constant("a", typeof(string));
        var newValue = Expression.Constant("o", typeof(string));
        var mi = typeof(string).GetMethod(nameof(string.Replace), new[] { typeof(string), typeof(string) });

        var invoke = Expression.Invoke(expr, expr.Parameters);
        var call = Expression.Call(invoke, mi, oldValue, newValue);
        var lambda = Expression.Lambda(call, false, expr.Parameters);

        Console.WriteLine(lambda.Compile().DynamicInvoke("gaga"));

        // Should print empty line. Not throw!
        Console.WriteLine(lambda.Compile().DynamicInvoke(null));
    }
}

1 个答案:

答案 0 :(得分:3)

你必须做两件事:

  1. 来电lambda.Compile().DynamicInvoke(null)错误。

    文档说明参数可以是:

      

    类型:System.Object []:
      一组对象,它们是传递给当前委托所代表的方法的参数    - 或 -
       null ,如果当前委托所代表的方法不需要参数。

    因此,通过传递null,您可以在没有参数的情况下调用它,但是您希望使用空字符串参数进行调用:

    这就是为什么您应该将此行更改为lambda.Compile().DynamicInvoke(new object[] {null})或仅lambda.Compile().DynamicInvoke((string)null)

  2. 您必须使用Expression.Condition添加空条件。

  3. 最终代码:

    var expr = GetExpression(t => t);
    var oldValue = Expression.Constant("a", typeof(string));
    var newValue = Expression.Constant("o", typeof(string));
    var mi = typeof(string).GetMethod(nameof(string.Replace), new[] { typeof(string), typeof(string) });
    
    var invoke = Expression.Invoke(expr, expr.Parameters);
    var call = Expression.Call(invoke, mi, oldValue, newValue);
    
    ConstantExpression nullConst = Expression.Constant(null, typeof(string));
    var nullCondition = Expression.Condition(Expression.Equal(invoke, nullConst),
        nullConst, call);
    
    var lambda = Expression.Lambda(nullCondition, false, expr.Parameters);
    
    object result1 = lambda.Compile().DynamicInvoke("gaga"); // =="gogo"
    object result2 = lambda.Compile().DynamicInvoke((string) null); //== null