gpt4 book ai didi

c# - 如何使用 ConvertAll() 转换多秩数组?

转载 作者:行者123 更新时间:2023-11-30 20:22:36 25 4
gpt4 key购买 nike

我想像这样使用 ConvertAll:

 var sou = new[,] { { true, false, false }, { true, true, true } };
var tar = Array.ConvertAll<bool, int>(sou, x => (x ? 1 : 0));

但是我得到了编译器错误:

cannot implicitly convert type bool[,] to bool[]

最佳答案

你可以写一个简单的转换 extension :

public static class ArrayExtensions
{
public static TResult[,] ConvertAll<TSource, TResult>(this TSource[,] source, Func<TSource, TResult> projection)
{
if (source == null)
throw new ArgumentNullException("source");
if (projection == null)
throw new ArgumentNullException("projection");

var result = new TResult[source.GetLength(0), source.GetLength(1)];
for (int x = 0; x < source.GetLength(0); x++)
for (int y = 0; y < source.GetLength(1); y++)
result[x, y] = projection(source[x, y]);
return result;
}
}

示例用法如下所示:

var tar = sou.ConvertAll(x => x ? 1 : 0);

缺点是,如果您想进行除投影之外的任何其他转换,您将陷入困境。


或者,如果您希望能够使用 LINQ序列上的运算符,您可以使用常规 LINQ 方法轻松地做到这一点。但是,您仍然需要一个自定义实现来将序列转回二维数组:

public static T[,] To2DArray<T>(this IEnumerable<T> source, int rows, int columns)
{
if (source == null)
throw new ArgumentNullException("source");
if (rows < 0 || columns < 0)
throw new ArgumentException("rows and columns must be positive integers.");

var result = new T[rows, columns];

if (columns == 0 || rows == 0)
return result;

int column = 0, row = 0;
foreach (T element in source)
{
if (column >= columns)
{
column = 0;
if (++row >= rows)
throw new InvalidOperationException("Sequence elements do not fit the array.");
}
result[row, column++] = element;
}

return result;
}

这将提供更大的灵 active ,因为您可以将源数组作为 IEnumerable{T} 进行操作。顺序。

示例用法:

var tar = sou.Cast<bool>().Select(x => x ? 1 : 0).To2DArray(sou.GetLength(0), sou.GetLength(1));

请注意,需要初始转换才能从 IEnumerable 转换序列IEnumerable<T> 的范例范例,因为多维数组不实现通用 IEnumerable<T>界面。大多数 LINQ 转换仅适用于此。

关于c# - 如何使用 ConvertAll() 转换多秩数组?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/31178206/

25 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com