我有一个 MD5 字符串,我将其转换为十六进制。有一个更好的方法吗?我目前正在做:
unsigned char digest[16];
string result;
char buf[32];
for (int i=0; i<16; i++)
{
sprintf_s(buf, "%02x", digest[i]);
result.append( buf );
}
这个版本应该更快。如果您需要更快的速度,请更改string result
为char
数组。
static const char hexchars[] = "0123456789abcdef";
unsigned char digest[16];
string result;
for (int i = 0; i < 16; i++)
{
unsigned char b = digest[i];
char hex[3];
hex[0] = hexchars[b >> 4];
hex[1] = hexchars[b & 0xF];
hex[2] = 0;
result.append(hex);
}
在这种情况下,似乎自己进行转换可能比使用sprintf_s
(或类似的东西)为您进行转换更容易。如果可能的话,我也会使用一个容器来代替原始数组。
std::string to_hex(std::vector<unsigned char> const &digest) {
static const char digits[] = "0123456789abcdef";
string result;
for (int i=0; i<digest.size(); i++) {
result += digits[digest[i] / 16];
result += digits[digest[i] % 16];
}
return result;
}
或使用流:
std::string base_64_encode(const unsigned char *bytes, const size_t byte_count)
{
std::ostringstream oss;
oss << std::setfill('0') << std::hex;
for (size_t i = 0; i < byte_count; ++i)
oss << std::setw(2) << static_cast<unsigned int>(bytes[i]);
return oss.str();
}
像这样使用:
std::string encoded = base_64_encode(digest, 16);
虽然可能不是最高效的解决方案。
unsigned char digest[16];
// (...)
string result;
for (int i = 0; i < sizeof(digest); ++i) {
result += (digest[i] >= 10) ? (digest[i] + 'a' - 10) : (digest[i] + '0');
}