数字在计算机中两种储存数据的方式:1. Little endian:将低序字节存储在起始地址;2. Big endian:将高序字节存储在起始地址。一般来说主机序是小端的,网络序是大端的。htonl、htons和ntohl、ntohs是常见的函数,htonl、htons用于32位何16位数据小端字节序到大端字节序的转换,ntohl、ntohs用于32位何16位数据大端字节序到小端字节序的转换。
htonl、htons和ntohl、ntohs都比较常见。大小端数据转换的根本方法就是对数据位置换位。htonff和ntohf的实现如下:
方法一:
#include <stdint.h>
uint32_t htonf(float f)
{
uint32_t p;
uint32_t sign;
if (f < 0) {// Get sign.
sign = 1; f = -f;
}else {
sign = 0;
}
p = ((((uint32_t)f)&0x7fff)<<16) | (sign<<31);// Get integer part.
p |= (uint32_t)(((f - (int)f) * 65536.0f))&0xffff; // Get fraction part.
return p;
}
float ntohf(uint32_t p)
{
float f = ((p>>16)&0x7fff);
f += (p&0xffff) / 65536.0f;
if (((p>>31)&0x1) == 0x1) { f = -f; }
return f;
}
如果实现了htonl和ntohl的基础基础