2

这是模板列表代码的精简版(改编自http://www.daniweb.com/software-development/cpp/threads/237391/c-template-linked-list-help

列表抱怨(编译错误)“节点不是类型”。为什么会这样,解决方法是什么?

我尝试用“结构节点”(和相关更改)替换“类节点”,结构版本运行良好。所以主要问题似乎是:一个模板类如何访问另一个模板类?

#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;
}
4

1 回答 1

3

您正在使用

new Node(newData, first); 

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

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

new Node<T>(newData, first);
于 2013-07-04T08:38:51.033 回答