3

我对 c# 表达式真的很陌生。我有一些类似的课程

class SimpleClass
{
    private string ReturnString(string InputString)
    {
        return "result is: "+InputString;
    }

    public string Return(Expression exp)
    {
        LambdaExpression lambda = Expression.Lambda(exp);
        return lambda.Compile();
    }
}

现在,我想用一些参数(伪)调用这个方法返回,如下所示:

      SimpleClass sc = new SimpleClass();
      Expression expression = Expression.MethodCall(//how to create expression to call SimpleClass.ReturnString with some parameter?);
     string result = sc.Return(expression);
    Console.WriteLine(result);

感谢您的帮助/回答。

马特

4

2 回答 2

6

尽早执行签名会更好exp- 即作为Expression<Func<string>>

public string Return(Expression<Func<string>> expression)
{
    return expression.Compile()();
}

与:

SimpleClass sc = new SimpleClass();
string result = sc.Return(() => sc.ReturnString("hello world"));
Console.WriteLine(result);

或者:

SimpleClass sc = new SimpleClass();
Expression expression = Expression.Call(
    Expression.Constant(sc),           // target-object
    "ReturnString",                    // method-name
    null,                              // generic type-argments
    Expression.Constant("hello world") // method-arguments
);
var lambda = Expression.Lambda<Func<string>>(expression);
string result = sc.Return(lambda);
Console.WriteLine(result);

当然,委托用法 ( Func<string>) 在许多情况下可能同样有效。

于 2009-08-24T14:11:20.250 回答
3

如果你的目标是学习表达,那很好。但是如果你的目标是完成这个特定的任务,那么委托将是解决这个问题的更合适的方法。

于 2009-08-24T14:11:51.747 回答