일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | 3 | 4 | 5 | ||
6 | 7 | 8 | 9 | 10 | 11 | 12 |
13 | 14 | 15 | 16 | 17 | 18 | 19 |
20 | 21 | 22 | 23 | 24 | 25 | 26 |
27 | 28 | 29 | 30 |
Tags
- Kotlin else if
- 파이썬 클래스
- 파이썬 제어문
- NextJs
- Kotlin Class
- 자바 기본타입
- 다중조건문
- Kotlin 클래스 속성정의
- 클래스 속성
- Variable declaration
- git
- 희망
- Kotlin 클래스
- activate 오류
- Kotlin If
- Python
- 강제 타입변환
- 파이썬 반복문
- python Django
- 넥스트js
- 파이썬 장고
- 좋은글
- github
- Kotlin 조건문
- Python Class
- 장고 가상환경
- 성공
- django virtualenv
- 파이썬
- 도전
Archives
- Today
- Total
키모스토리
#13 call, apply, bind 본문
반응형
call
call 메서드는 모든 함수에서 사용할 수 있으며, this를 특정값으로 지정할 수 있다.
const mike = {
name: "Mike",
};
const tom = {
name: "Tom",
};
// 해당 함수에서 접근 가능한 this가 없는 상태
function showThisName(){
console.log(this.name);
}
showThisName(); // undefined
showThisName.call(mike); // Mike .call() 메서드를 이용하여 this를 사용할 수 있게 됨
showThisName.call(tom); // Tom .call() 메서드를 이용하여 this를 사용할 수 있게 됨
function update(birthYear, occupation){
this.birthYear=birthYear;
this.occupation=occupation;
};
// 인자값 이용 방법 : update.call (this를 사용할 객체 (mike), update 함수가 받을 인자1, 인자2)
update.call(mike, 1999,"singer");
console.log(mike);
update.call(tom, 2002, "teachar");
console.log(tom);
apply
함수 매개변수를 처리하는 방법을 제외하면 call과 완전히 같다.
call 은 일반적인 함수와 마찬가지로 매겨변수를 직접 받지만, apply는 매개변수를 배여로 받는다.
// apply에서 매개변수는 배열로 전달
update.apply(mike, [1999, "singer"]);
console.log(mike);
update.apply(tom, [2002, "teachar"]);
console.log(tom);
매개변수 전달 예제
// 배열의 최소, 최대값 구하기
const nums = [3, 10, 1, 6, 4, 21];
const minNum = Math.min(...nums);
const maxNum = Math.max(...nums);
console.log(minNum); // 1
console.log(maxNum); // 21
// call, apply 이용하여 매개변수 전달달
const minNum2 = Math.min.call(null, ...nums);
// Math.min.call(null, 3, 10, 1, 6, 4, 21) 와 동일
const maxNum2 = Math.max.apply(null, nums);
// Math.max.apply(null, [3, 10, 1, 6, 4, 21]) 와 동일
console.log(minNum2); //1
console.log(maxNum2); //21
bind
함수의 this값을 영구히 변경할 수 있다
const kimo = {
name: "Kimo",
};
function update(birthYear, occupation){
this.birthYear=birthYear;
this.occupation=occupation;
};
// .bind를 이용하여 update함수 내의 this객체를 kimo객체 데이터로 고정
const updateKimo = update.bind(kimo);
updateKimo(1980, "police");
console.log(kimo);
// { name: 'Kimo', birthYear: 1980, occupation: 'police' }
전체 예제
const user = {
name: "Kimo",
showName: function () {
console.log(`hello, ${this.name}`);
},
}
user.showName();
let fn = user.showName;
fn.call(user);
fn.apply(user);
let boundFn = fn.bind(user);
boundFn();
**********************
hello, Kimo
hello, Kimo
hello, Kimo
hello, Kimo
반응형
'Web Devlopment > JavaScript' 카테고리의 다른 글
#15 클래스(class) (0) | 2025.03.19 |
---|---|
#14 상속, 프로토타입(Prototype) (0) | 2025.03.19 |
#12 setTimeout, setInterval (0) | 2025.03.19 |
#10 나머지 매개변수, 전개 구문(Rest parameters, Spread syntax) (0) | 2025.03.19 |
#9 구조 분해 할당 (Destructuring assignment) (0) | 2025.03.18 |