帮我编写一个冒泡排序java
时间: 2023-03-01 16:15:23 浏览: 90
好的,这是一个Java实现的冒泡排序代码:
```
public class BubbleSort {
public static void main(String[] args) {
int[] arr = {64, 34, 25, 12, 22, 11, 90};
bubbleSort(arr);
System.out.println("Sorted array :");
for (int i=0; i < arr.length; i++){
System.out.print(arr[i] + " ");
}
}
static void bubbleSort(int[] arr) {
int n = arr.length;
int temp = 0;
for(int i=0; i < n; i++){
for(int j=1; j < (n-i); j++){
if(arr[j-1] > arr[j]){
//swap elements
temp = arr[j-1];
arr[j-1] = arr[j];
arr[j] = temp;
}
}
}
}
}
```
请注意,冒泡排序是一种简单的排序算法,但它并不是最快的。如果您需要对大数据集进行排序,请考虑使用其他算法,例如快速排序或归并排序。
阅读全文