我有一组重复的数据,我从多个SQL表(长篇故事,但它们都有不同的名称,尽管有相同的数据)检索到.NET DataTable: -
Point_Date -> Point_Value0 -> Point_Value1 -> Point_Value2 -> Point_ValueX
24/11/2014 16:18:07 -> 15.1 -> NULL -> NULL
24/11/2014 16:19:07 -> 15.2 -> NULL -> NULL
24/11/2014 16:20:07 -> 15.3 -> NULL -> NULL
24/11/2014 16:18:07 -> NULL -> 16.1 -> NULL
24/11/2014 16:19:07 -> NULL -> 16.2 -> NULL
24/11/2014 16:20:07 -> NULL -> 16.3 -> NULL
24/11/2014 16:18:07 -> NULL -> NULL -> 17.1
24/11/2014 16:19:07 -> NULL -> NULL -> 17.2
24/11/2014 16:20:07 -> NULL -> NULL -> 17.3
我想使用LINQ对日期/时间字段中的数据进行分组,以便最终得到如下记录: -
24/11/2014 16:18:07 - > 15.1 - > 16.1 - > 17.1
我的问题是我不知道会有多少组数据(示例中有三组但可能有任何数字)所以我需要使用动态LINQ。
对于固定数量的字段,我可以使用LINQ查询: -
var dtReport = (from row in dtPoints.AsEnumerable()
group row by row.Field<DateTime>("Point_Date")
into t
select new
{
TempDate = t.Key,
Value1 = (double?) t.Sum(r => r.Field<double?>("Point_Value0") ?? 0),
Value2 = (double?)t.Sum(r => r.Field<double?>("Point_Value1") ?? 0),
Value3 = (double?)t.Sum(r => r.Field<double?>("Point_Value2") ?? 0)
});
但是我正在努力使用System.Linq.Dynamic让它变得动态,下面给出了一个错误: -
var myRpt2 = dtPoints.AsEnumerable()
.AsQueryable()
.GroupBy("new ( it[\"Point_Date\"] as GrpByCol1)", "it")
.Select("new (it.key as TempDate, it.sum(\"Point_Value0\") as SumValue)");
System.Linq.Dynamic.ParseException {“没有适用的聚合方法'总和'存在”}
一旦我完成GroupBy,我就无法弄清楚如何引用'Point_Value'字段 - 根据数据集的数量会有多个'sum(Point_ValueX)'字段,但我可以'甚至让它在目前的单个领域工作!
非常感谢,
大卫。
答案 0 :(得分:2)
我不认为你可以这样做。似乎动态linq不能解析包含索引器的表达式。
但是,您可以使用动态LINQ和常规LINQ的组合:
var myRpt2 = (
dtPoints.AsEnumerable()
.AsQueryable()
.GroupBy("new ( it[\"Point_Date\"] as GrpByCol1)", "it")
as IEnumerable<IGrouping<DynamicClass,DataRow>>
)
.Select (r => new { ((dynamic)r.Key).GrpByCol1,
Sum = r.Sum(x => x.Field<decimal>("Point_Value0"))});
主要的转折是将GroupBy
结果转换为IEnumerable<IGrouping<DynamicClass,DataRow>>
。