상속
객체의 로직을 그대로 물려받는 또 다른 객체를 만들수 있는 기능
function Person(name) {
this.name = name;
}
Person.prototype.name=null;
Person.prototype.introduce = function () {
return 'My name is ' + this.name;
}
let a1 = new Person('rkhong');
console.log(a1.introduce()); //결과 : My name is rkhong
//상속
/***
- Programmer 생성자 생성 -> prototype과 Person의 객체 연결 -> Programmer객체도 introduce메소드 사용 가
능
- Programmer -> Person의 기능을 상속함.
***/
function Person(name) {
this.name = name;
}
Person.prototype.name=null;
Person.prototype.introduce = function () {
return 'My name is ' + this.name;
}
function Programmer (name) {
this.name = name;
}
Programmer.prototype = new Person();
let a1 = new Programmer('rkhong');
console.log(a1.introduce()); //결과 : My name is rkhong
// Programmer는 Person의 기능을 가지면서 Person이 가지지 않은 coding메서드를 가지고 있음
function Person(name){
this.name = name;
}
Person.prototype.name=null;
Person.prototype.introduce = function(){
return 'My name is '+this.name;
}
function Programmer(name){
this.name = name;
}
Programmer.prototype = new Person();
Programmer.prototype.coding = function(){
return "hey~";
}
let a1 = new Programmer('rkhong');
console.log(a1.introduce()); //결과 : My name is rkhong
console.log(a1.coding()); //결과 : hey~
function Ultra(){}
Ultra.prototype.ultraProp = true;
function Super(){}
Super.prototype = new Ultra();
function Sub(){}
Sub.prototype = new Super();
let a = new Sub();
console.log(a.ultraProp); //결과 : true
// prototype 체인으로 Sub, Ultra가 연결되어 있기 때문에 생성자 Sub를 통해서 만들어진 객체 a가 Ultra의 ultraProp 프로퍼티에 접근 가능함
/***
step
1. 객체 a 에서 ultra 찾기
2. 없으면 Sub.prototype.ultraProp 찾기
3. 없으면 Super.prototype.ultraProp 찾기
4. 없으면 Ultar.prototype.ultraProp 찾기
***/
Prototype chain
prototype은 객체와 객체를 연결하는 체인의 역할을 하는 관계
.
.
.
.
Reference
https://opentutorials.org/course/743/6572
https://opentutorials.org/course/743/6573