我有线程运行,线程函数包含一个循环并迭代一段时间.
例如:
void *start(void *p) // This function is called at the thread creation
{
int i = 0;
while (i < 10){
i++;
}
} // NOTE THAT THIS FUNCTION IS AN EXAMPLE, the iteration can be small or high.
我如何监控两次迭代之间的时间? (考虑到我有很多线程同时运行它的事实)
我听说过clock()函数,以及以下操作来确定两个clock()输出之间的时间:
(double)(begin - end) / CLOCKS_PER_SEC;
我怎样才能以有效的方式检索这些信息?
最佳答案 我建议使用POSIX功能
clock_gettime
:
#include <time.h>
timespec real_startTime;
timespec real_endTime;
// Start time measurement
if(clock_gettime(CLOCK_REALTIME, &real_startTime) != 0)
{
perror("Error on fetching the start-time");
exit(EXIT_FAILURE);
}
// Do some long running operation that should be measured
// Stop time measurement
if(clock_gettime(CLOCK_REALTIME, &real_endTime) != 0)
{
perror("Error on fetching the end-time");
exit(EXIT_FAILURE);
}
double real_runTime = (real_endTime.tv_sec + real_endTime.tv_nsec / 1000.0 / 1000.0 / 1000.0) - (real_startTime.tv_sec + real_startTime.tv_nsec / 1000.0 / 1000.0 / 1000.0);
时钟的不同之处在于它输出挂钟时间,即通过执行某些操作(包括I / O等)的“实际”时间,而不是基于CPU时间的clock
.
摘录clock_gettime man:
All implementations support the system-wide realtime clock, which is identified by CLOCK_REALTIME. Its time represents seconds and nanoseconds since the Epoch.
摘录时钟人:
The clock() function returns an approximation of processor time used
by the program.
编辑:
正如许多人所建议的那样,你不会在你的示例代码中遇到任何真正的区别(计算一个从0到10的整数),但是如果你测量一些长时间运行的系统,一个做I / O的系统等等,你将会这样做.