I've got this code:
function margeOptions(options, passedOptions) {
options = Object.assign(options, passedOptions);
}
let passedOpts = {a: true};
let opts = {a: false};
margeOptions(opts, passedOpts);
console.log(opts); // as expected returns {a: true}
but when I change function a little bit, like this:
function margeOptions(options, passedOptions) {
options = Object.assign({}, options, passedOptions);
}
let passedOpts = {a: true};
let opts = {a: false};
margeOptions(opts, passedOpts);
console.log(opts); // this time returns {a: false} <-- !
So what really happened in here?
The
Object.assign()
function modifies the contents of the first object parameter. Thus in the first function:your code works because
options
is the first parameter. Note that the assignment back to theoptions
parameter has no effect, or at least no useful effect. It will assign the return value ofObject.assign
to theoptions
variable, but that's the value it already has.The second function passes a newly-constructed empty object as the first parameter, so that means that the object passed as
options
won't be modified. The modified object is assigned back tooptions
, but as it's just a function parameter that won't change the reference in the calling environment. If you wanted to do that, you'd have to return the value and assign it in the calling environment.