C Tutorial C References

C Functions - Pass by Value



When the argument or parameter of a function is passed by value, then the function takes only the value of parameter and any changes made to the parameter inside the function have no effect on the parameter. C uses pass by value method which means that code within a function will not change the parameter used to pass in the function.

Example:

In the example below, the function called Square is created which returns square of the passed argument. The function modify the parameter as square of itself before returning it. In the main() function, when the passed argument is printed after calling the function Square, the value of the parameter remains unaffected because it was passed by value.

#include <stdio.h>
int Square(int x); 

int main (){
    int x = 5;
    printf("Initial value of x: %i\n", x);
    Square(x);
    printf("Value of x, after passed by value: %i\n", x);
    return 0;
}

int Square(int x){
    x = x*x;
    return x; 
}

The output of the above code will be:

Initial value of x: 5
Value of x, after passed by value: 5

❮ C - Functions