在一个排列中,如果一对数的前后位置与大小顺序相反,即前面的数大于后面的数,那么它们就称为一个逆序。一个排列中逆序的总数就称为这个排列的逆序数。比如一个序列为 {1, 3, 5, 6, 2, 4, 7, 8}, 那么这个序列的逆序数为7,逆序对分别为(3, 2), (5, 2), (6, 2), (5, 4), (6, 4)。
/**
* 功能:归并排序统计逆序对个数
* 创建时间:2022/10/7 22:20
*/
public class SolutionMegerSort01 {
public static int sort(Integer[] array, int left, int right) {
if (left >= right) return 0;
int mid = (left + right) / 2;
int count = 0;
count += sort(array, left, mid);
//右边拆分递归排序
count += sort(array, mid + 1, right);
if (array[mid] > array[mid + 1])
count += mergeSort(array, left, mid, right);
return count;
}
private static int mergeSort(Integer[] array, int left, int mid, int right) {
//因为copy不含右边界
Integer[] temp = Arrays.copyOfRange(array, left, right + 1);
int count = 0;
int i = left, j = mid + 1;
for (int k = left; k <= right; k++) {
if (i > mid) {
array[k] = temp[j - left];
j++;
} else if (j > right) {
array[k] = temp[i - left];
i++;
} else if (temp[i - left] <= temp[j - left]) {
array[k] = temp[i - left];
i++;
} else if (temp[i - left] > temp[j - left]) {
array[k] = temp[j - left];
j++;
count += mid - i + 1;
}
}
return count;
}
public static void main(String[] args) {
Integer[] arr = {1, 3, 5, 6, 2, 4, 7, 8};
System.out.println(Arrays.toString(arr));
int count = sort(arr, 0, arr.length - 1);
System.out.println(Arrays.toString(arr));
System.out.println(count);
}
}
结果:
[1, 3, 5, 6, 2, 4, 7, 8]
[1, 2, 3, 4, 5, 6, 7, 8]
5