C 中相互依赖的类:利用前向声明
尝试创建两个包含彼此类型对象的类会直接导致以下问题:无限递归。为了实现这一点,需要使用指针和前向声明的解决方法。
在提供的场景中, foo 和 bar 类之间的循环依赖导致错误。为了解决这个问题,使用前向声明来宣布每个类的存在而不定义它:
// bar.h #ifndef BAR_H #define BAR_H // Declares the existence of foo without defining it class foo; class bar { public: foo* getFoo(); protected: foo* f; }; #endif
// foo.h #ifndef FOO_H #define FOO_H // Declares the existence of bar without defining it class bar; class foo { public: bar* getBar(); protected: bar* f; }; #endif
这些前向声明允许 foo 和 bar 头是独立的,避免循环引用。然后,在各自的 .cpp 文件中提供每个类的完整定义,包括指针成员。
使用示例:
#include "foo.h" #include "bar.h" int main(int argc, char **argv) { foo myFoo; bar myBar; }
现在,程序编译成功是因为前向声明使类能够间接了解彼此。它们现在可以存储指向彼此的指针,打破循环并允许创建相互依赖的类。
以上是如何在 C 中创建相互依赖的类而不需要无限递归?的详细内容。更多信息请关注PHP中文网其他相关文章!