在实际的比赛过程中很少会自己手写排序,顶多是定义一下排序规则。之所以要练习一下基数排序,是因为在后续学习过程中学到后缀数组时需要自己手写基数排序,那么这里使用的方法也和后缀数组一致,理解这里也便于后缀数组的学习。
原数组:12 34 26 123 14 7
直接通过数字对应的关键字表示就可以了,可以写一个get(x,k)函数,表示取出数字x的第k个关键字,代码如下
private static int get(int a,int k) {
int id = 1;
while(a>0) {
if(id == k) return a%10;
a/=10;
id++;
}
return 0;
}
count[get(a[j],i)]++;
2号桶(count=1):12
3号桶(count=1):123
4号桶(count=2):34 14
6号桶(count=1):26
7号桶(count=1):7
count[j] += count[j-1];
2号桶(累积count=1):12
3号桶(累积count=2):123
4号桶(累积count=4):34 14
6号桶(累积count=5):26
7号桶(累积count=6):7
bu[count[get(a[j], i)]–] = a[j];
2号桶(累积count[2]=1):12
3号桶(累积count[3]=2):123
4号桶(累积count[4]=4):34 14
6号桶(累积count[6]=5):26
7号桶(累积count[7]=6):7
数字7的位序位累积count=6
数字26的位序位累积count=5
数字14的位序位累积count=4 count- -=3
数字34的位序位累积count=3
数字123的位序位累积count=2
数字12的位序位累积count=1
一轮排序后的结果为:
12 123 34 14 26 7
import java.util.Arrays;
import java.util.Scanner;
public class 基数排序{
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
int n = scanner.nextInt();
int a[] = new int[n+1];
int maxV = 0,max = 0;
for (int i = 1; i <= n; i++) {
a[i] = scanner.nextInt();
maxV = Math.max(maxV, a[i]);
}
int count[] = new int[10];
int bu[] = new int[n+1];
while(maxV > 0) {
maxV /= 10;
max++;
}
for(int i = 1;i <= max;i++) {
Arrays.fill(count, 0);
for (int j = 1; j <= n; j++) count[get(a[j],i)]++;
for (int j = 1; j <= 9; j++) count[j] += count[j-1];
for (int j = n; j > 0; j--) {
int k = get(a[j], i);
bu[count[k]--] = a[j];
}
for (int j = 1; j <= n; j++) a[j]=bu[j];
}
for (int i = 1; i <= n; i++)
System.out.print(a[i] + " ");
}
private static int get(int a,int k) {
int id = 1;
while(a>0) {
if(id == k) return a%10;
a/=10;
id++;
}
return 0;
}
}