我一直在尝试从包含Hex字符串到字节数组的CString执行转换
到目前为止不成功。我在论坛上看过,到目前为止,它们似乎都没有帮助。有一个功能只有几个执行此转换的代码行?
我的代码:
BYTE abyData[8]; // BYTE = unsigned char
CString sByte = "0E00000000000400";
期待:
abyData[0] = 0x0E;
abyData[6] = 0x04; // etc.
答案 0 :(得分:3)
你可以一次只吞食两个角色:
unsigned int value(char c)
{
if (c >= '0' && c <= '9') { return c - '0'; }
if (c >= 'A' && c <= 'F') { return c - 'A' + 10; }
if (c >= 'a' && c <= 'f') { return c - 'a' + 10; }
return -1; // Error!
}
for (unsigned int i = 0; i != 8; ++i)
{
abyData[i] = value(sByte[2 * i]) * 16 + value(sByte[2 * i + 1]);
}
当然8
应该是数组的大小,并且应该确保字符串的长度恰好是两倍。检查这个版本将确保每个字符都是有效的十六进制数字,并且如果不是这种情况则发出某种类型的错误信号。
答案 1 :(得分:2)
这样的事情怎么样:
for (int i = 0; i < sizeof(abyData) && (i * 2) < sByte.GetLength(); i++)
{
char ch1 = sByte[i * 2];
char ch2 = sByte[i * 2 + 1];
int value = 0;
if (std::isdigit(ch1))
value += ch1 - '0';
else
value += (std::tolower(ch1) - 'a') + 10;
// That was the four high bits, so make them that
value <<= 4;
if (std::isdigit(ch2))
value += ch1 - '0';
else
value += (std::tolower(ch1) - 'a') + 10;
abyData[i] = value;
}
注意:上面的代码未经过测试。
答案 2 :(得分:1)
你可以:
#include <stdint.h>
#include <sstream>
#include <iostream>
int main() {
unsigned char result[8];
std::stringstream ss;
ss << std::hex << "0E00000000000400";
ss >> *( reinterpret_cast<uint64_t *>( result ) );
std::cout << static_cast<int>( result[1] ) << std::endl;
}
然而负责内存管理问题 !!! 另外,结果与您期望的顺序相反,所以:
result[0] = 0x00
result[1] = 0x04
...
result[7] = 0x0E