我必须从python语言转换为C#的一些代码,并且我对其中的一部分有困难。
def split_data(seq, length):
return [seq[i:i + length] for i in range(0, len(seq), length)]
print(split_data([4,5,6,8,5],2))
此代码的目的是在参数中提供一个int数组,并将其拆分为length参数的数组。例如,此打印的结果为:[[4, 5], [6, 8], [5]]
问题是我需要在C#中拥有相同的东西。
所以我开始创建一个List<int[]>
。我知道如何在其中添加int []但我不知道如何在Python中拆分它们,尤其是使用这个长度参数。
我尝试使用for,foreach循环甚至IEnumerable来实现它但我无法使其工作
也许有一种非常简单的方法来完成它或者我还没注意到的东西。我对C#的了解不多,也没有帮助我:)。
无论如何,谢谢你的帮助。
答案 0 :(得分:7)
以下是使用yield return
的解决方案:
public static IEnumerable<IEnumerable<T>> Split<T>(this IEnumerable<T> seq, int length) {
// figure out how many little sequences we need to create
int count = seq.Count();
int numberOfTimes = count % length == 0 ? count / length : count / length + 1;
for (int i = 0 ; i < numberOfTimes ; i++) {
yield return seq.Take(length);
seq = seq.Skip(length);
}
}
用法:
new int[] {1,2,3,4,5,6,7}.Split(2)
答案 1 :(得分:0)
这应该这样做。它是通用的,所以它应该适用于任何数组,无论它是哪种类型。
/// <summary>
/// Splits an array into sub-arrays of a fixed length. The last entry will only be as long as the amount of elements inside it.
/// </summary>
/// <typeparam name="T">Type of the array</typeparam>
/// <param name="array">Array to split.</param>
/// <param name="splitLength">Amount of elements in each of the resulting arrays.</param>
/// <returns>An array of the split sub-arrays.</returns>
public static T[][] SplitArray<T>(T[] array, Int32 splitLength)
{
List<T[]> fullList = new List<T[]>();
Int32 remainder = array.Length % splitLength;
Int32 last = array.Length - remainder;
for (Int32 i = 0; i < array.Length; i += splitLength)
{
// Get the correct length in case this is the last one
Int32 currLen = i == last ? remainder : splitLength;
T[] currentArr = new T[currLen];
Array.Copy(array, i, currentArr, 0, currLen);
fullList.Add(currentArr);
}
return fullList.ToArray();
}