-
Notifications
You must be signed in to change notification settings - Fork 619
/
Copy pathduplicate.py
30 lines (21 loc) · 835 Bytes
/
duplicate.py
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
# Find duplicate in an array of integers given that the integers are in random order and
# not necessarily each integer i is 0 <= i <= N where N = length of array
# Solution - use tortoise and hare algorithm. The tortoise pointer moves slower while the hare pointer
# moves faster
# Note: this array will always contain a duplicate number due to the pigeonhole principle. You are trying to fit
# N different numbers in an array of size N - 1 so one number will be repeated
def duplicate(arr):
tortoise = arr[0]
hare = arr[0]
while True:
tortoise = arr[tortoise]
hare = arr[arr[hare]]
if tortoise == hare:
break
tortoise = arr[0]
while tortoise != hare:
tortoise = arr[tortoise]
hare = arr[hare]
return hare
arr = [3,5,1,2,4,5]
print(duplicate(arr))