Поскольку вы попросили сделать это с условной переменной и мьютексом, вы можете сделать что-то вроде этого:
#include <stdio.h>
#include <stdlib.h>
#include <pthread.h>
#include <inttypes.h>
#define N_THREADS 10
pthread_mutex_t mtx = PTHREAD_MUTEX_INITIALIZER;
pthread_cond_t cv = PTHREAD_COND_INITIALIZER;
unsigned int count = 0;
void functionA(intptr_t id)
{
printf("functionA: %" PRIdPTR "\n", id);
}
void functionB(intptr_t id)
{
printf("functionB: %" PRIdPTR "\n", id);
}
void* thread_proc(void* pv)
{
intptr_t id = (intptr_t)pv;
functionA(id);
// lock the mutex to protect the predicate data (count)
pthread_mutex_lock(&mtx);
++count;
pthread_cond_broadcast(&cv);
// wait for all threads to finish A
while (count < N_THREADS)
pthread_cond_wait(&cv, &mtx);
// this is still owned by us. release it.
pthread_mutex_unlock(&mtx);
// now B
functionB(id);
return NULL;
}
int main()
{
pthread_t thrds[N_THREADS];
for (int i=0; i<N_THREADS; ++i)
pthread_create(thrds+i, NULL, thread_proc, (void*)(intptr_t)(i+1));
for (int i=0; i<N_THREADS; ++i)
pthread_join(thrds[i], NULL);
return EXIT_SUCCESS;
}
Пример вывода (варьируется)
functionA: 1
functionA: 4
functionA: 6
functionA: 3
functionA: 2
functionA: 8
functionA: 9
functionA: 7
functionA: 10
functionA: 5
functionB: 10
functionB: 9
functionB: 5
functionB: 7
functionB: 4
functionB: 6
functionB: 1
functionB: 2
functionB: 8
functionB: 3
Тем не менее, как отметил Джонатан в общем комментарии, барьер является более элегантным решением этой проблемы. Я бы опубликовал пример, но, увы, моя среда их не поддерживает (грустно, mac os x). Они доступны в большинстве реализаций Unix pthread, поэтому, если ваша целевая платформа предоставляет их, я предлагаю изучить их надлежащим образом.