Home > Article > Backend Development > What are the function scoping rules in C programming?
The variables defined in the local scope specified block are only visible within the block and not visible outside the block.
#include<stdio.h> int r= 50; /* global area */ main (){ int p = 30; printf (“p=%d, r=%d” p,r); fun (); } fun (){ printf (“r=%d”,r); }
p =30, r = 50 r = 50
Functions perform specific tasks statement block.
Variables declared within the body of a function are called local variables
These variables exist only inside the specific function that created them. Neither other functions nor the main function know about them
The existence of local variables ends when the function completes its specific task and returns to the calling point.
#include<stdio.h> main (){ int a=10, b = 20; printf ("before swapping a=%d, b=%d", a,b); swap (a,b); printf ("after swapping a=%d, b=%d", a,b); } swap (int a, int b){ int c; c=a; a=b; b=c; }
Before swapping a=10, b=20 After swapping a = 10, b=20
Variables declared outside the function body are called global variables. These variables can be accessed through any function.
#include<stdio.h> int a=10, b = 20; main(){ printf ("before swapping a=%d, b=%d", a,b); swap (); printf ("after swapping a=%d, b=%d", a,b); } swap (){ int c; c=a; a=b; b=c; }
Before swapping a = 10, b =20 After swapping a = 20, b = 10
The above is the detailed content of What are the function scoping rules in C programming?. For more information, please follow other related articles on the PHP Chinese website!