桶排序算法java代码
时间: 2023-11-20 21:53:00 浏览: 81
java实现桶排序算法
以下是桶排序算法的Java代码实现:
public static int[] bucketSort(int[] array, int bucketSize) {
if (array.length == 0) {
return array;
}
// 找到最大值和最小值
int minValue = array;
int maxValue = array;
for (int i = 1; i < array.length; i++) {
if (array[i] < minValue) {
minValue = array[i];
} else if (array[i] > maxValue) {
maxValue = array[i];
}
}
// 计算桶的数量
int bucketCount = (maxValue - minValue) / bucketSize + 1;
ArrayList<ArrayList<Integer>> buckets = new ArrayList<>(bucketCount);
for (int i = 0; i < bucketCount; i++) {
buckets.add(new ArrayList<>());
}
// 将元素分配到桶中
for (int i = 0; i < array.length; i++) {
int bucketIndex = (array[i] - minValue) / bucketSize;
buckets.get(bucketIndex).add(array[i]);
}
// 对每个桶中的元素进行排序
int currentIndex = 0;
for (int i = 0; i < buckets.size(); i++) {
ArrayList<Integer> bucket = buckets.get(i);
if (bucket.size() == 0) {
continue;
}
int[] bucketArray = new int[bucket.size()];
for (int j = 0; j < bucket.size(); j++) {
bucketArray[j] = bucket.get(j);
}
int[] sortedBucket = bubbleSort(bucketArray);
for (int j = 0; j < sortedBucket.length; j++) {
array[currentIndex++] = sortedBucket[j];
}
}
return array;
}
其中,bubbleSort是冒泡排序算法的实现。
阅读全文