Lambda属性名称和数组索引

时间:2009-10-05 20:53:20

标签: c# lambda

对于以下Lambda表达式:

GetPropertyNameAndArrayIndex(() => SomeArray[0])

我知道你可以获得property name表达式。我也知道你可以通过使用ConstantExpression并访问Right值来获得数组索引。我的问题是当它不是常量时,你如何获得数组索引(或右值),I.E。,

for (int i = 0; i < 5; i++)
{
    GetPropertyNameAndArrayIndex(() => SomeArray[i])
}

非常感谢任何帮助。

1 个答案:

答案 0 :(得分:3)

正如评论中已经指出的那样;请注意,给出的示例容易受到捕获变量的问题(如果异步使用) - 但可能“按原样”。

彻底做到这一点需要很多边缘案例(或者你可以作弊和使用Compile()) - 但是这里有一个显示整体主题的例子(不使用Compile):

using System;
using System.Linq.Expressions;
using System.Reflection;
class Program
{
    static void Main()
    {
        string[] arr = { "abc", "def" };
        for (int i = 0; i < arr.Length; i++)
        {
            Foo(() => arr[i]);
        }
    }
    static object Foo<T>(Expression<Func<T>> lambda)
    {
        object obj = Walk(lambda.Body);
        Console.WriteLine("Value is: " + obj);
        return obj;

    }
    static object Walk(Expression expr)
    {
        switch (expr.NodeType)
        {
            case ExpressionType.ArrayIndex:

                BinaryExpression be = (BinaryExpression)expr;
                Array arr = (Array)Walk(be.Left);
                int index = (int) Walk(be.Right);
                Console.WriteLine("Index is: " + index);
                return arr.GetValue(index);
            case ExpressionType.MemberAccess:
                MemberExpression me = (MemberExpression)expr;
                switch (me.Member.MemberType)
                {
                    case MemberTypes.Property:
                        return ((PropertyInfo)me.Member).GetValue(Walk(me.Expression), null);
                    case MemberTypes.Field:
                        return ((FieldInfo)me.Member).GetValue(Walk(me.Expression));
                    default:
                        throw new NotSupportedException();
                }
            case ExpressionType.Constant:
                return ((ConstantExpression) expr).Value;
            default:
                throw new NotSupportedException();

        }
    }

}