标签:基本 依次 info while base nbsp ini 个数 inf
比较相邻的两个元素,如果元素位置不正确(前面的比后面的大),则互换两个元素,直到将最大的元素换到数列的底部。
每一次外层循环都将从待排元素中将最大元素换到这些元素的底部,待排元素数量减一,直到排为有序集合。
/** * * @version: 1.1.0 * @Description: 冒泡排序,时间复杂度为N^2,空间复杂度为1 * @author: wsq * @date: 2020年6月6日下午5:26:03 */ public class BubbleSort { public static void main(String[] args) { int[] array = new int[] { 1, 6, 8, 2, 7, 4, 3, 9 }; // 调用快排的方法 bubbleSort(array); // 打印数组 System.out.println(Arrays.toString(array)); } public static void bubbleSort(int[] array) { // 用来交换数据 int temp; // 外层排序,一次为一趟的比较 for (int i = 0; i < array.length - 1; i++) { for (int j = 0; j < array.length - 1 - i; j++) { // 前后的数据进行对比,如果前面的数据比后面的大,那么进行交换 if (array[j] > array[j + 1]) { temp = array[j]; array[j] = array[j + 1]; array[j + 1] = temp; } } } } }
选择排序(Selection sort)是一种简单直观的排序算法。它的工作原理是:第一次从待排序的数据元素中选出最小(或最大)的一个元素,存放在序列的起始位置,然后再从剩余的未排序元素中寻找到最小(大)元素,然后放到已排序的序列的末尾。以此类推,直到全部待排序的数据元素的个数为零。
选择排序说白了,就是每次循环都找出最小元素的下标,放到已排序元素的末尾,直到没有元素可以进行排序。
/** * * @version: 1.1.0 * @Description: 选择排序,时间复杂度为:n^2,空间夫复杂度为1 * @author: wsq * @date: 2020年6月6日下午5:42:24 */ public class SelectionSort { public static void main(String[] args) { int[] array = new int[] { 1, 8, 9, 2, 4, 10, 6, 7 }; // 调用选择排序 selection(array); // 打印数组 System.out.println(Arrays.toString(array)); } public static void selection(int[] array) { // 按顺序取出数组中的第一个数字 for (int i = 0; i < array.length - 1; i++) { // 获取最小的元素的下标 int minIndex = i; for (int j = i + 1; j < array.length; j++) { if (array[minIndex] > array[j]) { minIndex = j; } } // 将i指向的当前位置的元素与最小元素互换 // 判断是否需要进行互换 if (minIndex != i) { int temp = array[i]; array[i] = array[minIndex]; array[minIndex] = temp; } } } }
插入排序,一般也被称为直接插入排序。对于少量元素的排序,它是一个有效的算法 。
插入排序是一种最简单的排序方法,它的基本思想是将一个记录插入到已经排好序的有序表中,从而一个新的、记录数增1的有序表。
在其实现过程使用双层循环,外层循环对除了第一个元素之外的所有元素,内层循环对当前元素前面有序表进行待插入位置查找,并进行移动。
插入排序就是从第二个元素开始,每次循环向前面找比自己小的元素,如果有就插入到它的后面,如果没有,则前面的元素后移,继续和前面的元素比较,直到放到合适的位置。
/** * * @version: 1.1.0 * @Description: 插入排序,平均时间复杂度:n^2,空间复杂度1 * @author: wsq * @date: 2020年6月6日下午6:36:16 */ public class InsertionSort { public static void main(String[] args) { int[] array = new int[] { 1, 6, 8, 9, 2, 7, 4, 3, 9 }; // 调用插入排序 insertionSort(array); // 打印数组 System.out.println(Arrays.toString(array)); } public static void insertionSort(int[] array) { // 遍历外侧的下标大于1所有元素 for (int i = 1; i < array.length; i++) { // 取出需要选择位置的元素 int max = array[i]; int j = i - 1; // 找出第一个值小于此元素的元素 while (j >= 0 && max < array[j]) { // 将元素后移 array[j + 1] = array[j]; j--; } // 将目标元素放到合适的位置上 array[j + 1] = max; } } }
标签:基本 依次 info while base nbsp ini 个数 inf
原文地址:https://www.cnblogs.com/mcjhcnblogs/p/13056307.html