4

我正在使用动态 LINQ 创建一个 groupby 并动态选择。我的项目是键/值集合(字典),因此它们不包含任何属性(这是设计要求,无法更改)。我能够在另一个问题中解决 groupby 部分,但它似乎不适用于 select 方法。

我的代码如下:

    private void GetValuesGroupedBy(List<Dictionary<string, object>> list, List<string> groupbyNames, List<string> summableNames)
    {
        // build the groupby string
        StringBuilder groupBySB = new StringBuilder();
        groupBySB.Append("new ( ");
        bool useComma = false;
        foreach (var name in groupbyNames)
        {
            if (useComma)
                groupBySB.Append(", ");
            else
                useComma = true;

            groupBySB.Append("it[\"");
            groupBySB.Append(name);
            groupBySB.Append("\"]");
            groupBySB.Append(" as ");
            groupBySB.Append(name);
        }
        groupBySB.Append(" )");

        // and now the select string
        StringBuilder selectSB = new StringBuilder();
        selectSB.Append("new ( ");
        useComma = false;
        foreach (var name in groupbyNames)
        {
            if (useComma)
                selectSB.Append(", ");
            else
                useComma = true;

            selectSB.Append("Key.")
                //.Append(name)
                //.Append(" as ")
                .Append(name);
        }
        foreach (var name in summableNames)
        {
            if (useComma)
                selectSB.Append(", ");
            else
                useComma = true;

            selectSB.Append("Sum(")
                .Append("it[\"")
                .Append(name)
                .Append("\"]")
                .Append(") as ")
                .Append(name);
        }
        selectSB.Append(" )");

        var groupby = list.GroupBy(groupBySB.ToString(), "it");
        var select = groupby.Select(selectSB.ToString());
    }

选择字符串的 Key 部分没问题,但 Sum 部分不起作用。假设我想要的键称为值,我尝试过:

  • “总和(值)”:ParseException:预期表达式

  • "Sum(\"value\")" : ParseException: 表达式预期

  • “Sum(it[\"value\"])”:ParseException:不存在适用的聚合方法“Sum”

  • “Sum(it[value])”:ParseException:“字典”类型中不存在属性或字段“值”

  • "Sum([\"value\"])" : ParseException: 表达式预期

但都失败了。有任何想法吗?

谢谢!肖恩

4

2 回答 2

2

我自己也遇到过这个问题;问题是Sum()将列视为类型object(可以应用于Convert()Max()甚至,但不是Sum()),因此失败了;请注意,它说没有适用的聚合函数。

解决方案是使用内联转换为整数。动态 LINQ 支持这种转换,并且可以在您的示例中按以下方式完成:

selectSB.Append("Sum(")
    .Append("Convert.ToInt32(") // Add this...
    .Append("it[\"")
    .Append(name)
    .Append("\"]")
    .Append(")") // ... and this
    .Append(") as ")
    .Append(name);

如果您的列不是int类型,我相信ToInt64( bigint)ToDouble()和 and一样有效ToDecimal()

于 2013-06-05T21:49:41.787 回答
0

你有正确的语法(我的测试字段是“一”和“二”)

new ( Key.One, Sum(it["Two"]) as Two )

但是没有 linq 方法 Sum(object),你需要告诉它它是 Summing (int、float、decimal 等)

最简单的方法是将字典定义更改为 Dictionary<'string, int> 假设您正在对整数求和。

于 2012-06-29T13:12:59.867 回答