不太确定如何提出这个问题,但我有两种方法(到目前为止)用于查找数组
选项1是:
bool[][][] myJaggegArray;
myJaggegArray = new bool[120][][];
for (int i = 0; i < 120; ++i)
{
if ((i & 0x88) == 0)
{
//only 64 will be set
myJaggegArray[i] = new bool[120][];
for (int j = 0; j < 120; ++j)
{
if ((j & 0x88) == 0)
{
//only 64 will be set
myJaggegArray[i][j] = new bool[60];
}
}
}
}
选项2是:
bool[] myArray;
// [998520]
myArray = new bool[(120 | (120 << 7) | (60 << 14))];
两种方式都运行良好,但有另一种(更好的)快速查找方式,如果速度/性能是重要的,你会采取哪一种方式?
这将用于chessboard implementation (0x88),主要是
选项1的 [from][to][dataX]
[(from | (to << 7) | (dataX << 14))]
答案 0 :(得分:2)
我建议使用一个大型数组,因为有一个大内存块的优点,但我也鼓励为该数组编写一个特殊的访问器。
class MyCustomDataStore
{
bool[] array;
int sizex, sizey, sizez;
MyCustomDataStore(int x, int y, int z) {
array=new bool[x*y*z];
this.sizex = x;
this.sizey = y;
this.sizez = z;
}
bool get(int px, int py, int pz) {
// change the order in whatever way you iterate
return array [ px*sizex*sizey + py*sizey + pz ];
}
}
答案 1 :(得分:1)
我只是用z-size&lt; = 64
的长数组更新dariusz的解决方案edit2:更新为'&lt;&lt;'版本,尺寸固定为128x128x64
class MyCustomDataStore
{
long[] array;
MyCustomDataStore()
{
array = new long[128 | 128 << 7];
}
bool get(int px, int py, int pz)
{
return (array[px | (py << 7)] & (1 << pz)) == 0;
}
void set(int px, int py, int pz, bool val)
{
long mask = (1 << pz);
int index = px | (py << 7);
if (val)
{
array[index] |= mask;
}
else
{
array[index] &= ~mask;
}
}
}
编辑:性能测试: 使用了100次128x128x64填充并读取
long: 9885ms, 132096B
bool: 9740ms, 1065088B