-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy path04-prototypal-inheritance.js
61 lines (50 loc) · 1.47 KB
/
04-prototypal-inheritance.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
/**
* ******************************
* Prototypal Inheritance
* ******************************
**/
/**
* ********************
* Person constructor & prototype
* ********************
**/
// Person constructor
function Person(firstName, lastName) {
this.firstName = firstName;
this.lastName = lastName;
}
// Greeting prototype
Person.prototype.greeting = function() {
return `Hello there ${this.firstName} ${this.lastName}`;
};
const person1 = new Person('John', 'Doe');
console.log(person1.greeting());
/**
* ********************
* Customer constructor & prototype
* ********************
**/
// Customer constructor
function Customer(firstName, lastName, phone, membership) {
Person.call(this, firstName, lastName);
this.phone = phone;
this.membership = membership;
}
// Inherit the Person prototype methods
Customer.prototype = Object.create(Person.prototype);
// Make customer.prototype return Customer()
Customer.prototype.constructor = Customer;
// Create customer
const customer1 = new Customer('Tom', 'Smith', '555-555-5555', 'Standard');
console.log(customer1);
console.log(customer1.greeting()); // Person Greeting Prototype
/**
* ********************
* Overriding inheritance prototype
* ********************
**/
// Customer greeting
Customer.prototype.greeting = function() {
return `Hello there ${this.firstName} ${this.lastName} welcome to our company`;
};
console.log(customer1.greeting()); // Override Person Greeting with Customer Greeting Prototype.