如何在AVR Studio中将十六进制(unsigned char类型)转换为十进制(int类型)?
是否有可用的内置功能?
答案 0 :(得分:0)
在AVR上,我在使用传统的hex 2 int方法时遇到了问题:
char *z="82000001";
uint32_t x=0;
sscanf(z, "%8X", &x);
或
x = strtol(z, 0, 16);
他们只提供错误的输出,没有时间调查原因。
因此,对于AVR微控制器,我编写了以下函数,包括相关注释以使其易于理解:
/**
* hex2int
* take a hex string and convert it to a 32bit number (max 8 hex digits)
*/
uint32_t hex2int(char *hex) {
uint32_t val = 0;
while (*hex) {
// get current character then increment
char byte = *hex++;
// transform hex character to the 4bit equivalent number, using the ascii table indexes
if (byte >= '0' && byte <= '9') byte = byte - '0';
else if (byte >= 'a' && byte <='f') byte = byte - 'a' + 10;
else if (byte >= 'A' && byte <='F') byte = byte - 'A' + 10;
// shift 4 to make space for new digit, and add the 4 bits of the new digit
val = (val << 4) | (byte & 0xF);
}
return val;
}
示例:
char *z ="82ABC1EF";
uint32_t x = hex2int(z);
printf("Number is [%X]\n", x);
编辑:sscanf也适用于AVR,但对于大十六进制数字,你需要使用“%lX”,如下所示:
char *z="82000001";
uint32_t x=0;
sscanf(z, "%lX", &x);