我有一个像这样的单维集合:
[1,2,4,5.....n]
我想在这样的二维集合中转换该集合:
[[1,2,3],
[4,5,6],
...]
基本上我想分组或拆分,如果你想要的话,数组是'n'成员
我可以使用foreach
语句来完成它,但我目前正在学习LINQ,所以不是迭代遍历所有元素并手动创建新数组我想使用LINQ功能(如果适用)
是否有任何LINQ功能可以帮助我完成这个任务?
我在考虑GroupBy
或SelectMany
我不知道他们是否会帮助我,但他们可能
任何帮助都会真正体会到它=):**
答案 0 :(得分:14)
您可以按索引分组除以批量大小,如下所示:
var batchSize = 3;
var batched = orig
.Select((Value, Index) => new {Value, Index})
.GroupBy(p => p.Index/batchSize)
.Select(g => g.Select(p => p.Value).ToList());
答案 1 :(得分:5)
使用MoreLinq。批量
var result = inputArray.Batch(n); // n -> batch size
实施例
var inputs = Enumerable.Range(1,10);
var output = inputs.Batch(3);
var outputAsArray = inputs.Batch(3).Select(x=>x.ToArray()).ToArray(); //If require as array
答案 2 :(得分:3)
您需要Take()
和Skip()
。这些方法可以拆分IEnumerable
。然后你可以使用Concat()
再次将它们拼凑在一起。
答案 3 :(得分:2)
它不是纯粹的LINQ,但它打算与它一起使用:
public static class MyEnumerableExtensions
{
public static IEnumerable<T[]> Split<T>(this IEnumerable<T> source, int size)
{
if (source == null)
{
throw new ArgumentNullException("source can't be null.");
}
if (size == 0)
{
throw new ArgumentOutOfRangeException("Chunk size can't be 0.");
}
List<T> result = new List<T>(size);
foreach (T x in source)
{
result.Add(x);
if (result.Count == size)
{
yield return result.ToArray();
result = new List<T>(size);
}
}
}
}
可以在代码中使用:
private void Test()
{
// Here's your original sequence
IEnumerable<int> seq = new[] { 1, 2, 3, 4, 5, 6 };
// Here's the result of splitting into chunks of some length
// (here's the chunks length equals 3).
// You can manipulate with this sequence further,
// like filtering or joining e.t.c.
var splitted = seq.Split(3);
}
答案 4 :(得分:2)
以下示例将数组拆分为每组4个项目。
int[] items = Enumerable.Range(1, 20).ToArray(); // Generate a test array to split
int[][] groupedItems = items
.Select((item, index) => index % 4 == 0 ? items.Skip(index).Take(4).ToArray() : null)
.Where(group => group != null)
.ToArray();
答案 5 :(得分:1)
这很简单:
static class LinqExtensions
{
public static IEnumerable<IEnumerable<T>> ToPages<T>(this IEnumerable<T> elements, int pageSize)
{
if (elements == null)
throw new ArgumentNullException("elements");
if (pageSize <= 0)
throw new ArgumentOutOfRangeException("pageSize","Must be greater than 0!");
int i = 0;
var paged = elements.GroupBy(p => i++ / pageSize);
return paged;
}
}
答案 6 :(得分:0)
我基于Jeremy Holovacs's答案的解决方案,并使用Take()和Skip()来创建子数组。
const int batchSize = 3;
int[] array = new int[] { 1,2,4,5.....n};
var subArrays = from index in Enumerable.Range(0, array.Length / batchSize + 1)
select array.Skip(index * batchSize).Take(batchSize);