-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathminimisemaxdiff.java
131 lines (99 loc) · 2.33 KB
/
minimisemaxdiff.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
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
package array;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.Collections;
import java.util.Comparator;
public class minimisemaxdiff {
//Minimize the maximum diff between heights
public static void main(String[] args) {
// TODO Auto-generated method stub
int[] arr = { 2, 6, 3, 4, 7, 2, 10, 3, 2, 1 };
// int[] arr = { 3, 9, 12, 16, 20 };
// minimise(arr, 5, arr.length);
System.out.println(getMinDiff(arr, arr.length, 5));
}
static class pair {
int value;
int ind;
}
public static void minimise(int[] arr, int k, int n) {
ArrayList<pair> list = new ArrayList<>();
int[] visited = new int[n];
for (int i = 0; i < arr.length; i++) {
pair p = new pair();
p.value = arr[i] + k;
p.ind = i;
list.add(p);
if (arr[i] - k >= 0) {
pair a = new pair();
a.value = arr[i] - k;
a.ind = i;
list.add(a);
}
}
Collections.sort(list, new Comparator<pair>() {
@Override
public int compare(pair o1, pair o2) {
// TODO Auto-generated method stub
return o1.value - o2.value;
}
});
int l = 0, r = 0, ele = 0;
while (ele < n && r < list.size()) {
if (visited[list.get(r).ind] == 0) {
ele++;
}
visited[list.get(r).ind]++;
r++;
}
int ans = list.get(r - 1).value - list.get(l).value;
while (r < list.size()) {
// now shift window
if (visited[list.get(l).ind] == 1) {
ele--;
}
visited[list.get(l).ind]--;
l++;
while (ele < n && r < list.size()) {
if (visited[list.get(r).ind] == 0) {
ele++;
}
visited[list.get(r).ind]++;
r++;
}
if (ele == n) {
ans = Math.min(ans, list.get(r - 1).value - list.get(l).value);
} else
break;
}
System.out.println(ans);
}
static int getMinDiff(int arr[], int n, int k) {
if (n == 1)
return 0;
Arrays.sort(arr);
int ans = arr[n - 1] - arr[0];
int small = arr[0] + k;
int big = arr[n - 1] - k;
int temp = 0;
if (small > big) {
temp = small;
small = big;
big = temp;
}
// Traverse middle elements
for (int i = 1; i < n - 1; i++) {
int subtract = arr[i] - k;
int add = arr[i] + k;
if (subtract >= small || add <= big)
continue;
if (big - subtract <= add - small)
small = subtract;
else
big = add;
}
System.out.println(big);
System.out.println(small);
return Math.min(ans, big - small);
}
}