0
736views
Explain array of pointer with example. Write program to swap to values by using call by reference concept.

Subject : Structured Programming Approach

Title : Pointers and Files

Marks : 10M

1 Answer
0
7views

The declaration of an array of pointers to an integer −

int *ptr[MAX];

It declares ptr as an array of MAX integer pointers. Thus, each element in ptr, holds a pointer to an int value.

#include <stdio.h>
const int MAX = 3;
int main () {
int  var[] = {10, 100, 200};
int i, *ptr[MAX];
for ( i = 0; i < MAX; i++) {
  ptr[i] = &var[i]; /* assign the address of integer. */
}
  for ( i = 0; i < MAX; i++) {
  printf("Value of var[%d] = %d\n", i, *ptr[i] );
}

return 0;
}

#include<stdio.h>
#include<conio.h>
void main()
{
int a,b;
void swap (int *p1, int *p2);
clrscr();
printf("Enter two numbers:");
scanf("%d %d",&a,&b);
printf("The values of a and b in the main function  before calling the swap function are %d and     %d\n",a,b);
swap(&a,&b);
printf("The values of a and b in main function after    calling the swap function are %d and %d\n",a,b);
getch();
}
void swap (int *p1, int *p2)
{
int temp;
temp=*p1;
*p1=*p2;
*p2=temp;
printf("The values of a and b in the swap function  after swapping are %d and %d\n",*p1,*p2);
}
Please log in to add an answer.