155

我有以下代码:

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
def
ghi

4

2 回答 2

305
#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
def
ghi

于 2012-07-30T10:26:46.420 回答
4
#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';
    }
}
于 2017-03-22T08:19:49.677 回答