为什么显示b不可以访问
时间: 2023-08-14 09:06:13 浏览: 99
显示控制器S6B0724的接口技术
在上面的代码中,`student` 类中的成员变量 `b` 是一个私有变量,只能被 `student` 类或者 `student` 类的友元类访问。在 `teacher` 类中,虽然指针 `p` 指向了一个 `student` 类对象,但是 `teacher` 类本身并不是 `student` 类的友元类,因此不能直接访问 `student` 类的私有成员 `b`。如果想要在 `teacher` 类中访问 `student` 类的私有成员 `b`,可以将 `teacher` 类也声明为 `student` 类的友元类。例如:
```c++
class student;
class teacher {
public:
student* p;
teacher(int x);
int A;
~teacher();
friend class student; // 将 teacher 类也声明为 student 类的友元类
};
class student {
friend class teacher;
public:
int a = 10;
student(int x);
private:
int b = 100;
};
teacher::teacher(int x) {
A = x;
p = new student(8);
}
teacher::~teacher() {
delete p;
}
student::student(int x) {
a = x;
}
void func() {
student s(100);
cout << s.a << endl;
teacher t(1);
cout << t.A << endl;
cout << t.p->a << endl;
cout << t.p->b << endl; // 可以访问私有成员 b
}
int main() {
func();
system("pause");
return 0;
}
```
在上面的代码中,将 `teacher` 类也声明为 `student` 类的友元类,这样在 `teacher` 类中就可以访问 `student` 类的私有成员 `b` 了。
阅读全文