菜鸟笔记
提升您的技术认知

c 死锁情况-ag真人游戏

一、单线程死锁

void b();
void a()
{ 
 mutex m;
 m.lock();
 b();
 cout<<"a\n";
 m.unlock();
}
void b()
{ 
 mutex m2;
 m2.lock();
 a();
 cout<<"b\n";
 m2.unlock();
}
int main()
{  
 a();
}

函数a调用b,而b又调用a,造成死锁。

二、多线程死锁

mutex g_m;
condition_variable g_cv;
bool f1=true,f2=true;
void b();
void a()
{ 
 for (int i = 0; i < 100; i)
 { 
  unique_lock<mutex> locker(g_m);
  g_cv.wait(locker,[]{ return f1;});
  sleep(10);cout<<"a\n";
  f2=true;
  f1=false;
 }
}
void b()
{ 
 for (int i = 0; i < 100; i)
 { 
  unique_lock<mutex> locker(g_m);
  g_cv.wait(locker, [] { return f2; });
  sleep(100); cout << "b\n";
  f1 = true;
  f2=false;
 }
}
int main()
{  
 thread t(a);
 thread t2(b);
 t.join();
 t2.join();
}

当两个线程同时将f1、f2置为false,则两个函数都等待对方将f1、f2置为true,导致死锁

三、智能指针死锁

class b;
class a
{ 
 shared_ptr<b> p;
public:
 void _set(shared_ptr<b> b){ p=b;}
 ~a() {  cout << "a\n"; }
};
class b
{ 
 shared_ptr<a> p;
public:
 void _set(shared_ptr<a> a){ p=a;}
 ~b() {  cout << "~b\n"; }
};
void sisuo()
{ 
 shared_ptr<a> a = make_shared<a>();
 shared_ptr<b> b = make_shared<b>();
 a->_set(b);
 b->_set(a);
}
int main()
{  
 sisuo();
 cout<<"a";
}

两个对象中的智能指针互相指向对方,导致无法正常调用析构函数

网站地图