Reputation: 2612
I have
vector< pair<int, int>> myVec (N);
I want to have all pairs initialized to -1,-1.
Upvotes: 40
Views: 87336
Reputation: 876
If you want to initialize all pairs, maybe you can do something like this:
vector<pair<int, int>> directions {
{1, 0},
{-1, 0},
{0, 1},
{0, -1},
};
Here, 4 pairs have been initialized as such.
Upvotes: 2
Reputation: 8569
Just to add some additional info (not quite what the Asker wanted, but asked for in the comments of the accepted answer):
Individual initialization can be done with (C++11):
std::vector<std::pair<int, int> > vec1 = { {1, 0}, {2,0}, {3,1} };
std::vector<std::pair<int, int> > vec2 = {std::make_pair(1, 0),
std::make_pair(2, 0),
std::make_pair(3, 0)};
In old C++ standards, something like this would work:
const std::pair<int,int> vals[3] = {std::make_pair(1, 0),
std::make_pair(2, 0),
std::make_pair(3, 0)};
std::vector<std::pair<int, int> > vec2 (&vals[0], &vals[0] + 3);
Upvotes: 31
Reputation: 21900
Here you go:
#include <utility>
vector<pair<int, int>> myVec (N, std::make_pair(-1, -1));
The second argument to that constructor is the initial value that the N pairs will take.
Upvotes: 61