我有一个在两个并发线程之间共享的资源。资源包含两个线程都需要读取和写入的向量。因此,我通过互斥锁访问向量。到目前为止,资源共享工作顺利,没有任何问题。
但是,当我尝试为sharedResource编写复制构造函数时,问题就开始了。
class sharedResource{
public:
sharedResource(){}
sharedResource(const sharedResource &other) {
vec = other.GetVec();
}
std::vector<int> GetVec() const {
std::lock_guard<std::mutex> lock(vecMutex); // Gives error
return vec;
}
private:
std::vector<int> vec;
std::mutex vecMutex;
};
int main()
{
sharedResource bacon1;
sharedResource bacon2 = bacon1;
return 0;
}
对于此代码,我收到错误
error C2664: 'std::lock_guard<std::mutex>::lock_guard(const std::lock_guard<std::mutex> &)' : cannot convert argument 1 from 'const std::mutex' to 'std::mutex &'
您能否解释一下我为什么会收到错误,以及是否有办法使用互斥锁而不会出现编译错误。
如果所有其他方法都失败了,我将创建一个线程不安全的GetVec2成员函数,它将返回vec而不通过锁定保护。但我想避免这种可能性。
std::vector<int> GetVec2() const {
return vec;
}
答案 0 :(得分:6)
这是因为getVec()
是const
方法,但vecMutex
不是mutable
。您应该使getVec()
非const,以便它可以修改(获取)互斥锁,或者使互斥锁mutable
也可以通过const方法获取。我可能会做后者。
答案 1 :(得分:4)
快速回答是使vecMutex
可变。
mutable std::mutex vecMutex;
您的代码还有另一个非标准问题。您的默认和复制构造函数声明不正确。它应该是这样的:
sharedResource(){}
sharedResource(const sharedResource &other)
{
vec = other.GetVec();
}
您还缺少分配操作员。