1

我有一个项目清单,例如

编号 1 2 3 4 5 6 7 8 9 10 11 12 13

我想将此写入 csv 并以 5 个为一组进行,因此当它达到 id 5 时,它将进入下一批。我正在考虑做mod来迎合这个所以

int noOfIds = MyIDList.Count % 5; // to get the number of loops i need

List<MyIDList> topFiveID = (from c in MyIDList
                select c).Take(5).ToList(); // get top 5 from the list

然后我得到剩下的

List<MyIDList> restOfIDs = MyIDList.Where(c => !topFiveID.Any(tc => tc.ID == c.ID)).ToList();

现在我可以看到这最多可以容纳 9 个 id,有人可以告诉我如何满足所有 id 的需求,无论有多少。

希望它足够清楚。

4

2 回答 2

3

以下将从枚举中返回给定大小的批次:

public static IEnumerable<IEnumerable<TSource>> Batch<TSource>(
    this IEnumerable<TSource> source,
    int batchSize)
{
    var batch = new List<TSource>();
    foreach (var item in source)
    {
        batch.Add(item);
        if (batch.Count == batchSize)
        {
             yield return batch;
             batch = new List<TSource>();
        }
    }

    if (batch.Any()) yield return batch;
}

像这样使用:

foreach (var list in MyIdList.Batch(5))
{
    // list is an IEnumerable<T> containing up to 5 items
    Console.WriteLine("{0}", String.Join(",", list));
}
于 2012-11-14T17:23:49.147 回答
1

您可以执行以下操作

MyGroupedIDs = MyIDList.Select((v, i) => new {GID = i/5; Value = v})
                       .GroupBy(p => p.GID);

这将按索引除以 5 对 id 进行分组,因为它们是整数,所以会下限。所以前 5 个项目的“GID”为 0,接下来的 5 个项目为 1,以此类推。

于 2012-11-14T17:51:33.127 回答