Search code examples
c++c++11boostboost-iostreams

Any way to wrap construction of boost "tee" stream for automatic type deduction?


boost::iostreams::tee and company have a bit of a noisy/repetitive usage as seen here:

C++ "hello world" Boost tee example program

The goal is to make something like:

auto myTeeStream = make_tee(std::cout, myfile);

After trying to wrap this usage with a function make_tee to allow for automatic type deduction on the arguments I realized that both copy and move constructors are unavailable for the necessary types.

So: is there a sane way to wrap tee stream creation in c++11?

Here's my attempt that fails to compile because of deleted copy constructors and missing move constructors:

#include <iostream>
#include <ostream>
#include <fstream>

#include <boost/iostreams/tee.hpp>
#include <boost/iostreams/stream.hpp>

template <typename StreamT1, typename StreamT2>
boost::iostreams::stream<boost::iostreams::tee_device<StreamT1, StreamT2> >
make_tee(StreamT1 & t1, StreamT2 & t2)
{
    using boost::iostreams::stream;
    using boost::iostreams::tee;
    return stream<decltype(tee(t1,t2))>(tee(t1,t2)); // compile error
    //return std::move(stream<decltype(tee(t1,t2))>(tee(t1,t2))); // also fails of course
}


int main()
{
    {
        // desired usage
        std::ofstream myFile("file.txt");
        auto && myTee = make_tee(std::cout, myFile); // required from here
    }
    {
        // noisy default usage
        std::ofstream myFile("file.txt");
        using boost::iostreams::tee;
        using boost::iostreams::stream;
        auto && myTee = stream<decltype(tee(std::cout, myFile))>(tee(std::cout, myFile));
    }
    return 0;
}

Error from clang++ --std=c++11 teetest.cpp is:

teetest.cpp:14:12: error: call to implicitly-deleted copy constructor of 'boost::iostreams::stream<boost::iostreams::tee_device<basic_ostream<char>, basic_ofstream<char> > >'

Solution

  • Compile fine in c++17 with "guaranty copy elision".

    In c++11, you might use return {..}:

    template <typename StreamT1, typename StreamT2>
    boost::iostreams::stream<boost::iostreams::tee_device<StreamT1, StreamT2> >
    make_tee(StreamT1 & t1, StreamT2 & t2)
    {
        using boost::iostreams::stream;
        using boost::iostreams::tee;
        return {tee(t1,t2)};
    }
    

    Demo