朝花夕拾C

偶然见看到这个问题:structure alignment 这些C的问题都是相当基础而且经典的。

然而我在编译的途中,犯了个更加经典的错误,囧~决定重新拾起大一没学好的C,也好好记录下来。

直接拷贝的源代码,就加了一main函数,打印三个struct的size

struct X
{
    short s; /* 2 bytes */
             /* 2 padding bytes */
    int   i; /* 4 bytes */
    char  c; /* 1 byte */
             /* 3 padding bytes */
};

struct Y
{
    int   i; /* 4 bytes */
    char  c; /* 1 byte */
             /* 1 padding byte */
    short s; /* 2 bytes */
};

struct Z
{
    int   i; /* 4 bytes */
    short s; /* 2 bytes */
    char  c; /* 1 byte */
             /* 1 padding byte */
};

const int sizeX = sizeof(X); /* = 12 */
const int sizeY = sizeof(Y); /* = 8 */
const int sizeZ = sizeof(Z); /* = 8 */

int main(int argc, char *argv[]) {
  printf ("%d,%d,%d\n",sizeX,sizeY,sizeZ);
  return 0;
}


编译:gcc test.c

结果

test.c:28:26: 错误: ‘X’未声明(不在函数内)
test.c:29:27: 错误: ‘Y’未声明(不在函数内)
test.c:30:27: 错误: ‘Z’未声明(不在函数内)

到这里看出来的童鞋请拍死我吧,因为这时候我还没有搞懂自己到底哪儿悲剧


最终我发现了问题所在:

const int sizeX = sizeof(struct X); /* = 12 */
const int sizeY = sizeof(struct Y); /* = 8 */
const int sizeZ = sizeof(struct Z); /* = 8 */

着不住了~0.0


好吧,奇葩的出现了,原来错误的程序,使用g++编译,便毫无错误...凌乱~

我的猜想是由于C++的语法struct 和 class 基本一样的,但和C的struct不同,c++中的struct类型是可以仅仅使用X,Y,Z代表的,这就是答案吧~


关于structure aligement 请看维基百科

你可能感兴趣的:(c/c++)