今天在写qt时,遇到了两个类相互包含的问题,类A要用到类B,类B要用到类A。
类A:a.h
#ifndef A_H #define A_H #include <b.h> class A { public: A(); }; #endif // A_H
a.cpp
#include "a.h" A::A() { B b; }
类B:b.h
#ifndef B_H #define B_H #include <a.h> class B { public: B(); }; #endif // B_H
b.cpp
#include "b.h" B::B() { A a; }
按上面这种写法编译是有问题的。
对于a.cpp,包含了a.h,所以先将a.cpp展开,如下
#ifndef A_H #define A_H #include <b.h> class A { public: A(); }; #endif // A_H A::A() { B b; }
这样其实还看不出来,所以继续对#include <b.h>展开,展开时还需加上b.cpp里的代码,如下
#ifndef A_H #define A_H #ifndef B_H #define B_H #include <a.h> //对于这一句,由于第二行定义过A_H,将不会在对其展开,所以这一句可以去掉。 class B { public: B(); }; #endif // B_H B::B() { A a; } class A { public: A(); }; #endif // A_H A::A() { B b; }
看上面代码会发现B类的构造函数里使用的A在A类的声明之前,所以问题就出现了,A类未定义。
所以解决的办法就是添加前置声明,在包含头文件的直接前面或者直接后面加上这个类的声明,对于上面这个例子,解决方式就是在类的头文件中加上包含类的前置声明,如下:
a.h
#ifndef A_H #define A_H class B; #include <b.h> //class B; class A { public: A(); }; #endif // A_H
b.h
#ifndef B_H #define B_H class A; #include <a.h> //class A; class B { public: B(); }; #endif // B_H
时间: 2024-10-15 02:56:16