在C#中使用表达式树的ByRef参数

如果我想创建一个表达式树,用一个out参数调用一个方法,然后返回out值作为结果..我该如何去做呢?

以下不起作用(引发运行时异常),但也许最好地演示了我正在尝试做的事情:

private delegate void MyDelegate(out int value);
private static Func<int> Wrap(MyDelegate dele)
{
    MethodInfo fn = dele.Method;
    ParameterExpression result = ParameterExpression.Variable(typeof(int));
    BlockExpression block = BlockExpression.Block(
        typeof(int), // block result
        Expression.Call(fn, result), // hopefully result is coerced to a reference
        result); // return the variable
    return Expression.Lambda<Func<int>>(block).Compile();
}

private static void TestFunction(out int value)
{
    value = 1;
}

private static void Test()
{
    Debug.Assert(Wrap(TestFunction)() == 1);
}

我知道这可以很容易地在原始IL中解决(或者根本不需要运行时编译),但不幸的是,这是一个更大的表达式构建过程的一部分......所以我真的希望这不是一个限制,因为完全重写将不仅仅是一种痛苦。


这适用于我:

    private static Func<int> Wrap(MyDelegate dele)
    {
        var fn = dele.Method;
        var result = ParameterExpression.Variable(typeof(int));
        var block = BlockExpression.Block(
            typeof(int),
            new[] { result },
            new Expression[]
            {
                Expression.Call(fn, result),
                result,
            });
        return Expression.Lambda<Func<int>>(block).Compile();
    }

也许这只是我,但我并不真正看到整个事情的重点。 要完成你想要做的事情,你并不需要编写所有这些东西。

控制台应用程序中的示例代码:

    class Program
    {
        static void Main(string[] args)
        {
            var temp = Execute(DoSomething);
            Console.Write(temp);
            Console.Read();
        }

        static int Execute(Func<int> methodToRun)
        {
            return methodToRun.Invoke();
        }

        static int DoSomething()
        {
            return 1;
        }
    }

正如你所看到的,它以更简洁和干净的方式让你获得相同的结果。 我认为你错过的是ActionAction<>Func<>都是delegate中间糖,所以不需要混合2种语法,也不需要像你在做的那样重构整个表达式。

链接地址: http://www.djcxy.com/p/10221.html

上一篇: ByRef parameters with Expression trees in C#

下一篇: Resolving relative path with wildcard in C#