0

可能重复:
为什么模板类的实现和声明应该在同一个头文件中?

希望你能帮助我。

我知道这个问题(在进行谷歌搜索后)已被问过数百万次。我确信我的问题的解决方案是那些数以百万计的问题之一,但我找不到它,所以我决定问。

我特别收到此错误:

错误 1 ​​错误 C2512: 'NodeQueue' : 没有合适的默认构造函数可用 a:\work\fast\semi 5\automata\assignments\progass1\progass1\progass1\tree.h 33 1 progass1

具体行有这个定义:

level=new NodeQueue<Node>;

下一行也出现相同的错误,但原因是相同的..

我有所有不确定为什么会发生这种情况的默认构造函数。以下是部分代码:

头文件的顶部:

#include <iostream>
using namespace std;

#include "intarr.h"
class Node;
template <typename t>
class QueueNode;

template <typename t>
class NodeQueue;

树:

class Tree{

    Node* root;


    int level_length;
    Node* curr;
    NodeQueue <Node>* level,*level_bak;
public:

    Tree(){
        root=NULL;
        level_length=0;
        curr=NULL;
        level=new NodeQueue<Node>;
        level_bak=new NodeQueue<Node>;
    }
// I doubt you need the rest...

类节点

class Node{
public:
    Node *top,*right,*bottom,*left,*prev;
    Node *a,*b,*c;
    int row,col;
    Node(){

    }
    Node(int x,int y){
        top=right=bottom=left=prev=NULL;
        row=x;col=y;
        a=b=c=NULL;
    }

};

queuenode(即队列的节点)

 template <typename t>
     class QueueNode {
     public:
        QueueNode* next;
        QueueNode* prev;

        t *value;
        QueueNode(){

        }
        QueueNode(t* value){
            next=NULL;
            this->value=value;
        }

    };

节点队列:

 template <typename t>
 class NodeQueue {
    QueueNode *head;
    QueueNode *tail;

    //lhs=bottom;

 public:
     NodeQueue(){
        head=NULL;
        tail=NULL;
    }
//....... rest of the code you dont need
4

2 回答 2

3

由于这是一个编译器错误(不是链接器,因为大多数模板错误问题),我猜这是因为您前向声明了类型:

template <typename t>
class NodeQueue;

为什么要前向声明它而不是包含文件?要构造一个对象,您需要完整的定义,所以#include "NodeQueue.h".

在不需要完整类型的情况下使用前向声明。

于 2012-10-11T13:23:10.517 回答
1

根据 MSDN编译器错误,当您尝试创建不完整的类实例时也会生成C2512 - 前向声明,但完整定义不可用。

因此,您需要将NodeQueue定义标头包含到tree.h.

于 2012-10-11T13:27:01.250 回答