所以,我想显示程序打开的持续时间(以秒为单位), 但显示的是倍数秒而不是一个字符。例如1至11111 这是代码:
int main() {
clock_t start;
double duration;
int seconds;
start = clock();
while (true) {
if ((clock() - start) % CLOCKS_PER_SEC == 0) {
cout << (clock() - start) / (double)CLOCKS_PER_SEC;
}
}
}
输出:
01111111111111111111111222222222233333333333334444444445555555556666666666666667777777777777
帮我解决这个问题
答案 0 :(得分:1)
您的if
检查完全错误。想象一下,如果您的while
循环运行了两次并且clock()
中没有变化,因为它循环非常快。它将输出两次或都不输出。那不可能是正确的。
正确的检查是查看自上次产生输出以来是否已经过去至少一秒钟。
clock_t last_output;
start = last_output = clock();
while (true) {
if (clock() > (last_output + CLOCKS_PER_SEC)){
last_output += CLOCKS_PER_SEC;
cout << (clock() - start) / (double)CLOCKS_PER_SEC;
}
}
这是完整的代码:
#include <time.h>
#include <iostream>
int main()
{
clock_t start, last_output;
start = last_output = clock();
while (true)
{
if (clock() > (last_output + CLOCKS_PER_SEC))
{
last_output += CLOCKS_PER_SEC;
std::cout << (clock() - start) / (double)CLOCKS_PER_SEC << std::endl;
}
}
}