【发布时间】:2021-06-14 01:01:34
【问题描述】:
我在做一个快速排序(qsort from c++ STL)算法的分析,代码是:
#include <iostream>
#include <fstream>
#include <ctime>
#include <bits/stdc++.h>
#include <cstdlib>
#include <iomanip>
#define MIN_ARRAY 256000
#define MAX_ARRAY 1000000000
#define MAX_RUNS 100
using namespace std;
int* random_array(int size) {
int* array = new int[size];
for (int c = 0; c < size; c++) {
array[c] = rand()*rand() % 1000000;
}
return array;
}
int compare(const void* a, const void* b) {
return (*(int*)a - *(int*)b);
}
int main()
{
ofstream fout;
fout.open("data.csv");
fout << "array size,";
srand(time(NULL));
int size;
int counter = 1;
std::clock_t start;
double duration;
for (size = MIN_ARRAY; size < MAX_ARRAY; size *= 2) {
fout << size << ",";
}
fout << "\n";
for (counter = 1; counter <= MAX_RUNS; counter++) {
fout << "run " << counter << ",";
for (size = MIN_ARRAY; size < MAX_ARRAY; size *= 2) {
try {
int* arr = random_array(size);
start = std::clock();
qsort(arr, size, sizeof(int), compare);
duration = (std::clock() - start) / (double)CLOCKS_PER_SEC;
//cout << "size: " << size << " duration: " << duration << '\n';
fout << setprecision(15) << duration << ",";
delete[] arr;
}
catch (bad_alloc) {
cout << "bad alloc caught, size: " << size << "\n";
fout << "bad alloc,";
}
}
fout << "\n";
cout << counter << "% done\n";
}
fout.close();
return 0;
}
当我运行它时,数据完全呈线性返回:
到底发生了什么?快速排序不是 O(nlogn) 吗?
以下是使用的数组大小以及所有 100 次运行的每个大小的平均时间(以秒为单位):
arraysize,256000,512000,1024000,2048000,4096000,8192000,16384000,32768000,65536000,131072000,262144000,524288000
average,0.034,0.066,0.132,0.266,0.534,1.048,2.047,4.023,7.951,15.833,31.442
【问题讨论】:
-
我感觉
rand() * rand()到处都是。 -
请注意
rand()*rand()很容易导致有符号整数溢出的未定义行为。 -
您的比较功能看起来也坏了。你为什么用
return (*(int*)a - *(int*)b);而不是return (*(int*)a < *(int*)b);? -
感谢大家的帮助!在我的机器上,rand_max 只有 31000 左右,所以 rand()*rand() 不应该溢出。对于比较功能,我取自cplusplus.com/reference/cstdlib/qsort。它只是一个学校项目,我认为 qsort 会更容易分析。再次感谢大家!
-
@NathanOliver 实际上,qsort 的比较功能应该按照 OP 的方式工作。是的,有点奇怪,但来自 C 的保留
标签: c++ performance quicksort qsort