Обратный поток Ostringstream по линии

ostringstream ss;
ss << "(1,2)\n" << "(1,3)\n" << "(1,4)\n" ;
cout << ss.str();

должен напечатать следующее:

(1,2)

(1,3)

(1,4)

Как я могу обратить вывод на строку так, чтобы он печатал:

(1,4)

(1,3)

(1,2)

1

Решение

Используя ваш оригинальный код с C ++ 98:

  ostringstream ss;
ss << "(1,2)\n" << "(1,3)\n" << "(1,4)\n" ;
cout << ss.str();

//assign a string to the contents of the ostringstream:
string rawlines = ss.str();

//now create an input stringstream with the value of the rawlines
istringstream iss(rawlines);

string temp;//just a temporary object used for storage
vector<string> lines;//this is where your lines will be held

//now iterate over the stream and store the contents into the vector `lines`:
while(getline(iss, temp)) {
lines.push_back(temp);
}

//now reverse the contents:
reverse(lines.begin(), lines.end());

//see what's inside:
for (vector<string>::const_iterator it = lines.begin(); it != lines.end(); ++it) {
cout << *it << endl;
}

Это напечатает:

(1,4)
(1,3)
(1,2)

По желанию

НОТА: Это удаляет символы новой строки из исходной строки.
И это требует:

//for `getline`:
#include <cstdlib>
//for `reverse`:
#include <algorithm>
//for `string`:
#include <string>
//for `vector`:
#include <vector>
1

Другие решения

Вы можете использовать обычай std::streambuf который внутренне хранит стек std::strings и соединяет их при использовании str() член. Например:

#include <iostream>
#include <numeric>
#include <streambuf>
#include <string>
#include <vector>

class stackbuf
: public std::streambuf
{
std::vector<std::string> d_lines;
int overflow(int c) {
if (c != std::char_traits<char>::eof()) {
this->d_lines.back().push_back(c);
if (c == '\n') {
this->d_lines.push_back(std::string());
}
}
return std::char_traits<char>::not_eof(c);
}
public:
stackbuf(): d_lines(1) {}
std::string str() const {
return std::accumulate(this->d_lines.rbegin(),
this->d_lines.rend(),
std::string());
}
};

int main()
{
stackbuf sbuf;
std::ostream out(&sbuf);
out << "(1, 2)\n(1, 3)\n(1, 4)\n";
std::cout << sbuf.str();
}

Для реального приложения вам, очевидно, следует установить буфер в потоке буфера для повышения производительности. Вы также можете создать собственный поток, непосредственно инициализирующий буфер потока.

3

Вы можете использовать обратные итераторы:

std::ostringstream ss{ "(1,2)\n(1,3)\n(1,4)\n" };
std::string str = ss.str();

std::copy( str.rbegin(), str.rend(),
std::ostream_iterator<std::string>{std::cout, "\n"} );

Этот код потребует:

#include <iostream>
#include <algorithm>
#include <iterator>
#include <string>
#include <sstream>

и базовая поддержка C ++ 11.

1

Это будет классический способ, лучше всего использовать стандартную библиотеку C ++.

#include <iostream>
#include <sstream>
#include <stack>
#include <string>

using namespace std;

int main(int argv, char* arv[])
{
ostringstream oss;
oss << "(1,2)\n" << "(1,3)\n" << "(1,4)\n" ;
cout << oss.str() << "----------\n";
// Reverse lines
// Fill an istringstream with buffer contents of the ostringstream
istringstream iss(oss.str());
stack<string> stk;
while (iss) {
string s;
if (!getline(iss, s)) break; // Read a line
s += '\n';                   // Put back newline stripped by readline
stk.push(s);                 // Push line to stack
}
oss.clear();                   // Clear state of the ostringstream
oss.str("");                   // Clear contents of the ostringstream for reuse
while (!stk.empty()) {
string s;
s = stk.top();               // Get top of stack
oss << s;                    // Output it to the ostringstream
stk.pop();                   // Pop and throw away top of stack
}
cout << oss.str();
return 0;
}
1
По вопросам рекламы [email protected]