1

我尝试了以下方法:

#include <stdio.h>

int main(void) {
     char multi[3][10];
     multi[0] = {'0', '1', '2', '3', '4', '5', '6', '7', '8', '9'};
     multi[1] = {'a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j'};
     multi[2] = {'A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J'};
     printf("&multi[2][2]: %d \n", (int) &multi[2][2]);
     printf("(*multi + 2) + 2: %d \n" , (int) (*multi + 2) + 2);
}

并产生了这个输出:

dominik@luna:~$ gcc tmp.c 
tmp.c: In function ‘main’:
tmp.c:5: error: expected expression before ‘{’ token
tmp.c:6: error: expected expression before ‘{’ token
tmp.c:7: error: expected expression before ‘{’ token

我已经做了一些研究,发现这个线程弗拉基米尔说“你应该在你声明它们的同一行初始化你的数组”。这仍然让我感到困惑,你不应该像你不应该写意大利面条代码那样做,还是意味着你不能这样做。

或者可能是我在做其他完全错误的事情?

4

1 回答 1

2

可以以这种方式初始化数组,但不能分配数组。

#include <stdio.h>

int main(void) {
     char multi[3][10] = {
         {'0', '1', '2', '3', '4', '5', '6', '7', '8', '9'},
         {'a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j'},
         {'A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J'}
     }
     printf("&multi[2][2]: %d \n", (int) &multi[2][2]);
     printf("(*multi + 2) + 2: %d \n" , (int) (*multi + 2) + 2);
}

另请注意,这将截断您打印出来的堆栈地址,至少在 64 位系统上是这样。您是否要打印堆栈地址?做这个:

printf("&multi[2][2]: %p\n", (char *) &multi[2][2]);
printf("(*multi + 2) + 2: %p\n" , (char *) (*multi + 2) + 2);

在我的系统上,此更改将导致它打印正确的地址,这些地址刚好低于 2 47(上图0x7fff00000000),超出int.

于 2013-01-05T10:46:08.280 回答