问题
C++17 introduced a new lock class called std::scoped_lock.
Judging from the documentation it looks similar to the already existing std::lock_guard
class.
What's the difference and when should I use it?
回答1:
The scoped_lock
is a strictly superior version of lock_guard
that locks an arbitrary number of mutexes all at once (using the same deadlock-avoidance algorithm as std::lock
). In new code, you should only ever use scoped_lock
.
The only reason lock_guard
still exists is for compatibility. It could not just be deleted, because it is used in current code. Moreover, it proved undesirable to change its definition (from unary to variadic), because that is also an observable, and hence breaking, change (but for somewhat technical reasons).
回答2:
The single and important difference is that std::scoped_lock
has a variadic constructor taking more than one mutex. This allows to lock multiple mutexes in a deadlock avoiding way as if std::lock
were used.
{
// safely locked as if using std::lock
std::scoped_lock<std::mutex, std::mutex> lock(mutex1, mutex2);
}
Previously you had to do a little dance to lock multiple mutexes in a safe way using std::lock
as explained this answer.
The addition of scope lock makes this easier to use and avoids the related errors. You can consider std::lock_guard
deprecated. The single argument case of std::scoped_lock
can be implemented as a specialization and such you don't have to fear about possible performance issues.
GCC 7 already has support for std::scoped_lock
which can be seen here.
For more information you might want to read the standard paper
回答3:
Here is a sample and quote from C++ Concurrency in Action:
friend void swap(X& lhs, X& rhs)
{
if (&lhs == & rhs)
return;
std::lock(lhs.m, rhs.m);
std::lock_guard<std::mutex> lock_a(lhs.m, std::adopt_lock);
std::lock_guard<std::mutex> lock_b(rhs.m, std::adopt_lock);
swap(lhs.some_detail, rhs.some_detail);
}
vs.
friend void swap(X& lhs, X& rhs)
{
if (&lhs == &rhs)
return;
std::scoped_lock guard(lhs.m, rhs.m);
swap(lhs.some_detail, rhs.some_detail);
}
The existence of
std::scoped_lock
means that most of the cases where you would have usedstd::lock
prior to c++17 can now be written usingstd::scoped_lock
, with less potential for mistakes, which can only be a good thing!
来源:https://stackoverflow.com/questions/43019598/stdlock-guard-or-stdscoped-lock