49 C Program to Illustrate Pass by Value
Posted by Superadmin on December 24 2015 02:16:15
This C Program illustrates pass by value. This program is used to explain how pass by value function works. Pass by Value: In this method, the value of each of the actual arguments in the calling function is copied into corresponding formal arguments of the called function. In pass by value, the changes made to formal arguments in the called function have no effect on the values of actual arguments in the calling function.
Here is source code of the C Program to illustrate pass by value. The C program is successfully compiled and run on a Linux system. The program output is also shown below.

/*
* C Program to Illustrate Pass by Value.
*/
#include <stdio.h>

void swap(int a, int b)
{
int temp;
temp = a;
a = b;
b = temp;
}

int main()
{
int num1 = 10, num2 = 20;

printf("Before swapping num1 = %d num2 = %d\n", num1, num2);
swap(num1, num2);
printf("After swapping num1 = %d num2 = %d \n", num2, num1);
return 0;
}

Output:
$ cc pgm43.c
$ a.out
Before swapping num1 = 10 num2 = 20
After swapping num1 = 20 num2 = 10