梳齿排序Java程序

Java中的Comb Sort消除了位于列表末尾的较小值,并且倒数被一一删除。让我们看一个例子-

示例

import java.util.Arrays;
public class Demo{
   void comb_sort(int nums[]){
      int len_gap = nums.length;
      float shrink_val = 1.3f;
      boolean swap = false;
      while (len_gap > 1 || swap) {
         if (len_gap > 1) {
            len_gap = (int)(len_gap / shrink_val);
         }
         swap = false;
         for (int i = 0; len_gap + i < nums.length; i++){
            if (nums[i] > nums[i + len_gap]) {
               swap(nums, i, i + len_gap);
               swap = true;
            }
         }
      }
   }
   private static void swap(int nums[], int x, int y) {
      Integer temp = nums[x];
      nums[x] = nums[y];
      nums[y] = temp;
   }
   public static void main(String args[]){
      Demo ob = new Demo();
      int nums[] = {6, 78, 90, -12, -45, 0, -1, 45};
      System.out.println("The original array contains ");
      System.out.println(Arrays.toString(nums));
      ob.comb_sort(nums);
      System.out.println("The sorted array is ");
      System.out.println(Arrays.toString(nums));
   }
}

输出结果

The original array contains
[6, 78, 90, -12, -45, 0, -1, 45]
The sorted array is
[-45, -12, -1, 0, 6, 45, 78, 90]

名为Demo的类包含'comb_sort'函数。此处,定义了数组的长度,如果该长度大于1,则定义一个新的“ len_gap”,即数组的长度除以1.3f。

迭代此数组,并比较数组中的元素,如果该元素大于该元素加上特定的“ len_gap”,则会交换这些元素。此后,还将对元素执行简单的冒泡排序。在main函数中,定义了数组,并定义了Demo类的实例,并在数组上调用了'comb_sort'函数。