zoukankan      html  css  js  c++  java
  • Java实现计数排序

    1 问题描述
    给定一组数据,请使用计数排序,得到这组数据从小到大的排序序列。

    2 解决方案
    2.1比较计数排序

    下面算法的时间复杂度为O(n^2),空间复杂度为O(n)。此方法对于任意一组数据均可排序。

    package com.liuzhen.practice;
    
    public class Main {
        
        public void comparisonCountingSort(int[] A) {
            int[] temp = new int[A.length];
            int[] count = new int[A.length];
            for(int i = 0;i < A.length - 1;i++) {
                for(int j = i + 1;j < A.length;j++) {
                    if(A[i] < A[j])
                        count[j]++;
                    else
                        count[i]++;
                }
            }
            for(int i = 0;i < A.length;i++)
                temp[count[i]] = A[i];
            for(int i = 0;i < A.length;i++)
                A[i] = temp[i];
            return;
        }
        
        public static void main(String[] args) {
            Main test = new Main();
            int[] A = {2,3,1,4,6,4,3,5,3,2,5,3,5,2,3,4,5,2,54,3,21};
            test.comparisonCountingSort(A);
            for(int i = 0;i < A.length;i++)
                System.out.print(A[i]+" ");
        }
    }
    

    运行结果:

    1 2 2 2 2 3 3 3 3 3 3 4 4 4 5 5 5 5 6 21 54 
    

    2.2 分布计数排序
    下面算法的时间复杂度为O(n),空间复杂度为O(n)。该方法的时间效率要优于快速排序和合并排序,但是此方法对于给定数据有一定的要求,即数组中元素满足min <= A[i] <= max,且在min ~ max之间的所有元素在数组A中均有出现。

    package com.liuzhen.practice;
    
    public class Main1 {
        //数组A中所有均大于等于min,小于等于max,并且min~max之间的所有元素在数组A中均出现
        public void distributionCountingSort(int[] A, int min, int max) {
            int[] temp = new int[A.length];
            int[] D = new int[max - min + 1];
            for(int i = 0;i < A.length;i++)
                D[A[i] - min]++;
            for(int i = 0;i < max - min;i++)
                D[i + 1] = D[i + 1] + D[i];
            for(int i = 0;i < A.length;i++) {
                int j = A[i] - min;
                temp[D[j] - 1] = A[i];
                D[j]--;
            }
            for(int i = 0;i < A.length;i++)
                A[i] = temp[i];
            return;
        }
        
        public static void main(String[] args) {
            Main1 test = new Main1();
            int[] A = {1,2,3,4,5,6,7,8,9,2,4,5,4,3,4,5,2,3,4,5,2,3,5,4,2,3,5,4,3,2,5,3,3,5};
            test.distributionCountingSort(A, 1, 9);
            for(int i = 0;i < A.length;i++)
                System.out.print(A[i]+" ");
        }
    }
    

    运行结果:

    1 2 2 2 2 2 2 3 3 3 3 3 3 3 3 4 4 4 4 4 4 4 5 5 5 5 5 5 5 5 6 7 8 9 
    
  • 相关阅读:
    python的类的继承和多继承
    python的类访问控制、私有属性
    python的面向对象、类方法和静态方法
    python的序列化和反序列化
    python高阶函数、柯里化、装饰器、参数注解
    python函数参数、参数解构、作用域、递归及匿名函数
    python内置函数列表解析、生成器
    python内置函数字典(dict)
    python内置函数集合(set)
    定制自己的打印函数---进阶篇
  • 原文地址:https://www.cnblogs.com/a1439775520/p/13077795.html
Copyright © 2011-2022 走看看