Simplest way to assign std::span to std::vector

8.2k Views Asked by At

I wanted to do this

#include <vector>
#include <span>

struct S
{
    std::vector<int> v;
    void set(std::span<int> _v)
    {
        v = _v;
    }
};

But it does not compile. What are the alternatives?

4

There are 4 best solutions below

3
On BEST ANSWER
v.assign(_v.begin(), _v.end());
0
On

You can also use the std::vector::insert as follows:

v.insert(v.begin(), _v.begin(), _v.end());

Note that, if the v should be emptied before, you should call v.clear() before this. However, this allows you to add the span to a specified location in the v.

(See a demo)

0
On

The general way to create a new container from any input range is std::ranges::to():

        v = _v | std::ranges::to<decltype(v)>();

This is more useful for passing a temporary to a function that's more constrained (e.g. it needs a sized or bidirectional range), but it can be used for assignment, too (at a short-term cost in memory, since v's contents are not released until after the new container is constructed).

0
On

Use std::vector<T,Allocator>::assign_range (C++23).

v.assign_range(_v);

// or “v.assign(_v.begin(), _v.end());”