氣泡排序及其改進
阿新 • • 發佈:2018-11-10
import java.util.Arrays;
/*
* 氣泡排序及其優化:
*/
public class maopaoSort {
//原始的氣泡排序
public static void bubbleSort1(int[] arr) {
for (int i = 0; i < arr.length - 1; i++) {
for (int j = 0; j < arr.length - i - 1; j++) {
if (arr[j] > arr[j + 1]) {
int tmp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = tmp;
}
}
}
}
// 優化1 :新增標誌位
public static void bubbleSort2(int[] arr) {
boolean flag;
for (int i = 0; i < arr.length - 1; i++) {
flag = false ;
for (int j = 0; j < arr.length - i - 1; j++) {
if (arr[j] > arr[j + 1]) {
int tmp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = tmp;
flag = true;
}
}
if (!flag) {
break; // 如果上一遍遍歷 flag沒有發生變化交換說明已經排好了,直接跳出
}
}
}
//優化2:用 last記錄最後一次交換的地址,那麼[last--length]之間肯定是排好的,
// 下次直接從[0--last]開始
public static void bubbleSort3(int[] arr) {
int last = arr.length - 1; //初始位置
int last_temp = 0;
for (int i = 0; i < arr.length - 1; i++) {
last_temp = last;
for (int j = 0; j < last_temp; j++) {
if (arr[j] > arr[j + 1]) {
int tmp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = tmp;
last = j;
}
}
if (last == last_temp) {//結合優化1
break;
}
}
}
public static void main(String[] args) {
int[] a = { 0, 1, 2, 3, 4, 9, 7, 56, 89, 6, 7,9 };
bubbleSort3(a);
System.out.println(Arrays.toString(a));
}
}