What's the proper way to associate a mutex with its data?

前端 未结 8 1403
轮回少年
轮回少年 2021-02-05 23:44

In the classic problem of transferring money from one bank account to another, the accepted solution (I believe) is to associate a mutex with each bank account, then lock both b

相关标签:
8条回答
  • 2021-02-06 00:19

    Most of the solutions have a problem that data is kept public, thus one can access it without locking the lock.

    There is a way to fix that, but you can't use templates and thus have to resort to macros. It is much nicer to implement in C++11 and rather then repeating the whole discussion here, I link to my implementation on: https://github.com/sveljko/lockstrap

    0 讨论(0)
  • 2021-02-06 00:20

    Personally I am a fan of the LockingPtr paradigm (this article is quite outdated and I won't personally follow all of its advice) :

    struct thread_safe_account_pointer {
         thread_safe_account_pointer( std::mutex & m,Account * acc) : _acc(acc),_lock(m) {}
    
         Account * operator->() const {return _acc;}
         Account& operator*() const {return *_acc;}
    private:
         Account * _acc;
         std::lock_guard<std::mutex> _lock;
    };
    

    And implement the classes which contains an Account object like this:

    class SomeTypeWhichOwnsAnAccount {
    public:
         thread_safe_account_pointer get_and_lock_account() const {return thread_safe_account_pointer(mutex,&_impl);}
    
          //Optional non thread-safe
          Account* get_account() const {return &_impl;}
    
          //Other stuff..
    private:
         Account _impl;
         std::mutex mutex;
    };
    

    Pointers may be replaced with smart pointers if suitable, and you will probably need a const_thread_safe_account_pointer (or even better a general purpose template thread_safe_pointer class)

    Why is this better than monitors (IMO)?

    1. You can design your Account class without thinking about thread-safety; thread-safety is a property of the object which uses your class, not of your class itself.
    2. No need for recursive mutexes when nesting calls to member functions in your class.
    3. You document clearly in your code whether you are locking a mutex or not (and you can prevent completely using-without-locking by not implementing get_account). Having both a get_and_lock() and a get() function forces you to think about thread-safety.
    4. When defining functions (global or member), you have a clean semantic to specify whether a function requires the object's mutex to be locked (just pass a thread_safe_pointer) or is thread-safety-agnostic (use Account&).
    5. Last but not least, thread_safe_pointer has a quite different semantic from monitors:

    Consider a MyVector class which implements thread-safety via monitors, and the following code:

    MyVector foo;
    // Stuff.. , other threads are using foo now, pushing and popping elements
    
    int size = foo.size();
    for (int i=0;i < size;++i)
       do_something(foo[i]);
    

    IMO code like this is really bad, because it makes you feel safe thinking that monitors will take care of thread-safety for you, while here we have a race condition which is incredibly difficult to spot.

    0 讨论(0)
  • 2021-02-06 00:21

    There's nothing wrong with having the money "in flight" for a while. Make it like so:

    Account src, dst;
    
    dst.deposit(src.withdraw(400));
    

    Now just make each individual method thread-safe, e.g.

    int Account::withdraw(int n)
    {
        std::lock_guard<std::mutex> _(m_);
        balance -= n;
        return n;
    }
    
    0 讨论(0)
  • 2021-02-06 00:22

    I believe providing each account with its own lock is fine. It provides a clear signal to any reader of your code that accessing the Account is a critical section.

    The downside to any solution involving one lock per account is that you have to be mindful of deadlock when you are writing code that manipulates multiple accounts simultaneously. But, the straightforward way to avoid that problem is to limit your interactions to be with one account at a time. This not only avoids potential deadlock problems, it also increases concurrency, since you are not blocking some other thread from being able to access some other account while the current thread is busy with something different.

    Your concerns about a consistent view is valid, but can be achieved by logging the operations that are occurring with the current transaction. For example, you can decorate your deposit() and withdraw() operations with a transaction log.

    class Account {
      void deposit(const Money &amount);
      void withdraw(const Money &amount);
    public:
      void deposit(const Money &amount, Transaction& t) {
        std::lock_guard<std::mutex> _(m_);
        deposit(amount);
        t.log_deposit(*this, amount);
      }
      void withdraw(const Money &amount, Transaction& t) {
        std::lock_guard<std::mutex> _(m_);
        withdraw(amount);
        t.log_withdraw(*this, amount);
      }
    private:
      std::mutex m_;
    };
    

    Then, a transfer is a logged withdrawal and deposit.

    void transfer (Account &src, Account &dest, const Money &amount,
                   Transaction &t) {
      t.log_transfer(src, dest, amount);
      try {
        src.withdraw(amount, t);
        dest.deposit(amount, t);
        t.log_transfer_complete(src, dest, amount);
      } catch (...) {
        t.log_transfer_fail(src, dest, amount);
        //...
      }
    }
    

    Note that the idea of a transaction log is orthogonal to how you choose to deploy your locks.

    0 讨论(0)
  • 2021-02-06 00:26

    I think your answer is to do as you suggest and use std::lock(), but put it into a friend function. That way you don't need to make the account mutex public. The deposit() and withdraw() functions are not used by the new friend function and will need to separately lock and unlock the mutex. Remember that friend functions are not member functions but do have access to private members.

    typedef int Money;
    
    class Account {
    public:
      Account(Money amount) : balance(amount)
      {
      }
    
      void deposit(const Money& amount);
      bool withdraw(const Money& amount);
    
      friend bool transfer(Account& src, Account& dest, const Money& amount)
      {
         std::unique_lock<std::mutex> src_lock(src.m, std::defer_lock);
         std::unique_lock<std::mutex> dest_lock(dest.m, std::defer_lock);
         std::lock(src_lock, dest_lock);
    
         if(src.balance >= amount)
         {
            src.balance -= amount;
            dest.balance += amount;
            return true;
         }
         return false;
      }
    private:
      std::mutex m;
      Money balance;
    };
    
    0 讨论(0)
  • 2021-02-06 00:28

    I prefer to use a non-intrusive wrapper class instead of polluting the original object with a mutex and locking it on each method call. This wrapper class (which I named Protected<T>) contains the user object as a private variable. Protected<T> grants friendship to another class called Locker<T>. The locker takes the wrapper as its constructor argument and provides public accessor methods to the user object. The locker also keeps the wrapper's mutex locked during its lifetime. So the locker's lifetime defines a scope where the original object can be accessed in a safe way.

    The Protected<T> can implement operator-> to enable quickly calling a single method.

    Working example:

    #include <iostream>
    #include <mutex>
    
    
    template<typename>
    struct Locker;
    
    
    template<typename T>
    struct Protected
    {
        template<typename ...Args>
        Protected(Args && ...args) :
            obj_(std::forward<Args>(args)...)
        {        
        }
    
        Locker<const T> operator->() const;
        Locker<T> operator->();
    
    private:    
        friend class Locker<T>;
        friend class Locker<const T>;
        mutable std::mutex mtx_;
        T obj_;
    };
    
    
    template<typename T>
    struct Locker
    {
        Locker(Protected<T> & p) :
            lock_(p.mtx_),
            obj_(p.obj_)
        {
            std::cout << "LOCK" << std::endl;
        }
    
        Locker(Locker<T> && rhs) = default;
    
        ~Locker()
        {
            std::cout << "UNLOCK\n" << std::endl;
        }
    
        const T& get() const { return obj_; }
        T& get() { return obj_; }
    
        const T* operator->() const { return &get(); }
        T* operator->() { return &get(); }
    
    private:    
        std::unique_lock<std::mutex> lock_;
        T & obj_;    
    };
    
    
    template<typename T>
    struct Locker<const T>
    {
        Locker(const Protected<T> & p) :
            lock_(p.mtx_),
            obj_(p.obj_)
        {
            std::cout << "LOCK (const)" << std::endl;
        }
    
        Locker(Locker<const T> && rhs) = default;
    
        ~Locker()
        {
            std::cout << "UNLOCK (const)\n" << std::endl;
        }
    
        const T& get() const { return obj_; }    
        const T* operator->() const { return &get(); }
    
    private:    
        std::unique_lock<std::mutex> lock_;
        const T & obj_;
    };
    
    
    template<typename T>
    Locker<T> Protected<T>::operator->()
    {
        return Locker<T>(const_cast<Protected<T>&>(*this));
    }
    
    
    template<typename T>
    Locker<const T> Protected<T>::operator->() const
    {
        return Locker<T>(const_cast<Protected<T>&>(*this));
    }
    
    struct Foo
    {
        void bar() { std::cout << "Foo::bar()" << std::endl; }
        void car() const { std::cout << "Foo::car() const" << std::endl; }
    };
    
    int main()
    {
        Protected<Foo> foo;
    
        // Using Locker<T> for rw access
        {
            Locker<Foo> locker(foo);
            Foo & foo = locker.get();
            foo.bar();
            foo.car();
        }
    
        // Using Locker<const T> for const access
        {
            Locker<const Foo> locker(foo);
            const Foo & foo = locker.get();
            foo.car();
        }
    
    
        // Single actions can be performed quickly with operator-> 
        foo->bar();
        foo->car();
    }
    

    Which generates this output:

    LOCK
    Foo::bar()
    Foo::car() const
    UNLOCK
    
    LOCK (const)
    Foo::car() const
    UNLOCK (const)
    
    LOCK
    Foo::bar()
    UNLOCK
    
    LOCK
    Foo::car() const
    UNLOCK
    

    Test with online compiler.

    Update: fixed const correctness.

    PS: There's also an asynchronous variant.

    0 讨论(0)
提交回复
热议问题