我正在尝试为operator<<
将存储在boost::variant
. 这是一个说明问题的小例子:
#include <iostream>
#include <vector>
std::ostream & operator<<( std::ostream & os, const std::vector< int > & ) {
os << "Streaming out std::vector< int >";
return os;
}
std::ostream & operator<<( std::ostream & os, const std::vector< double > & ) {
os << "Streaming out std::vector< double >";
return os;
}
#include <boost/variant.hpp>
typedef boost::variant< std::vector< int >, std::vector< double > > MyVariant;
int main( int argc, char * argv[] ) {
std::cout << MyVariant();
return 0;
}
Clang 的第一个错误是
boost/variant/detail/variant_io.hpp:64:14: error: invalid operands to binary expression ('std::basic_ostream<char>' and 'const std::vector<int, std::allocator<int>>')
out_ << operand;
~~~~ ^ ~~~~~~~
我意识到这#include <boost/variant.hpp>
是在一个奇怪的地方。我很确定这个问题与模板中的两阶段名称查找有关,所以我移动了#include
它以尝试从关于 lookup 的 clang 文档中实现修复 #1 。该文档中的修复 #2 不是一个好的选择,因为我相信将重载的 operator<< 添加到 std 命名空间会导致未定义的行为。
不应该在允许编译器找到定义operator<<
之前定义 my s吗?#include
该技术似乎适用于以下示例,改编自同一个 clang 页面。
#include <iostream>
namespace ns {
struct Data {};
}
std::ostream& operator<<(std::ostream& out, const ns::Data & data) {
return out << "Some data";
}
namespace ns2 {
template<typename T>
void Dump( std::ostream & out, const T & value) {
out << value;
}
}
int main( int argc, char * argv[] ) {
ns2::Dump( std::cout, ns::Data() );
}