如何将字符串添加到stringstream?

How to add string to stringstream?

我需要将很多字符串合并为一个。 像这样

stringstream ss;
string str_one = "hello ";
string str_two = "world!\n";
ss.add(str_one);
ss.add(str_two);


string result = ss.str();

但是 stringstream 中没有 add 函数。我该怎么做?

很简单,你要做的就是:

ss << " appended string";

stringstream has operator<< 重载以将数据插入流中。它将 return 对流本身的引用,因此您可以链接多个插入。

ss << str_one << str_two;
std::cout << ss.str(); // hello world!

作为替代方案,您可以利用 fold expression(since C++17) 连接多个字符串。

template<typename ...T>
std::string concat(T... first){
    return ((first+ ", ") + ...);
}

int main(){
std::string a = "abc", b = "def", c = "ghi", d = "jkl";
std::cout << concat(a, b, c, d); // abc, def, ghi, 
}

折叠表达式展开如下:

"abc" + ("def" + ("ghi" + "jkl"));

Demo

您可以像这样使用 str() 方法:

std::string d{};
std::stringstream ss;
ss.str("hello this");

while(std::getline(ss, d)){
    std::cout << d;
};