本文内容:
记录面试常见的c++中多线程问题及其代码
1.单例模式
懒汉模式
在使用该类时才初始化
class singleton {
private:
static singleton* p;
singleton() {}
public:
static singleton* instance();
};
singleton* singleton::instance() {
if (p == nullptr) {
p = new singleton();
}
return p;
}
饿汉模式
class singleton2 {
private:
static singleton2* p;
singleton2() {}
public:
static singleton2* instance();
};
singleton2* singleton2::p = new singleton2();
singleton2* singleton2::instance() { return p; }
c++ 11的较好的实现
class singleton_th {
private:
singleton_th() {}
~singleton_th() {}
singleton_th(const singleton_th&);
singleton_th& operator=(const singleton_th&);
public:
static singleton_th& instance();
};
singleton_th& singleton_th::instance() {
static singleton_th inst;
return inst;
}
2.生产者消费者实现
条件变量实现
#include <condition_variable>
#include <iostream>
#include <mutex>
#include <thread>
#include <vector>
using namespace std;
class Producer_Consumer
{
private: