我有像
这样的输入char *input="00112233FFAA";
uint8_t output[6];
使用input
将output
转换为sscanf
的最简单方法是什么? (首选没有循环的1行)我想到的解决方案不会缩放到20+十六进制字符串。
sscanf(input, "%x%x%x%x%x",output[0], output[1]....output[5]);
答案 0 :(得分:10)
为什么scanf
如果可以轻易地手写:
const size_t numdigits = strlen(input) / 2;
uint8_t * const output = malloc(numdigits);
for (size_t i = 0; i != numdigits; ++i)
{
output[i] = 16 * toInt(input[2*i]) + toInt(intput[2*i+1]);
}
unsigned int toInt(char c)
{
if (c >= '0' && c <= '9') return c - '0';
if (c >= 'A' && c <= 'F') return 10 + c - 'A';
if (c >= 'a' && c <= 'f') return 10 + c - 'a';
return -1;
}
答案 1 :(得分:4)
如果你不想使用循环,那么你需要显式写出所有六个(或二十个)数组位置(尽管%x
不是正确的转换字符 - 它需要一个指针{{1作为其对应的参数)。如果你不想全部写出来,那么你需要使用一个循环 - 它可以很简单,但是:
unsigned int
答案 2 :(得分:2)
这是另一种实现方式。
#include <stdio.h>
#include <stdint.h>
#define _base(x) ((x >= '0' && x <= '9') ? '0' : \
(x >= 'a' && x <= 'f') ? 'a' - 10 : \
(x >= 'A' && x <= 'F') ? 'A' - 10 : \
'\255')
#define HEXOF(x) (x - _base(x))
int main() {
char input[] = "00112233FFAA";
char *p;
uint8_t *output;
if (!(sizeof(input) & 1)) { /* even digits + \0 */
fprintf(stderr,
"Cannot have odd number of characters in input: %d\n",
sizeof(input));
return -1;
}
output = malloc(sizeof(input) >> 1);
for (p = input; p && *p; p+=2 ) {
output[(p - input) >> 1] =
((HEXOF(*p)) << 4) + HEXOF(*(p+1));
}
return 0;
}