PIGEONHOLE SORT
Suitable for sorting integers within a small range when the distribution of values is relatively uniform.
The time complexity of Pigeonhole Sort is
O(n + Range), where:nis the number of elements to be sortedRangeis the difference between themaximumandminimumvalues in the input array.
STEPS
Find the Range:
- Calculate the
Rangeof the input values ->max - min + 1
- Calculate the
Initialize Pigeonholes:
- Create an array of
pigeonHolesof sizerange.
- Create an array of
Distribute Elements:
- For each element
A[i]in the input arrayA:- Calculate the index
idxasA[i] - min. - Add the element
A[i]to the correspondingpigeonholearray.
- Calculate the index
- For each element
Collect Elements:
- For each pigeonhole:
- For each element
xin the pigeonhole:- Set
res[idx] = x, and incrementidx.
- Set
- For each element
- For each pigeonhole:
IMPLEMENTATION
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
public int[] sort(int[] A){
int n = A.length;
if(n < 1) return A;
int min = Arrays.stream(A).min().orElse(Integer.MAX_VALUE);
int max = Arrays.stream(A).max().orElse(Integer.MIN_VALUE);
int range = max - min + 1;
ArrayList<Integer>[] pigeonHoles = new ArrayList[range];
for(int i=0; i<range; i++) pigeonHoles[i] = new ArrayList<>();
for(int i=0; i<n; i++){
int idx = A[i] - min;
pigeonHoles[idx].add(A[i]);
}
int[] res = new int[n];
int idx = 0;
while(idx < n){
for(int i=0; i<range; i++){
for(int x: pigeonHoles[i]){
res[idx] = x;
idx++;
}
}
}
return res;
}