생활코딩 자바스크립트 강의를 보고 정리한 포스팅이다.
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();
 
var p1 = new Programmer('egoing');
document.write(p1.introduce()+"<br />");p1 = new Programmer('egoing')으로 생성자를 만들었다.
그리고 이 생성자의 prototype과 Person의 객체를 연결했더니 Programmer 객체도 메소드 introduce를 사용할 수 있게 되었다. Programmer에는 introduce가 없지만 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();
Programmer.prototype.coding = function(){
    return "hello world";
}
 
var p1 = new Programmer('egoing');
document.write(p1.introduce()+"<br />");
document.write(p1.coding()+"<br />");Programmer는 Person의 기능을 가지고 있으면서 Person이 가지고 있지 않은 기능인 메소드 coding을 가지고 있다.
잠깐!
Prototype 이란?
JavaScript에서 모든 함수는 객체이며, prototype라는 프로퍼티를 가지고 태어난다. prototype역시 객체이다.
자세한 설명은 하기링크에....
https://www.nextree.co.kr/p7323/
라고 썼는데 바로 다음 강의가 prototype에 대한 이야기였다.
객체는 프로퍼티를 가질 수 있는데 prototype이라는 프로퍼티는 그 용도가 약속되어 있는 특수한 프로퍼티다. prototype에 저장된 속성들은 생성자를 통해서 객체가 만들어질 때 그 객체에 연결된다.
function Ultra(){}
Ultra.prototype.ultraProp = true;
 
function Super(){}
Super.prototype = new Ultra();
 
function Sub(){}
Sub.prototype = new Super();
 
var o = new Sub();
console.log(o.ultraProp);결과는 true이다.
생성자 Sub를 통해서 만들어진 객체 o가 Ultra의 프로퍼티 ultraProp에 접근 가능한 것은 prototype 체인으로 Sub와 Ultra가 연결되어 있기 때문이다. 내부적으로는 아래와 같은 일이 일어난다.
- 객체 o에서 ultraProp를 찾는다.
- 없다면 Sub.prototype.ultraProp를 찾는다.
- 없다면 Super.prototype.ultraProp를 찾는다.
- 없다면 Ultra.prototype.ultraProp를 찾는다.
prototype는 객체와 객체를 연결하는 체인의 역할을 하는 것이다. 이러한 관계를 prototype chain이라고 한다.
'Study > JavaScript' 카테고리의 다른 글
| [JavaScript] input type=file 파일업로드 ajax로 전송하기 (0) | 2023.07.13 | 
|---|---|
| [JavaScript] JS파일 코드 변경사항이 반영되지 않는 문제 (0) | 2023.07.08 | 
| 자바스크립트의 객체지향 (0) | 2022.08.26 | 
| 값으로서의 함수와 콜백 (0) | 2022.08.25 | 
| 유효범위(Scope) (0) | 2022.08.25 |