我在一个字符串中有一个十六进制值"F69CF355B6231FDBD91EB1E22B61EA1F"
,我在我的程序中使用这个值,方法是硬编码一个 unsigned char 变量中的值,如下所示:
unsigned char a[] = { 0xF6 ,0x9C ,0xF3 ,0x55 ,0xB6 ,0x23 ,0x1F ,0xDB ,0xD9 ,0x1E ,0xB1 ,0xE2 ,0x2B ,0x61 ,0xEA ,0x1F};
是否有任何函数或任何其他方法可以从字符串中获取值并将其放入通过打包成十六进制格式的无符号变量?
问问题
6279 次
5 回答
1
#include <stdio.h>
#include <ctype.h>
int hctoi(const char h){
if(isdigit(h))
return h - '0';
else
return toupper(h) - 'A' + 10;
}
int main(void){
const char cdata[]="F69CF355B6231FDBD91EB1E22B61EA1F";
unsigned char udata[(sizeof(cdata)-1)/2];
const char *p;
unsigned char *up;
for(p=cdata,up=udata;*p;p+=2,++up){
*up = hctoi(p[0])*16 + hctoi(p[1]);
}
{ //check code
int i;
for(i=0;i<sizeof(udata);++i)
printf("%02X", udata[i]);
}
return 0;
}
于 2012-05-18T16:53:46.063 回答
0
对于c,它会是这样的:
char *str = "F69CF355B6231FDBD91EB1E22B61EA1F";
char substr[3] = "__";
unsigned char *a = NULL;
len = strlen(str);
a = malloc(sizeof(unsigned char)*(len/2)+1);
for ( i = 0; i < len/2; i++) {
substr[0] = str[i*2];
substr[1] = str[i*2 + 1];
sscanf( substr, "%hx", &a[i] );
}
free(a);
于 2012-05-18T18:12:56.900 回答
0
您可以使用 将字符串中的十六进制值转换为值sscanf
。如果您想要一个值数组,那么您可以编写一个函数将输入字符串分成两个字符段并用于sscanf
转换每一段。(我从来没有做过 C,所以我不知道这是否是一个好方法。)
于 2012-05-18T13:33:19.327 回答
0
引入辅助函数data_length
并data_get
轻松迭代您的数据。以下程序将解压的无符号字符转储到 上stdout
,每行一个:
#include <stdlib.h>
#include <stdio.h>
#include <ctype.h>
#include <string.h>
/* htoi(H)
Return the value associated to the hexadecimal digit H. */
int
htoi(char h)
{
int a = -1;
if(isdigit(h))
{
a = h - '0';
}
else
{
a = toupper(h) - 'A' + 10;
}
return a;
}
/* data_length(D)
The length of the data stored at D. */
int
data_length(const char* d)
{
return strlen(d) / 2;
}
/* data_get(D, K)
Return the K-th unsigned char located encoded in d. */
unsigned char
data_get(const char *d, int k)
{
return htoi(d[2*k]) * 0x10 +
htoi((d+1)[2*k]);
}
int
main()
{
const char cdata[]="F69CF355B6231FDBD91EB1E22B61EA1F";
for(int i = 0; i < data_length(cdata); ++i)
{
printf("0x%02hhx\n", data_get(cdata, i));
}
return EXIT_SUCCESS;
}
于 2014-09-11T18:06:18.897 回答