C ++内联匿名实例和命名实例之间的区别

时间:2013-09-26 17:57:16

标签: c++

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

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

命名实例会产生预期的行为和输出。内联实例在第一次插入操作时遇到困难,显然只能处理对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;
}

1 个答案:

答案 0 :(得分: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)
}

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