標籤:wap 複雜度 class ack 遍曆 style list pac out
時間複雜度為O( n^(3/2) )
不是一個穩定的排序演算法
如何看一個演算法是否穩定:
{("scala",12),("python",34),("c++",12),("c",76),("java",44)}
scala和c++的值相等,排序前scala在c++的前面
如果排序後
{("scala",12),("c++",12),("python",34),("java",44),("c",76)}//scala還是在c++的前面,穩定
{("c++",12),("scala",12),("python",34),("java",44),("c",76)}//scala在c++的後面,不穩定
package com.sort.shell;public class ShellSort { public static void swap(int[] list, int a, int b){ int temp; temp = list[a]; list[a] = list[b]; list[b] = temp; } public static void print(int list[]){ for(int i=0; i<list.length; i++){ System.out.print(" "+list[i]); } } /** * {0,9,1,5,8,3,7,4,6,2} * * int increment = L.length-1; * 設定一個增量increment * increment = increment/3+1; * increment=4 * i=5 , 從5號到9號遍曆 * 讓1號和5號比較,如果1號大於5號,就交換位置 * 2號和6號比較,如果2號不大於6號,就不動 * 3號和7號比較、(3-4)!> 0,結束 * 4號和8號比較 (4-4)!> 0,結束 * 5號和9號比較,發現(5-4=1)>0,就讓1號和5號比較,(1-4)!>0,結束 * * increment = increment/3+1; * increment=2 * i=3,從3號到9號遍曆 * 1號和3號比較(1-3)!> 0,結束 * 2號和4號比較 * 3號和5號比較,1號和3號比較 * 4號和6號比較,2號和4號比較 * 5號和7號比較,3號和5號比較,1號和3號比較 * 6號和8號比較,4號和6號比較,2號和4號比較 * 7號和9號比較,5號和7號比較,3號和5號比較,1號和3號比較 * * increment = increment/3+1; * increment = 1 * 2號到9號遍曆 * 2號和1號比較 * 3號和2號比較 * ....... * * */ public static void shellSort(int[] L){ int i,j; int increment = L.length-1; do{ increment = increment/3+1; //增量序列 for(i=increment+1; i<=L.length-1; i++){ if(L[i] < L[i-increment]){ L[0] = L[i]; // 暫存在L[0] for(j=i-increment; j>0 && L[0]<L[j]; j-=increment){ L[j+increment] = L[j]; //記錄後移,尋找插入位置 } L[j+increment] = L[0]; //插入 } } }while(increment > 1); } public static void sort(int[] list){ //前奏工作 int [] L = new int[list.length+1]; L[0] = 0; // 讓0號元素為作為暫存資料的位置 for(int i=1; i<L.length; i++){ L[i] = list[i-1]; } shellSort(L);//進行希爾排序 //收尾工作 for(int i=1; i<L.length; i++){ list[i-1] = L[i]; } } public static void main(String[] args) { int [] list = new int[]{9,1,5,8,3,7,4,6,2}; print(list); System.out.println(); sort(list); print(list); } }
希爾排序(java)