37 lines
840 B
Java
37 lines
840 B
Java
/*
|
|
* @lc app=leetcode id=83 lang=java
|
|
*
|
|
* [83] Remove Duplicates from Sorted List
|
|
*/
|
|
|
|
// @lc code=start
|
|
/**
|
|
* Definition for singly-linked list.
|
|
* public class ListNode {
|
|
* int val;
|
|
* ListNode next;
|
|
* ListNode() {}
|
|
* ListNode(int val) { this.val = val; }
|
|
* ListNode(int val, ListNode next) { this.val = val; this.next = next; }
|
|
* }
|
|
*/
|
|
class Solution {
|
|
public ListNode deleteDuplicates(ListNode head) {
|
|
if(head == null || head.next == null) {
|
|
return head;
|
|
}
|
|
ListNode cur = head;
|
|
while(cur!=null && cur.next != null) {
|
|
if(cur.val == cur.next.val) {
|
|
// remove cur.next
|
|
cur.next = cur.next.next;
|
|
} else {
|
|
cur = cur.next;
|
|
}
|
|
}
|
|
return head;
|
|
}
|
|
}
|
|
// @lc code=end
|
|
|