每个N元素的新数组

时间:2016-07-21 10:55:20

标签: c# arrays

我有一个200~元素的数组,我试图通过对每N个元素执行它来将该数组拆分成更小的数组,这意味着我不能使用.take / .skip命令,我目前有我尝试了不同的解决方案:

一个Parallel.for和parallel.foreach(如果我能算出来那将是最好的)

并且使用普通的for和foreach循环,但此刻停滞不前,我所能做的就是创建一个新组的静态解决方案我自己预测了arrEtikets中的N个元素

string[] arrEtikets = Directory.GetFiles("");

public string[] Group2()
    {
        arrEtikets.Skip(arrEtikets.Length / 10);
        return arrEtikets.Take(arrEtikets.Length / 10).ToArray();
    }

2 个答案:

答案 0 :(得分:2)

您可以使用Linq使用GroupBy而不是SkipTake按块大小将数组拆分为数组列表:

private static List<T[]> SplitToChunks<T>(T[] sequence, int chunkSize)
{
    return sequence.Select((item, index) => new { Index = index, Item = item })
                    .GroupBy(item => item.Index / chunkSize)
                    .Select(itemPerPage => itemPerPage.Select(v => v.Item).ToArray())
                    .ToList();
}

用法:

string[] arr = Enumerable.Range(0, 1000).Select(x=> x.ToString()).ToArray();

var result = SplitToChunks(arr, 101);

答案 1 :(得分:2)

典型的Skip + Take解决方案可能是这样的:

public static IEnumerable<T[]> SplitArrayWithLinq<T>(T[] source, int size) {
  if (null == source)
    throw new ArgumentNullException("source");
  else if (size <= 0)
    throw new ArgumentOutOfRangeException("size", "size must be positive");

  return Enumerable
    .Range(0, source.Length / size + (source.Length % size > 0 ? 1 : 0))
    .Select(index => source
      .Skip(size * index)
      .Take(size)
      .ToArray());
}

如果您不被允许使用 Linq (包括Skip以及Take):

public static IEnumerable<T[]> SplitArray<T>(T[] source, int size) {
  if (null == source)
    throw new ArgumentNullException("source");
  else if (size <= 0)
    throw new ArgumentOutOfRangeException("size", "size must be positive");

  int n = source.Length / size + (source.Length % size > 0 ? 1 : 0);

  for (int i = 0; i < n; ++i) {
    T[] item = new T[i == n - 1 ? source.Length - size * i : size];

    Array.Copy(source, i * size, item, 0, item.Length);

    yield return item;
  }
}

测试(让我们将[1, 2, ... 8, 9]数组拆分为4项块:

var source = Enumerable.Range(1, 9).ToArray();

var result = SplitArray(source, 4);

string report = String.Join(Environment.NewLine, 
  result.Select(item => String.Join(", ", item)));

// 1, 2, 3, 4
// 5, 6, 7, 8
// 9          // <- please, notice that the last chunk has 1 item only
Console.Write(report);