2

我试图搜索代码来确定系统的字节顺序,这就是我发现的:

int main()
{
    unsigned int i= 1;
    char *c = (char *)&i;
    if (*c) {
        printf("Little Endian\n");
    } else {
        printf("Big Endian\n");
    }
}

有人能告诉我这段代码是如何工作的吗?更具体地说,为什么在这种类型转换中需要 & 符号:

char *c = (char *)&i;

将什么存储到指针 c.. i 包含的值或 i 包含的实际地址?另外,为什么这是该程序的字符?

4

2 回答 2

10

在解除对字符指针的引用时,只解释一个字节(假设char变量占用一个字节)。在little-endian模式下,least-significant-byte首先存储一个整数。所以对于一个 4 字节整数,比如 3,它被存储为

00000011 00000000  00000000  00000000

而对于big-endian模式,它存储为:

00000000  00000000  00000000  00000011

所以在第一种情况下,char* 解释第一个字节并显示3,但在第二种情况下,它显示0

如果您没有将其类型转换为:

char *c = (char *)&i;

它将显示有关不兼容指针类型的警告。如果cinteger pointer,取消引用它将得到一个整数值3,而与字节顺序无关,因为所有 4 个字节都将被解释。

NB您需要初始化变量i才能看到全貌。否则默认情况下变量中存储了垃圾值。

警告!!little-endianOP,我们讨论了和之间的区别big-endian,但更重要的是了解和之间的区别little-endianlittle-indian我注意到你使用了后者。好吧,不同之处在于,little-indian如果你在谷歌获得梦想的工作或 300 万美元的风险投资,你的面试官是Nikesh Arora,Sundar Pichai,Vinod Dham or Vinod Khosla:-)

于 2013-04-26T03:04:34.953 回答
4

让我们试着看看这个:(在评论中)

int main(void){ /
  unsigned int i = 1;    // i is an int in memory that can be conceptualized as 
                         // int[0x00 00 00 01]

  char *c = *(char *)&i; // We take the address of i and then cast it to a char pointer
                         // which we then dereference. This cast from int(4 bytes) 
                         // to char(1 byte) results in only keeping the lowest byte by
  if(*c){                // Endian-ness. 
    puts("little!\n");   // This means that on a Little Endian machine, 0x01 will be 
  } else {               // the byte kept, but on a Big Endian machine, 0x00 is kept.
    puts("big!\n");      // int[0x00 00 00 (char)[01]]  vs  int[0x01 00 00 (char)[00]]
  }

  return 0;
}
于 2013-04-26T03:17:38.300 回答