从vector <string>转换为wchar_t **

时间:2017-07-07 18:42:08

标签: c++

std::vector<std::string> elems = split(command, ' ');
const int argc = elems.size();
wchar_t** argv = new wchar_t*[argc]();
//wchar_t* argv[10];
for (int i = 0; i < argc; i++) {
    const char* arg = elems[i].c_str();
    int size = strlen(arg);
    size_t length = 0;
    wchar_t* e = new wchar_t[size];
    mbstowcs_s(&length, e, size + 1, arg, size);
    argv[i] = e;
}

这是我的代码试图将字符串向量转换为wchar_t **。当我注释掉第三行并取消注释第四行时,它可以工作。但是我希望我的wchar_t **能够持续存在,所以我想使用第三行而不是第四行。请向我解释为什么第三行不能按预期工作。

3 个答案:

答案 0 :(得分:2)

您正在分配new wchar_t[size],但会将size + 1个字符复制到其中。这是未定义的行为。

答案 1 :(得分:1)

您可以将字符串转换为wstring,如下所示:

std::wstring_convert<std::codecvt_utf8<wchar_t>, wchar_t> cv;
auto warg = cv.from_bytes(arg);
auto wargv = warg.c_str();  // wchar_t*

但你也可以考虑传递vector而不是int和wchar_t **:

std::vector<std::wstring> args;
for(auto& elm : elms)
{
    std::wstring_convert<std::codecvt_utf8<wchar_t>, wchar_t> cv;
    args.push_back(cv.from_bytes(elm));
}

答案 2 :(得分:0)

这基本上是答案found here的改进。

基本上你要找的是std::vector<wchar_t*>(使用字符指针向量的少数几次之一),并将其发送到需要wchar_t**的函数。

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

class CommandLine
{
    typedef std::vector<wchar_t> CharArray;
    typedef std::vector<CharArray> ArgumentVector;
    ArgumentVector argvVec;
    std::vector<wchar_t *> argv;
public:
    CommandLine(const std::string& cmd);
};

void my_command_line(int numArgs, wchar_t** args);

CommandLine::CommandLine(const std::string& cmd)
{
    std::string arg;
    std::istringstream iss(cmd);
    while (iss >> arg)
    {
        size_t length = 0;
        CharArray cArray(arg.size() + 1);

        mbstowcs_s(&length, cArray.data(), arg.size() + 1, arg.c_str(), arg.size());

        argvVec.push_back(CharArray(arg.begin(), arg.end()));

        // make sure we null-terminate the last string we added.
        argvVec.back().push_back(0);

        // add the pointer to this string to the argv vector
        argv.push_back(argvVec.back().data());
    }

    // call the alternate command-line function
    my_command_line(argv.size(), argv.data());
}

void my_command_line(int numArgs, wchar_t** args)
{
    for (int i = 0; i < numArgs; ++i)
        std::wcout << "argument " << i << ": " << args[i] << std::endl;
}

int main()
{
    CommandLine test("command1 command2");
}

Live Example