Example
Given: 1 --> 2 --> 6 --> 3 --> 4 --> 5 --> 6, val = 6
Return: 1 --> 2 --> 3 --> 4 --> 5
Naive Way: It is the most common way of manipulating linked list. But as for linked list, null pointer will always be a problem.
As usual, I use a fake head pointer to make my code more smooth.
/**
* 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 fake = new ListNode(0);
ListNode pre = fake;
fake.next = head;
while(pre.next!=null){
ListNode cur = pre.next;
if(cur.val==val)
pre.next = cur.next; // remove the node
else
pre = cur;
}
return fake.next;
}
}
No comments:
Post a Comment