我知道你可以通过继承来做到这一点,但你的意思是使用继承,除了'是'的情况。我也知道有朋友,但他们也允许访问私人会员。
有没有办法做到这一点(允许访问受保护的班级成员而非私人成员)?
要重新提问,我有1级和2级。我希望第2级能够访问1级受保护和公共成员,但不是私有成员。我该怎么做?
答案 0 :(得分:5)
它不优雅,但这可能适合你:
class B;
class A {
protected:
int x;
private:
int y;
};
class A_wrapper : public A {
friend B;
};
class B {
public:
A_wrapper a;
int foo() {
a.x; // Ok
a.y; // Compiler error!
}
};
答案 1 :(得分:1)
Oli提供了一个更接近的解决方案(+1),但您也可以使用选择性朋友来接近它:
#include <iostream>
class t_thing;
class t_elsewhere {
public:
void print(const t_thing& thing);
};
class t_thing {
public:
class t_selective_friend {
static int Prot(const t_thing& thing) {
return thing.prot;
}
friend class t_elsewhere;
};
public:
int publ;
protected:
int prot;
protected:
int priv;
};
void t_elsewhere::print(const t_thing& thing) {
std::cout << t_thing::t_selective_friend::Prot(thing) << std::endl;
}
int main() {
t_thing thing;
thing.publ; /* << ok */
thing.prot; /* << error */
thing.priv; /* << error */
t_elsewhere().print(thing); /* << ok */
return 0;
}
有时候冗长/控制很好......
答案 2 :(得分:1)
很久以前,在这个网站上,我使用Key
提出了一个方案。我们的想法是,主类文档可以公开访问界面的哪些部分,并且需要一个密钥,然后对需要它的人授予对密钥的友好。
class Key { friend class Stranger; Key() {} ~Key() {} };
class Item {
public:
void everyone();
void restricted(Key);
private:
};
现在,只有Stranger
可以使用restricted
方法,如下所示:
class Stranger {
public:
void test(Item& i) {
Key k;
i.restricted(k);
}
Key key() { return Key(); }
Key _key;
};
class Other {
void test(Item& i) {
Stranger s;
i.restricted(s.key()); // error: ‘Key::~Key()’ is private
// error: within this context
}
void test2(Item& i) {
Stranger s;
i.restricted(s._key); // error: ‘Key::~Key()’ is private
// error: within this context
// error: initializing argument 1 of ‘void Item::restricted(Key)’
}
};
这是一个非常简单的方案,它允许更精细的方法,即完全友谊。