5

我有一个 char 输入*str = "13 00 0A 1B CA 00";

我需要一个输出BYTE bytes[] = { 0x13, 0x00, 0x0A, 0x1B, 0xCA, 0x00 };

有人可以帮忙解决吗?

4

2 回答 2

7

您将需要解析出这两个字符中的每一个,然后将它们转换为BYTE. 这并不难做到。

std::stringstream converter;
std::istringstream ss( "13 00 0A 1B CA 00" );
std::vector<BYTE> bytes;

std::string word;
while( ss >> word )
{
    BYTE temp;
    converter << std::hex << word;
    converter >> temp;
    bytes.push_back( temp );
}
于 2012-12-21T16:06:15.813 回答
2

这个答案假设每个十六进制字节的输入格式实际上是 3 个字符。我sscanf为简单起见,streams显然也是一种选择。

    std::vector<BYTE> bytes;
    char *str = "13 00 0A 1B CA 00";
    std::string input(str);

    size_t count = input.size()/3;
    for (size_t i=0; i < count; i++)
    {           
        std::string numStr = input.substr(i*3, input.find(" "));

        int num=0;
        sscanf(numStr.c_str(), "%x", &num);
        bytes.push_back((BYTE)num);
    }

    // You can access the output as a contiguous array at &bytes[0]
    // or just add the bytes into a pre-allocated buffer you don't want vector
于 2012-12-21T16:16:49.443 回答