busebd12
busebd12

Reputation: 1007

Multithreading with templated class member function

So, I'm fairly new to the C++11 concurrent programming functionality provided by the STL and I was playing around with the following code:

    #include <iostream>
    #include <thread>
    #include <mutex>
    #include <list>

    using namespace std;

    template <typename T>
    class Container
    {
        private:
            mutex mu;
            list<T> myList;

        public:
            void add(T element)
            {
                lock_guard<mutex> lock1(mu);
                myList.emplace_back(element);
            }
            void remove()
            {
                lock_guard<mutex>lock2(mu);
                myList.pop_back();
            }
            void print()
            {
                for(const auto & element : myList)
                {
                    cout << element << endl;
                }
            }
    };

    int main()
    {
        Container<int> c;

        thread t1(&Container<int>::add, c, 5); //ERROR
        thread t2(&Container<int>::add, c, 10); //ERROR

        thread t4(&Container<int>::remove, c); //ERROR
        thread t5(&Container<int>::remove, c); //ERROR

        t1.join();
        t2.join();
        t4.join();
        t5.join();

        c.print();
    }

When I try to compile my code, the lines I've marked "ERROR" caused the compiler to tell me:

error: call to implicitly-deleted copy constructor of
  'typename decay<Container<int> &>::type' (aka 'Container<int>')
return _VSTD::forward<_Tp>(__t);

error: no matching constructor for initialization of
  '__tuple_leaf<1UL, Container<int> >'
        __tuple_leaf<_Uf, _Tf>(_VSTD::forward<_Up>(__u))...,

error: no matching function for call to '__decay_copy'
                            __decay_copy(_VSTD::forward<_Args>(__args))...));
                            ^~~~~~~~~~~~

Now, I've looked at this question and this question while I was writing my code, but I'm still missing some small detail. If someone could provide some help, that would be brilliant. Thanks!

Upvotes: 3

Views: 650

Answers (1)

Barry
Barry

Reputation: 303017

A thread needs to make a copy of all of its arguments and your Container is non copyable. It is non-copyable because one of its members (the std::mutex) is non-copyable. The solution to this is rather than give the thread c directly is to give it something that it can make a copy of.

That is:

    thread t1(&Container<int>::add, &c, 5);

The following should work as well, but may not (see T.C.'s comment):

    thread t2(&Container<int>::add, std::ref(c), 10);

Note that it's a good thing that this didn't compile for you, because otherwise your threads would be performing work on various copies of your container - rather than just the one as you likely expected.

Upvotes: 2

Related Questions