-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathInversionCount.cpp
57 lines (50 loc) · 1.69 KB
/
InversionCount.cpp
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
// code to find inversion count in nlog(n).
// to get answer pass the array and size to mergeSort function all other function are helper fucntions, so ignore
// inversion count is number of pairs in array such that a[i]>a[j] and i<j.
// Inversion Count for an array indicates – how far (or close) the array is from being sorted. If array is already sorted then
// inversion count is 0. If array is sorted in reverse order that inversion count is the maximum.
// given array find the minimum number of swaps required to sort the array... given that you can only swap adjacent elements.
// answer to this problem is equal to the number of inversion in the array.
ll _mergeSort(int arr[], int temp[], int left, int right);
ll merge(int arr[], int temp[], int left, int mid, int right);
ll mergeSort(int arr[], int array_size)
{
int temp[array_size];
return _mergeSort(arr, temp, 0, array_size - 1);
}
ll _mergeSort(int arr[], int temp[], int left, int right)
{
ll mid, inv_count = 0;
if (right > left) {
mid = (right + left) / 2;
inv_count += _mergeSort(arr, temp, left, mid);
inv_count += _mergeSort(arr, temp, mid + 1, right);
inv_count += merge(arr, temp, left, mid + 1, right);
}
return inv_count;
}
ll merge(int arr[], int temp[], int left,
int mid, int right)
{
int i, j, k;
ll inv_count = 0;
i = left;
j = mid;
k = left;
while ((i <= mid - 1) && (j <= right)) {
if (arr[i] <= arr[j]) {
temp[k++] = arr[i++];
}
else {
temp[k++] = arr[j++];
inv_count = inv_count + (mid - i);
}
}
while (i <= mid - 1)
temp[k++] = arr[i++];
while (j <= right)
temp[k++] = arr[j++];
for (i = left; i <= right; i++)
arr[i] = temp[i];
return inv_count;
}