-4

我使用选择排序算法测试 Java 和 C++ 性能。

这是Java代码:

public static void main(String[] args) {

    int[] mArray = new int[100000];
    fillArrayRandomly(mArray, 10);

    long timeStart = System.currentTimeMillis();
    selectionSort(mArray);
    long timeEnd = System.currentTimeMillis();

    System.out.println((timeEnd - timeStart) + "ms");
}

public static void selectionSort(int[] array) {
    for(int i=0; i<array.length-1; i++)
        for(int j=i+1; j<array.length; j++)
            if(array[j]<array[i])
                swap(array, i, j);
}

public static void swap(int[] array, int i, int j) {
    int tmp = array[i];
    array[i] = array[j];
    array[j] = tmp; 
}

public static void fillArrayRandomly(int array[], int maxNum) {
    Random generator = new Random(); 

    for(int i=0; i<array.length; i++)
        array[i] = generator.nextInt(maxNum);
}

public static void printArray(int array[]) {
    for(int i=0; i<array.length; i++)
        System.out.println(array[i]);
}

这是 C++ 代码:

void fillArrayRandomly(int *array, int dim, int max)
{
    srand(time(NULL));

    for(int i=0; i<dim; i++)
        array[i] = rand() % max;
}

void selectionSort(int *array, int dim)
{
    for(int i=0; i<dim-1; i++)
        for(int j=i+1; j<dim; j++)
            if(array[i] > array[j])
                swap(array[i], array[j]);
}

int main()
{
    int DIM = 100000;
    int *array = new int[DIM];

    fillArrayRandomly(array, DIM, 100);

    long tStart = GetTickCount();
    selectionSort(array, DIM);
    long tEnd = GetTickCount(); 

    cout << tEnd-tStart << " ms" << endl;
    system("PAUSE");
}

这是包含 100000 个元素的数组的结果:

C++: 6584 毫秒

Java: 3942 毫秒

在我看来,这听起来很奇怪。C++ 代码不应该比 Java 代码更快吗?

你能帮我解决这个问题吗?感谢和抱歉我的英语不好。

4

2 回答 2

7

对于初学者,您的 java 代码只生成 10 之前的随机数,而 c++ 直到 100,显然会有更多的交换..通常对于这种测试,您想要测试完全相同的数组..

于 2013-03-25T13:47:34.647 回答
0

你的 C++ 交换在哪里?>您是否使用template std::swap(T&x,T&y)?此模板最适合带有移动构造函数和赋值的“大”类型。使用索引在您的 java 测试中尝试使用一个 als。

于 2013-03-26T08:51:03.850 回答