三线程顺序打印ABC问题

题目:编写一个程序,开启3个线程,这3个线程的ID分别为A、B、C,每个线程将自己的ID在屏幕上打印10遍,要求输出结果必须按ABC的顺序显示;如:ABCABC….依次递推。

#include 
#include 
#include 

using namespace std;

mutex m; //保护条件的互斥访问
condition_variable cond; //条件变量

int loop = 10;
int flag = 0;

void func(int id) {
    for(int i = 0; i < loop; i++) {
        unique_lock lk(m);//使用它来锁住线程
	while(flag !=id)
	    cond.wait(lk);//线程被挂起,等待notify唤醒
	cout << static_cast('A' + id) << " ";
	flag = (flag + 1) % 3;
	cond.notify_all();//唤醒线程
    }
}

int main(int argc, char **argv) {
    cout << "Hello, world!" << std::endl;
    thread threadA(func, 0);
    thread threadB(func, 1);
    thread threadC(func, 2);
    
    cout << endl;
    
    threadA.join();
    threadB.join();
    threadC.join();
    return 0;
}

分析:

条件变量condition_variable用于多线程之间的通信,它可以阻塞一个或同时阻塞多个线程。condition_variable需要与unique_lock配合使用。

当condition_variable对象的某个wait函数被调用的时候,它使用unique_lock(通过mutex)来挂起当前线程。当前线程会一直被阻塞,直到另外一个线程在相同的:condition_variable对象上调用了notification函数来唤醒当前线程。



你可能感兴趣的:(c++)