SDK正在返回一个包含多个维度的数组,例如:
int[,,] theArray = new int[2,8,12];
我需要访问数组中的每个元素并返回值和值的位置。我需要在不知道传入的数组的维数和元素数量的情况下这样做。
答案 0 :(得分:3)
用于循环:
for (int i=theArray.GetLowerBound(0);i<=theArray.GetUpperBound(0);++i)
{
for (int j=theArray.GetLowerBound(1);j<=theArray.GetUpperBound(1);++j)
{
for (int k=theArray.GetLowerBound(2);k<=theArray.GetUpperBound(2);++k)
{
// do work, using index theArray[i,j,k]
}
}
}
如果您事先不知道尺寸数量,可以使用Array.Rank来确定尺寸。
答案 1 :(得分:2)
这样的事情对你有用吗?它会递归排名,因此您可以使用foreach()并获取包含当前项目索引的数组。
class Program
{
static void Main(string[] args)
{
int[, ,] theArray = new int[2, 8, 12];
theArray[0, 0, 1] = 99;
theArray[0, 1, 0] = 199;
theArray[1, 0, 0] = 299;
Walker w = new Walker(theArray);
foreach (int i in w)
{
Console.WriteLine("Item[{0},{1},{2}] = {3}", w.Pos[0], w.Pos[1], w.Pos[2], i);
}
Console.ReadKey();
}
public class Walker : IEnumerable<int>
{
public Array Data { get; private set; }
public int[] Pos { get; private set; }
public Walker(Array array)
{
this.Data = array;
this.Pos = new int[array.Rank];
}
public IEnumerator<int> GetEnumerator()
{
return this.RecurseRank(0);
}
private IEnumerator<int> RecurseRank(int rank)
{
for (int i = this.Data.GetLowerBound(rank); i <= this.Data.GetUpperBound(rank); ++i)
{
this.Pos.SetValue(i, rank);
if (rank < this.Pos.Length - 1)
{
IEnumerator<int> e = this.RecurseRank(rank + 1);
while (e.MoveNext())
{
yield return e.Current;
}
}
else
{
yield return (int)this.Data.GetValue(this.Pos);
}
}
}
System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator()
{
return this.RecurseRank(0);
}
}
}
答案 2 :(得分:0)
我不确定我理解你关于“返回位置[n,n,n]”的问题,但是如果你试图从方法中返回多个值,那么有两种方法可以做到。
•在从方法返回之前,使用out
或参考参数(例如,Int
)设置为返回值。
•传入一个数组,例如一个由三个整数组成的数组,其元素在返回之前由方法设置。
•返回一组值,例如三个整数的数组。