// PhysicalTraits.h
struct PhysicalTraits {
unsigned int age; // years
double height; // meters
PhysicalTraits(const double H = 0.0, const unsigned int A = 0u) : age (A), height(H) {};
~PhysicalTraits() {};
};
// People.h
#include <PhysicalTraits.h>
class People {
PhysicalTraits traits;
public:
People(const double H = 0.0, const double A = 0u) : traits(H, A);
~People() {};
void displayAge() { std::cout << "You are " << traits.age << " years old." << std::endl; }
void displayHeight() { std::cout << "You are " << traits.height << " meters tall." << std::endl; }
};
// Me.h
#include <PhysicalTraits.h>
class Me {
PhysicalTraits traits;
public:
Me(const double H = 0.0) : traits(H);
~Me() {};
void displayAge() {
// I want `traits.age` to throw an error
std::cout << "You are " << traits.age << " years old." <<
}
void displayHeight() {
std::cout << "You are " << traits.height << " meters tall." << std::endl;
}
};
我打算允许People
类型的对象访问traits.age
。但是,我不想知道我的年龄,所以我想限制Me
类型的对象访问traits.age
。
为此,我修改了PhysicalTraits.h
:
#include <People.h>
struct PhysicalTraits {
double height; // meters
private:
unsigned int age; // years
friend class People; // Objects of type `People` can access age
};
将age
作为私有成员变量,将People
作为朋友,而不是Me
。我已经解决了这个问题......有点儿。
但是,新问题是我在People.h
和PhysicalTraits.h
PhysicalTraits.h
中加入了People.h
。因此,在编译PhysicalTraits.h
时,在定义PhysicalTraits
对象之前,它将跳转到People
对象的定义,这需要定义PhysicalTraits
对象。
如何在确保Me
类型的对象无法访问traits.age
答案 0 :(得分:1)
您不必在People.h
中加入PhysicalTraits.h
。那里不需要完整定义类People
。你可以宣布那个班。
PhysicalTraits.h
看起来像这样:
class People; // Forward declaration
struct PhysicalTraits {
double height; // meters
private:
unsigned int age; // years
friend class People; // Objects of type `People` can access age
};
正确创建前向声明是为了解决像你这样的问题(相互包含)。在c ++中,您的代码(通常)从上到下进行解析,这会在您需要使用时产生很多问题。在通话后定义的功能。这就是为什么宣言得以实施。 在您的情况下,编译器只需要知道类的名称,因此声明就足够了。但是,您不能创建仅声明的类的对象或调用其任何方法。
值得注意的是,在可能的地方使用声明可以加快编译速度,因为解析定义显然需要一些时间。