我有一个派生自std :: ostringstream的类,并对喜欢流输出的运算符<< friend-func进行了编码,因此我有机会在真正的流输出发生之前对某些内容进行预处理。 但是,如果<<的第二个操作数是std :: map(或unordered_map)的对象,则我的代码无法通过GCC进行编译,而可以接受其他许多类型的第二个操作数。我尝试了int,string,c-string,vector等。它们都可以,但是map和unordered_map都是可以的。
这是一个最小的可重现示例:
#include <iomanip>
#include <iostream>
#include <map>
#include <ostream>
#include <sstream>
#include <string_view>
#include <vector>
#include <unordered_map>
using namespace std;
enum class LogLevel { Debug, Infor, Notif, Warnn, Error, Fatal };
constexpr string_view LevelNames[] { "Debug", "Infor", "Notif", "Warnn", "Error", "Fatal" };
LogLevel sysLogLevel { LogLevel::Debug };
class Logger : public ostringstream {
public:
Logger( LogLevel lv ) : logLevel( lv ) {};
~Logger() override {
cout << LevelNames[static_cast<int>( logLevel )] << ':' << str() << '\n';
};
LogLevel logLevel;
};
template <typename T>
inline Logger& operator<<( Logger& lg, const T& body ) {
if ( lg.logLevel >= sysLogLevel )
static_cast<std::ostream&>( lg ) << body;
return lg;
};
using StrStrMap = map<string, string>;
inline ostream& operator<<( ostream& os, const StrStrMap& ssm ) {
os << '{';
for ( const auto& [k,v] : ssm )
os << k << ':' << v << ',';
os << '}';
return os;
};
int main() {
StrStrMap ssm1 { { "Flower", "Red" }, { "Grass", "Green" } };
cout << ssm1 << endl; // OK!
{ Logger log { LogLevel::Fatal }; log << ssum1; } // OK!
Logger(LogLevel::Infor) << ssm1; // Compiling Error!
return EXIT_SUCCESS;
};
GCC的错误消息是:
/ usr / include / c ++ / 8 / ostream:656:11:错误:
operator<<
不匹配(操作数类型为std::basic_ostream<char>
和const std::unordered_map<std::__cxx11::basic_string<char>, std::__cxx11::basic_string<char> >
)
如@ n.m所示。 ,看起来就像“无法将左值引用绑定到临时obj”。
但是为什么当第二个操作数是其他类型(例如int,string,c-string,vector等)时可以做到呢?
这是我尝试的其他类型:
template<typename T>
class MyIntTemplate {
public:
MyIntTemplate( T p ) : payLoad(p) {};
T payLoad;
};
using MyInt = MyIntTemplate<int>;
inline ostream& operator<<( ostream& os, const MyInt& mi ) {
os << mi.payLoad;
return os;
};
using StrVec = vector<string>;
inline ostream& operator<<( ostream& os, const StrVec& sv ) {
os << '{';
for ( const auto& v : sv )
os << v << ',';
os << '}';
return os;
};
int main() {
Logger(LogLevel::Infor) << MyInt(123); // OK!
Logger(LogLevel::Warnn) << 456; // OK!
Logger(LogLevel::Debug) << "a Debugging Log"; // OK!
Logger(LogLevel::Infor) << string( "a Informing Log" ); // OK!
StrVec sv1 { "Flower", "Grass" };
Logger(LogLevel::Fatal) << sv1; // OK!
return EXIT_SUCCESS;
};
由于another reason,我真的需要记录器是临时的。 有人可以给我解决方案吗? 任何提示将不胜感激!
答案 0 :(得分:0)
Logger(LogLevel::Warnn)
是临时的。非常量引用不能绑定到临时目录。
inline ostream& operator<<( ostream& os,
// -------- <------ nope
答案 1 :(得分:0)
执行IOStreams的操作,并对rvalue进行全面的重载:
template<class T>
Logger& operator<<(Logger&& lg, T const& x) {
return lg << x;
}