12

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!

Renan Araújo
  • 3,533
  • 11
  • 39
  • 49

2 Answers2

26

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
Taher Rahgooy
  • 6,528
  • 3
  • 19
  • 30
1

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;

Philippe Paré
  • 4,279
  • 5
  • 36
  • 56