要动态生成GroupBy表达式,我正在尝试构建Linq表达式树。要分组的字段是动态的,可以在数量上有所不同。
我使用此代码:
string[] fields = {"Name", "Test_Result"};
Type studentType = typeof(Student);
var itemParam = Expression.Parameter(studentType, "x");
var addMethod = typeof(Dictionary<string, object>).GetMethod(
"Add", new[] { typeof(string), typeof(object) });
var selector = Expression.ListInit(
Expression.New(typeof(Dictionary<string,object>)),
fields.Select(field => Expression.ElementInit(addMethod,
Expression.Constant(field),
Expression.Convert(
Expression.PropertyOrField(itemParam, field),
typeof(object)
)
)));
var lambda = Expression.Lambda<Func<Student, Dictionary<string,object>>>(
selector, itemParam);
代码是从this post复制的(感谢Mark Gravel!)。
最终确定......
var currentItemFields = students.Select(lambda.Compile());
......我预计我可以将其改为......
var currentItemFields = students.GroupBy(lambda.Compile());
我认为lambda表达式只不过是......
var currentItemFields = students.GroupBy(o => new { o.Name, o.Test_Result });
......但不幸的是,情况似乎并非如此。具有动态lambda的GroupBy不会给出任何异常,它只是不对任何内容进行分组并返回所有元素。
我在这里做错了什么?任何帮助,将不胜感激。提前谢谢。
答案 0 :(得分:5)
This post显示了一个表达式函数,可用于Select和GroupBy。希望它能帮助别人!
public Expression<Func<TItem, object>> GroupByExpression<TItem>(string[] propertyNames)
{
var properties = propertyNames.Select(name => typeof(TItem).GetProperty(name)).ToArray();
var propertyTypes = properties.Select(p => p.PropertyType).ToArray();
var tupleTypeDefinition = typeof(Tuple).Assembly.GetType("System.Tuple`" + properties.Length);
var tupleType = tupleTypeDefinition.MakeGenericType(propertyTypes);
var constructor = tupleType.GetConstructor(propertyTypes);
var param = Expression.Parameter(typeof(TItem), "item");
var body = Expression.New(constructor, properties.Select(p => Expression.Property(param, p)));
var expr = Expression.Lambda<Func<TItem, object>>(body, param);
return expr;
}
这样称呼:
var lambda = GroupByExpression<Student>(fields);
var currentItemFields = students.GroupBy(lambda.Compile());
答案 1 :(得分:4)
该lambda表达式构建了分组字段的字典
Dictionary<TKey, TValue>
未实现Equals()
和GetHashCode()
,因此会按引用相等性对它们进行分组
由于您总是返回一个新词典,因此每个项目都有自己的组。
您需要更改它以创建一个正确实现Equals()
和GetHashCode()
的类型以实现值相等。
通常,您可以让编译器生成匿名类型。但是,由于您在编译时不知道类型签名,因此您无法在此处执行此操作
相反,您可以构建Tuple<...>
:
Expression.New(
Type.GetType("System.Tuple`" + fields.Length)
.MakeGenericType(fields.Select(studentType.GetProperty),
fields.Select(f => Expression.PropertyOrField(itemParam, f))
)