2

boost::tokenizer用来标记 C++ 中的字符串,然后我想将它传递给execv.

考虑以下代码片段(可编译):

#include <iostream>
#include <cstdlib>
#include <vector>
#include <boost/tokenizer.hpp>

// I will put every token into this vector
std::vector<const char*> argc;
// this is the command I want to parse
std::string command = "/bin/ls -la -R";


void test_tokenizer() {
  // tokenizer is needed because arguments can be in quotes
  boost::tokenizer<boost::escaped_list_separator<char> > scriptArguments(
              command,
              boost::escaped_list_separator<char>("\\", " ", "\""));
  boost::tokenizer<boost::escaped_list_separator<char> >::iterator argument;
  for(argument = scriptArguments.begin(); 
    argument!=scriptArguments.end(); 
    ++argument) {

    argc.push_back(argument->c_str());
    std::cout << argument->c_str() << std::endl;
  }

  argc.push_back(NULL);
}

void test_raw() {
  argc.push_back("/bin/ls");
  argc.push_back("-l");
  argc.push_back("-R");

  argc.push_back(NULL);
}

int main() {
  // this works OK
  /*test_raw();
  execv(argc[0], (char* const*)&argc[0]);
  std::cerr << "execv failed";
  _exit(1);
  */

  // this is not working
  test_tokenizer();
  execv(argc[0], (char* const*)&argc[0]);
  std::cerr << "execv failed";
  _exit(2);
}

当我运行它调用的这个脚本时test_tokenizer(),它会打印'execv failed'。(尽管它很好地打印了参数)。

但是,如果我test_tokenizer改为test_raw它运行良好。

这一定是一些简单的解决方案,但我没有找到。

PS.:我也把它放到一个带有 boost 支持的在线编译器

4

1 回答 1

3

boost::tokenizerstd::string在令牌迭代器中按值(默认为 )保存令牌。

argument->c_str()因此,当迭代器被修改时,指向的字符数组可能会被修改或失效,并且它的生命周期最迟会以 的生命周期结束argument

因此,当您尝试使用argc.

如果您想继续使用boost::tokenizer,我建议将标记保留在 a 中std::vector<std::string>,然后将它们转换为指针数组。

于 2019-09-17T21:16:20.860 回答