我一直在为自己正在研究的自定义链表实验室研究这种添加方法。插入新节点后,我无法弄清楚如何将值移动一个索引。这是我的源代码。

public void add(int index, Object element) throws IndexOutOfBoundsException {
    if(index > size() || index < 0) {
        throw new IndexOutOfBoundsException();
    }

    ListNode newNode = new ListNode(element, null);

    if(head == null) {
        head = newNode;
        return;
    }

    ListNode nextNode = head.nextNode;
    ListNode currNode = head;

    int i = 0;
    while(currNode!= null) {

        if(index == i) {
            break;
        }

        currNode = nextNode;
        //Breaks down here with null pointer exception
        nextNode = nextNode.nextNode;

    }

    currNode = newNode;
    currNode.nextNode = nextNode;
}

最佳答案

当您迭代最后一个节点时,它将抛出空指针,下一个节点指向空。如果必须在最后一个节点中添加新节点,请检查下一个节点是否为null。

同样在您的代码中,您并没有增加i的价值,而是一直在遍历整个列表。

10-08 00:09