【C语言学习笔记】大端模式与小端模式

关于大端模式与小端模式,这篇文章讲的很清楚:http://blog.csdn.net/ce123_zhouwei/article/details/6971544

什么是大端和小端

Big-Endian和Little-Endian的定义如下:

1) Little-Endian就是低位字节排放在内存的低地址端,高位字节排放在内存的高地址端。
2) Big-Endian就是高位字节排放在内存的低地址端,低位字节排放在内存的高地址端。
举一个例子,比如数字0x12 34 56 78在内存中的表示形式为:

1)大端模式:

低地址 -----------------> 高地址
0x12  |  0x34  |  0x56  |  0x78

2)小端模式:

低地址 ------------------> 高地址
0x78  |  0x56  |  0x34  |  0x12


32bit宽的数0x12345678在Little-endian模式以及Big-endian模式)CPU内存中的存放方式(假设从地址0x4000开始存放)为:

内存地址 小端模式存放内容 大端模式存放内容
0x4000 0x78 0x12
0x4001 0x56 0x34
0x4002 0x34 0x56
0x4003 0x12 0x78



例子:

#include<stdio.h>
int main() {
	int a;
	char *x;
	x = (char *) &a;
	a = 512;
	x[0] = 1;
	x[1] = 2;
	printf("%d\n", a);
	return 0;
}

What is the output of above program?
(A)  Machine dependent
(B)  513
(C)  258
(D)  Compiler Error


Answer:   (A)  

Explanation:  Output is 513 in a little endian machine. To understand this output, let integers be stored using 16 bits. In a little endian machine, when we do x[0] = 1 and x[1] = 2, the number a is changed to00000001 00000010 which is representation of 513 in a little endian machine.


参考:http://geeksquiz.com/c-pointers-question-7/

你可能感兴趣的:(【C语言学习笔记】大端模式与小端模式)