私は循環依存関係を認識していますが、前方宣言があってもこの領域を取得します。私は何が間違っているのですか?
// facility.h
class Area;
class Facility {
public:
Facility();
Area* getAreaThisIn();
void setAreaThisIsIn(Area* area);
private:
Area* __area;
};
// facility.cpp
#include "facility.h"
#include "area.h"
{ ... }
// area.h
class Facility;
class Area {
public:
Area(int ID);
int getId();
private:
std::list<Facility*> _facilities;
};
// area.cpp
#include "area.h"
#include "facility.h"
だからこれはうまくコンパイルされますが、私がそうするなら
// foo.h
#include "facility.h"
class Foo { .. };
// foo.cpp
#include "foo.h"
void Foo::function() {
Facility* f = new Facility();
int id = f->getAreaThisIsIn()->getId();
invalid use of incomplete type struct Area
を取得したとき
Facility* f = new Facility();
の場合、前方宣言だけでなく、完全な宣言が必要です。
明確にするために:前方宣言を使用すると、非常に限られた方法でオブジェクトを操作できます。
struct Foo; // forward declaration
int bar(Foo* f); // allowed, makes sense in a header file
Foo* baz(); // allowed
Foo* f = new Foo(); // not allowed, as the compiler doesn't
// know how big a Foo object is
// and therefore can't allocate that much
// memory and return a pointer to it
f->quux(); // also not allowed, as the compiler doesn't know
// what members Foo has
前方宣言が役立つ場合があります。たとえば、ヘッダー内の関数がオブジェクトではなくオブジェクトへのポインターのみを受け取る場合、そのヘッダーのクラス定義全体を#include
する必要はありません。これにより、コンパイル時間が改善されます。ただし、そのヘッダーの実装では、関連する定義を#include
する必要があることがほぼ保証されています。これらのオブジェクトを割り当てたり、それらのオブジェクトのメソッドを呼び出したりする必要があり、前方宣言以上のものが必要になるためです。それを行う。
Foo.cppにarea.hとfacility.hの両方を#includeしましたか(これがエラーが発生したファイルであると想定しています)?