Amarans
0325 JavaScript | 생성자 / New / 전역객체 / 본문
생성자
객체란 서로 연관된 변수와 함수를 그룹핑한 그릇이라고 할 수 있다. 객체 내의 변수를 프로퍼티(property) 함수를 메소드(method)라고 부른다.
var person = {}
person.name = 'egoing';
person.introduce = function(){
return 'My name is '+this.name;
}
document.write(person.introduce());
객체를 만드는 과정에 분산되어 있다. 객체를 정의 할 때 값을 셋팅하도록 코드를 바꿔보면
var person = {
'name' : 'egoing',
'introduce' : function(){
return 'My name is '+this.name;
}
}
document.write(person.introduce());
만약 다른 사람의 이름을 담을 객체가 필요하다면 객체의 정의를 반복해야 할 것이다. 객체의 구조를 재활용할 수 있는 방법이 필요하다. 이 때 사용하는 것이 생성자다.
============================================================================
New
function Person(){}
var p1 = new Person();
p1.name = 'egoing';
p1.introduce = function(){
return 'My name is '+this.name;
}
document.write(p1.introduce()+"<br />");
var p2 = new Person();
p2.name = 'leezche';
p2.introduce = function(){
return 'My name is '+this.name;
}
document.write(p2.introduce());
============================================================================
이러한 작업을 초기화라고 한다. 이를 통해서 코드의 재사용성이 대폭 높아졌다.
코드를 통해서 알 수 있듯이 생성자 함수는 일반함수와 구분하기 위해서 첫글자를 대문자로 표시한다.
function Person(name){
this.name = name;
this.introduce = function(){
return 'My name is '+this.name;
}
}
var p1 = new Person('egoing');
document.write(p1.introduce()+"<br />");
var p2 = new Person('leezche');
document.write(p2.introduce());
전역객체란?
전역객체(Global object)는 특수한 객체다. 모든 객체는 이 전역객체의 프로퍼티다.
function func(){
alert('Hello?');
}
func();
window.func();
func();와 window.func();는 모두 실행이 된다. 모든 전역변수와 함수는 사실 window 객체의 프로퍼티다. 객체를 명시하지 않으면 암시적으로 window의 프로퍼티로 간주된다.
var o = {'func':function(){
alert('Hello?');
}}
o.func();
window.o.func();
자바스크립트에서 모든 객체는 기
'JavaScript' 카테고리의 다른 글
0327_JavaScript | 상속 | (0) | 2020.03.27 |
---|---|
0326 JavaScript | this | (0) | 2020.03.26 |
0324_JavaScript |객체지향 프로그래밍 OOP | (0) | 2020.03.24 |
0320 Java Script |함수의 호출 apply 1| (0) | 2020.03.20 |
0317 Java Script | arguments / arguments.length | (0) | 2020.03.17 |
Comments