My problem can be reduced to this trivial (or so it seemed) bit of code
var myArray = [1,2];
function addOnetoArrayElement(element){
element +=1;
console.log(element); // Returns 3
}
addOnetoArrayElement(myArray[1]);
console.log(myArray[1]); // Returns 2
I find in fascinating that one can do all sorts of operations on arrays like map, reduce, push to an array but no reference at all to doing simple arithmetic operations of elements of an array. Never mind all that stuff about hoisting,scope, passing by value and reference. I'm sure that maybe someday I'll know enough to contribute to that discourse. What must I do to make myArray[1] = 3?
You assume that
myArray[1]
will be passed to the function in a way that it can modify that element inmyArray
(so-called by reference).But
myArray[1]
is just a number, it's a primitive type and is passed by value. It means a copy is passed to the function which has no connection tomyArray
. As a result modification ofelement
param does not changemyArray
(see docs).For reference there are just 7 primitive data types in JS: string, number, bigint, boolean, undefined, symbol, and null.
To fix the issue we need to pass whole
myArray
to function as first parameter (by reference because it's anArray
) and index as second. In this casemyArray
will be passed by reference and the function will be able to modify it.