c++线程安全的map

参考了 《c++并发编程实战》这本书上的代码写了一个线程安全可以并发的map

/*
 * threadsafe_map.cpp
 *
 *  Created on: May 11, 2018
 *      Author: clh01s
 *      线程安全的查找表
 *      通过boost的shared_mutex实现读写锁
 *      假设有一定数量的桶,每一个键都有一个桶
 *      这就意味着可以安全地为每一个桶分配一个独立的锁
 *      这样一个桶就可以有1个并发N个桶就有N个并发
 */

#include 
#include 
#include 
#include //std::pair
#include //boost::shared_mutex
#include 
#include 
#include     // std::find_if
#include 
#include 


template>
class threadsafe_lookup_table
{
private:
	class bucket_type
	{
	public:
		//在这个函数读取时将锁锁定
		Value value_for(Key const& key,Value const& default_value) const
		{
			boost::shared_lock lock(_mutex);
			_bucket_const_iterator found_entry = find_entry_for(key);
//			std::cout<<"(found_entry == _data.end()) ? default_value : found_entry->second = "<<((found_entry == _data.end()) ? default_value : found_entry->second)<second;
		}

		//在修改时也将锁锁定
		void add_or_update_mapping(Key const& key,Value const& value)
		{
			std::unique_lock lock(_mutex);
			_bucket_iterator found_entry = find_entry_for(key);
			if(found_entry == _data.end())
			{
				_data.push_back(_bucket_value(key,value));
			}
			else
			{
				//如果key已经存在就更新value
				found_entry->second = value;
			}
		}

		void remove_mapping(Key const& key)
		{
			std::unique_lock lock(_mutex);
			_bucket_iterator const found_entry = find_entry_for(key);
			if(found_entry != _data.end())
			{
				_data.erase(found_entry);
			}
		}
	private:
		typedef std::pair _bucket_value;
		typedef std::list<_bucket_value> _bucket_data;
		//const与非const版本的迭代器
		typedef typename _bucket_data::iterator _bucket_iterator;
		typedef typename _bucket_data::const_iterator _bucket_const_iterator;

		_bucket_data _data;
		//每一个桶都将被一个shared_mutex实例保护
		mutable boost::shared_mutex _mutex;

		//通过此函数确定是否有以key为关键字的桶可以用来存放数据
		//非const版本
		_bucket_iterator find_entry_for(Key const& key)
		{
			return std::find_if(_data.begin(),_data.end(),
			                [&](_bucket_value const& item)
			                {return item.first==key;});
		}

		//通过此函数确定是否有以key为关键字的桶可以用来存放数据
		//const版本
		_bucket_const_iterator find_entry_for(Key const& key) const
		{
			//由于要返回非const的迭代器所以将数据放置到非const变量返回
			return std::find_if(_data.begin(),_data.end(),
			                [&](_bucket_value const& item)
			                {return item.first==key;});
		}
	};

public:
	//持有桶的变量
	std::vector > buckets;
	Hash hasher;
	//获取数量并不改变所以不需要锁
	bucket_type& get_bucket(Key const& key) const
	{
		std::size_t const bucket_index = hasher(key) % buckets.size();
		std::cout<<"bucket_index = "<

运行结果:

clh01s@clh01s:~/testcode/并发$ g++ threadsafe_map.cpp -std=c++11  -L/usr/local/lib -I/usr/local/include/boost/ -lboost_system -lboost_thread -g
clh01s@clh01s:~/testcode/并发$ ./a.out
bucket_index = 16
hasher(key) = 4993892634952068459
buckets.size() = 19
bucket_index = 16
hasher(key) = 4993892634952068459
buckets.size() = 19
key a for value =aa

你可能感兴趣的:(c++,map,并发多线程,细粒度锁,数据结构,编程,linux,并发编程)