选择排序
2019-02-15 本文已影响0人
FORGET_静哥哥
package com.xj.www.sort;
/**
* 选择排序算法
*
* @author xiongjing
*
*/
public class QuickSort {
/**
* 快速排序算法具体流程实现如下:
* 1.首先设定一个分界值,通过该分界值将数组分成左右两部分。
* 2.将大于等于分界值的数据集中到数组右边,小于分界值的数据集中到数组的左边。
* 此时,左边部分中各元素都小于等于分界值,而右边部分中各元素都大于等于分界值。
* 3.然后,左边和右边的数据可以独立排序,对于左侧的数组数据,又可以取一个分界值,将该
* 部分数据分成左右两部分,同样将左边放置较小值,右边放置较大值,同理,右侧也做类似处理。
* 4.重复上述过程,可以看出明着说一个递归定义。通过递归将左侧部分排好序后,在递归排好右
* 侧部分的顺序。当左、右两部分各数据排序完成后,整个数组的排序也就完成了。
*/
final static int SIZE = 18;
// 算法具体实现
public static void quick(int[] arr, int left, int right) {
int f, t, rtemp, ltemp;
ltemp = left;
rtemp = right;
// 分界值
f = arr[(right + left) / 2];
while (ltemp < rtemp) {
while (arr[ltemp] < f) {
++ltemp;
}
while (arr[rtemp] > f) {
--rtemp;
}
if (ltemp <= rtemp) {
t = arr[ltemp];
arr[ltemp] = arr[rtemp];
arr[rtemp] = t;
--rtemp;
++ltemp;
}
}
if (ltemp == rtemp) {
ltemp++;
}
if (left < rtemp) {
// 递归调用
quick(arr, left, ltemp - 1);
}
if (ltemp < right) {
// 递归调用
quick(arr, rtemp + 1, right);
}
}
// 程序主入口
public static void main(String[] args) {
int[] shuzu = new int[SIZE];
int i;
for (i = 0; i < SIZE; i++) {
shuzu[i] = (int) (100 + Math.random() * (100 + 1));
}
System.out.println("排序前的数组为:");
for (i = 0; i < SIZE; i++) {
System.out.print(shuzu[i] + " ");
}
System.out.print("\n");
quick(shuzu, 0, SIZE - 1);
System.out.println("排序后的数组为:");
for (i = 0; i < SIZE; i++) {
System.out.print(shuzu[i] + " ");
}
System.out.print("\n");
}
}