From: https://developer.mozilla.org/en-US/docs/Learn/JavaScript/Objects/Inheritance
So far we have seen some inheritance in action — we have seen how prototype chains work, and how members are inherited going up a chain. But mostly this has involved built-in browser functions. How do we create an object in JavaScript that inherits from another object?
As mentioned earlier in the course, some people think JavaScript is not a true object-oriented language. In "classic OO" languages, you tend to define class objects of some kind, and you can then simply define which classes inherit from which other classes (seeC++ inheritancefor some simple examples). JavaScript uses a different system — "inheriting" objects do not have functionality copied over to them, instead the functionality they inherit is linked to via the prototype chain (often referred to asprototypal inheritance).
Let's explore how to do this with a concrete example.
First of all, make yourself a local copy of our oojs-class-inheritance-start.htm lfile (see it running live also). Inside here you'll find the samePerson()
constructor example that we've been using all the way through the module, with a slight difference — we've defined only the properties inside the constructor:
function Person(first, last, age, gender, interests) {
this.name = {
first,
last
};
this.age = age;
this.gender = gender;
this.interests = interests;
};
The methods are_all_defined on the constructor's prototype. For example:
Person.prototype.greeting = function() {
alert('Hi! I\'m ' + this.name.first + '.');
};
Note: In the source code, you'll also seebio()
andfarewell()
methods defined. Later you'll see how these can be inherited by other constructors.
Say we wanted to create aTeacher
class, like the one we described in our initial object-oriented definition, which inherits all the members fromPerson
, but also includes:
subject
— this will contain the subject the teacher teaches.greeting()
method, which sounds a bit more formal than the standard
greeting()
method — more suitable for a teacher addressing some students at school.The first thing we need to do is create aTeacher()
constructor — add the following below the existing code:
function Teacher(first, last, age, gender, interests, subject) {
Person.call(this, first, last, age, gender, interests);
this.subject = subject;
}
This looks similar to the Person constructor in many ways, but there is something strange here that we've not seen before — thecall()
function. This function basically allows you to call a function defined somewhere else, but in the current context. The first parameter specifies the value ofthis
that you want to use when running the function, and the other parameters are those that should be passed to the function when it is invoked.
We want theTeacher()
constructor to take the same parameters as thePerson()
constructor it is inheriting from, so we specify them all as parameters in thecall()
invocation.
The last line inside the constructor simply defines the newsubject
property that teachers are going to have, which generic people don't have.
As a note, we could have simply done this:
function Teacher(first, last, age, gender, interests, subject) {
this.name = {
first,
last
};
this.age = age;
this.gender = gender;
this.interests = interests;
this.subject = subject;
}
But this is just redefining the properties anew, not inheriting them fromPerson()
, so it defeats the point of what we are trying to do. It also takes more lines of code.
Note that if the constructor you are inheriting from doesn't take its property values from parameters, you don't need to specify them as additional arguments incall()
. So, for example, if you had something really simple like this:
function Brick() {
this.width = 10;
this.height = 20;
}
You could inherit thewidth
andheight
properties by doing this (as well as the other steps described below, of course):
function BlueGlassBrick() {
Brick.call(this);
this.opacity = 0.5;
this.color = 'blue';
}
Note that we've only specifiedthis
insidecall()
— no other parameters are required as we are not inheriting any parameters, only properties.
All is good so far, but we have a problem. We have defined a new constructor, and it has aprototype
property, which by default just contains a reference to the constructor function itself. It does not contain the methods of the Person constructor'sprototype
property. To see this, enterObject.getOwnPropertyNames(Teacher.prototype)
into either the text input field or your JavaScript console. Then enter it again, replacingTeacher
withPerson
. Nor does the new constructor_inherit_those methods. To see this, compare the outputs ofPerson.prototype.greeting
andTeacher.prototype.greeting
. We need to getTeacher()
to inherit the methods defined onPerson()
's prototype. So how do we do that?
Add the following line below your previous addition:
Teacher.prototype = Object.create(Person.prototype);
Here our friend
create()
comes to the rescue again. In this case we are using it to create a new object and make it the value ofTeacher.prototype
. The new object has Person.prototype
as its prototype and will therefore inherit, if and when needed, all the methods available onPerson.prototype
.
Teacher.prototype
'sconstructor
property is now equal toPerson()
, because we just setTeacher.prototype
to reference an object that inherits its properties from Person.prototype
! Try saving your code, loading the page in a browser, and enteringTeacher.prototype.constructor
into the console to verify.Teacher.prototype.constructor = Teacher;
Teacher.prototype.constructor
should returnTeacher()
, as desired, plus we are now inheriting fromPerson()
!To finish off our code, we need to define a newgreeting()
function on theTeacher()
constructor.
The easiest way to do this is to define it onTeacher()
's prototype — add the following at the bottom of your code:
Teacher.prototype.greeting = function() {
var prefix;
if (this.gender === 'male' || this.gender === 'Male' || this.gender === 'm' || this.gender === 'M') {
prefix = 'Mr.';
} else if (this.gender === 'female' || this.gender === 'Female' || this.gender === 'f' || this.gender === 'F') {
prefix = 'Mrs.';
} else {
prefix = 'Mx.';
}
alert('Hello. My name is ' + prefix + ' ' + this.name.last + ', and I teach ' + this.subject + '.');
};
This alerts the teacher's greeting, which also uses an appropriate name prefix for their gender, worked out using a conditional statement.
Now that you've entered all the code, try creating an object instance fromTeacher()
by putting the following at the bottom of your JavaScript (or something similar of your choosing):
var teacher1 = new Teacher('Dave', 'Griffiths', 31, 'male', ['football', 'cookery'], 'mathematics');
Now save and refresh, and try accessing the properties and methods of your newteacher1
object, for example:
teacher1.name.first;
teacher1.interests[0];
teacher1.bio();
teacher1.subject;
teacher1.greeting();
teacher1.farewell();
These should all work just fine. The queries on lines 1, 2, 3, and 6 access members inherited from the genericPerson()
constructor (class). The query on line 4 accesses a member that is available only on the more specializedTeacher()
constructor (class). The query on line 5 would have accessed a member inherited fromPerson()
, except for the fact thatTeacher()
has its own member with the same name, so the query accesses that member.
Note: If you have trouble getting this to work, compare your code to our finished version(see it running live also).
The technique we covered here is not the only way to create inheriting classes in JavaScript, but it works OK, and it gives you a good idea about how to implement inheritance in JavaScript.
You might also be interested in checking out some of the new ECMAScript features that allow us to do inheritance more cleanly in JavaScript (see Classes). We didn't cover those here, as they are not yet supported very widely across browsers. All the other code constructs we discussed in this set of articles are supported as far back as IE9 or earlier, and there are ways to achieve earlier support than that.
A common way is to use a JavaScript library — most of the popular options have an easy set of functionality available for doing inheritance more easily and quickly. CoffeeScript for example providesclass
,extends
, etc.
In our OOP theory section, we also included aStudent
class as a concept, which inherits all the features ofPerson
, and also has a differentgreeting()
method from Person
that is much more informal than theTeacher
's greeting. Have a look at what the student's greeting looks like in that section, and try implementing your ownStudent()
constructor that inherits all the features ofPerson()
, and implements the differentgreeting()
function.
Note: If you have trouble getting this to work, have a look at ourfinished version(see itrunning livealso).
To summarize, you've basically got three types of property/method to worry about:
this.x = x
type lines; in built in browser code, they are the members only available to object instances (usually created by calling a constructor using thenew
keyword, e.g.var myInstance = new myConstructor()
).Object.keys()
.myConstructor.prototype.x()
.If you are not sure which is which, don't worry about it just yet — you are still learning, and familiarity will come with practice.
Particularly after this last article, you might be thinking "woo, this is complicated". Well, you are right. Prototypes and inheritance represent some of the most complex aspects of JavaScript, but a lot of JavaScript's power and flexibility comes from its object structure and inheritance, and it is worth understanding how it works.
In a way, you use inheritance all the time. Whenever you use various features of a Web API , or methods/properties defined on a built-in browser object that you call on your strings, arrays, etc., you are implicitly using inheritance.
In terms of using inheritance in your own code, you probably won't use it often, especially to begin with, and in small projects. It is a waste of time to use objects and inheritance just for the sake of it when you don't need them. But as your code bases get larger, you are more likely to find a need for it. If you find yourself starting to create a number of objects that have similar features, then creating a generic object type to contain all the shared functionality and inheriting those features in more specialized object types can be convenient and useful.
Note: Because of the way JavaScript works, with the prototype chain, etc., the sharing of functionality between objects is often called delegation. Specialized objects delegate functionality to a generic object type. This is probably more accurate than calling itinheritance, as the "inherited" functionality is not copied to the objects that are doing the "inheriting". Instead it still remains in the generic object.
When using inheritance, you are advised to not have too many levels of inheritance, and to keep careful track of where you define your methods and properties. It is possible to start writing code that temporarily modifies the prototypes of built-in browser objects, but you should not do this unless you have a really good reason. Too much inheritance can lead to endless confusion, and endless pain when you try to debug such code.
Ultimately, objects are just another form of code reuse, like functions or loops, with their own specific roles and advantages. If you find yourself creating a bunch of related variables and functions and want to track them all together and package them neatly, an object is a good idea. Objects are also very useful when you want to pass a collection of data from one place to another. Both of these things can be achieved without use of constructors or inheritance. If you only need a single instance of an object, then you are probably better off just using an object literal, and you certainly don't need inheritance.
This article has covered the remainder of the core OOJS theory and syntax that we think you should know now. At this point you should understand JavaScript object and OOP basics, prototypes and prototypal inheritance, how to create classes (constructors) and object instances, add features to classes, and create subclasses that inherit from other classes.