Property Name to Lambda Expression C#

2019-02-21 22:36发布

How can I convert a property name to Lambda expression in C#?

Like this: string prop = "Name"; to (p => p.Name)

public class Person{
    public string Name{ get; set; } 
}

Thanks!

标签: c# lambda
2条回答
We Are One
2楼-- · 2019-02-21 23:02

A lambda is just an anonymous function. You can store lambdas in delegates just like regular methods. I suggest you try making "Name" a property.

public string Name { get { return p.Name; } }

If you really want a lambda, use a delegate type such as Func.

public Func<string> Name = () => p.Name;

查看更多
贪生不怕死
3楼-- · 2019-02-21 23:16

Using expression trees you can generate the lambda expression.

using System.Linq.Expressions;
public static Expression<Func<T, object>> GetPropertySelector<T>(string propertyName)
{
    var arg = Expression.Parameter(typeof(T), "x");
    var property = Expression.Property(arg, propertyName);
    //return the property as object
    var conv = Expression.Convert(property, typeof(object));
    var exp = Expression.Lambda<Func<T, object>>(conv, new ParameterExpression[] { arg });
    return exp;
}

for Person you can call it like:

var exp = GetPropertySelector<Person>("Name");//exp: x=>x.Name
查看更多
登录 后发表回答