无法从链接列表类中删除第一个节点

时间:2019-06-27 18:21:53

标签: java linked-list singly-linked-list

我有一个问题。我正在使用“破解编码面试”教科书在链接列表上练习一些面试问题,在解决问题之前,我尝试实现自己的LinkedList数据结构。我正在尝试测试该类的功能。其他所有工作都很好,但是我不知道如何删除LinkedList的第一个节点。

弄清楚我自己的代码实现不起作用后,我尝试了CTCI书中的代码,但无济于事。下面是我的链表数据结构代码:

static class Node{
        Node next = null;
        int data;

        public Node(int d) {
            data = d;
        }

        void appendToTail(int d) {
            Node end = new Node(d);
            Node n = this;
            while(n.next != null) {
                n = n.next;
            }
            n.next = end;
        }

        Node deleteNode(Node head, int d) {
            if(head == null) return null;
            Node n = head;
            if(n.data == d) {
                return head.next;
            }

            while(n.next != null) {
                if(n.next.data == d) {
                    n.next = n.next.next;
                    return head;
                }
                n = n.next;
            }
            return head;

        }

        int size () {
            int length = 0;
            Node n = this;
            if(n == null) {
                return 0;
            } 
            length = 1;
            while(n.next != null) {
                n = n.next;
                length++;
            }

            return length;
        }

        void printNode() {
            Node d = this;
            while(d != null) {
                if(d.next != null) {
                    System.out.print(d.data + " --> ");
                } else {
                    System.out.println(d.data + " ");
                }

                d = d.next;
            }
        }

    }

我想知道为什么我能够删除除第一个节点以外的所有其他节点。

我确实设置了以下测试用例:

public static void main(String[] args) {
        //test cases
        Node test = new Node(0);
        for(int i = 1; i <= 20; i++) {
            test.appendToTail(i);
        }

        test.printNode();

        for(int i = 0; i <= 20; i = i + 2) {
            test.deleteNode(test, i);
        }

        test.printNode();


    }

删除所有偶数节点后收到的输出为0 --> 1 --> 3 --> 5 --> 7 --> 9 --> 11 --> 13 --> 15 --> 17 --> 19,但我的预期输出为1 --> 3 --> 5 --> 7 --> 9 --> 11 --> 13 --> 15 --> 17 --> 19

1 个答案:

答案 0 :(得分:2)

问题是,当删除链表中的第一个元素时,您将发送head.next,但是您没有在测试变量中使用它。

代码应为

public static void main(String[] args) {
        //test cases
        Node test = new Node(0);
        for(int i = 1; i <= 20; i++) {
            test.appendToTail(i);
        }

        test.printNode();

        for(int i = 0; i <= 20; i = i + 2) {
            test = test.deleteNode(test, i);
        }

        test.printNode();


    }

添加此

test = test.deleteNode(test, i);

那么结果将是

0 --> 1 --> 2 --> 3 --> 4 --> 5 --> 6 --> 7 --> 8 --> 9 --> 10 --> 11 --> 12 --> 13 --> 14 --> 15 --> 16 --> 17 --> 18 --> 19 --> 20
3 --> 5 --> 7 --> 9 --> 11 --> 13 --> 15 --> 17 --> 19