I am a student studying programming.
I have a question.
function a () {
}
a.prototype.prtSomething = function(arg) { console.log(arg); }
function b () {
}
var myObj = new b();
If I want to use the method of a in myObj, we use this code.
b.prototype = Object.create(a.prototype);
b.prototype.constructor = b;
That means changing the target of scope chaining. But why don't we use this code?
b.prototype.__proto__ = a.prototype;
I think there must be a reason to creating and using a new object. but I don't know. Please teach me. Thank you.
You could, and it would work, but:
Changing an object's prototype is generally not a good idea and may make JavaScript engines not optimize that object as well.
__proto__
used to be non-standard (and still is outside of web browsers) and until ES2015 there was no standard way to change an object's prototype. ES2015 addedObject.setPrototypeOf
(and added__proto__
to its web-only Annex B).So rather than changing the prototype of
b.prototype
, typically we used to replace it instead.(I say "used to" because I wouldn't write that code in modern JavaScript, I'd use
class
syntax if I wanted an inheritance hierarchy of constructor functions.)Side note: Don't use
__proto__
. It's purely there for backward compatibility with old code, is not specified for JavaScript outside of browsers, and isn't present on objects that don't inherit fromObject.prototype
. (For instance, if you doconst x = Object.create(null);
, then"__proto__" in x
isfalse
and assigning tox.__proto__
won't change its prototype.)Instead, if you have a reason to change the prototype of an object, use
Object.setPrototypeOf
:Also note that I've changed
a
toA
andb
toB
to conform with standard JavaScript naming (constructor functions start with a capital letter).