为什么对随机填充的数组进行排序会逐渐加快

时间:2013-11-09 15:54:58

标签: java sorting optimization

对于编程练习,我们被告知要实现插入,选择和冒泡排序(在java中)。 我想测试排序的执行速度,所以我编写了一个循环来随机填充和排序数组10次。前两种排序大约是后8次迭代的两倍。为什么?

这里我已经放了代码的相关部分

// class fields
public static final int POPULATE_MAX = 1000000000;
public static final int POPULATE_MIN = -1000000000;

public static void populateRandom(int[] toPopulate)
{
    // populate array with random integers within bounds set by class fields
    for (int i = 0; i < toPopulate.length; i++)
    {
        toPopulate[i] = (int)(Math.random() * (POPULATE_MAX - POPULATE_MIN))
            + POPULATE_MIN;
    }
} // end of method populateRandom(int[] toPopulate)

public static void insertionSort(int[] toSort) throws IllegalArgumentException
{
    if (toSort == null)
    {
        throw new IllegalArgumentException();
    }
    if (toSort.length <= 1) return;

    int temp;

    // Index i points to the next unsorted element; assigned to temp
    for (int i = 1; i < toSort.length; i++)
    {
        temp = toSort[i];

        // This loop searches through the sorted portion of the array and
        // determines where to put the aforementioned unsorted element
        for (int j = i - 1; j >= 0; j--)
        {
            if (temp < toSort[j])
            {
                toSort[j + 1] = toSort[j];
                if(j == 0)
                    toSort[j] = temp;
            }
            else
            {
                toSort[j + 1] = temp;
                break;
            } // end of if (temp < toSort[j])
        } // end of for (int j = i - 1; j >= 0; j--)
    } // end of for (int i = 1; i < toSort.length; i++)
} // end of method insertionSort(int[] toSort) throws IllegalArgumentException

public static void main(String[] args)
{
    long time;
    for (int testRun = 0; testRun < 10; testRun++)
    {
        int[] array = new int[100000];
        System.out.print(testRun + "...");
        populateRandom(array);
        time = System.currentTimeMillis();
        insertionSort(array);
        time = System.currentTimeMillis() - time;
        for (int i = 0; i < array.length - 1; i++)
        {
            if (array[i] > array[i+1]) System.out.println(i + ". Bad");
        }
        System.out.println(time + " Done");
    }
    System.out.println("ABS Done");
}

我猜它与分支预测有关,但我不确定为什么后续分类的速度明显加快。

1 个答案:

答案 0 :(得分:4)

可能您的JVM在解释模式下运行前几次迭代,然后它会注意到您重复运行相同的方法并将其编译为本机代码。如果你以相同的方式调用相同的方法,它甚至可能导致进一步优化“开始”。

由于JVM以这种方式工作,因此在进行性能测量之前,总是将JVM升温。基本上,在循环中运行您想要进行基准测试的代码,然后进行测量。 (注意:这应该在单个JVM进程运行的空间内发生 - 如果JVM退出并再次启动,则返回到原点。)