我今天有一个方法可以返回基于字符串属性名称的lambda表达式,即我传入“Description”并返回一个lambda为d => d.Description。这很好用,但是现在我需要返回一个lambda表达式给定一个包含点表示法的字符串,即我想传递“Customer.Name”并得到一个lambda表达式,后面是d => d.Customer.Name。下面是我已创建的返回1级lambda的方法,但我不知道如何将其更改为多级。
protected dynamic CreateOrderByExpression(string sortColumn)
{
var type = typeof (TEntity);
Type entityType = null;
if (type.IsInterface)
{
var propertyInfos = new List<PropertyInfo>();
var considered = new List<Type>();
var queue = new Queue<Type>();
considered.Add(type);
queue.Enqueue(type);
while (queue.Count > 0)
{
var subType = queue.Dequeue();
foreach (var subInterface in subType.GetInterfaces().Where(subInterface => !considered.Contains(subInterface)))
{
considered.Add(subInterface);
queue.Enqueue(subInterface);
}
var typeProperties = subType.GetProperties(
BindingFlags.FlattenHierarchy
| BindingFlags.Public
| BindingFlags.Instance);
var newPropertyInfos = typeProperties
.Where(x => !propertyInfos.Contains(x));
propertyInfos.InsertRange(0, newPropertyInfos);
if (propertyInfos.All(f => f.Name != sortColumn)) continue;
entityType = subType;
break;
}
}
if (entityType == null)
{
return null;
}
var parameter = Expression.Parameter(typeof (TEntity));
var memberExpression = Expression.Property(parameter, entityType, sortColumn);
var lambdaExpression = Expression.Lambda(memberExpression, parameter);
return lambdaExpression;
}
答案 0 :(得分:4)
创建一个这样的辅助方法(在代码的底部使用):
LambdaExpression GetLambdaExpression(Type type, IEnumerable<string> properties)
{
Type t = type;
ParameterExpression parameter = Expression.Parameter(t);
Expression expression = parameter;
for (int i = 0; i < properties.Count(); i++)
{
expression = Expression.Property(expression, t, properties.ElementAt(i));
t = expression.Type;
}
var lambdaExpression = Expression.Lambda(expression, parameter);
return lambdaExpression;
}
现在使用它:
GetLambdaExpression(typeof(Outer), new[] { "InnerProperty", "MyProperty" });
以下课程:
class Outer
{
public Inner InnerProperty { get; set; }
}
class Inner
{
public int MyProperty { get; set; }
}
我知道它可能更适合你的原始代码,但我想你可以从这里开始(比如将带有点的字符串转换成数组)。而且我知道它可以使用递归完成,但我今天头疼...