算法-排序算法
说明:假设给定的一组数列为:5, 2, 4, 9, 1, 3, 7, 6, 8
。
1. 冒泡排序
冒泡排序是指:依次比较相邻的两个元素,如果后一个比前一个小(或大),则交换两个数的位置,则一轮遍历后,最大(或最小)的数就排在了最后一位。然后再重复该过程,把第二大(或小)的数排在倒数第二位,直到所有数都有序。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27
| public class Sort { public static void bubbleSort(int[] array) { if (array == null || array.length <= 1) { return; } boolean isSorted = false; for(int i = 0; i < array.length - 1; i++) { isSorted = true; for(int j = 0; j < array.length - 1 - i; j++) { if(array[j] > array[j + 1]) { isSorted = false; int temp = array[j]; array[j] = array[j + 1]; array[j + 1] = temp; } } if (isSorted) { return; } } } }
|
2. 选择排序
选择排序是指:按顺序遍历每一个数,每一轮遍历都向后寻找,找到最小(或最大)的数的下标,当前轮次 i 遍历完后,如果找到的最小(或最大)的数不在第 i 下标的为止,则交换到第 i 个。也就是第 i 轮遍历会找到第 i 小(或大)的数,并放到下标 i 处。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22
| public class Sort { public static void selectSort(int[] array) { if (array == null || array.length <= 1) { return; } for (int i = 0, minIndex = i; i < array.length - 1; i++) { for (int j = i + 1; j < array.length; j++) { if (array[j] < array[minIndex]) { minIndex = j; } } if (i != minIndex) { int temp = array[i]; array[i] = array[minIndex]; array[minIndex] = temp; } } } }
|
3. 插入排序
插入排序是指:顺序取出每一个元素,然后遍历该元素前的所有元素,将该元素有序插入到位于其之前的元素中,直到所有元素都有序插入。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19
| public class Sort { public static void insertionSort(int[] array) { if (array == null || array.length <= 1) { return; } for (int i = 1; i < array.length; i++) { for (int j = i; j >= 1; j--) { if (array[j] > array[j - 1]) { break; } int temp = array[j]; array[j] = array[j - 1]; array[j - 1] = temp; } } } }
|
4. 快速排序
快速排序是指:选定一个分割元素,将比这个元素小的所有元素都放到其左侧,比这个元素大的所有元素都放到其右侧,然后再对该分割元素的左右两段元素分别递归重复上述流程,直到最终无法再分割为止。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40
| public class Sort { public static void quickSort(int[] array) { if (array == null || array.length <= 1) { return; } doSort(array, 0, array.length - 1); }
private static void doSort(int[] array, int left, int right) { if (left > right || left < 0 || right > array.length) { return; } int temp; int splitIndex = right; int nextLessIndex = left; for (int i = left; i < right; i++) { if (array[i] <= array[splitIndex] && i != nextLessIndex) { temp = array[i]; array[i] = array[nextLessIndex]; array[nextLessIndex] = temp; nextLessIndex++; } } temp = array[nextLessIndex]; array[nextLessIndex] = array[split]; array[split] = temp; split = nextLessIndex; doSort(array, left, split - 1); doSort(array, split, right); } }
|