我在 C(Visual Studio) 和 Java(Eclipse) 中实现了插入排序,以分析完成所需的时间并比较两种语言的差异。
我试图找出算法补全所需的最坏情况时间。(将递减数组转换为递增数组)。
我使用包含 10,000、50,000 和 100,000 个条目的样本运行我的代码,以下是观察结果:
In C:
10000: 0.172 seconds
50000: 3.874 seconds
100000: 15.384 seconds
whereas in Java
10000: 0.048 seconds
50000: 0.385 seconds
100000: 1.924 seconds
我的代码是正常的插入排序代码。里面没有什么新东西。测量的时间仅是插入排序代码,而 i/o 操作与它无关。例如:
Input
Timer starts here
Insertion Sort
Timer ends
Summary(Time required and all)
我相信 C 比 Java 快,但我无法证明这个结果是正确的..
编辑:这是 C 代码
void InsertionSort(int a[]) {
int i;
clock_t st, end;
st = clock();
for (i = 1; i < MAX; i++) {
int temp = a[i];
int pos = i - 1;
while(a[pos] > temp) {
a[pos + 1] = a[pos];
pos--;
}
a[pos + 1] = temp;
}
end = clock();
printf("\nSorting Completed. Time taken:%f", (double)(end - st) / CLOCKS_PER_SEC);
}
和Java代码:
public void Sort(int a[], int size) {
int i;
for (i = 1; i < size; i++) {
int temp = a[i];
int pos = i - 1;
while(pos >= 0 && a[pos] > temp) {
a[pos + 1] = a[pos];
pos--;
}
a[pos + 1] = temp;
}
}