在 c++ 中重载运算符时指定"const"

Specifying "const" when overloading operators in c++

本文关键字:const 运算符 c++ 重载      更新时间:2023-10-16

代码:

4: typedef unsigned short  USHORT;
5: #include <iostream.h>
6:
7:     class Counter
8:     {
9:        public:
10:          Counter();
11:          ~Counter(){}
12:          USHORT GetItsVal()const { return itsVal; }
13:          void SetItsVal(USHORT x) {itsVal = x; }
14:          void Increment() { ++itsVal; }
15:          const Counter& operator++ ();
16:
17:       private:
18:          USHORT itsVal;
19:
20:    };
21:
22:    Counter::Counter():
23:    itsVal(0)
24:    {};
25:
26:    const Counter& Counter::operator++()
27:    {
28:       ++itsVal;
29:       return *this;
30:    }
31:
32:    int main()
33:    {
34:       Counter i;
35:       cout << "The value of i is " << i.GetItsVal() << endl;
36:       i.Increment();
37:       cout << "The value of i is " << i.GetItsVal() << endl;
38:       ++i;
39:       cout << "The value of i is " << i.GetItsVal() << endl;
40:       Counter a = ++i;
41:       cout << "The value of a: " << a.GetItsVal();
42:       cout << " and i: " << i.GetItsVal() << endl;
48:     return 0;
49: }

我正在研究C++中的重载运算符,无法理解第26行中的"const"说明符。我理解常量引用的方式是,我们不允许更改存储在引用中的值。但在运算符++函数(第26-30行(中,成员变量"itsVal"会递增。这是否违反了函数定义中的"const"要求?

运算符将返回对内部参数的引用作为常量引用,这意味着客户端代码不能修改从运算符接收的引用。

另一方面,如果成员函数本身是常量:

const Counter& Counter::operator++() const

则该函数将不被允许修改其任何成员。目前,它可以在返回引用之前进行任何修改。

相关文章: