3

我有这个代码:

class LazyStream {
    ostream& output;
    std::list<string> pending;
public:
    //...
    LazyStream operator++(int n = 0){
        LazyStream other(output);
        if (n>0) output << "<#" << n << ">";
        output << pending.pop_front();
        return other;
    }

我不明白为 operator++ 获取 int 值的含义。我虽然这只是表示运算符是一个后缀。运营商如何获得号码?有人可以举个例子吗?

谢谢

4

2 回答 2

3

嗯,这是我第一次看到int违约。

正如您所指出的,“虚拟”int参数用于区分后缀运算符和前缀。除了它不是真正的假人:当你写:

myVar ++;

并且myVar有一个用户定义的 postfix ++,编译器实际上将其称为:

myVar.operator++( 0 );

没有什么可以阻止你写作:

myVar.operator++( 42 );

(当然,在这种情况下,必须这样做,有点违背了运算符重载的目的。)

于 2013-07-30T10:39:27.587 回答
2

显然,如果您使用函数调用语法来调用该运算符,则可以传递该参数。此代码使用 gcc 干净地编译并输出42

#include <iostream>

struct Stream {
    Stream operator++(int n)
    {
        std::cout << n;
        return *this;
    }
};

int main()
{
    Stream s;
    s.operator++(42);
}

如果我给它默认值,它会给出一个警告(带有 -pedantic 标志),但它不能有一个。这有点道理,因为如果您还定义了前缀增量,那么调用s.operator++()将是模棱两可的。但是,我没有在标准中找到任何明确禁止默认值的内容。

于 2013-07-30T10:37:43.673 回答