如何使多个POSIX线程等待另一个开始

时间:2018-11-02 20:49:02

标签: c multithreading pthreads posix

我正在开发一个使用多线程来模拟人员和电梯的程序。有一部电梯,有多人乘坐。

到目前为止,我正在尝试为每个人创建一个线程,为电梯创建一个线程。但是,人们需要等待电梯被创建之后才能开始执行其动作,并且电梯需要等待所有人被创建之后才能开始移动。

我查看了pthread_join(),但看起来它等待线程完成,这不是我想要的。

1 个答案:

答案 0 :(得分:3)

您可以使用障碍物。

来自randu.org's pthread tutorial的pthread屏障部分:

  

pthread可以参与到同步到某个时间点的障碍。屏障对象像互斥锁或条件变量一样被初始化,除了有一个额外的参数count。 count变量定义了必须加入屏障的线程数,屏障才能完成并取消阻止所有等待屏障的线程。

换句话说,您可以使用n创建一个屏障,并且调用pthread_barrier_wait的任何线程都将等待,直到n调用了pthread_barrier_wait为止。

下面是一个简单的示例,其中所有三个线程将在任何线程打印“之后”之前打印“之前”。

#include <pthread.h>
#include <stdio.h>

pthread_barrier_t barrier; 

void* foo(void* msg) {
    printf("%s: before\n", (char*)msg);

    // No thread will move on until all three threads have reached this point
    pthread_barrier_wait(&barrier);

    printf("%s: after\n", (char*)msg);
}

int main() {

    // Declare three threads
    int count = 3;
    pthread_t person_A, person_B, elevator;

    // Create a barrier that waits for three threads
    pthread_barrier_init(&barrier, NULL, count); 

    // Create three threads
    pthread_create(&person_A, NULL, foo, "personA");
    pthread_create(&person_B, NULL, foo, "personB");
    pthread_create(&elevator, NULL, foo, "elevator");

    pthread_join(person_A, NULL);
    pthread_join(person_B, NULL);
    pthread_join(elevator, NULL);
    printf("end\n");
}

运行代码here