我有一个4字节的十六进制字符串,我想将它们转换为c中的2字节整数。
我不能使用strtol,fprintf或fscanf。
我想要这个: -
unsigned char *hexstring = "12FF";
转换为: -
unsigned int hexInt = 0x12FF
答案 0 :(得分:3)
以下内容适用于使用标准库的 out ... 在ideone here
上查看#include <stdio.h>
#define ASCII_0_VALU 48
#define ASCII_9_VALU 57
#define ASCII_A_VALU 65
#define ASCII_F_VALU 70
unsigned int HexStringToUInt(char const* hexstring)
{
unsigned int result = 0;
char const *c = hexstring;
char thisC;
while( (thisC = *c) != NULL )
{
unsigned int add;
thisC = toupper(thisC);
result <<= 4;
if( thisC >= ASCII_0_VALU && thisC <= ASCII_9_VALU )
add = thisC - ASCII_0_VALU;
else if( thisC >= ASCII_A_VALU && thisC <= ASCII_F_VALU)
add = thisC - ASCII_A_VALU + 10;
else
{
printf("Unrecognised hex character \"%c\"\n", thisC);
exit(-1);
}
result += add;
++c;
}
return result;
}
int main(void)
{
printf("\nANSWER(\"12FF\"): %d\n", HexStringToUInt("12FF"));
printf("\nANSWER(\"abcd\"): %d\n", HexStringToUInt("abcd"));
return 0;
}
代码可以提高效率,我使用toupper
库函数,但你可以自己轻松实现...
此外,这不会解析以“0x”开头的字符串...但您可以在函数开头添加一个快速检查,然后只是咀嚼那些字符......
答案 1 :(得分:0)
您可以使用stdlib.h中的strtol()
http://www.tutorialspoint.com/c_standard_library/c_function_strtol.htm
char str[30] = "0x12FF";
char **ptr;
long val;
val = strtol(str, ptr, 16);