快速排序(比希尔排序会快稳定一点)

百度百科:

https://baike.baidu.com/item/%E5%BF%AB%E9%80%9F%E6%8E%92%E5%BA%8F%E7%AE%97%E6%B3%95/369842?fromtitle=%E5%BF%AB%E9%80%9F%E6%8E%92%E5%BA%8F&fromid=2084344&fr=aladdin

 

示意图:

快速排序(比希尔排序会快稳定一点)_第1张图片

快速排序(比希尔排序会快稳定一点)_第2张图片 

代码:

package com.afmobi;

import static org.hamcrest.CoreMatchers.instanceOf;

import java.util.Arrays;

import org.apache.commons.lang3.ArrayUtils;

public class QuickSort {

	public static void main(String[] args) {
		int[] arr = { -9,78,0,23,-567,70 };
		QuickSort.quickSort(arr,0,arr.length -1 );
		System.out.println("arr:" + Arrays.toString(arr));
	}

	public static void quickSort(int[] arr,int left,int right) {
		int l = left;
		int r = right;
		
		int pivot = arr[(left + right)/2]; //中轴值
		int temp = 0;
		
		// 循环的目的是让比pivot值小的数全部放到左边
		while (l < r) {
			// 在pivot的左边一直找,找到大于pivot的数才退出
			while (arr[l] < pivot) {
				l++;
			}
			// 在pivot的右边一直找,找到小于pivot的数才退出
			while (arr[r] > pivot) {
				r--;
			}
			
			if (l >= r) { // pivot左边全是pivot的数,
				break;
			}
			
			//交换
			temp = arr[l];
			arr[l] = arr[r];
			arr[r] = temp;
			
			// 如果交换完arr[l] = pivot,那就不必要比右边了;
			if (arr[l] == pivot) {
				r--;
			}
			//同理
			if (arr[r] == pivot) {
				l++;
			} 
			
		}
		//注意:如果l == r 必须l++,r-- 否则递归调用,会栈溢出
		if (l == r) {
			l++;
			r--;
		}
		
		//向左递归
		if (left < r) {
			quickSort(arr, left, r);
		}
		
		if (right > l) {
			quickSort(arr, l, right);
		}
		
	}
}

测试结果:

快速排序(比希尔排序会快稳定一点)_第3张图片

你可能感兴趣的:(Java数据结构和算法)