LINQ:基于groupby获取嵌套数组?

时间:2016-09-14 01:01:54

标签: c# linq nested

假设我有这个简单的对象定义:

public class Item
{
    public int section { get; set; }
    public string item { get; set; }
}

我在单深度数组中有一些数据。这是JSON,它将通过Json.NET转换为C#对象:

[
  {
    "section": 0,
    "item": "Hello!"
  },
  { 
    "section": 1,
    "item": "First Steps"
  },
  {
    "section": 1,
    "item": "How to Ask for Help"
  },
  {
    "section": 2,
    "item": "Your First Program"
  },
  {
    "section": 2,
    "item": "The Code"
  },
  {
    "section": 2,
    "item": "How It Works"
  },
  {
    "section": 3,
    "item": "Where To Go From Here"
  }
]

使用Entity Framework或其他方法,我已经得到了如上所述的这些对象的简单列表,包含在var变量中。

现在我要做的是获取相同的列表,但是每个部分被分组为外部数组中的数组。例如,我想要的JSON看起来像这样:

[
  [
    {
      "section": 0,
      "item": "Hello!"
    }
  ],
  [
    { 
      "section": 1,
      "item": "First Steps"
    },
    {
      "section": 1,
      "item": "How to Ask for Help"
    }
  ],
  [
    {
      "section": 2,
      "item": "Your First Program"
    },
    {
      "section": 2,
      "item": "The Code"
    },
    {
      "section": 2,
      "item": "How It Works"
    }
  ],
  [
    {
      "section": 3,
      "item": "Where To Go From Here"
    }
  ]
]

我最初的想法是使用groupby语句对LINQ查询执行某些操作,但我不认为这是我正在寻找的内容 - groupby似乎是类似的到SQL版本,因此它只能用于聚合操作。

到目前为止,我找到的唯一其他选项是使用LINQ查询来获取所有部分的列表:

var allSections = (from x in myData select x.section).Distinct();

...然后迭代这些ID并手动构建数组:

List<List<Item>> mainList = new List<List<Item>>();
foreach (int thisSection in allSections.ToArray()) 
{
    List<Item> thisSectionsItems = (from x in myData where x.section == thisSection select x).ToList();
    mainList.Add(thisSectionsItems);
}
return mainList;

这应该导致一个适当的枚举,我可以提供给JSON.NET并获得预期的结果,但这似乎效率低下。

是否有更多LINQ-ish,或者至少更有效的方法将项目拆分成组?

1 个答案:

答案 0 :(得分:2)

您当然可以使用.GroupBy()

来实现这一目标
var grouped = items
    .GroupBy(x => x.section)    // group by section
    .Select(x => x.ToArray())   // build the inner arrays
    .ToArray();                 // return collection of arrays as an array