let's assume I have a function that acquires a lock and executes a fuction passed by argument:
template <typename T>
T acquireLock(std::mutex& _lock, const std::function<T()>& execution) {
try {
std::lock_guard<std::mutex> mutex (_lock);
return execution();
} catch (std::logic_error& error) {
std::cerr << "[exception caught]\n\t" << error.what() << std::endl;
}
return false;
}
Also, I have a class that needs to acquire said lock for some of it's methods.
class MyThreadSafeClass {
public:
bool Init();
bool StopApi();
unsigned int GetValue() {
auto ret = acquireLock<unsigned int>(_lock, [this]() -> unsigned int {
// does some work that's not thread-safe...
return value;
});
return ret;
}
private:
bool _ready = false;
std::mutex _lock;
};
My doubt is if whenever I call GetValue()
, looking at my acquireLock()
method, is the execution()
call also affected by the lock scope ?
auto myClass = new MyThreadSafeClass();
myClass->GetValue();
Looking at this, more specifically:
When a lock_guard object is created, it attempts to take ownership of the mutex it is given. When control leaves the scope in which the lock_guard object was created, the lock_guard is destructed and the mutex is released.
It's still unclear to me if what happens inside execution()
code is still affected by the lock scope.
According to [stmt.return]/p3:
So we get:
execution()
is called while holding the lockcatch
clause is entered)In other words yes, it will work as intended.
Unrelated note:
std::function
isn't very efficient. Templating on the callable type should work better: