我有一个4个文本表示的字节,我需要分成2个字节(HI和LO字节)并将其转换为两个整数。
我怎么能在普通的C中做到这一点?
0x4b 0xab 0x14 0x9d
通过文字我的意思是他们看起来像" 0x4b"不是0x4b。
我已将这些字符串拆分为char数组,其代表如下:
item[0] = "0x4b";
item[1] = "0xab";
item[2] = "0x14";
item[3] = "0x9d";
现在结束应该是这样的:
0x4b 0xab - one integer
0x14 0x9d - second integer
如何在Plain C中执行此操作?
答案 0 :(得分:2)
你可能想要这个:
#include <stdlib.h>
#include <stdio.h>
int main()
{
char *item[4];
item[0] = "0x4b";
item[1] = "0xab";
item[2] = "0x14";
item[3] = "0x9d";
int value1 = (strtol(item[0], NULL, 0) << 8) | strtol(item[1], NULL, 0);
int value2 = (strtol(item[2], NULL, 0) << 8) | strtol(item[3], NULL, 0);
printf("%x %x", value1, value2);
}
答案 1 :(得分:0)
如果您需要中间结果,这是另一种方法:
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
int main (void)
{
int item1[4];
int item2[2];
char *item[4];
item[0] = "0x4b";
item[1] = "0xab";
item[2] = "0x14";
item[3] = "0x9d";
for (int i = 0; i < 4; i++)
{
item1[i] = strtol ( item[i], NULL, 0 ) ;
printf("%2X\n", item1[i]);
}
for (int i = 0; i < 2; i++)
{
item2[2*i] = (item1[2*i] << 8) | item1[2*i+1];
printf("Received integers: %2X\n", item2[2*i]);
}
return 0;
}
输出:
4B
AB
14
9D
Received integers: 4BAB
Received integers: 149D