求数组中逆序的个数

     考虑一下,逆序是说a[i]>a[j],i<j。那么在排序的过程中,会把a[i]和a[j]交换过来,这个交换的过程,每交换一次,就是一个逆序对的“      一个比较好的思路是利用分治的思想:先求前面一半数组的逆序数,再求后面一半数组的逆序数,然后求前面一半数组比后面一半数组中大的数的个数(也就是逆序数),这三个过程加起来就是整体的逆序数目了。看这个描述,是不是有点像归并排序呢?      利用归并排序的过程中,在每一次归并两个数组的时候,如果左数组比右数组大,那么着就是一个逆序。记录所有左数组比右数组大的情况,就是全部的逆序数目。

 

public class MergeSort {
	static int count = 0;

	// 将有二个有序数列a[first...mid]和a[mid...last]合并。
	static void mergearray(int a[], int first, int mid, int last, int temp[]) {
		int i = first, j = mid + 1;
		int m = mid, n = last;
		int k = 0;
		while (i <= m && j <= n) {
			if (a[i] > a[j]) {
				// 左数组比右数组大
				temp[k++] = a[j++];
				// 因为如果a[i]此时比右数组的当前元素a[j]大,
				// 那么左数组中a[i]后面的元素就都比a[j]大
				// 【因为数组此时是有序数组】
				count += mid - i + 1;
			} else {
				temp[k++] = a[i++];
			}
		}
		while (i <= m) {
			temp[k++] = a[i++];
		}
		while (j <= n) {
			temp[k++] = a[j++];
		}
		for (i = 0; i < k; i++)
			a[first + i] = temp[i];
	}

	static void mergesort(int a[], int first, int last, int temp[]) {
		if (first < last) {
			int mid = (first + last) / 2;
			mergesort(a, first, mid, temp); // 左边有序
			mergesort(a, mid + 1, last, temp); // 右边有序
			mergearray(a, first, mid, last, temp); // 再将二个有序数列合并
		}
	}

	static void mergeSort(int a[]) {
		int[] p = new int[a.length];
		mergesort(a, 0, a.length - 1, p);
	}

	public static void main(String ss[]) {

		// int data[] = { 8, 7, 5, 6, 4 };
		int data[] = { 4, 3, 2, 1 };
		mergeSort(data);

		for (int i = 0; i < data.length; i++) {
			System.out.print(data[i] + "\t");
		}
		System.out.println();
		System.out.println(count);
	}
}
posted @ 2016-08-16 17:06  简单爱_wxg  阅读(2097)  评论(0)    收藏  举报