BiruLyu
8/4/2017 - 4:50 AM

203. Remove Linked List Elements(#).java

/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) { val = x; }
 * }
 */
public class Solution {
    public ListNode removeElements(ListNode head, int val) {
        if(head == null) return null;
        
        ListNode bh = new ListNode(-1);
        ListNode curr = bh;
        bh.next = head;
        
        while(curr.next != null){
        	if(curr.next.val == val){
        		curr.next = curr.next.next;
        	}else{
        		curr = curr.next;
        	}
        }
        return bh.next;
    }
}
/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) { val = x; }
 * }
 */
public class Solution {
    public ListNode removeElements(ListNode head, int val) {
        ListNode dummy = new ListNode(-1);
        dummy.next = head;
        ListNode pre = dummy, cur = head;
        while (cur != null) {
            if (cur.val == val) {
                pre.next = cur.next;
                cur = cur.next;
                continue;
            }
            pre = cur;
            cur = cur.next;
        }
        return dummy.next;
    }
}