1

我正在努力让别人的代码启动并运行。代码是用 C++ 编写的。失败的部分是将 std::string 转换为 base64:

std::string tmp = "\0";
tmp.append(strUserName);
tmp.append("\0");
tmp.append(strPassword);
tmp = base64_encode(tmp.c_str(), tmp.length());

其中base64是:

std::string base64_encode(char const* bytes_to_encode, unsigned int in_len) {
    std::string ret;
    int i = 0;
    int j = 0;
    unsigned char char_array_3[3];
    unsigned char char_array_4[4];

    while (in_len--) {
        char_array_3[i++] = *(bytes_to_encode++);
        if (i == 3) {
            char_array_4[0] = (char_array_3[0] & 0xfc) >> 2;
            char_array_4[1] = ((char_array_3[0] & 0x03) << 4) + ((char_array_3[1] & 0xf0) >> 4);
            char_array_4[2] = ((char_array_3[1] & 0x0f) << 2) + ((char_array_3[2] & 0xc0) >> 6);
            char_array_4[3] = char_array_3[2] & 0x3f;

            for(i = 0; (i <4) ; i++)
                ret += base64_chars[char_array_4[i]];
            i = 0;
        }
    }

    if (i)
    {
        for(j = i; j < 3; j++)
            char_array_3[j] = '\0';

        char_array_4[0] = (char_array_3[0] & 0xfc) >> 2;
        char_array_4[1] = ((char_array_3[0] & 0x03) << 4) + ((char_array_3[1] & 0xf0) >> 4);
        char_array_4[2] = ((char_array_3[1] & 0x0f) << 2) + ((char_array_3[2] & 0xc0) >> 6);
        char_array_4[3] = char_array_3[2] & 0x3f;

        for (j = 0; (j < i + 1); j++)
            ret += base64_chars[char_array_4[j]];

        while((i++ < 3))
            ret += '=';

    }

    return ret;

}

它使用 'tmp' 字符串来调用服务器,并且 base64 字符串必须在其中嵌入两个 NUL 字符(在 strUserName 之前和 strPassword 之前)。但是,似乎由于代码将 tmp 作为 c_str() 传递,因此 NUL 字符正在被剥离。有没有好的解决方案?谢谢。

更新我想我应该补充一点,代码包括我搜索过的“ #include <asm/errno.h>”,但没有找到与 macOS 的兼容性,所以我只是将其注释掉。不确定这是否会使事情无法正常工作,但我对此表示怀疑。全面披露。

4

1 回答 1

3

std::string tmp = "\0";并且tmp.append("\0");不要'\0'tmp. std::string::string和的版本std::string::append采用const char*以 NUL 结尾的 C 样式字符串,因此它们一看到 NUL 字符就停止。

要将 NUL 字符实际添加到您的字符串中,您需要使用append带有 a 长度的构造函数和方法const char*,或者带有 count 和 a 的版本char

std::string tmp("\0", 1);
tmp.append(strUserName);
tmp.append("\0", 1);
tmp.append(strPassword);
tmp = base64_encode(tmp.c_str(), tmp.length());
于 2016-06-18T05:39:28.187 回答