1

在日志记录上下文中,我想使用实用程序类的临时实例来收集一些输出,并使用析构函数来处理收集的输出。例如,打印到标准输出如下。

我注意到行为差异取决于实用程序实例与命名自动实例相比是否构造为内联匿名实例。

命名实例会产生预期的行为和输出。内联实例在第一次插入操作时遇到困难,显然只适用于简单转换为 int 的操作数。

以这些不同方式使用的实例之间有什么区别?

#include <string>
#include <sstream>
#include <iostream>

class Util
{
public:
    std::ostringstream m_os;

    Util() {}
    ~Util() { std::cout << m_os.str() << std::endl;}
};



int main (void)
{
// ----------- Using temporary anonymous instance - 
    //  Output does not match expected, and the first insertion seems to
    //  only be able to handle instances that can be converted to int.

    // Following prints "97key=val", but expect "akey=val"
    (Util()).m_os << char('a') << std::string("key") << "=" << std::string("val");

    // Following prints "0x80491eakey=val", but expect "Plain old C string key=val"
    (Util()).m_os << "Plain old C string " << std::string("key") << "=" << std::string("val");

    // Following results in syntax error
    // error: no match for ‘operator<<’ in ‘Util().Util::m_os <<
    (Util()).m_os << std::string("key") << "=" << std::string("val");


// ----------- Using named instance - output matches expected

    // Block results in print "akey=val"
    {
        Util inst;
        inst.m_os  << char('a') << std::string("key") << "=" << std::string("val");
    }

    // Block results in print "Plain old C string key=val"
    {
        Util inst;
        inst.m_os  << "Plain old C string " << std::string("key") << "=" << std::string("val");
    }

    // Block results in print "key=val"
    {
        Util inst;
        inst.m_os  << std::string("key") << "=" << std::string("val");
    }

    return 0;
}
4

1 回答 1

2

(Util())创建一个临时对象。这样一来,(Util()).m_os也是一个临时对象。

有一些定义operator<<为成员函数,还有一些其他定义将其定义为独立函数。前者适用于临时对象,后者不适用,因为临时对象不能绑定到引用流。将您的代码简化为一个完整的示例:

#include <stdio.h>

struct stream
{
    stream& operator<<(int)
    { puts("operator<<(int)"); return *this; }
};

stream& operator<<(stream& s, char)
{ puts("operator<<(char)"); return s; }

struct streamwrapper
{
    stream s;
};

int main()
{
    streamwrapper w;
    w.s << 'a'; // outputs operator<<(char)

    streamwrapper().s << 'a'; // outputs operator<<(int)
}

由于您期望的重载不可用,而其他重载则不可用,因此使用其他重载而不是给您带来硬编译器错误。

于 2013-09-26T18:26:33.393 回答