-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathp101.java
60 lines (54 loc) · 1.61 KB
/
p101.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
/*Given an unsorted linked list of N nodes. The task is to remove duplicate elements from this unsorted Linked List. When a value appears in multiple nodes, the node which appeared first should be kept, all others duplicates are to be removed.
Example 1:
Input:
N = 4
value[] = {5,2,2,4}
Output: 5 2 4
Explanation:Given linked list elements are
5->2->2->4, in which 2 is repeated only.
So, we will delete the extra repeated
elements 2 from the linked list and the
resultant linked list will contain 5->2->4
Example 2:
Input:
N = 5
value[] = {2,2,2,2,2}
Output: 2
Explanation:Given linked list elements are
2->2->2->2->2, in which 2 is repeated. So,
we will delete the extra repeated elements
2 from the linked list and the resultant
linked list will contain only 2.
Your Task:
You have to complete the method removeDuplicates() which takes 1 argument: the head of the linked list. Your function should return a pointer to a linked list with no duplicate element.
Expected Time Complexity: O(N)
Expected Auxiliary Space: O(N)
Constraints:
1 <= size of linked lists <= 106
0 <= numbers in list <= 104*/
/* The structure of linked list is the following
class Node
{
int data;
Node next;
Node(int d) {
data = d;
next = null;
}
}
*/
class Solution{
public Node removeDuplicates(Node head){
Set<Integer> s=new HashSet<>();
Node curr=head;
while(curr.next!=null){
s.add(curr.data);
if(s.contains(curr.next.data)){
curr.next=curr.next.next;
}else{
curr=curr.next;
}
}
return head;
}
}