What is the meaning of "value of transfer"(by-value? Not hundred percent sure on the english term) between function calls. Give me examples of doing this, assume that I use pointers to stackvariables.
I really don't understand the concept of "value of transfer". What should the function return to another function?
If I use pointers like in the example below I just transfer the pointer adress? So how do I use value of transfer with pointer to stackvariables?
void fun1(){
int x = 44;
int *y = &x;
}
void fun2(){
int *y;
}
From first answer:
void fun1(){
int x = 44;
fun2( &x );
printf( "%d\n", x ); // prints 55
}
void fun2( int *value ){
printf( "%d\n", *value ); // prints 44
*value = 55; // changes the value of `x` in `fun1`
}
For me it seems like I just transfer a pointer to a stack variable(x) to fun2? So the actual question is: How can I use pointers to stack variables for transfering values between function calls?
You probably already answered the question? But I want to be sure on this and wounder if I get it right, so here's what I think so far:I first send a pointer to a stack variable x from fun1 to fun2. And when fun2 is called I update the value of int x = 44 to 55 through *value = 55, and *value is a pointer to a stack variable so I actually updated the value of the variable x with the help of a pointer to a stack variable. But where does I transfer a value between the functions with this technique of pointers to stack variables. Do I transfer a value between the functions? I don't think so, if I do I should have returned something to the other function. For now it only seems like I update a variable between function calls? But maybe the question is already answered? But I am still a little bit troubled about what it means to transfer value between function calls.
If you want
fun2
to be able to change variablex
infun1
, then you pass a pointer-to-x tofun2
like thisIf you pass
x
as the parameter instead of the address ofx
, thenfun2
won't be able to change the value ofx
thatfun1
has.