Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Initializing an array of pair in C++

I want to initialize an array of pair in the following way:

pair<int, int> adjs[4] = {{current_node.first-1, current_node.second}, {current_node.first+1, current_node.second}, {current_node.first, current_node.second-1}, {current_node.first, current_node.second+1}};

However my compiler, Code::Blocks 12.1, keeps on throwing the error:

brace-enclosed initializer used to initialize `std::pair<int, int>'|

I used this method once before on an online compiler and it worked. So is it the problem with the compiler or some syntax issue in my code? I don't want to initialize 4 pair one by one. Suggest a way in which I can get rid of this error.

like image 446
user1465557 Avatar asked Nov 07 '14 22:11

user1465557


People also ask

How do you initialize an array of pairs?

The first element of pair Arr1 is sorted with the pair elements of pair “Arr2”. In the main function, we have initialized the values for pair array “Arr1” and pair array “Arr2”. These sorted arrays and the original pairs array will be displayed by using the cout command.

How will you initialize an array in C?

The initializer for an array is a comma-separated list of constant expressions enclosed in braces ( { } ). The initializer is preceded by an equal sign ( = ). You do not need to initialize all elements in an array.

What is array initialization with example?

int arrTwoDim[3][2] = {6, 5, 4, 3, 2, 1}; Example 8 defines a two-dimensional array of 3 sub-arrays with 2 elements each. The array is declared and initialized at the same time. The first element is initialized to 6, the second element to 5, and so on.


1 Answers

This universal initialization syntax is a C++11 feature, likely the compiler you are using does not support C++11 but the online one did.

You can initialize your array like this instead:

pair<int, int> adjs[4] = {make_pair(current_node.first-1, current_node.second), ...};

A live example: http://ideone.com/ggpGX9

like image 191
mattnewport Avatar answered Sep 18 '22 04:09

mattnewport