我想声明一个指向3d数组的指针,使我可以用比原始数组小的一维索引它,例如:ptr [i] [j]。我正在使用某种结构,希望将其存储在该结构中,以便稍后使用。
我已经使用2d数组完成了此操作,但是我声明了一个指向2d数组的指针数组的指针:
typedef const unsigned char* ptrType;
const ptrType ptrArray[] = {...};
这就是我正在尝试的3d数组:
typedef const unsigned char** ptrType;
typedef struct structP
{
ptrType arrayPtr;
};
基本上,我正在做这样的事情:
struct structP test;
test.arrayPtr = *myThreeDArray;
当试图通过指针访问元素时,这是编译器允许我做的唯一事情:
&(test.arrayPtr[i][j]);
myThreeDArray也定义如下:
const unsigned char myThreeDArray[2][23][25] = { ... };
按照描述的方式进行操作会在输出中产生未指定的结果。一些垃圾值。
任何想法如何以正确的方式做到这一点?
答案 0 :(得分:1)
您似乎想要的是指向2D数组的指针
对于整数,它可能像:
#include <stdio.h>
void print_3d(int (*p3d)[3][4])
{
for (int i=0; i<2; ++i)
for (int j=0; j<3; ++j)
for (int k=0; k<4; ++k)
printf("%d ", p3d[i][j][k]);
}
int main(int argc, char *argv[])
{
int arr3d[2][3][4] = {
{{1, 2, 3, 4}, {5, 6, 7, 8}, {9, 10, 11, 12}},
{{13, 14, 15, 16}, {17, 18, 19, 20}, {21, 22, 23, 24}}
};
int (*p_to_arr3d)[3][4] = arr3d; // Get a pointer to int[3][4]
print_3d(p_to_arr3d); // Use the pointer
}
输出:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24
如果您要处理字符串,它可能类似于:
#include <stdio.h>
void print_3d(char (*p3d)[3][20])
{
for (int i=0; i<2; ++i)
for (int j=0; j<3; ++j)
printf("%s ", p3d[i][j]);
}
int main(int argc, char *argv[])
{
char arr3d[2][3][20] = {
{"this", "is", "just"},
{"a", "little", "test"}
};
char (*p_to_arr3d)[3][20] = arr3d; // Get a pointer to char[3][20]
print_3d(p_to_arr3d);
}
输出:
this is just a little test
使用与上述相同的语法,可以将指针存储在结构中:
struct myData
{
char (*p_to_char_arr)[3][20];
int (*p_to_int_arr)[3][4];
};