I try to offer a more elementary explanation here.
When I first learned programming eons ago, the language was called Simula, the lecturer described a variable as a label ingrained on a box which one could put stuff into. Like
a = 3
f(a)
a = 4
And it would always be the same box, i.e. located at the same place in memory. So the 4
replaces the 3
in the box. While this was approximately correct for Simula, and for some other languages, it’s not a very useful way to think of variables in julia.
It’s somewhat better to think of variables as labels which you move around. So, first you put the label a
on the value 3
. Then you give this value to the function f
(not the label, the value gets a brand new label inside the function, the formal argument). After f
returns, you reuse the a
-label for the value 4
. I.e. you don’t store the value 4
where previously there was a 3
.
The same goes for more complicated values, like vectors. You can reuse the label again:
a = [1, 2, 3, 4]
b = a
Now, b
is another label, it’s a label on the value of a
, that is, on the same vector.
Now, since a
labels a vector, and vectors are “mutable”, i.e. you can change their content, you can update the content of that vector, with e.g.
a[2] = 42
and b[2]
will now be 42
, since b
is just another label for the same vector. You can of course reuse b
as well:
b = [2,3,4,5]
and it is now unrelated to a
. You have reused the label b
for a new vector. So b[2]
is now 3
, wheras a[2]
is still 42
.
In your original example, you used a global a
inside your f2
function. There is no other a
visible inside f2
, if you reuse it after you created the f2
function, it is still the same label, the one you use inside f2
and the global one. Called Main.a
in gdalle’s lowering magic above.
On the other hand, the f1
function refers to the a
inside fun
, that is a new “label” for the value you passed to fun
, i.e. 2
(Every time you call fun
you get a brand new a
in there, unrelated to the a
from previous calls). That is a “label” which is not visible outside fun
(well … not entirely true, you can actually access it as f1.a
, but that’s not documented), so it’s not affected by what you do outside fun
.