객체 란? 서로 연관된 변수와 함수를 그룹핑한 그릇이라고 할 수 있음.
프로퍼티 (property) : 객체 내의 변수
메소드(method) : 객체 내의 함수
let person = {}
person.name = 'rkhong';
person.introduce = function() {
return 'My name is' + this.name;
}
console.log(person.introduce()); //My name is rkhong
// 객체를 정의할 때 값을 셋팅하도록 코드 변경
let person = {
'name' : 'rkhong',
'introuduce' : function() {
return 'My name is' + this.name;
}
}
console.log(person.introduce()); //My name is rkhong
// new를 붙이면 새로운 객체를 만든 후 이를 리턴함.
// (** 별로 개선된 것이 없음)
function Preson() {
let p1 = new Person();
p1.name = 'rkhong';
p1.introduce = function() {
return 'My name is' + this.name;
}
console.log(p1.introduce()); //My name is rkhong
let p2 = new Person();
p2.name = 'rk';
p2.introduce = function() {
return 'My name is' + this.name;
}
console.log(p2.introduce()); //My name is rk
}
// 생성자 내에서 이 객체의 프로퍼티를 정의하고 있음. => 초기화 -> 코드의 재사용성이 높아짐.
// 생성자 함수는 일반함수와 구분하기 위해 첫글자를 대문자로 표시
function Person(name) {
this.name = name;
this.introduce = function() {
return 'My name is' + this.name;
}
}
let p1 = new Person('rkhong');
console.log(p1.introduce()); //My name is rkhong
let p2 = new Person('rk;);
console.log(p2.introduce()); //My name is rk
전역객체(Global object) : 특수한 객체
모든 객체는 이 전역객체의 프로퍼티임
// func()와 window.func() 모두 실행이 됨.
// 모든 전역변수와 함수는 사실 window 객체의 프로퍼티임. -> 객체를 명시하지 않으면 암시적으로 window의 프로퍼티로 간주함.
function func(){
alert('Hey');
}
func();
window.func();
//자바스크립트에서 모든 객체는 기본적으로 전역객체의 프로퍼티임을 알 수 있음
let a = {'func':function (){
alert('Hey');
}}
a.func();
window.a.func():
.
.
.
.
Reference
https://opentutorials.org/course/743/6570
https://opentutorials.org/course/743/6577