Collectives™ on Stack Overflow
Find centralized, trusted content and collaborate around the technologies you use most.
Learn more about Collectives
Teams
Q&A for work
Connect and share knowledge within a single location that is structured and easy to search.
Learn more about Teams
I have a vector of unique_ptr's and I want to append them to another vector of unique_ptrs. I would normally do a simple insert:
std::vector<std::unique_ptr<foo>> bar;
bar.push_back(std::unique_ptr<foo>(new foo(1)));
std::vector<std::unique_ptr<foo>> baz;
baz.push_back(std::unique_ptr<foo>(new foo(2)));
bar.insert(bar.end(), baz.begin(), baz.end());
However this gives me compile errors similar to this:
/usr/include/c++/4.8/bits/stl_algobase.h:335: error: use of deleted function 'std::unique_ptr<_Tp, _Dp>& std::unique_ptr<_Tp, _Dp>::operator=(const std::unique_ptr<_Tp, _Dp>&) [with _Tp = foo; _Dp = std::default_delete<foo>]'
*__result = *__first;
Is there a convenient way to insert or do I have to iterate over baz and push_back on bar? I'm currently using gcc 4.8.1.
Thanks
unique_ptr
is not assignable with normal assignment operator (the error says it's deleted). You can only move them:
bar.insert(bar.end(),
std::make_move_iterator(baz.begin()),
std::make_move_iterator(baz.end())
Of course, this transfers the ownership of the managed object and original pointers will have nullptr
value.
–
–
Thanks for contributing an answer to Stack Overflow!
- Please be sure to answer the question. Provide details and share your research!
But avoid …
- Asking for help, clarification, or responding to other answers.
- Making statements based on opinion; back them up with references or personal experience.
To learn more, see our tips on writing great answers.