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 :
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;
}
0 Comments