模板使用另一个模板

时间:2013-07-04 08:34:56

标签: c++ templates

以下是模板列表代码的缩减版本(改编自http://www.daniweb.com/software-development/cpp/threads/237391/c-template-linked-list-help

列出抱怨(编译错误)“节点不是类型”。为什么会这样,修复是什么?

我尝试用“struct Node”(以及相关的更改)替换“类Node”,并且struct版本工作正常。所以主要问题似乎是:模板类如何访问另一个模板类?

#include <iostream>
using namespace std;

template <typename T>
class Node
{
    public:
        Node(){}
        Node(T theData, Node<T>* theLink) : data(theData), link(theLink){}
        Node<T>* getLink( ) const { return link; }
        const T getData( ) const { return data; }
        void setData(const T& theData) { data = theData; }
        void setLink(Node<T>* pointer) { link = pointer; }
    private:
        T data;
        Node<T> *link;
};

template <typename T>
class List {
    public:
        List() {
            first = NULL; 
            last = NULL;
            count = 0;
        }
        void insertFirst(const T& newData) {
            first = new Node(newData, first);
            ++count;
        }
        void printList() {
            Node<T> *tempt;
            tempt = first;
            while(tempt != NULL){
                cout << tempt->getData() << " ";
                tempt = tempt->getLink();
            }
        }
        ~List()  { }

    private:
        Node<T> *first;
        Node<T> *last;
        int count;
};

int main() {
    List<int> myIntList;
    cout << "Inserting 1 in the list...\n";
    myIntList.insertFirst(1);
    myIntList.printList();
    cout << endl;
    List<double> myDoubleList;
    cout << "Inserting 1.5 in the list...\n";
    myDoubleList.insertFirst(1.5);
    myDoubleList.printList();
    cout << endl;
}

1 个答案:

答案 0 :(得分:3)

您正在使用

new Node(newData, first); 

List模板中。此时,Node不是指类型,而是指模板。但是当然要创建一个new类型的实例,你需要一个类型。

您最想要做的事情是通过实例化模板使其成为一种类型,即

new Node<T>(newData, first);