boost :: format和自定义打印std容器

时间:2012-05-30 00:14:15

标签: c++ boost namespaces boost-format

我的命名空间ns中有一个函数可以帮助我打印STL容器。例如:

template <typename T>
std::ostream& operator<<(std::ostream& stream, const std::set<T>& set)
{
    stream << "{";
    bool first = true;
    for (const T& item : set)
    {
        if (!first)
            stream << ", ";
        else
            first = false;
        stream << item;
    }
    stream << "}";
    return stream;
}

这适用于直接使用operator <<进行打印:

std::set<std::string> x = { "1", "2", "3", "4" };
std::cout << x << std::endl;

但是,使用boost::format是不可能的:

std::set<std::string> x = { "1", "2", "3", "4" };
boost::format("%1%") % x;

问题非常明显:Boost不知道我希望它使用我的自定义operator <<来打印与我的命名空间无关的类型。在向using添加boost/format/feed_args.hpp声明之外,有没有方便的方法让boost::format查找我的operator <<

4 个答案:

答案 0 :(得分:5)

我实际使用的解决方案与Answeror非常相似,但它适用于任何事情:

namespace ns
{

template <typename T>
class FormatWrapper
{
public:
    explicit FormatWrapper(const T& x) :
            ref(x)
    { }

    friend std::ostream& operator<<(std::ostream& stream,
                                    const FormatWrapper<T>& self
                                   )
    {
        // The key is that operator<< is name lookup occurs inside of `ns`:
        return stream << self.ref;
    }
private:
    const T& ref;
};

template <typename T>
FormatWrapper<T> Formatable(const T& x)
{
    return FormatWrapper<T>(x);
}

}

所以用法是:

boost::format("%1%") % Formatable(x);

答案 1 :(得分:4)

我认为最干净的方法是在您想要覆盖的每个运算符的自己的命名空间中提供一个瘦包装器。对于您的情况,它可以是:

namespace ns
{
    namespace wrappers
    {
        template<class T>
        struct out
        {
            const std::set<T> &set;

            out(const std::set<T> &set) : set(set) {}

            friend std::ostream& operator<<(std::ostream& stream, const out &o)
            {
                stream << "{";
                bool first = true;
                for (const T& item : o.set)
                {
                    if (!first)
                        stream << ", ";
                    else
                        first = false;
                    stream << item;
                }
                stream << "}";
                return stream;
            }
        };
    }

    template<class T>
    wrappers::out<T> out(const std::set<T> &set)
    {
        return wrappers::out<T>(set);
    }
}

然后像这样使用它:

std::cout << boost::format("%1%") % ns::out(x);

答案 2 :(得分:1)

您可以尝试这样的事情:

namespace boost // or __gnu_cxx
{
    using np::operator<<;
}
#include <boost/format/feed_args.hpp>

答案 3 :(得分:0)

已经提到的问题是由于ADL(依赖于参数的查找 - 通常归因于Andrew Koenig,但我相信他不应该承担所有的责任)。

即使在您的本地环境中,它也不适用于您打算使用operator<<的模板功能。

一个作弊技巧是将您定义的operator<<放入namespace std。这是禁止的,但它可能适用于您的情况,但只有在它被使用之前放置并且可能是问题。

可能还有其他选项,例如定义您自己的Set模板。我试验了

    template<typename T> using Set=std::set<T>;

但无法获得没有

的解决方案
    using np::operator<<;
yuyoyuppe提供了。