C++中一个short由两个字节构成。
在某些场景下,数据以二进制流保存,从中读取short时,需要将两个字节合并转换。
C++将两个字节转换为一个有符号short值,个人思考有三种方法:
以下是对应的代码示例,希望为大家的项目编程做一些参考。
(说明:本文代码示例使用小端模式,即数据的高字节保存在内存的高地址中,而数据的低字节保存在内存的低地址中。)
一、联合体转化:
利用联合体变量共享内存的机制进行转化。
#include <iostream>
using namespace std;
union TwoByte
{
short _short;
unsigned char _uchar[2];
};
int main()
{
unsigned char a[2] = {0x55, 0xff};
TwoByte two_byte;
two_byte._uchar[0] = a[0]; // 小端模式
two_byte._uchar[1] = a[1];
short result = two_byte._short;
cout << result << endl; // -171
return 0;
}
二、移位求或
将高位字节移位至short的高八位中,低字节赋值到short的低八位中。
#include <iostream>
using namespace std;
int main()
{
unsigned char a[2] = {0x55, 0xff};
short result;
result = result | a[1]; // 小端模式
result = result << 8;
result = result | a[0];
cout << result << endl; // -171
return 0;
}
三、指针强制转换
指针强制转换的代码是最简洁的。
#include <iostream>
using namespace std;
int main()
{
unsigned char a[2] = {0x55, 0xff};
short result;
result = *((short *)a); // 小端模式
cout << result << endl; // -171
return 0;
}
在不同的应用场景下,这三种方法的时间效率不同,需要实际测试来选择最有效的方法。
针对实际需求,考虑使用大端模式还是小端模式。
|