多文件工厂方法
Multi-file Factory method
有两个类Base和Derived。
Base.h:
class Base {
public:
Base* create_obj();
};
和Base.cpp:
#include "Base.h"
Base* Base::create_obj() {
return new Derived();
};
和Derived.h:
#inlcude "Base.h"
class Derived : public Base {
};
如果两个类都在main.cpp
那么就不会出错。但是当我把它们放在上面的多个文件中时,我得到了这个错误:
Cannot initialize return object of type 'Base *' with an rvalue of type 'Derived *'
这是为什么?我该如何解决这个错误?
你可以尝试这样做
// Base.h
class Base {
public:
Base* create_obj();
};
// Base.cpp
#include "Base.h"
#include "Derived.h"
Base* Base::create_obj() {
return new Derived();
};
// Derive.h
class Derived : public Base {
};
基本上我从“Base.h”中删除了“Derive.h”并将其移至“Base.cpp”。因为你没有在你的 header 中派生,所以没有真正需要它。
这称为循环依赖,您有一个 header 文件试图包含另一个文件,但它本身需要包含在该 header 文件中。
在您的情况下,只需使用 .cpp 文件中的 header 而不是 .h 即可打破这种依赖关系。如果您还需要在 header 中引用它,您可以使用前向声明。
有两个类Base和Derived。 Base.h:
class Base {
public:
Base* create_obj();
};
和Base.cpp:
#include "Base.h"
Base* Base::create_obj() {
return new Derived();
};
和Derived.h:
#inlcude "Base.h"
class Derived : public Base {
};
如果两个类都在main.cpp
那么就不会出错。但是当我把它们放在上面的多个文件中时,我得到了这个错误:
Cannot initialize return object of type 'Base *' with an rvalue of type 'Derived *'
这是为什么?我该如何解决这个错误?
你可以尝试这样做
// Base.h
class Base {
public:
Base* create_obj();
};
// Base.cpp
#include "Base.h"
#include "Derived.h"
Base* Base::create_obj() {
return new Derived();
};
// Derive.h
class Derived : public Base {
};
基本上我从“Base.h”中删除了“Derive.h”并将其移至“Base.cpp”。因为你没有在你的 header 中派生,所以没有真正需要它。
这称为循环依赖,您有一个 header 文件试图包含另一个文件,但它本身需要包含在该 header 文件中。
在您的情况下,只需使用 .cpp 文件中的 header 而不是 .h 即可打破这种依赖关系。如果您还需要在 header 中引用它,您可以使用前向声明。