C++使用getline实现split的效果
0.问题
C++中并没有类似split的分隔符函数,如何自建一个呢?
我们考虑使用getline来实现所需功能。
1.代码
#include <iostream>
#include <string>
#include <vector>
#include <sstream>
// 使用字符串流将字符串分割成多个子串,并存储到 vector 中
std::vector<std::string> split(const std::string& str, char delim) {
std::vector<std::string> tokens;
std::stringstream ss(str);
std::string token;
while (std::getline(ss, token, delim)) {
tokens.push_back(token);
}
return tokens;
}
int main() {
std::string str = "hello world how are you";
char delim = ' ';
std::vector<std::string> words = split(str, delim);
for (const std::string& word : words) {
std::cout << word << std::endl;
}
return 0;
}