個人的には、これにはstd::ostringstream
(またはstd::stringstream
)をまったく使用しません!代わりに、GUIへのデータ送信を処理する独自のストリームバッファーを作成します。つまり、現在のデータを上書きstd::streambuf::overflow()
しstd::streambuf::sync()
てGUIに送信します。また、出力がすぐに送信されるようにするために、を設定しましstd::ostream
たstd::ios_base::unitbuf
。実際、関数に変更を送信するのは非常に簡単です。つまり、これを実装します。
#include <streambuf>
#include <ostream>
#include <functional>
#include <string>
#include <memory>
#include <iostream> // only for testing...
#if HAS_FUNCTION
typedef std::function<void(std::string)> function_type;
#else
class function_type
{
private:
struct base {
virtual ~base() {}
virtual base* clone() const = 0;
virtual void call(std::string const&) = 0;
};
template <typename Function>
struct concrete
: base {
Function d_function;
concrete(Function function)
: d_function(function) {
}
base* clone() const { return new concrete<Function>(this->d_function); }
void call(std::string const& value) { this->d_function(value); }
};
std::auto_ptr<base> d_function;
public:
template <typename Function>
function_type(Function function)
: d_function(new concrete<Function>(function)) {
}
function_type(function_type const& other)
: d_function(other.d_function->clone()) {
}
function_type& operator= (function_type other) {
this->swap(other);
return *this;
}
~function_type() {}
void swap(function_type& other) {
std::swap(this->d_function, other.d_function);
}
void operator()(std::string const& value) {
this->d_function->call(value);
}
};
#endif
class functionbuf
: public std::streambuf {
private:
typedef std::streambuf::traits_type traits_type;
function_type d_function;
char d_buffer[1024];
int overflow(int c) {
if (!traits_type::eq_int_type(c, traits_type::eof())) {
*this->pptr() = traits_type::to_char_type(c);
this->pbump(1);
}
return this->sync()? traits_type::not_eof(c): traits_type::eof();
}
int sync() {
if (this->pbase() != this->pptr()) {
this->d_function(std::string(this->pbase(), this->pptr()));
this->setp(this->pbase(), this->epptr());
}
return 0;
}
public:
functionbuf(function_type const& function)
: d_function(function) {
this->setp(this->d_buffer, this->d_buffer + sizeof(this->d_buffer) - 1);
}
};
class ofunctionstream
: private virtual functionbuf
, public std::ostream {
public:
ofunctionstream(function_type const& function)
: functionbuf(function)
, std::ostream(static_cast<std::streambuf*>(this)) {
this->flags(std::ios_base::unitbuf);
}
};
void some_function(std::string const& value) {
std::cout << "some_function(" << value << ")\n";
}
int main() {
ofunctionstream out(&some_function);
out << "hello" << ',' << " world: " << 42 << "\n";
out << std::nounitbuf << "not" << " as " << "many" << " calls\n" << std::flush;
}
上記のコードのかなりの部分は、実際には目前のタスクとは無関係ですstd::function<void(std::string)>
。C++ 2011を使用できない場合に備えて、のプリミティブバージョンを実装しています。
あまり多くの呼び出しが必要ない場合は、オフstd::ios_base::unitbuf
にして、ストリームをフラッシュするときにのみデータを送信できます。たとえば、を使用しstd::flush
ます(はい、知ってstd::endl
いますが、残念ながら、通常は誤用されているため、データを削除して使用することを強くお勧めしますstd::flush
フラッシュが実際に意味されるところ)。