将小端序列中的4个字节转换为无符号整数
Posted
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了将小端序列中的4个字节转换为无符号整数相关的知识,希望对你有一定的参考价值。
我有一串256 * 4字节的数据。这些256 * 4字节需要转换为256个无符号整数。它们来的顺序是小端,即字符串中的前四个字节是第一个整数的小端表示,接下来的4个字节是下一个整数的小端表示,依此类推。
解析这些数据并将这些字节合并为无符号整数的最佳方法是什么?我知道我必须使用bitshift运算符,但我不知道以什么方式。
希望这对你有所帮助
unsigned int arr[256];
char ch[256*4] = "your string";
for(int i = 0,k=0;i<256*4;i+=4,k++)
{
arr[k] = ch[i]|ch[i+1]<<8|ch[i+2]<<16|ch[i+3]<<24;
}
或者,我们可以使用C / C ++强制转换将char缓冲区解释为unsigned int数组。这可以帮助摆脱转移和字节序依赖性。
#include <stdio.h>
int main()
{
char buf[256*4] = "abcd";
unsigned int *p_int = ( unsigned int * )buf;
unsigned short idx = 0;
unsigned int val = 0;
for( idx = 0; idx < 256; idx++ )
{
val = *p_int++;
printf( "idx = %d, val = %d
", idx, val );
}
}
这将打印出256个值,第一个是idx = 0,val = 1684234849(并且所有剩余的数字= 0)。
作为旁注,“abcd”转换为1684234849因为它在X86(Little Endian)上运行,其中“abcd”是0x64636261('a'是0x61,'d'是0x64 - 在Little Endian中,LSB是在最小的地址)。所以0x64636261 = 1684234849。
另请注意,如果使用C ++,则应在此情况下使用reinterpret_cast:
const char *p_buf = "abcd";
const unsigned int *p_int = reinterpret_cast< const unsigned int * >( p_buf );
如果您的主机系统是little-endian,只需读取4个字节,正确移位并将它们复制到int
char bytes[4] = "....";
int i = bytes[0] | (bytes[1] << 8) | (bytes[2] << 16) | (bytes[3] << 24);
如果您的主机是big-endian,请执行相同操作并反转int中的字节,或者在使用位移复制时即时反转它,即只需将bytes[]
的索引从0-3更改为3-0
但是你甚至不应该这样做只是将整个char数组复制到int数组中,如果你的PC是小端的话
#define LEN 256
char bytes[LEN*4] = "blahblahblah";
unsigned int uint[LEN];
memcpy(uint, bytes, sizeof bytes);
也就是说,最好的方法是避免复制并对两种类型使用相同的数组
union
{
char bytes[LEN*4];
unsigned int uint[LEN];
} myArrays;
// copy data to myArrays.bytes[], do something with those bytes if necessary
// after populating myArrays.bytes[], get the ints by myArrays.uint[i]
以上是关于将小端序列中的4个字节转换为无符号整数的主要内容,如果未能解决你的问题,请参考以下文章
如何从 Java 中的 BigInteger 获取无符号字节数组?