我正在尝试使用pthread_cond_timedwait
等待类似于Java的wait(long timeout, int nanos)
的超时。我知道Java的wait
使用相对超时,而pthread_cond_timedwait
使用绝对时间阈值。尽管考虑到了这一点,但pthread_cond_timedwait
似乎立即返回,并显示错误代码ETIMEDOUT。
下面的示例程序打印一个值 = 0的值。
我是否使用pthread_cond_timedwait
不正确?我将如何重写以下程序以增加例如的延迟5秒?
#define _POSIX_C_SOURCE 199309L
#include <stdio.h>
#include <pthread.h>
#include <time.h>
#include <errno.h>
int main(void) {
pthread_mutex_t mutex;
pthread_cond_t cond;
pthread_mutex_init(&mutex, NULL);
pthread_cond_init(&cond, NULL);
pthread_mutex_lock(&mutex);
struct timespec t1;
struct timespec t2;
clock_gettime(CLOCK_MONOTONIC, &t1);
t1.tv_sec += 5;
while(pthread_cond_timedwait(&cond, &mutex, &t1) != ETIMEDOUT);
clock_gettime(CLOCK_MONOTONIC, &t2);
printf("%d", t2.tv_sec - t1.tv_sec);
pthread_mutex_unlock(&mutex);
pthread_mutex_destroy(&mutex);
pthread_cond_destroy(&cond);
return 0;
}
最佳答案
您使用了错误的时钟。 pthread_cond_timedwait
使用的默认时钟为CLOCK_REALTIME
。如果您确实想使用CLOCK_MONOTONIC
,则需要设置条件变量的clock属性:
pthread_condattr_t condattr;
pthread_condattr_init(&condattr);
pthread_condattr_setclock(&condattr, CLOCK_MONOTONIC);
pthread_cond_init(&cond, &condattr);
关于c++ - pthread_cond_timedwait立即返回ETIMEDOUT,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/46018295/