write a c++ program arrays and pointers. code example

Example 1: array of pointers in cpp complete course

#include <iostream>
 
using namespace std;
const int MAX = 3;
 
int main () {
   int  var[MAX] = {10, 100, 200};
   int *ptr[MAX];
 
   for (int i = 0; i < MAX; i++) {
      ptr[i] = &var[i]; // assign the address of integer.
   }
   
   for (int i = 0; i < MAX; i++) {
      cout << "Value of var[" << i << "] = ";
      cout << *ptr[i] << endl;
   }
   
   return 0;
}

Example 2: arrays and pointer in c++

#include<iostream>
int main()
{	
  // three ways to enter the values of arrays 
  int array[] {1,2,3};
  
  // Array subscript notation
  std::cout<<array[0]<<std::endl;// 1 
  std::cout<<array[1]<<std::endl;// 2
  std::cout<<array[2]<<std::endl;// 3
  
  // Pointer subscript notation
  int *array_ptr ={array};
  std::cout<<array_ptr[0]<<std::endl;//1
  std::cout<<array_ptr[1]<<std::endl;//2
  std::cout<<array_ptr[2]<<std::endl;//3
  
  //Array offset notation
  
   std::cout<<*array<<std::endl;//1
   std::cout<<*(array+1)<<std::endl;//2
   std::cout<<*(array+2)<<std::endl;//3
  
  //Pointer offset notation
   std::cout<<*array_ptr<<std::endl;//1
   std::cout<<*(array_ptr+1)<<std::endl;//2
   std::cout<<*(array_ptr+2)<<std::endl;//3
    
    
   return 0;
  
}

Tags:

Cpp Example