1

我正在尝试找到一种将字符串转换为 c 字符串数组的方法。因此,例如我的字符串是:

std::string s = "This is a string."

然后我希望输出是这样的:

array[0] = This
array[1] = is
array[2] = a
array[3] = string.
array[4] = NULL
4

3 回答 3

3

您正在尝试将字符串拆分为字符串。尝试:

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

 std::string s = "This is a string.";

  std::vector<std::string> array;
  std::stringstream ss(s);
  std::string tmp;
  while(std::getline(ss, tmp, ' '))
  {
    array.push_back(tmp);
  }

  for(auto it = array.begin(); it != array.end(); ++it)
  {
    std::cout << (*it) << std:: endl;
  }

或查看此拆分

于 2013-02-12T01:21:41.823 回答
1

使用 Boost 库函数 'split' 将字符串拆分为基于分隔符的多个字符串,如下所示:

#include <boost/algorithm/string.hpp>
std::vector<std::string> strs;
boost::split(strs, "string to split", boost::is_any_of(" "));

然后遍历strs向量。

这种方法允许您指定任意数量的分隔符。

请参阅此处了解更多信息:http: //www.boost.org/doc/libs/1_48_0/doc/html/string_algo/usage.html#id3115768

这里有很多方法:Split a string in C++?

于 2013-02-12T01:19:55.257 回答
-2

以你为例。

该数组不是字符数组,而是字符串数组。

好吧,实际上,字符串是一个字符数组。

//Let's say:
string s = "This is a string.";
//Therefore:
s[0] = T
s[1] = h
s[2] = i
s[3] = s

但根据你的例子,

我想你想拆分文本。(用空格作为分隔符)。

您可以使用字符串的拆分功能。

string s = "This is a string.";
string[] words = s.Split(' ');
//Therefore:
words[0] = This
words[1] = is
words[2] = a
words[3] = string.
于 2013-02-12T01:19:47.757 回答