我有一个程序以下列格式返回数据:
<CFData 0x1001219c0 [0x7fff7027aee0]>{length = 20, capacity = 20, bytes = 0x8deead13b8ae7057f6a629fdaae5e1200bcb8cf5}
我需要提取8deead13b8ae7057f6a629fdaae5e1200bcb8cf5
(是的,减去0x
)。我尝试使用sscanf
并传递一些正则表达式,但我对此没有任何线索。
知道怎么做吗?代码片段表示赞赏。
答案 0 :(得分:5)
您可以使用strstr()在输入字符串中找到“bytes = 0x”并复制字符串的其余部分(从“bytes = 0x”结尾),但最后一个字符除外:
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
int main()
{
char* s = "<CFData 0x1001219c0 [0x7fff7027aee0]>{length = 20, "
"capacity = 20, "
"bytes = 0x8deead13b8ae7057f6a629fdaae5e1200bcb8cf5}";
char* value = 0;
const char* begin = strstr(s, "bytes = 0x");
if (begin)
{
begin += 10; /* Move past "bytes = 0x" */
value = malloc(strlen(begin)); /* Don't need 1 extra for NULL as not
copy last character from 'begin'. */
if (value)
{
memcpy(value, begin, strlen(begin) - 1);
*(value + strlen(begin) - 1) = 0;
printf("%s\n", value);
free(value);
}
}
return 0;
}
答案 1 :(得分:1)
您可以使用strtok
来完成这项工作。
int main(int argc, char* argv[]) {
char s[] = "<CFData 0x1001219c0 [0x7fff7027aee0]>{length = 20, capacity = 20, bytes = 0x8deead13b8ae7057f6a629fdaae5e1200bcb8cf5}";
const char *tok = "<>[]{}= ,";
char* t = strtok(s, tok);
int take_next = false;
char * res;
while (t) {
if (take_next) {
res = t+2;
break;
}
take_next = !strcmp(t, "bytes");
t = strtok(NULL, tok);
}
printf("%s\n", res);
return 0;
}
请注意,这只是一个示例。您应该强烈考虑使用strtok_r
重写此内容,因为strtok
不可重入。