如何获取表达式的值

时间:2011-08-10 06:38:18

标签: c# .net linq lambda expression-trees

我有这个使用Linq表达式的函数:

private Expression GetFieldValueExpression(ParameterExpression parameter, string fieldName)
{
  Expression properyIndexExpression = System.Linq.Expressions.Expression.Constant (fieldName, typeof(string));
  IndexExpression fieldValueExpression = System.Linq.Expressions.Expression.Property(parameter, "Item", new Expression[] { properyIndexExpression });
  return Expression.Property(fieldValueExpression, "Value");
}

Expression.Property(fieldValueExpression, "Value")返回的值是string类型。

我不知道怎么弄它。我知道我必须创建一个lambda并编译它,但我不知道如何。

感谢您的时间。

1 个答案:

答案 0 :(得分:3)

也许您正在寻找这样的代码:

    public void EvaluateAnExpression()
    {
        //Make the parameter
        var parm = Expression.Parameter(typeof(TestClass),"parm");

        //Use your method to build the expression
        var exp = GetFieldValueExpression(parm, "testField");

        //Build a lambda for the expression
        var lambda = Expression.Lambda(exp, parm);

        //Compile the lamda and cast the result to a Func<>
        var compiled = (Func<TestClass, string>)lambda.Compile();

        //We'll make up some object to test on
        var obj = new TestClass();

        //Get the result (it will be TESTFIELD)
        var result = compiled(obj);
    }

该代码假定某些测试类看起来像这样(基本上索引器属性只返回输入但是大写 - 一个简单的例子,但适用于测试):

    public class TestClass
    {
        public InnerClass this[string indexParameter]
        {
            get
            {
                return new InnerClass { Value = indexParameter.ToUpper() };
            }
        }
    }

    public class InnerClass
    {
        public string Value { get; set; }
    }