我正在尝试编写自己的流类。它将对输入执行某些操作并将其传递给std::cout
。到目前为止,我将在流上运行的函数(例如std::endl
)传递给cout
。现在,我想检查std::endl
输入并执行某些操作(如果发生)。我已经实现了这样的行为
DebugStream& DebugStream::operator<< (ostream& (*pfun)(ostream&))
{
if(pfun == std::endl)
{
// do something
}
pfun(cout);
return *this;
}
结果为
/path/to/file.cpp:89:24: error: assuming cast to type ‘std::basic_ostream<char>& (*)(std::basic_ostream<char>&)’ from overloaded function [-fpermissive]
使用GCC编译器。我不知道,如何将函数指针与std::endl
函数进行比较。也许这个问题与std::endl
函数的模板性质有关?或者因为它是内联的?
答案 0 :(得分:1)
您收到警告的原因是std::endl
是模板功能。您可以通过强制转换与特定类型的模板实例进行比较来修复此错误,如下所示:
typedef ostream& (*io_manip_ptr_t)(ostream&);
void demo(io_manip_ptr_t pfun) {
if (pfun == (io_manip_ptr_t)&endl) {
cout << "Hi" << endl;
}
}
注意:即使可以解决这个问题,这只是一种解决方法,而不是一个可靠的解决方案,因为比较函数指针来决定功能会引入一个非常严重的问题:您的函数会减少到enum
,因此您的代码无法从外部扩展。