将'\\ x00 \\ x00 \\ x00'格式的字符串转换为无符号字符数组

时间:2019-12-18 21:25:36

标签: c++ string byte shellcode

说我有一个字符串,

std::string sc = "\\xfc\\xe8\\x82";

如何将sc字符串转换为等价

 unsigned char buf[] = "\xfc\xe8\x82";

我正在尝试将包含shellcode的字符串转换为无符号char数组。

我尝试了以下方法:

char buf[5120];
strncpy(buf, sc.c_str(), sizeof(buf));
buf[sizeof(buf) - 1] = 0;

这似乎将字符串存储到char数组中,我需要char数组来存储/表示字节。

当我打印时:

//example 1
unsigned char buf[] = "\xfc\xe8\x82";
printf("%s", buf);

控制台输出:

ⁿΦé

当我打印时:

//example 2
char buf[5120];
strncpy(buf, sc.c_str(), sizeof(buf));
buf[sizeof(buf) - 1] = 0;

控制台输出:

\xfc\xe8\x82

如何将sc字符串转换为无符号char数组,以便在打印sc时,sc将产生与示例1相同的输出。

1 个答案:

答案 0 :(得分:0)

文字"\\xfc\\xe8\\x82"作为字符串使用“ \”作为转义字符。 “ \\”将减少为“ \”。如您所料。因此,如果您打印给定的std::string,则结果将是: \xfc\xe8\x82

因此,您现在要做的是:创建一个包含原始std::string中给出的十六进制值的char数组。

请注意:您的语句char s[] = "\xfc\xe8\x82";将创建一个C样式的char数组,其大小为4,并且包含:

s[0]=fc, s[1]=e8, s[2]=82, s[3]=0

在下面的示例中,我显示了2个转换建议。  1.直接转换  2.使用C ++标准算法

#include <string>
#include <iostream>
#include <iomanip>
#include <regex>
#include <vector>
#include <iterator>
#include <algorithm>


// Hex digit String
std::regex hexValue{R"(\\[xX]([0-9a-fA-F][0-9a-fA-F]))"};


int main ()
{   
    // Source string
    std::string s1 = "\\xfc\\xe8\\x82";
    std::cout << "s 1: " << s1 << "\n";


    // Proposal 1 ------------------------------------------------------

    // Target array
    unsigned char s2[3];

    // Convert bytes from strings
    for (int i=0; i<s1.size()/4; ++i ) {

        // Do conversion. Isolate substring, the convert
        s2[i] = std::strtoul(s1.substr(i*4+2,2).c_str(), nullptr,16);
        // Result is now in s2

        // Output value as tring and decimal value
        std::cout << s1.substr(i*4+2,2) << " -> " << std::hex << static_cast <unsigned short>(s2[i]) 
                  << " -> " << std::dec << static_cast <unsigned short>(s2[i]) << "\n";
    }

    // Proposal 2 ------------------------------------------------------

    // Get the tokens
    std::vector<std::string> vstr(std::sregex_token_iterator(s1.begin(),s1.end(),hexValue, 1), {});

    // Convert to unsigned int
    std::vector<unsigned int> vals{};

    std::transform(vstr.begin(), vstr.end(), std::back_inserter(vals), 
        [](std::string &s){ return static_cast<unsigned>(std::strtoul(s.c_str(), nullptr,16)); } );

    // Print output on std::cout
    std::copy(vals.begin(), vals.end(), std::ostream_iterator<unsigned>(std::cout,"\n"));

    return 0;
}

第二个解决方案将吃掉字符串中给定数量的十六进制数字