60 likes | 116 Views
This presentation on Call by Value and Call by Reference in C will help you learn the basics of calling a function in different ways. We will understand the topic with hands-on examples in VS code editor.<br><br>To know more: https://www.simplilearn.com/c-plus-plus-programming-for-beginners-article?utm_campaign=C &utm_medium=Description&utm_source=Slideshare
E N D
Call by value Syntax : void function(n1, n2) { //some code } int main() { function(val1, val2); //more statements } In call by value method, the copies of original values are passed directly to the function Changes done to the parameters inside the function do not affect the arguments
Call by value Example: void swapit(int x, int y) { int temp=x; x=y; y=temp; } int main() { int x=120; int y=150; swapit(x,y); cout<<“X’s value :”<<x; cout<<“Y’s value :”<<y; return 0; } Output : X’s value : 120 Y’s value : 150
Call by reference Syntax : void function(int &a) { a=20; } int main() { int num=200; function(num); cout<<num; } In this method, the address of the variable is passed in the function Any change inside the function is reflected outside the function as well
Call by reference Example: void swap(int &x, int &y) { int temp=x; x=y; y=temp; } int main() { int m=250; int n=300; swap(m,n); cout<<“m’s value :”<<m; cout<<“n’s value :”<<n; return 0; } Output: m’s value : 300 n’s value : 250