我需要时间
我的快速排序流程就在这里 -
#include <bits/stdc++.h>
using namespace std;
int A[50000], i, j, V, store;
int part(int left, int right, int P)
{
V = A[P];
swap(A[P], A[right]);
store = left;
for(i = left; i < right; i++)
{
if(A[i] <= V)
{
swap(A[i], A[store]);
store++;
}
}
swap(A[store], A[right]);
return store;
}
void qSort(int left, int right)
{
if(left < right)
{
j = part(left, right, left);
qSort(left, j-1);
qSort(j+1, right);
}
}
main()
{
int nData, k, minValue, maxValue;
cout<<"No. of Data: ";
cin>>nData;
cout<<"\nRange (min, max): ";
cin>>minValue>>maxValue;
for(k=0; k<nData; k++)
{
A[k] = minValue + (rand()%(int) (maxValue - minValue + 1));
}
clock_t t1 = clock();
qSort(0, nData-1);
clock_t t2 = clock();
cout<<"\n\nTime: "<<(double)(t2-t1)/CLOCKS_PER_SEC<<endl;
}
[N.B:我的操作系统是Windows]
答案 0 :(得分:4)
main()
{
...
clock_t t1 = clock();
qSort(0, nData-1);
clock_t t2 = clock();
cout<<"\n\nTime: "<<(double)(t2-t1)/CLOCKS_PER_SEC<<endl;
}
这里的问题是编译器对于这种简单的测试来说太聪明了。编译器看到的代码对程序没有影响,它通过删除不必要的代码来优化程序。您必须禁用优化(在调试模式下运行程序可能会这样做)或修改程序,以便在某些方面使用排序操作的结果。
此外,clock()
在Windows和POSIX系统上具有不同的准确性。使用std::chrono
代替它更简单。例如
#include <iostream>
#include <chrono>
int main()
{
std::chrono::time_point<std::chrono::system_clock> start, end;
start = std::chrono::system_clock::now();
qSort(0, nData-1);
end = std::chrono::system_clock::now();
std::chrono::duration<double> elapsed_seconds = end - start;
std::cout << "count:" << elapsed_seconds.count() << "\n";
return 0;
}
答案 1 :(得分:3)
只需在具有足够高迭代次数的for循环中重复测量任务,然后将测量时间除以迭代次数。