How to Split a String in C++?
- 时间:2020-09-09 13:16:32
- 分类:网络文摘
- 阅读:128 次
In C++, there is no inbuilt split method for string. It is very useful to split a string into a vector of string. We can use the following string split method to split a string into a vector or string using the stringstream class.
1 2 3 4 5 6 7 8 9 | vector<string> split(const string& text) { string tmp; vector<string> stk; stringstream ss(text); while(getline(ss,tmp,' ')) { stk.push_back(tmp); } return stk; } |
vector<string> split(const string& text) {
string tmp;
vector<string> stk;
stringstream ss(text);
while(getline(ss,tmp,' ')) {
stk.push_back(tmp);
}
return stk;
}Example usage:
1 2 3 4 5 6 7 8 | int main() { string str = "This is me"; vector<string> words = split(str); // words = ["This", "is", "me"]; for (const auto &n: words) { cout << n << endl; } } |
int main() {
string str = "This is me";
vector<string> words = split(str);
// words = ["This", "is", "me"];
for (const auto &n: words) {
cout << n << endl;
}
}And of course, you can easily add the support for custom delimiter such as split a string by comma or colon (IP addresses):
1 2 3 4 5 6 7 8 9 | vector<string> split(const string& text, char delimiter) { string tmp; vector<string> stk; stringstream ss(text); while(getline(ss,tmp, delimiter)) { stk.push_back(tmp); } return stk; } |
vector<string> split(const string& text, char delimiter) {
string tmp;
vector<string> stk;
stringstream ss(text);
while(getline(ss,tmp, delimiter)) {
stk.push_back(tmp);
}
return stk;
}Let’s hope that a string split function will be added to the string class in future C++ releases!
–EOF (The Ultimate Computing & Technology Blog) —
推荐阅读:饮食健康与胃病食疗(三):这样饮食降低胃癌风险 冬至时节,常吃这几种传统美食可补阳、防寒! 只有这样吃大蒜才能杀菌防癌,以前你吃对了吗 丝瓜营养丰富,其对人体的保健功效如此之多 患有胃病的人常吃这些食物,可以帮助调理好胃 山药营养丰富食疗价值高,助爱美女性吃出好身材 糖尿病患者常有这些饮食误区,朋友们注意啦! 网络上流传甚广的垃圾食品方便面有毒、致癌的传闻是真的吗? 经常吃核桃仁可以补脑是真的吗 一天吃多少核桃才健康 甘蓝汁食疗方法对胃病患者非常有益 疗效甚至超过单纯药物
- 评论列表
-
- 添加评论