Frequently Asked C Language Interview Question & Answers
What is the difference between constant pointer and constant variable?
CONSTANT POINTERS AND POINTER TO CONSTANT
CONSTANT POINTERS
-
These type of pointers are the one which cannot change the address they are pointing to.
-
This means that suppose there is a pointer which points to a variable (or stores the address of that variable).
-
Now if we try to point the pointer to some other variable (or try to make the pointer store address of some other variable), then constant pointers are incapable of this.
-
A constant pointer is declared as: 'int *const ptr' ( the location of 'const' make the pointer 'ptr' as a constant pointer)
POINTER TO CONSTANT
-
These type of pointers are the one which cannot change the value they are pointing to.
-
This means they cannot change the value of the variable whose address they are holding.
-
A pointer to a constant is declared as : 'const int *ptr' (the location of 'const' makes the pointer 'ptr' as a pointer to constant.)
EXAMPLE ON CONSTANT POINTERS
-
#include<stdio.h>
-
#include <conio.h>
-
int main(){
-
int a[] = {10,11};
-
int* const ptr = a;
-
-
*ptr = 11;
-
-
printf("\n value at ptr is : [%d]\n",*ptr);
-
printf("\n Address pointed by ptr : [%p]\n",(unsigned int*)ptr);
-
-
ptr++;
-
printf("\n Address pointed by ptr : [%p]\n",(unsigned int*)ptr);
-
-
getch();
-
}
Output: when we compile the above code, the compiler complains increment of read-only variable ‘ptr’.
EXAMPLE ON POINTER TO CONSTANTS
-
#include<stdio.h>
-
#include <conio.h>
-
int main(){
-
int a = 10;
-
const int* ptr = &a;
-
-
-
printf("\n value at ptr is : [%d]\n",*ptr);
-
printf("\n Address pointed by ptr : [%p]\n",(unsigned int*)ptr);
-
-
*ptr = 11;
-
-
getch();
-
}
Output: when the above code is compiled, the compiler complains assignment of read-only location ‘*ptr’