C++ 重载类成员访问操作符(->
)
类成员访问操作符(->)可以被重载,但是稍微复杂一些。它被定义为给一个类类型提供“类似指针”的行为。操作符->必须是一个成员函数。如果使用它,它的返回类型必须是一个指针或者一个可以应用的类的对象。
操作符->经常与指针解引用操作符*
一起使用来实现“智能指针”。这些指针是行为类似普通指针的对象,除了通过它们访问对象时执行其他任务,比如当指针被销毁时自动删除对象,或者指针被用来指向另一个对象时。
解引用操作符->可以被定义为一个一元后缀操作符。也就是说,给定一个类 –
class Ptr {
//...
X * operator->();
};
类的对象 Ptr 可以像使用指针一样访问类 X 的成员。例如-
void f(Ptr p ) {
p->m = 10 ; // (p.operator->())->m = 10
}
语句 p->m 被解释为 (p.operator->())->m。使用相同的概念,下面的示例解释了如何重载类的访问运算符 ->。
#include <iostream>
#include <vector>
using namespace std;
// Consider an actual class.
class Obj {
static int i, j;
public:
void f() const { cout << i++ << endl; }
void g() const { cout << j++ << endl; }
};
// Static member definitions:
int Obj::i = 10;
int Obj::j = 12;
// Implement a container for the above class
class ObjContainer {
vector<Obj*> a;
public:
void add(Obj* obj) {
a.push_back(obj); // call vector's standard method.
}
friend class SmartPointer;
};
// implement smart pointer to access member of Obj class.
class SmartPointer {
ObjContainer oc;
int index;
public:
SmartPointer(ObjContainer& objc) {
oc = objc;
index = 0;
}
// Return value indicates end of list:
bool operator++() { // Prefix version
if(index >= oc.a.size()) return false;
if(oc.a[++index] == 0) return false;
return true;
}
bool operator++(int) { // Postfix version
return operator++();
}
// overload operator->
Obj* operator->() const {
if(!oc.a[index]) {
cout << "Zero value";
return (Obj*)0;
}
return oc.a[index];
}
};
int main() {
const int sz = 10;
Obj o[sz];
ObjContainer oc;
for(int i = 0; i < sz; i++) {
oc.add(&o[i]);
}
SmartPointer sp(oc); // Create an iterator
do {
sp->f(); // smart pointer call
sp->g();
} while(sp++);
return 0;
}
当上述代码被编译和执行时,它会产生以下结果 −
10
12
11
13
12
14
13
15
14
16
15
17
16
18
17
19
18
20
19
21