C++中兩個類互相包含的策略
一,問題描述
A類包含B類的實例,而B類也包含A類的實例
二,求解策略
1)錯誤的解法
A文件包含B,而B文件又包含A文件,這樣就形成死循環
[html]
#include "B.h"
class A
{
int i;
B b;
};
#include "A.h"
class B
{
int i;
A a;
};
2)正確的寫法以及注意事項
1)主函數只需要包含b.h 就可以,因為b.h中包含了a.h
2)a.h中不需要包含b.h,但要聲明class b。在避免死循環的同時也成功引用了b
3)包含class b 而沒有包含頭文件 "b.h",這樣只能聲明 b類型的指針!!!!而不能實例化!!!!
a.h:
[html]
#include <iostream>
using namespace std;
class b;
class a
{
public:
b *ib;
void putA()
{
cout<<"這是A類"<<endl;
}
};
b.h:
[html]
#include <iostream>
#include "a.h"
using namespace std;
class b
{
public:
a ia;
void putB()
{
cout<<"這是B類"<<endl;
}
};
主函數
[html]
#include <stdio.h>
#include <tchar.h>
#include "b.h"
int _tmain(int argc, _TCHAR* argv[])
{
b B;
B.putB();
B.ia.putA();
getchar();
return 0;
}