红联Linux门户
Linux帮助

Unix网络字节顺序及其判断

发布时间:2015-02-06 15:46:51来源:linux网站作者:Harry_lyc

一:对于一个16字节的数据,比如0x0102,在内存中可以有两个方式来存贮。一种是0x0102,一种是0x0201,前者成为小段对其,后者成为大端对齐。

在网络编程中,需要考虑到网络数据的存储顺序问题,这是个很重要的问题。因为客户机的数据存储顺是不统一好的,比如Linux,Windows用的是小段对齐,BSD,AIX等Unix系统用的时大端对齐。如果要在不同容的许同上交换数据就必须考虑这个数据格式的问题。

在Linux/Unix中,通常的数据在堆中存储,堆的内存地址是有高到底编址的,这和栈的地址顺序相反。在硬件中,一般的地址顺序为,从右到左,递增。

所以,这个大小端可以,统一为左边为大端,右边为小端。

所以,小段对齐,即先存储小段数据,拿0x0102来说,的地址顺序为:0102,大端对齐的地址顺序为:0201.

下面有一个例子来判断大小断对齐:

#include<stdio.h>  
#include<unistd.h>  
int byte_order(void);  
int main(int argc,char *argv[])  
{  
int val =0;  
val = byte_order();
printf("%d\n",val);  
}  
int byte_order(void)  
{  
int val;  
union 
{  
short s;  
char c[sizeof(short)];  
}un;  
un.s = 0x0102;  
if(sizeof(short) == 2)  
{  
if((un.c[0] == 1) && (un.c[1] == 2))  
{  
val = 1;/* big-endian */ 
}  
else if((un.c[0] == 2) && (un.c[1] == 1))  
{  
val = 0;/*little-endian*/ 
}  
else 
{  
val = 2;/* unknown */ 
}  
}  
else 
{  
printf("sizeof(short) = %d\n", sizeof(short));  
val = -1;/*the size of short is not 1 byte,type nuknown.*/ 
}  
return val;  

在gcc version 4.5.1 20100924 (Red Hat 4.5.1-4) (GCC)下结果为0:小段对齐。


二:在网络编程中,可以使用以下函数来转换网络顺序:

#include <netinet/in.h>
uint16_t htons(uint16_t host16bitvalue) ;
uint32_t htonl(uint32_t host32bitvalue) ;
Both return: value in network byte order
uint16_t ntohs(uint16_t net16bitvalue) ;
uint32_t ntohl(uint32_t net32bitvalue) ;
Both return: value in host byte order

n表示net(网络顺序),h表示host(本机顺序),s表示short,16bit;l表示long,32bit.