-2

C++:我有一个指向 3D 数组的指针的问题 - 我正在编写一个带有 2D 数组的基本游戏,每个 2D 数组都是一个单独的关卡,这些关卡被分组到一个名为 map 的 3D 数组中。

我怎样才能指出我的游戏的每个“级别”?我的精简代码:

#include<iostream>
using namespace std;

#define LEVEL  2
#define HEIGHT 3
#define WIDTH  3

bool map[LEVEL][HEIGHT][WIDTH] = { {{1, 0, 1},   
                                    {1, 0, 1},   
                                    {0, 0, 1}},

                                   {{1, 1, 0},   
                                    {0, 0, 0},   
                                    {1, 0, 1}} };
int main()
{
  // ideally this points to level#1, then increments to level#2 
  bool *ptrMap;

  for(int i=0; i<HEIGHT; i++)
  {
     for(int j=0; j<WIDTH; j++)
       cout << map[1][i][j];       // [*ptrMap][i][j] ?
     cout << endl;
  }
return 0;    
}
4

2 回答 2

0

分配,

bool *ptrmap= &map[0][0][0];// gives you level 0
cout<<*ptrmap; //outputs the first element, level 0
cout<<*(ptrmap+9);// outputs first element, level 1

如果您不想要指针的线性增量,

i.e. map[0][0][0] as *ptrmap & map[1][0][0] as *(ptrmap + 9)

,我建议您使用指针的指针来创建矩阵(例如 bool ***ptrmap),然后创建一个临时指针来取消引用它。

于 2013-08-17T05:46:05.420 回答
0
bool (*ptrMap)[HEIGHT][WIDTH] = &map[level];
bool (&refMap)[HEIGHT][WIDTH] = map[level];

cout << (*ptrMap)[y][x];
cout << refMap[y][x];
于 2013-08-16T22:48:08.830 回答