Hex符号化と復号化
2243 ワード
一、Hexコードの概要
HexのフルネームはIntel HEXです.Hexファイルは、1行のIntel HEXファイル形式に適合するテキストからなるASCIIテキストファイルである.Intel HEXファイルには、行ごとにHEXレコードが含まれています.これらのレコードは、対応するマシン言語コードおよび/または定数データの16進数符号化数字から構成される.
ではHexコードは何ですか?データをIntel HEXファイルのデータフォーマットに適合する符号化方式に変換する.簡単な例を挙げると、次のようになります.
99、105、224,7
符号化後のデータは「6369 e 007」であり、文字列である.
二、Hex符号化と復号実現
HexのフルネームはIntel HEXです.Hexファイルは、1行のIntel HEXファイル形式に適合するテキストからなるASCIIテキストファイルである.Intel HEXファイルには、行ごとにHEXレコードが含まれています.これらのレコードは、対応するマシン言語コードおよび/または定数データの16進数符号化数字から構成される.
ではHexコードは何ですか?データをIntel HEXファイルのデータフォーマットに適合する符号化方式に変換する.簡単な例を挙げると、次のようになります.
99、105、224,7
符号化後のデータは「6369 e 007」であり、文字列である.
二、Hex符号化と復号実現
static const char hex_table_uc[16] = { '0', '1', '2', '3',
'4', '5', '6', '7',
'8', '9', 'A', 'B',
'C', 'D', 'E', 'F' };
static const char hex_table_lc[16] = { '0', '1', '2', '3',
'4', '5', '6', '7',
'8', '9', 'a', 'b',
'c', 'd', 'e', 'f' };
char *encodeToHex(char *buff, const uint8_t *src, int len, int type) {
int i;
const char *hex_table = type ? hex_table_lc : hex_table_uc;
for(i = 0; i < len; i++) {
buff[i * 2] = hex_table[src[i] >> 4];
buff[i * 2 + 1] = hex_table[src[i] & 0xF];
}
buff[2 * len] = '\0';
return buff;
}
uint8_t *decodeFromHex(uint8_t *data, const char *src, int len) {
size_t outLen = len / 2;
uint8_t *out = data;
uint8_t accum = 0;
for (size_t i = 0; i < len; ++i) {
char c = src[i];
unsigned value;
if (c >= '0' && c <= '9') {
value = c - '0';
} else if (c >= 'a' && c <= 'f') {
value = c - 'a' + 10;
} else if (c >= 'A' && c <= 'F') {
value = c - 'A' + 10;
} else {
return NULL;
}
accum = (accum << 4) | value;
if (i & 1) {
*out++ = accum;
accum = 0;
}
}
return data;
}