C ++十六进制字符串到字节数组

时间:2013-05-20 03:23:07

标签: c++ hex

首先,我在过去的几天里用Google搜索了这个问题,但我发现的一切都行不通。我没有收到运行时错误但是当我输入程序生成加密的相同密钥(以十六进制字符串的形式)时,解密失败(但在整个程序中使用生成的密钥工作正常)。我正在尝试输入十六进制字符串(格式:00:00:00 ......)并将其转换为32字节的字节数组。输入来自getpass()。我以前用Java和C#做过这个,但我是C ++的新手,一切看起来都复杂得多。任何帮助将不胜感激:)我也在Linux平台上编程,所以我想避免仅限Windows的功能。

这是我尝试过的一个例子:

char *pass = getpass("Key: ");

std::stringstream converter;
std::istringstream ss( pass );
std::vector<byte> bytes;

std::string word;
while( ss >> word )
{
    byte temp;
    converter << std::hex << word;
    converter >> temp;
    bytes.push_back( temp );
}
byte* keyBytes = &bytes[0];

2 个答案:

答案 0 :(得分:1)

如果您的输入格式为:AA:BB:CC, 你可以这样写:

#include <iostream>
#include <sstream>
#include <string>
#include <vector>
#include <cstdint>

struct hex_to_byte
{
    static uint8_t low(const char& value)
    {
        if(value <= '9' && '0' <= value)
        {
            return static_cast<uint8_t>(value - '0');
        }
        else // ('A' <= value && value <= 'F')
        {
            return static_cast<uint8_t>(10 + (value - 'A'));
        }
    }

    static uint8_t high(const char& value)
    {
        return (low(value) << 4);
    }
};

template <typename InputIterator>
std::string from_hex(InputIterator first, InputIterator last)
{
    std::ostringstream oss;
    while(first != last)
    {
        char highValue = *first++;
        if(highValue == ':')
            continue;

        char lowValue = *first++;

        char ch = (hex_to_byte::high(highValue) | hex_to_byte::low(lowValue));
        oss << ch;
    }

    return oss.str();
}

int main()
{
    std::string pass = "AB:DC:EF";
    std::string bin_str = from_hex(std::begin(pass), std::end(pass));
    std::vector<std::uint8_t> v(std::begin(bin_str), std::end(bin_str)); // bytes: [171, 220, 239]
    return 0;
}

答案 1 :(得分:-1)

这个怎么样?

将其作为单词阅读并在之后进行操作? 您可以在convert()中进行任何大小检查格式检查。

#include <iostream>
#include <string>
#include <vector>

char convert(char c)
{
    using namespace std;
    // do whatever decryption stuff you want here
    return c;
}

void test()
{
    using namespace std;

    string word;
    cin >> word;

    vector<char> password;

    for (int i = 0; i < word.length(); i++)
    {
        password.push_back(convert(word[i]));
    }

    for (int i = 0; i < password.size(); i++)
    {
        cout << password[i];
    }

    cout << "";
}

int main()
{
    using namespace std;
    char wait = ' ';

    test();

    cin >> wait;
}

这里有不使用cin的具体原因吗?