如何使用 boost::mutex 作为 std::map 中的映射类型?
How to use a boost::mutex as the mapped type in std::map?
我想将 keys/index 锁定在另一张地图中,如下所示:
std::map<int, boost::mutex> pointCloudsMutexes_;
pointCloudsMutexes_[index].lock();
但是,我收到以下错误:
/usr/include/c++/4.8/bits/stl_pair.h:113: error: no matching function for call to 'boost::mutex::mutex(const boost::mutex&)'
: first(__a), second(__b) { }
^
它似乎适用于 std::vector
,但不适用于 std::map
。我做错了什么?
Map 需要复制构造函数,但不幸的是 boost::mutex
没有 public 复制构造函数。互斥声明如下:
class mutex
{
private:
pthread_mutex_t m;
public:
BOOST_THREAD_NO_COPYABLE(mutex)
我觉得vector也不行,它应该有同样的问题。你能 push_back
一个 boost::mutex
成向量吗?
在 C++11 之前的 C++ 中,当调用 operator[]
.但是,boost::mutex
明确设计为不可复制构造,因为通常不清楚复制互斥量的语义应该是什么。由于 boost::mutex
不可复制,使用 pointCloudsMutexes_[index]
插入此类值无法编译。
最好的解决方法是使用一些指向 boost::mutex
的共享指针作为映射类型,例如:
#include <boost/smart_ptr/shared_ptr.hpp>
#include <boost/thread/mutex.hpp>
#include <map>
struct MyMutexWrapper {
MyMutexWrapper() : ptr(new boost::mutex()) {}
void lock() { ptr->lock(); }
void unlock() { ptr->unlock(); }
boost::shared_ptr<boost::mutex> ptr;
};
int main() {
int const index = 42;
std::map<int, MyMutexWrapper> pm;
pm[index].lock();
}
PS:C++11 删除了映射类型可复制构造的要求。
我想将 keys/index 锁定在另一张地图中,如下所示:
std::map<int, boost::mutex> pointCloudsMutexes_;
pointCloudsMutexes_[index].lock();
但是,我收到以下错误:
/usr/include/c++/4.8/bits/stl_pair.h:113: error: no matching function for call to 'boost::mutex::mutex(const boost::mutex&)'
: first(__a), second(__b) { }
^
它似乎适用于 std::vector
,但不适用于 std::map
。我做错了什么?
Map 需要复制构造函数,但不幸的是 boost::mutex
没有 public 复制构造函数。互斥声明如下:
class mutex
{
private:
pthread_mutex_t m;
public:
BOOST_THREAD_NO_COPYABLE(mutex)
我觉得vector也不行,它应该有同样的问题。你能 push_back
一个 boost::mutex
成向量吗?
在 C++11 之前的 C++ 中,当调用 operator[]
.但是,boost::mutex
明确设计为不可复制构造,因为通常不清楚复制互斥量的语义应该是什么。由于 boost::mutex
不可复制,使用 pointCloudsMutexes_[index]
插入此类值无法编译。
最好的解决方法是使用一些指向 boost::mutex
的共享指针作为映射类型,例如:
#include <boost/smart_ptr/shared_ptr.hpp>
#include <boost/thread/mutex.hpp>
#include <map>
struct MyMutexWrapper {
MyMutexWrapper() : ptr(new boost::mutex()) {}
void lock() { ptr->lock(); }
void unlock() { ptr->unlock(); }
boost::shared_ptr<boost::mutex> ptr;
};
int main() {
int const index = 42;
std::map<int, MyMutexWrapper> pm;
pm[index].lock();
}
PS:C++11 删除了映射类型可复制构造的要求。