📅  最后修改于: 2023-12-03 15:18:10.333000             🧑  作者: Mango
在编程中,排序数字是一个常见的任务。Java 提供了多种方法来对数字进行排序。下面是一些常用的排序算法和示例代码。
冒泡排序是一种简单的排序算法,它重复地遍历要排序的元素列表,比较相邻的两个元素,并将顺序不正确的元素进行交换,直到整个列表排序完成。
public class BubbleSort {
public static void bubbleSort(int[] arr) {
int n = arr.length;
for (int i = 0; i < n-1; i++) {
for (int j = 0; j < n-i-1; j++) {
if (arr[j] > arr[j+1]) {
// 交换arr[j]和arr[j+1]
int temp = arr[j];
arr[j] = arr[j+1];
arr[j+1] = temp;
}
}
}
}
public static void main(String[] args) {
int[] arr = {64, 34, 25, 12, 22, 11, 90};
bubbleSort(arr);
System.out.println("排序后的数组:");
for (int i = 0; i < arr.length; i++) {
System.out.print(arr[i] + " ");
}
}
}
快速排序是一种常用的排序算法,采用递归的方式将数组分解为较小的子数组,然后分别对子数组进行排序。
public class QuickSort {
public static void quickSort(int[] arr, int low, int high) {
if (low < high) {
int pivot = partition(arr, low, high);
quickSort(arr, low, pivot - 1);
quickSort(arr, pivot + 1, high);
}
}
public static int partition(int[] arr, int low, int high) {
int pivot = arr[high];
int i = (low - 1);
for (int j = low; j < high; j++) {
if (arr[j] < pivot) {
i++;
int temp = arr[i];
arr[i] = arr[j];
arr[j] = temp;
}
}
int temp = arr[i + 1];
arr[i + 1] = arr[high];
arr[high] = temp;
return i + 1;
}
public static void main(String[] args) {
int[] arr = {64, 34, 25, 12, 22, 11, 90};
int n = arr.length;
quickSort(arr, 0, n - 1);
System.out.println("排序后的数组:");
for (int i = 0; i < n; i++) {
System.out.print(arr[i] + " ");
}
}
}
Java 数组类提供了一个 sort
方法,可用于对数组进行排序。这个方法使用了快速排序算法。
import java.util.Arrays;
public class ArraySort {
public static void main(String[] args) {
int[] arr = {64, 34, 25, 12, 22, 11, 90};
Arrays.sort(arr);
System.out.println("排序后的数组:");
for (int i = 0; i < arr.length; i++) {
System.out.print(arr[i] + " ");
}
}
}
以上是几种常用的方法来对数字进行排序的示例代码。根据实际需求和数据量大小,选择合适的排序算法来排序数字。排序算法是计算机科学中的重要概念,学习和了解不同的排序算法对于开发人员来说是非常有价值的。