It’s interesting in JavaScript. Consider this example:
function changeStuff(a, b, c)
{
a = a * 10;
b.item = "changed";
c = {item: "changed"};
}
var num = 10;
var obj1 = {item: "unchanged"};
var obj2 = {item: "unchanged"};
changeStuff(num, obj1, obj2);
console.log(num);
console.log(obj1.item);
console.log(obj2.item);
This produces the output:
10
changed
unchanged
- If
obj1was not a reference at all, then changingobj1.itemwould have no effect on theobj1outside of the function. - If the argument was a proper reference, then everything would have changed.
numwould be100, andobj2.itemwould read"changed". Instead,numstays10andobj2.itemremains"unchanged“.
Instead, the situation is that the item passed in is passed by value. But the item that is passed by value is itself a reference.
Technically, this is called call-by-sharing.
In practical terms, this means that if you change the parameter itself (as with num and obj2), that won’t affect the item that was fed into the parameter. But if you change the internals of the parameter, that will propagate back up (as with obj1).