What does (int **array;) create?

12,932

Solution 1

The compiler reserves four bytes (on a 32bit system, eight bytes on 64bit) to store a pointer (that would point to another pointer, that would point to an int). No further memory allocation is done, it is left to the programmer to actually set the pointer to point to some other memory location where the int*/array/... is stored.

Solution 2

It creates a variable to store a pointer to an int pointer.

Solution 3

If I am not mistaken...

You have a multidimensional array arr[i][j] and

**arr addresses to arr[0][0]

*((*arr)+1) addresses to arr[0][1]

*(*(arr+1)+1) addresses to arr[1][1]

Sample code in C++

#include <iostream>

using namespace std;

int main()
{
int **arr;

arr = new int*[5];

for(int i = 0; i < 5; i++)
    arr[i] = new int[5];

arr[0][1] = 1;

cout << *((*arr)+1); // prints 1
cout << arr[0][1] = 1; // prints 1

}

Solution 4

You're declaring a pointer variable, so you're allocating enough space for one memory address (depends on your platform/compiler/etc.)

The type system will ensure that the only addresses you assign into it contain other memory addresses, and that these addresses represent the actual address of an integer variable.

To use your pointer-to-pointer, you dereference it once (to get the address that actually points to the integer), and then a second time (to get the actual integer).

You can bypass the type system by explicitly casting to something else (e.g., i=&pDouble) but that is not recommended unless you're sure you know what you're doing.

If you have a two-dimensional array, you can think of it conceptually as one single-dimensional array of single-dimensional arrays representing rows. The first level of indirection would be to pick the row, and the other one to pick the cell in the row.

Solution 5

It's a pointer to an int pointer. This is often used to declare a 2D array, in which case each int pointer is an array and the double pointer is an array of arrays.

Share:
12,932
KJP
Author by

KJP

My interest are in software development, software engineering, psychology and marketing. My main programming language is C++.

Updated on June 30, 2022

Comments

  • KJP
    KJP almost 2 years

    I want to know what is happening in memory when you declare:

    int **array;