在C ++中拆分字符串的最佳方法是什么?可以假设该字符串由以;;
分隔的单词组成从我们的指南角度来看,不允许使用C字符串函数,也不允许使用Boost,因为不允许使用安全锥形开源。
我现在拥有的最佳解决方案是:
string str(“denmark; sweden; india; us”);
上面的str应该作为字符串存储在vector中。我们怎样才能做到这一点?
感谢您的投入。
答案 0 :(得分:156)
我发现std::getline()
通常是最简单的。可选的分隔符参数意味着它不仅仅用于读取“行”:
#include <sstream>
#include <iostream>
#include <vector>
using namespace std;
int main() {
vector<string> strings;
istringstream f("denmark;sweden;india;us");
string s;
while (getline(f, s, ';')) {
cout << s << endl;
strings.push_back(s);
}
}
答案 1 :(得分:13)
您可以使用字符串流并将元素读入矢量。
Here有许多不同的例子......
其中一个例子的副本:
std::vector<std::string> split(const std::string& s, char seperator)
{
std::vector<std::string> output;
std::string::size_type prev_pos = 0, pos = 0;
while((pos = s.find(seperator, pos)) != std::string::npos)
{
std::string substring( s.substr(prev_pos, pos-prev_pos) );
output.push_back(substring);
prev_pos = ++pos;
}
output.push_back(s.substr(prev_pos, pos-prev_pos)); // Last word
return output;
}
答案 2 :(得分:10)
有几个库可以解决这个问题,但最简单的可能是使用Boost Tokenizer:
#include <iostream>
#include <string>
#include <boost/tokenizer.hpp>
#include <boost/foreach.hpp>
typedef boost::tokenizer<boost::char_separator<char> > tokenizer;
std::string str("denmark;sweden;india;us");
boost::char_separator<char> sep(";");
tokenizer tokens(str, sep);
BOOST_FOREACH(std::string const& token, tokens)
{
std::cout << "<" << *tok_iter << "> " << "\n";
}