0

我想使用模板在 C++ 中制作我自己的链表实现。但是,我遇到了几个编译器错误。这是代码:

template <class T>
class Node{
T datum;
Node _next = NULL;
 public:
 Node(T datum)
{
    this->datum = datum;
}
 void setNext(Node next)
 {
     _next = next;
 }
 Node getNext()
 {
     return _next;
 }
 T getDatum()
 {
     return datum;
 }          
};
template <class T>
class LinkedList{
Node<T> *node;
Node<T> *currPtr;
Node<T> *next_pointer;
int size;
public:
LinkedList(T datum)
  {
      node = new Node<T>(datum);
      currPtr = node;  //assignment between two pointers.
      size = 1;
  }
void add(T datum)
 {
   Node<T> *temp = new Node<T>(datum);
   (*currPtr).setNext((*temp));
   currPtr = temp;       
   size++;
 }
T next()
{
   next_pointer = node;
   T data = (*next_pointer).getDatum();
   next_pointer = (*next_pointer).getNext();
   return data;
}
int getSize()
{
   return size;
}   
};

当我尝试实例化此类时,出现以下错误:

LinkedList.cpp: In instantiation of `Node<int>':
LinkedList.cpp:35:   instantiated from `LinkedList<T>::LinkedList(T) [with T = int]'
LinkedList.cpp:60:   instantiated from here
LinkedList.cpp:7: error: `Node<T>::_next' has incomplete type
LinkedList.cpp:5: error: declaration of `class Node<int>'
make[2]: *** [build/Debug/Cygwin-Windows/LinkedList.o] Error 1
make[1]: *** [.build-conf] Error 2
make: *** [.build-impl] Error 2

我正在使用 NetBeans IDE。有人可以给我一些改进它的建议吗?非常感谢!!

4

4 回答 4

1

除了语法错误:

class Node{
T datum;
Node _next = NULL;
//....

您不能拥有与成员相同类型的成员。您可以使用指针:

template <class T>
class Node{
T datum;
Node<T>* _next;

并将其设置在构造函数中(因为=NULL在那里不合法)。

相关:为什么一个类允许有一个自己的静态成员,而不是一个非静态成员?

于 2012-06-19T19:47:50.060 回答
1

您的Node类应该包含指向next的指针Node,而不是Node直接的 a。在这里,您有一个编译器无法处理的递归类型。

另一个错误是你不能像这样初始化一个成员。您必须在构造函数中执行此操作。

因此,替换Node _next = NULL;Node *_next;初始化构造函数中的_next指针nullptr

于 2012-06-19T19:48:07.423 回答
1

它可能只是这一行:

Node _next = NULL;

你真的需要它是一个指针(Node<T>* _next)。如果一个类包含其自己类型的实例,那么该实例将具有其自己的该类型实例,依此类推

于 2012-06-19T19:48:28.640 回答
1

就像你在课堂上做Node<T> *node;LinkedList一样,你也需要在Node课堂上做同样的事情

template <class T>
class Node{
    T datum;
    Node<T> *_next;//template parameter
                   //also, need to make this a pointer and initialized in constructor
public:

//...
    void setNext(Node<T> next) //template parameter
    {
        _next = next;
    }
    Node<T> getNext() //template parameter
    {
        return _next;
    }
//...
};
于 2012-06-19T19:51:49.310 回答