C++ writing to std::out and std:clog simultaneously

5.1k Views Asked by At

I would like to create a stream-like class through which I can write to both std::out and std::clog.

I have the following code, but the problem is that it only writes to std::clog, while the output on the console is not as expected (strangely, it overwrites itself).

struct Log : public std::ofstream
{
    Log(const std::string filename)
    : std::ofstream(filename.c_str())
    {
        std::clog.rdbuf(this->rdbuf());
    }
};

template <typename T>
Log & operator << (Log & stream, const T & x)
{
    std::cout << x;
    std::clog << x;
    return stream;
};

What I want is this

Log log("logfile.txt");
log << "this should go to the console and the logfile" << 1234 << std::endl;

Can this be done?

2

There are 2 best solutions below

2
On

There is usually no need to code up such a contraption manually to direct your output to several places.

Use tee utility for that.

0
On

I found a (or "the") solution!

I added the following code:

Log & operator << (Log & stream, std::ostream & (*f)(std::ostream&))
{
    std::cout << f;
    std::clog << f;
    return stream;
}

This adds the functionality to also accept e.g. std::endl (or other function calls within std::ostream), which now behaves as expected.