删除链表中等于给定值的所有值

Removing all the values in the linked list equal to a given value

你能解释一下为什么我的代码并不总是删除链表中等于方法参数中给定值的所有值吗?我该如何解决?它通过了 97% 的测试用例。我更愿意解决这个问题,而不是使用 prev/next/dummy 指针更改整个方法。

/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) { val = x; }
 * }
 */
public class Solution {
    /**
     * @param head a ListNode
     * @param val an integer
     * @return a ListNode
     */
    public ListNode removeElements(ListNode head, int val) {
        while (head!=null && head.val==val){
                head = head.next;
        }
        ListNode tmp=head;

        while (tmp!=null) {
                if (tmp.next!=null && tmp.next.val== val ) {
                    tmp.next=tmp.next.next;
                }
            tmp=tmp.next;
        }
        if (tmp != null) {
            if (tmp.val == val) {
                tmp = tmp.next;
            }
        }
        return head;
    }
}

它没有通过这个测试用例:

Input
5->6->6->null, 6
Output
5->6->null
Expected
5->null

这里是 the problem 的更多详细信息: Given 1->2->3->3->4->5->3, val = 3, you should return the list as 1->2->4->5

在你的内部 while 循环中,更改:

if (tmp.next!=null && tmp.next.val== val ) {
     tmp.next=tmp.next.next;
}

while (tmp.next!=null && tmp.next.val== val ) {
     tmp.next=tmp.next.next;
}

您的版本将跳过要删除的每对连续值中的第二个。 你做什么:

5->6->6->空

-tmp: 5 -> 删除第一个 6,然后将 tmp 设置为第二个 6

-tmp: 6, tmp.next: null -> finished (one 6 remains)

我认为这也有效:

while (tmp!=null) {
     if (tmp.next!=null && tmp.next.val== val ) {
         tmp.next=tmp.next.next;
      }
      else tmp=tmp.next;
 }

http://code.geeksforgeeks.org/K5yVzm