我不确定这是否正是您要寻找的……但这是我目前所了解的。
您想要访问 array_all 的各个元素(元素 arr、arr1 和 arr2)?如果是这样,那么您要做的就是...
array_all[0][i];
其中 i 是您要访问的元素。
这样做的原因是因为索引运算符([ 和 ])实际上取消引用了一个指针并偏移了您指定的指针(如将它添加某个整数,即您在内存中向下移动)。如果您不知道如果将指针添加某个整数会发生什么,我建议您阅读指针算术。
例如:
int x[] = { 1, 2, 3 };
// writing x[i] is the same as *(x + i)
int i = 2; // the element you wish to access
*(x + i) = 4; // set the ith (3rd) element to 4
*(x + 1) = 43; // set the 2nd element to 43
// Therefore...
// x now stores these elements:
// 1, 43, 4
// proof: print out all the elements in the array
for(int i = 0; i < 3; ++i)
{
printf("x[%i]=%i\n", i, x[i]);
}
此外,写入 x[0] 与写入 *x 相同,因为数组名实际上指向数组的第一个元素。
哦还有一件事, main 实际上应该返回一个整数结果。这主要用于程序中的错误检查,0 通常表示没有发生错误,其他错误代码(0 以外的数字)是与您的程序相关的一些特定错误,您可以选择。IE
int main()
{
// e.g. for an error code
/*
if(someErrorOccured)
{
return SOME_ERROR_OCCURED_RETURN_VALUE;
}
*/
return 0; // this is at the end of the function, 0 means no error occured
}