Jon*_*rdy 21 c++ templates circular-dependency
我有两个类,Foo<T>并且Bar<T>派生自Base.每个都覆盖一个方法virtual Base* convert(ID) const,其中ID是一个类型的实例,它唯一地标识Foo或的特定实例Bar(假装它是一个enum).问题是Foo::convert()需要能够返回Bar实例,同样Bar::convert()需要能够实例化Foo.由于它们都是模板,因此在Foo.h和之间产生循环依赖关系Bar.h.我该如何解决这个问题?
编辑:前向声明不起作用,因为每个方法的实现需要另一个类的构造函数:
Foo.h:
#include <Base.h>
template<class T> class Bar;
template<class T>
class Foo : public Base { ... };
template<class T>
Base* Foo<T>::convert(ID id) const {
if (id == BAR_INT)
return new Bar<int>(value); // Error.
...
}
Run Code Online (Sandbox Code Playgroud)
Bar.h:
#include <Base.h>
template<class T> class Foo;
template<class T>
class Bar : public Base { ... };
template<class T>
Base* Bar<T>::convert(ID id) const {
if (id == FOO_FLOAT)
return new Foo<float>(value); // Error.
...
}
Run Code Online (Sandbox Code Playgroud)
该错误自然是"无效使用不完整类型".
Kei*_*thB 21
您需要做的是从实现中分离类声明.所以像
template <class T> class Foo : public Base
{
public:
Base* convert(ID) const;
}
template <class T> class Bar : public Base
{
public:
Base* convert(ID) const;
}
template <class T> Base* Foo<T>::convert(ID) const {return new Bar<T>;}
template <class T> Base* Bar<T>::convert(ID) const {return new Foo<T>;}
Run Code Online (Sandbox Code Playgroud)
这样,在定义函数时就可以获得完整的类定义.
Jam*_*ran 14
(更新)您应该能够处理与非模板类相同的操作.像这样写你的Bar.h. (同样对于Foo.h)
#if !defined(BAR_H_INCLUDED)
#define BAR_H_INCLUDED
template <class T>
class Foo;
template <class T>
class Bar
{
/// Declarations, no implementations.
}
#include "Foo.h"
template <class T>
Base* Bar<T>::Convert() { /* implementation here... */ }
#endif
Run Code Online (Sandbox Code Playgroud)
ULy*_*ses 13
您应该在任一标头中使用模板类前向声明
template <class T>
class X;
Run Code Online (Sandbox Code Playgroud)
是完美的模板类前向声明.
小智 9
James Curran的回答是天赐之物.一般来说,James的想法是限制所需头文件的包含,直到需要来自包含头文件的成员('声明)为止.举个例子:
t1.hh
#ifndef S_SIGNATURE
#define S_SIGNATURE
struct G; // forward declaration
template<typename T>
struct S {
void s_method(G &);
};
#include "t2.hh" // now we only need G's member declarations
template<typename T>
void S<T>::s_method(G&g) { g.g_method(*this); }
#endif
Run Code Online (Sandbox Code Playgroud)
t2.hh
#ifndef G_SIGNATURE
#define G_SIGNATURE
template<typename T>
struct S; // forward declaration
struct G {
template<typename T>
void g_method(S<T>&);
};
#include "t1.hh" // now we only need S' member declarations
template<typename T>
void G::g_method(S<T>& s) { s.s_method(*this); }
#endif
Run Code Online (Sandbox Code Playgroud)
t.cc
#include "t1.hh"
#include "t2.hh"
S<int> s;
G g;
int main(int argc,char**argv) {
g.g_method(s); // instantiation of G::g_method<int>(S<int>&)
}
Run Code Online (Sandbox Code Playgroud)
| 归档时间: |
|
| 查看次数: |
11294 次 |
| 最近记录: |