在链接列表末尾插入节点时出错

时间:2018-06-16 08:13:34

标签: c++ compiler-errors singly-linked-list insertion

SinglyLinkedListNode* insertNodeAtTail(SinglyLinkedListNode* head, int data) {
    if(head==NULL)
    {
        SinglyLinkedListNode* tmp=new SinglyLinkedListNode();
        tmp->data=data;
        tmp->next=NULL;
        head=tmp;
        return head;
    }
    else
    {
        insertNodeAtTail(head->next,data);
    }
}

这些是编译器在编译后给出的错误。

solution.cc: In function ‘SinglyLinkedListNode* insertNodeAtTail(SinglyLinkedListNode*, int)’:
solution.cc:60:60: error: no matching function for call to ‘SinglyLinkedListNode::SinglyLinkedListNode()’
         SinglyLinkedListNode* tmp=new SinglyLinkedListNode();
                                                            ^
solution.cc:10:9: note: candidate: SinglyLinkedListNode::SinglyLinkedListNode(int)
         SinglyLinkedListNode(int node_data) {
         ^~~~~~~~~~~~~~~~~~~~
solution.cc:10:9: note:   candidate expects 1 argument, 0 provided
solution.cc:5:7: note: candidate: constexpr SinglyLinkedListNode::SinglyLinkedListNode(const SinglyLinkedListNode&)
 class SinglyLinkedListNode {
       ^~~~~~~~~~~~~~~~~~~~
solution.cc:5:7: note:   candidate expects 1 argument, 0 provided
solution.cc:5:7: note: candidate: constexpr SinglyLinkedListNode::SinglyLinkedListNode(SinglyLinkedListNode&&)
solution.cc:5:7: note:   candidate expects 1 argument, 0 provided
solution.cc:72:1: error: control reaches end of non-void function [-Werror=return-type]
 }
 ^

1 个答案:

答案 0 :(得分:1)

您没有SinglyLinkedList的默认构造函数,但是您有一个带int的构造函数。您也没有从else区块返回任何内容。

您还应该使用nullptr代替NULL进行指针比较。

SinglyLinkedListNode* insertNodeAtTail(SinglyLinkedListNode* head, int data) {
    if(head==nullptr) //Use nullptr
    {
        SinglyLinkedListNode* tmp=new SinglyLinkedListNode(data); //Construct with data
        tmp->data=data; //This line can probably be removed now?
        tmp->next=NULL;
        head=tmp;
        return head;
    }
    else
    {
        return insertNodeAtTail(head->next,data); //Make sure to return here aswell
    }
}
相关问题