本文主要是介绍【Boost】boost库中thread多线程详解4——谈谈recursive_mutex(递归式互斥量),希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
如果一个线程中可能在执行中需要再次获得锁的情况(例子:test_thread_deadlock),按常规的做法会出现死锁。此时就需要使用递归式互斥量boost::recursive_mutex,例子(test_thread_recursivelock)来避免这个问题。boost::recursive_mutex不会产生上述的死锁问题,只是是增加锁的计数,但必须确保你unlock和lock的次数相同,其他线程才可能锁这个mutex。
- namespace {
- boost::mutex g_mutex;
- void threadfun1()
- {
- PRINT_DEBUG("enter threadfun1...");
- boost::lock_guard<boost::mutex> lock(g_mutex);
- PRINT_DEBUG("execute threadfun1...");
- }
- void threadfun2()
- {
- PRINT_DEBUG("enter threadfun2...");
- boost::lock_guard<boost::mutex> lock(g_mutex);
- threadfun1();
- PRINT_DEBUG("execute threadfun2...");
- }
- }
- namespace {
- boost::recursive_mutex g_rec_mutex;
- void threadfun3()
- {
- PRINT_DEBUG("enter threadfun3...");
- boost::recursive_mutex::scoped_lock lock(g_rec_mutex);
- // 当然这种写法也可以
- // boost::lock_guard<boost::recursive_mutex> lock(g_rec_mutex);
- PRINT_DEBUG("execute threadfun3...");
- }
- void threadfun4()
- {
- PRINT_DEBUG("enter threadfun4...");
- boost::recursive_mutex::scoped_lock lock(g_rec_mutex);
- threadfun3();
- PRINT_DEBUG("execute threadfun4...");
- }
- }
- // 死锁的例子
- void test_thread_deadlock()
- {
- threadfun2();
- }
- // 利用递归式互斥量来避免这个问题
- void test_thread_recursivelock()
- {
- threadfun4();
- }
这篇关于【Boost】boost库中thread多线程详解4——谈谈recursive_mutex(递归式互斥量)的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!