Można to rozwiązać przez nowy typ streambuf
(patrz Standard C++ IOStreams and Locales: Advanced Programmer's Guide and Reference).
Oto szkic jak to może wyglądać:
#include <streambuf>
class existing_string_buf : public std::streambuf
{
public:
// Store a pointer to to_append.
explicit existing_string_buf(std::string &to_append);
virtual int_type overflow (int_type c) {
// Push here to the string to_append.
}
};
Po ukształtowaniu szczegóły tutaj, można go używać w następujący sposób:
#include <iostream>
std::string s;
// Create a streambuf of the string s
existing_string_buf b(s);
// Create an ostream with the streambuf
std::ostream o(&b);
Teraz wystarczy napisać do o
, a wynik powinien pojawić się jako dołączony do s
.
// This will append to s
o << 22;
Edit
Jak @rustyx prawidłowo zauważa, nadrzędnymi xsputn
jest wymagane dla poprawy wydajności.
Pełna Przykład
następujące wydruki 22
:
#include <streambuf>
#include <string>
#include <ostream>
#include <iostream>
class existing_string_buf : public std::streambuf
{
public:
// Somehow store a pointer to to_append.
explicit existing_string_buf(std::string &to_append) :
m_to_append(&to_append){}
virtual int_type overflow (int_type c) {
if (c != EOF) {
m_to_append->push_back(c);
}
return c;
}
virtual std::streamsize xsputn (const char* s, std::streamsize n) {
m_to_append->insert(m_to_append->end(), s, s + n);
return n;
}
private:
std::string *m_to_append;
};
int main()
{
std::string s;
existing_string_buf b(s);
std::ostream o(&b);
o << 22;
std::cout << s << std::endl;
}
Zajrzałbym w stronę http://www.boost.org/doc/libs/1_61_0/doc/html/interprocess/streams.html – bobah
Może zaimplementować 'std :: string X :: repr()' lub podobny i wywołać to zarówno w 'append' i' operator << '? Nie jest idealny, ale unikasz pośredniego "ciągu". – Praetorian
A może po prostu 's.append (std :: string :: to_string (x));'? Czy tęskniłem za czymś niezbędnym? –