Pointers in C


1.What is pointer in C ?

Ans: A pointer is a variable that stores the memory address of another variable as its value. A pointer variable points to a data type (like int ) of the same type, and is created with the * operator.


Syntax  : data_type *pointer_name;

Simple Explanation :


In this image we can see that the boxes are kept upon each other of same design but the content inside is different. The pointer also works same as the above box. it is used to store address of another variable. For eg. if in the first box contains apples and the last box contains grapes and we keep the small box of apple in the box of grapes we will stick a paper which contain name of both the fruits.

Example:

1. WAP to print address and the number using pointers.

#include <stdio.h>

int main()

{

   int* pc, c;

  

   c = 22;

   printf("Address of c: %p\n", &c);

   printf("Value of c: %d\n\n", c);  // 22

  

   pc = &c;

   printf("Address of pointer pc: %p\n", pc);

   printf("Content of pointer pc: %d\n\n", *pc); // 22

  

   c = 11;

   printf("Address of pointer pc: %p\n", pc);

   printf("Content of pointer pc: %d\n\n", *pc); // 11

  

   *pc = 2;

   printf("Address of c: %p\n", &c);

   printf("Value of c: %d\n\n", c); // 2

   return 0;

}

 Output :