I'm working through my course, and keep hitting the same speedbumb. My mental model for why the following behavior is lacking. I'm after as simple an explanation as possible to fill the gap :)
In the following snippet the reassignment doesn't occur for the qux variable when it's name is passed into the function.
let foo = {a: 'hello',b: 'world'};
let qux = 'hello';
function bar(argument1, argument2) {
argument1.a = 'hi';
argument2 = 'hi';
}
bar(foo, qux);
console.log(foo.a); // Logs 'hi'
console.log(qux); // Logs 'hello'
But in the below example, when the variable name is explicitly referenced in the function, and the value is passed as an argument, then the reassignment occurs.
let foo = {a: 'hello',b: 'world'};
let qux = 'hello';
function bar(argument1, argument2) {
argument1.a = 'hi';
qux = argument2;
}
bar(foo, 'hi');
console.log(foo.a); // Logs 'hi'
console.log(qux); // Logs 'hi'
I understand object values are mutable, and primitive values are not. However, I don't understand why JS is not reassigning the variable in both instances?
I've reviewed this question, the answers to which go into some depth, but I can't seem to see a specific answer for why the reassignment specifically isn't happening.
argument1.a = ...
mutates whatever object is held byargument1
(whatever was passed as the first argument tobar
). The change will be seen by anyone else who holds a reference to the same object.argument2 = ...
assigns a new value to the variableargument2
. It does not influence whatever was assigned to the variable before, it simply says "the nameargument2
now refers to this ... value". This variable has been declared as a parameter ofbar
, and thus is scoped tobar
, and changes to it will only be seen withinbar
, because the variable only exists withinbar
.qux = ...
assigns a new value to the variablequx
. This variable has been declared in the global scope outside the function, so this alters that variable outside the function.This calls
bar
and passes the values thatfoo
andqux
refer to as arguments. It does not pass "the variablesfoo
andqux
", it passes their values. If the value is mutable and is mutated inside the function (as is the case forfoo
), you'll see that mutation afterwards if you look atfoo
. If the value is not mutable (as is the case forqux
), then there's nothing the function can do to that value that would be visible afterwards.Again, do not confuse this with overwriting
qux
with a new value in your second case.