使用 pthread_cond_wait 和 pthread_cond_signal 保证屈服
假设我有一个带有 3 个 POSIX 线程的 C 程序,共享一个全局变量、互斥体和条件变量,其中两个正在执行以下伪代码:
...process data...
pthread_mutex_lock( &mutex );
variable = data_ptr;
pthread_cond_signal( &cond );
pthread_mutex_unlock( &mutex );
第三个正在运行:
while(1) {
while( variable == NULL ) {
pthread_mutex_wait( &cond, &mutex );
}
printf( "Data is %d", *variable );
}
可以安全地假设第三个线程将看到来自前两个分别是?
换句话说,如果一个线程正在等待互斥锁和条件变量,那么可以安全地假设它是下一个获得锁的线程(如果它收到信号),而不是其他可能正在等待互斥锁和条件变量的线程。锁?
Assuming I have a C program with 3 POSIX threads, sharing a global variable, mutex, and condition variable, two of which are executing the following psuedocode:
...process data...
pthread_mutex_lock( &mutex );
variable = data_ptr;
pthread_cond_signal( &cond );
pthread_mutex_unlock( &mutex );
And the third running:
while(1) {
while( variable == NULL ) {
pthread_mutex_wait( &cond, &mutex );
}
printf( "Data is %d", *variable );
}
Is it safe to assume that the third thread will see the data from each of the first two?
Put a different way, if a thread is wating on a mutex and a condition variable, is it safe to assume that it will be the next one to get the lock if it is signaled, rather than some other thread that may be waiting on the lock?
如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。
data:image/s3,"s3://crabby-images/d5906/d59060df4059a6cc364216c4d63ceec29ef7fe66" alt="扫码二维码加入Web技术交流群"
绑定邮箱获取回复消息
由于您还没有绑定你的真实邮箱,如果其他用户或者作者回复了您的评论,将不能在第一时间通知您!
发布评论
评论(3)
根据
pthread_cond_wait
联机帮助页不幸的是,据我所知,没有可用的调度策略可以为您提供所需的行为。
According to the
pthread_cond_wait
manpageUnfortunately as far as I can tell, there is no available scheduling policy that gives you the behavior you want.
以下是我在标准中找到的内容:
所以它显然是未定义的。 这并不奇怪:一般来说,您不能假设任何有关哪个可运行线程将被安排运行的信息。
Here is what I found in the standard:
So it's apparently undefined. It's not surprising: generally speaking, you can't assume anything about which runnable thread will be scheduled to run.
不存在 pthread_mutex_wait 这样的东西。 我假设您的意思是:
无法保证第三个线程会看到来自两个线程的数据。 pthread_cond_signal 将唤醒第三个线程,但它可能不会立即获取互斥锁。 其他写入者之一可能会首先获取互斥体。 然而,您可以通过更多的工作来实现您想要的:
通过显式等待读取变量,我们避免了潜在的竞争条件。
There's no such thing as pthread_mutex_wait. I assume you mean:
There is no guarentee that the third thread will see the data from both. pthread_cond_signal will awaken the third thread, but it may not take the mutex immediately. One of the other writers may take the mutex first. However you can acheive what you want with a bit more work:
By explicitly waiting for the variable to be read, we avoid the potential race condition.