#include <iostream>
#include <string>
#include <utility>
#include <map>
using namespace std;
class MyPair: public pair<string, int>
{
int _ref;
public:
MyPair(): pair<string, int>(), _ref(0) {}
MyPair(string arg1, int arg2): pair<string, int>(arg1, arg2), _ref(0) {}
~MyPair();
void inc() {
_ref++;
}
void dec() {
_ref--;
if (_ref == 0) delete this;
}
};
class MyMap: public map<string, int>
{
public:
MyMap(): map<string, int>() {}
MyMap(const map<string, int>& mp): map<string, int>(mp) {
//for(auto i=begin(); i!=end(); ++i) i->inc();
//I want to perform that instruction above, but it gives me an error
}
~MyMap() {
//for(auto i=begin(); i!=end(); i++) i->dec();
//same as here
}
void insertNewPair(MyPair * mypair) {
insert(*mypair);
mypair->inc();
}
};
int main(int argc, char **argv)
{
MyMap mymap;
mymap.insertNewPair(new MyPair("1", 1));
mymap.insertNewPair(new MyPair("2", 2));
cout << "mymap[\"1\"] = " << mymap["1"] << endl;
cout << "mymap[\"2\"] = " << mymap["2"] << endl;
return 0;
}
我从 std::pair 子类化了一个类,以便我可以在其中附加一个引用计数器。我将其命名为“MyPair”。我还从 std::map 继承,并将其命名为“MyMap”。这样每次我在 MyMap 中插入新的 MyPair 时,它都会调用 MyPair 的 inc() 成员函数,以便 MyPair 会增加它的 _ref 成员,这是它的引用计数器。如果我删除 MyMap 的一个实例,它会递减它所包含的每个 MyPair 的所有 _ref 成员函数。如果 MyPair 中的 _ref 为 0,则表示它不再被引用,所以它会自行删除。
上面的代码有效,因为我设法在 MyMap 中注释了一些代码行。当我取消注释它们时,编译器给我一个错误,说 std::pair 没有像 inc() 和 dec() 这样的成员,即使我在 main 函数中插入了 MyPair 实例。我知道编译器没有注意到我插入了包含这些成员的 MyPair 实例,而不仅仅是一个普通的 std::pair。
有没有一种方法可以在 MyMap 中调用 MyPair(inc() 和 dec()) 的那些成员?提前感谢您的回答。