203,移除連結串列元素
阿新 • • 發佈:2018-11-05
刪除連結串列中等於給定值 val 的所有節點。
示例:
輸入: 1->2->6->3->4->5->6, val = 6 輸出: 1->2->3->4->5
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode(int x) { val = x; }
* }
*/
class Solution {
public ListNode removeElements(ListNode head, int val) {
if(head==null) return head;
ListNode dumy= new ListNode(0);
dumy.next=head;
ListNode cur=dumy;
while(cur.next!=null)
{
if(cur.next.val==val)
{
cur.next=cur.next.next;
}
else
cur=cur.next;
}
return dumy.next;
}
}