我有以下代码:
std::string str = "abc def,ghi";
std::stringstream ss(str);
string token;
while (ss >> token)
{
printf("%s\n", token.c_str());
}
输出结果为:
ABC
DEF,GHI
因此stringstream::>>
运算符可以按空格分隔字符串,但不能用逗号分隔。有没有修改上面的代码,以便我可以得到以下结果?
输入:“abc,def,ghi”
输出:
ABC
高清
GHI
答案 0 :(得分:225)
#include <iostream>
#include <sstream>
std::string input = "abc,def,ghi";
std::istringstream ss(input);
std::string token;
while(std::getline(ss, token, ',')) {
std::cout << token << '\n';
}
ABC
高清
ghi
答案 1 :(得分:2)
#include <iostream>
#include <string>
#include <sstream>
using namespace std;
int main()
{
std::string input = "abc,def, ghi";
std::istringstream ss(input);
std::string token;
size_t pos=-1;
while(ss>>token) {
while ((pos=token.rfind(',')) != std::string::npos) {
token.erase(pos, 1);
}
std::cout << token << '\n';
}
}