当编译器编译该类User
并到达该MyMessageBox
行时,MyMessageBox
尚未定义。编译器不知道MyMessageBox
存在,所以无法理解类成员的含义。
在将其用作成员之前,需要确保MyMessageBox
已定义。这可以通过反转定义顺序来解决。但是,您有一个循环依赖项:如果您移至上方,则将不会定义名称!MyMessageBox
User
MyMessageBox
User
您可以做的是向前声明 User
;也就是说,声明它但不定义它。在编译期间,已声明但未定义的类型称为不完整类型。考虑下面的简单示例:
struct foo; // foo is *declared* to be a struct, but that struct is not yet defined
struct bar
{
// this is okay, it's just a pointer;
// we can point to something without knowing how that something is defined
foo* fp;
// likewise, we can form a reference to it
void some_func(foo& fr);
// but this would be an error, as before, because it requires a definition
/* foo fooMember; */
};
struct foo // okay, now define foo!
{
int fooInt;
double fooDouble;
};
void bar::some_func(foo& fr)
{
// now that foo is defined, we can read that reference:
fr.fooInt = 111605;
fr.foDouble = 123.456;
}
通过向前声明User
,MyMessageBox
仍可以形成指针或对其的引用:
class User; // let the compiler know such a class will be defined
class MyMessageBox
{
public:
// this is ok, no definitions needed yet for User (or Message)
void sendMessage(Message *msg, User *recvr);
Message receiveMessage();
vector<Message>* dataMessageList;
};
class User
{
public:
// also ok, since it's now defined
MyMessageBox dataMsgBox;
};
您不能反过来这样做:如上所述,类成员需要具有定义。(原因是编译器需要知道要User
占用多少内存,并且需要知道其成员的大小。)如果要说的话:
class MyMessageBox;
class User
{
public:
// size not available! it's an incomplete type
MyMessageBox dataMsgBox;
};
由于尚不知道大小,因此无法使用。
另外,此功能:
void sendMessage(Message *msg, User *recvr);
可能不应该通过指针来获取任何一个。您不能在没有消息的情况下发送消息,也不能在没有用户发送消息的情况下发送消息。这两种情况都可以通过将null作为参数传递给任一参数来表示(null是一个完全有效的指针值!)
而是使用引用(可能是const):
void sendMessage(const Message& msg, User& recvr);