「拯救」 的結果,簡單的增加一個緩衝區,dest
,存儲結果。
代碼中包含的其他建議。
// add void to signature
int main(void) {
const char st[12] = "48656C6C6F3B";
int length = strlen(st);
int i;
char buf = 0;
// add destination buffer
char dest[10];
// Add test
// for (i = 0; i < length; i++) {
for (i = 0; i < length && (i/2 + 1) < sizeof(dest); i++) {
if (i % 2 != 0) {
// printf("%c", hex_to_ascii(buf, st[i]));
dest[i/2] = hex_to_ascii(buf, st[i]);
} else {
buf = st[i];
}
}
// Add termination
dest[i/2] = '\0';
// Do someting with dest
puts(dest);
return 0;
}
可替換地,一些代碼,處理各種可能的問題:下/上殼體十六進制數字,無效字符,奇數,小緩衝器,嵌入空字符。
#include <stdlib.h>
#include <string.h>
// There are _many_ ways to do this step.
unsigned char2digit(int ch) {
static const char Hex[] = "ABCDEFabcdef";
char *p = memchr(Hex, ch, 32);
if (p) {
return (unsigned) (p - Hex) % 16;
}
return (unsigned) -1; // error value
}
// Return NULL with ill-formed string
char *HexStringToString(char *dest, size_t size, const char *src) {
char *p = dest;
if (size <= 0) {
return NULL;
}
size--;
while (*src) {
if (size == 0) return NULL;
size--;
unsigned msb = char2digit(*src++);
if (msb > 15) return NULL;
unsigned lsb = char2digit(*src++);
if (lsb > 15) return NULL;
char ch = (char) (msb * 16 + lsb);
// Optionally test for embedded null character
if (ch == 0) return NULL;
*p++ = ch;
}
*p = '\0';
return dest;
}
void testHex(const char *s) {
char buf[10];
char *dest = HexStringToString(buf, sizeof buf, s);
printf("%-24s --> '%s'\n", s, dest ? dest : "NULL");
}
#include <stdio.h>
int main(void) {
testHex("48656C6C6F3B"); // upper case
testHex("48656c6c6f3b"); // lower case
testHex("");
testHex("48656C6C6F3B48656C");
// fails
testHex("48656C6C6F3B48656C6C"); // Too long
testHex("48656C6C6F3B0"); // Odd character count
testHex("48656C6C6F3Bxx"); // Non-hex character
testHex("48006C6C6F3B"); // null character
return 0;
}
輸出
48656C6C6F3B --> 'Hello;'
48656c6c6f3b --> 'Hello;'
--> ''
48656C6C6F3B48656C --> 'Hello;Hel'
48656C6C6F3B48656C6C --> 'NULL'
48656C6C6F3B0 --> 'NULL'
48656C6C6F3Bxx --> 'NULL'
48006C6C6F3B --> 'NULL'
'的sprintf()'當然並不需要一個指針用於'%C'轉換。但是,如果您擁有所需的角色,只需存儲它即可。 – unwind
將「Hex string」轉換爲「ASCII string」時,設計取決於未在此處定義的內容:1)十六進制字符串是否始終保持格式良好,如果不是,結果應如何? 2)處理A-F和a-f? 3)爲結果字符串分配什麼緩衝區? 4)如何處理「00」? 5)可移植到非ASCII? – chux