callable과 constructor/non-constructor
[[Call]]: 호출할 수 있는 함수 객체
[[Construct]] : 인스턴스를 생성할 수 있는 함수 객체
var obj = {
x: 10,
f: function() { return this.x; }
};
obj.f() // 10
var bar = obj.f
bar() // undefined : undefined인 이유는 x가 전역변수로 존재하지 않기 때문이다.
new obj.f() // f{}
[1,2,3].map(function (item){ return item * 2 });
//[2,4,6]
ES6 함수의 구분 | constructor | prototype | super | arguments |
일반함수 | O | O | X | O |
메서드 | X | X | O | O |
화살표 함수 | X | X | X | X |
const obj = {
x: 1,
foo() { return this.x; } // foo는 메서드다
//bar에 바인딩 된 함수는 메서드가 아닌 일반 함수다.
bar: function() { return this.x; }
};
obj.foo // 1
obj.bar // 1
new obj.foo(); // is not a function
ES6의 메서드는 인스턴스를 생성할 수 없으므로 prototype 프로퍼티가 없고 프로토타입도 생성하지 않는다.
obj.foo.hasOwnProperty('prototype'); // false
obj.bar.hasOwnProperty('prototype'); // true
String.prototype.toUpperCase.prototype // undefined
Number.isFinite.prototype // undefined
Array.prototype.map.prototype // undefined
Array.from.prototype // undefined
const base = {
name: 'Lee',
sayHi() {
return `Hi! ${this.name}`;
}
};
const derived = {
__proto__:base,
// sayHi는 ES6의 메서드이기에 [[HomeObject]]를 갖는다.
//sayHi의 [[HomeObject]]는 sayHi가 바인딩된 객체인 derived를 가리키고
// super는 sayHi의[[HomeObject]]의 프로토타입인 base를 가리킨다.
sayHi(){
return `${super.sayHi()}`
}
};
derived.sayHi()
// 함수 몸체가 하나의 문으로 구성된다 해도 함수 몸체의 문이 표현식이 아닌 문이라면 중괄호를 생략할 수 없다
const arrowfunc = () => const x = 1; // Unexpected token 'const'
// 위 표현은 다음과 같이 해석된다.
const arrowfunc = () => { return const x = 1 };
const arrow = () => { const x = 1; } // undefined
const create = (id,content) => ({id,contend});
create(1,'javascript') // {id: 1, content: "javascript"}
const person = (name => ({
sayHi() {return `hi? ${name}`;}
}))('Lee');
person.sayHi() // hi? Lee
[1,2,3].map(v => v * 2);
const arrowFunc = (a,a,a,a,a,a) => return a+a+a+a+a+a;
// parameter name not allowed in this context
화살표 함수는 함수 자체의 this,arguments,super,new.target 바인딩을 갖지 않는다.
따라서 화살표 함수 내부에서 this.arguments,super,new.target을 참조하면 스코프체인을 통해 상위 스코프의 this,arguments,super,new.target을 참조한다.
만약 화살표 함수와 화살표 함수가 중첩되어 있다면 스코프 체인 상에서 가장 가까운 상위 함수의 this,arguments,super,new.target을 참조한다.
class Prefixer{
constructor(prefix){
this.prefix = prefix;
}
add(arr) {
//add 메서드는 인수로 전달된 배열 arr를 순회하며 배열의 모든 요소에 prefix를 추가한다
return arr.map(function(item){
return this.prefix + item;
// Cannot read property 'prefix' of undefined
});
}
}
const prefixer = new Prefixer('-webkit-');
console.log(prefixer.add(['transition','user-select']));
1.
add(arr){
const that = this; // 메서드 내부에서 정의한 this는 자신을 호출한 객체를 가리킨다.
return arr.mao(function(item) {
return that.prefix + ' ' + item;
})
}
2. map의 두번째 인수로 add 메서드를 호출한 prefixer 객체를 가리키는 this를 호출한다.
두번째 인수로 콜백 함수 내부에서 this를 사용하므로 this로 사용할 객체를 전달할 수 있다는 것이다.
arr(arr){
return arr.map(function(item){
return this.prefix + ' ' + item;
},this); // this에 바인딩 된 값이 콜백 함수 내부의 this에 바인딩된다.
// 여기서의 this는 map 함수 내부에서 선언된 것이 아니기 때문에 가능하다.
}
arr(arr){
return arr.map(function(item){
return this.prefix + ' ' + item;
}.bind(this)); // this에 바인딩된 값이 콜백 함수 내부의 this에 바인딩된다.
}
ES6에서는 화살표 함수를 사용하여 콜백 함수 내부의 this 문제를 해결할 수 있다.
const person = {
name: 'Lee',
sayHi: () => console.log( `Hi `${this.name}`);
};
// sayHi 프로퍼티에 할당된 화살표 함수 내부의 this에는 상위 스코프인 전역의 this가 가리키는
// 전역 객체를 가리키므로 이 예제를 브라우저에서 실행하면 this.name은 빈 문자열을 갖는
// window.name과 같다. 전역 객체 window에는 빌트인 프로퍼티 name이 존재한다.
person.sayHi() // Hi
const person = {
sayHi() {
console.log(`Hi ${this.name}`);
}
};
person.sayHi();
Foo.prototype.sayHi = function () { console.log() };
function foo(...rest) {}
foo.length // 0
function foo2(x,...rest){}
foo2.length // 1
function sum(...args) {
return args.reduce((pre,cur) => pre + cur,0);
}
sum(1,2,3,4,5) // 15
function sum(x,y){
return x + y;
}
console.log(sum(1)); //NaN
function sum(x = 0 , y = 0){
return x + y;
}
sum(1,2) // 3
sum(1) // 1
function sum(x, y=0){
console.log(arguments);
}
console.log(sum.length); // 1
sum(1) // Arguments { '0', 1 }
sum(1,2) // Arguments {'0':1, '1':2}