C++ 14 读写锁
C++读写锁
C++14引入了shared_mutex
,允许使用shared_lock
来进行并发读取操作,大幅度提高读线程的吞吐量,对于写操作仍然使用unique_lock
独占锁维护数据安全,因为读写锁始终是共享一把锁,虽然读线程间没有了竞态条件,但写线程仍然需要和读、写线程同时竞争锁,而且读写锁一般开销大于普通互斥锁。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
using namespace std;
class Person{
private:
vector<int> array;
shared_mutex rw_lock;
public:
Person(int num):array(num){}
void reader(){
shared_lock lock(rw_lock);
for(int i=0; i<array.size(); i++){
cout<< array.at(i)<<" ";
}
//打印当前时刻
auto now = chrono::system_clock::now();
std::time_t nowTime = chrono::system_clock::to_time_t(now);
cout<<"read"<<ctime(&nowTime)<<endl;
std::this_thread::sleep_for(chrono::seconds(1));
}
void writer(){
unique_lock lock(rw_lock);
for(int i=array.size()/3; i<array.size(); i++){
array.at(i) = i;
}
//打印当前时刻
auto now = chrono::system_clock::now();
std::time_t nowTime = chrono::system_clock::to_time_t(now);
cout<<"write"<<ctime(&nowTime)<<endl;
std::this_thread::sleep_for(chrono::seconds(1));
}
};
int main(){
Person p(21);
std::function<void(void)> reader = std::bind(&Person::reader,&p);
std::function<void(void)> writer = std::bind(&Person::writer,&p);
vector<unique_ptr<thread>> threadpool(10);
auto start = chrono::system_clock::now();
for(int i=0; i<5; i++){
threadpool.at(i).reset(new thread(writer));
}
for(int i=5; i<10; i++){
threadpool.at(i).reset(new thread(reader));
}
for(auto &i : threadpool){
i->join();
}
return 0;
}
如果不支持C++14以上,可以通过mutex
和condition_variable
去构造读写锁,以下是一种例子,通过该构造方法可以窥见读写锁的一些原理:
读锁:只有写锁后(isWriter==true)一直wait阻塞,否则读锁不会阻塞;
解读锁:如果无读线程,notify一个写线程;
写锁:写锁会阻塞,存在读线程也会阻塞,非写无读才会真正拿到写锁;
解写锁:清除所有的读写阻塞,放弃isWriter;
1 |
|