约束n维数组的泛型
本文关键字:泛型 数组 约束 | 更新日期: 2023-09-27 18:15:27
是否有办法将泛型类型约束为n维数组?
因此,T[]
, T[,]
, T[,,]
,…等。
我基本上试图添加一个扩展方法到任何类型的数组的类型,我有。因此,我希望使用泛型获得这些方法的组合,因此我不需要重复
中的代码public static bool IsFull(this MyType[] self) { ... }
public static bool IsFull(this MyType[,] self) { ... }
public static bool IsFull(this MyType[,,] self) { ... }
一个方法看起来像这样,但应该对[,]
, [,,]
等具有完全相同的逻辑:
public static bool IsFull(this MyType[] self)
for (int i=0; i < self.Length; i++) {
MyType t = self.GetValue(i);
if (t == null || !t.IsFull()) {
return false;
}
}
return true;
我相信你最终必须检查你的数组元素是否是MyType
或另一个数组的实例-如果这是可以接受的,那么也许你可以在System.Array
上添加扩展-像这样:
public static class Extension
{
public static bool IsFull(this Array self)
{
for (int i = 0; i < self.Length; i++)
{
var t = self.GetValue(i);
var arrT = t as Array;
var tt = t as MyType;
if (t == null || (arrT != null && !arrT.IsFull()) || (tt != null && !tt.IsFull()))
{
return false;
}
}
return true;
}
}