Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to initialize 3D array in C++

How do you initialize a 3d array in C++

int min[1][1][1] = {100, { 100, {100}}}; //this is not the way 
like image 321
Chris_45 Avatar asked Feb 01 '10 18:02

Chris_45


People also ask

Can you make a 3D array in C?

You can think the array as a table with 3 rows and each row has 4 columns. Similarly, you can declare a three-dimensional (3d) array. For example, float y[2][4][3];

How do you declare and initialize a 3D array in C++?

Initialization of three-dimensional array A better way to initialize this array is: int test[2][3][4] = { { {3, 4, 2, 3}, {0, -3, 9, 11}, {23, 12, 23, 2} }, { {13, 4, 56, 3}, {5, 9, 3, 5}, {5, 1, 4, 9} } }; Notice the dimensions of this three-dimensional array. The second dimension has the value 3 .


2 Answers

The array in your question has only one element, so you only need one value to completely initialise it. You need three sets of braces, one for each dimension of the array.

int min[1][1][1] = {{{100}}}; 

A clearer example might be:

int arr[2][3][4] = { { {1, 2, 3, 4}, {1, 2, 3, 4}, {1, 2, 3, 4} },                      { {1, 2, 3, 4}, {1, 2, 3, 4}, {1, 2, 3, 4} } }; 

As you can see, there are two groups, each containing three groups of 4 numbers.

like image 105
Carl Norum Avatar answered Sep 25 '22 19:09

Carl Norum


Instead of static multidimensional arrays you should probably use one-dimensional array and calculate the index by multiplication. E.g.

class Array3D {     size_t m_width, m_height;     std::vector<int> m_data;   public:     Array3D(size_t x, size_t y, size_t z, int init = 0):       m_width(x), m_height(y), m_data(x*y*z, init)     {}     int& operator()(size_t x, size_t y, size_t z) {         return m_data.at(x + y * m_width + z * m_width * m_height);     } };  // Usage: Array3D arr(10, 15, 20, 100); // 10x15x20 array initialized with value 100 arr(8, 12, 17) = 3; 

std::vector allocates the storage dynamically, which is a good thing because the stack space is often very limited and 3D arrays easily use a lot of space. Wrapping it in a class like that also makes passing the array (by copy or by reference) to other functions trivial, while doing any passing of multidimensional static arrays is very problematic.

The above code is simply an example and it could be optimized and made more complete. There also certainly are existing implementations of this in various libraries, but I don't know of any.

like image 25
Tronic Avatar answered Sep 24 '22 19:09

Tronic