자바스크립트 문법

26 ES6 함수의 추가 기능 code

자무카 2022. 10. 25.

25장 클래스까지 1독 후, ES6 함수의 추가 기능이란 제목에 쉽게 생각했는데.... 이건 뭐.

거의 공부했다고 풀어졌다가, 완전 피X 싸고, 자괴감이 들었던 장. 역시

마음 가짐이 중요해.... ㅠㅠ

전에 자바 공부할 때 생각하면, 문법 이론을 공부하는 파트는 대부분 책의 절반을 차지하는데,

그 후부터는 공부했다 생각하기에, 설명없이 그걸 기본으로 깔고, 진도가 나가기 때문에 기초가 잘 돼 있으면, 이제 뭘 좀 하는구나라는 재미를 느낄 수도 있고, 개념이 안잡혀있으면.... 이렇게 현타가 올 수 있는거다. 나는 뭘 공부했나.

그럴 때는 빨리 기초 과정 재학습이 필요하다는 것을 다시 상기시켜주었다.


  • 일반 함수 : 다 있음. constructor, prototype, super, arguments
  • 메서드(클래스에서 축약표현) : constructor X, prototype X --> 메서드로 인스턴스를 생성하는 경우는 없기 때문에, 성능상 유리하고, 보기도 좋음
  • 화살표 함수 : constructor, prototype, super, arguments 다 없음. --> 단순히 문법이 간소화된 것이 아니고, 콜백함수, 클래스에서 등에서 자신을 참조하기 위한 this 바인딩이 없어서, 콜백함수를 화살표 함수로 작성시, 상위 스코프의 this를 참조하게 되므로 간단해짐.(<-- 가장 중요한 이유)

가장 복잡하게 만드는 이유는 this 바인딩 방식이고, 화살표 함수, class 문법이 도입되면서, 2중 3중 복잡함을 더 했다. -_-; 끝없이 복잡해지겠지. 그런데, 엔지니어들은 간결함만 중요시하면 성능이슈로 안쓰게 되니까. 복잡하더라도 정확하고, 성능을 중요시하는 특성상 이건 뭐. 하..

  • 객체의 메서드는 ES6에서 축약표현만 객체의 메서드로 인정한다. 인정한다는 말이 딱 이건 이렇다가 아니라, 용어 정의와 작동 방식이 혼재한다.
  • <일반 객체의 메소드> <프로토타입 메서드> <인스턴스 메소드> 등이 있고, 인스턴스 생성을 위해서는 constructor 안에서 프로토타입의 메소드 정의를 해야했으나, 이 제한은 풀렸고,
  • 이 때 화살표함수가 사용되면,public instance field가 되고, 결과는 같지만, this 바인딩이 다르고, 내부 작동 방식이 다르며....
    이런걸 주화입마라고.....

1. 함수의 구분

(일반 함수, 생성자 함수, 메서드)

26-01 ES5) 동일한 함수를 다양한 형태로 호출

모든 함수는 생성자 함수로서도 호출할 수 있음

var foo = function () {
  return 1;
};

// 일반적인 함수로서 호출
foo(); // -> 1

// 생성자 함수로서 호출
new foo(); // -> foo {}

// 메서드로서 호출
var obj = { foo: foo };
obj.foo(); // -> 1

26-02 ES5) 모든 함수는 callable이며 constructor

ES6 축약 방식으로 정의한 메서드는 constructor와 prototype이 없다.->생성자로서 호출 X

var foo = function () {};

// ES6 이전의 모든 함수는 callable이면서 constructor다.
foo(); // -> undefined
new foo(); // -> foo {}

26-03 객체에 바인딩된 함수도 문법상 생성자 함수로서 호출 가능

// 프로퍼티 f에 바인딩된 함수는 callable이며 constructor다.
var obj = {
  x: 10,
  f: function () { return this.x; }
};

// 프로퍼티 f에 바인딩된 함수를 메서드로서 호출
console.log(obj.f()); // 10

// 프로퍼티 f에 바인딩된 함수를 일반 함수로서 호출
var bar = obj.f;
console.log(bar()); // undefined

// 프로퍼티 f에 바인딩된 함수를 생성자 함수로서 호출
console.log(new obj.f()); // f {}

26-04 콜백함수도 constructor이며, 프로토타입 객체 생성

// 콜백 함수를 사용하는 고차 함수 map. 콜백 함수도 constructor이며 프로토타입을 생성한다.
[1, 2, 3].map(function (item) {
  return item * 2;
}); // -> [ 2, 4, 6 ]

2. ES6 메서드

26-05 객체 안에 있어도 일반 함수와 메서드로 구분

ES6 메서드는 constructor 와 prototype 이 없으므로 중요!

const obj = {
  x: 1,
  // foo는 메서드이다.
  foo() { return this.x; },
  // bar에 바인딩된 함수는 메서드가 아닌 일반 함수이다.
  bar: function() { return this.x; }
};

console.log(obj.foo()); // 1
console.log(obj.bar()); // 1

26-06 ES6 메서드는 생성자 함수로 호출X. non-constructor

new obj.foo(); // -> TypeError: obj.foo is not a constructor
new obj.bar(); // -> bar {}

26-07 ES6 메서드는 인스턴스 생성X.

프로토타입 프로퍼티가 없고, 프로토타입도 비생성

// obj.foo는 constructor가 아닌 ES6 메서드이므로 prototype 프로퍼티가 없다.
obj.foo.hasOwnProperty('prototype'); // -> false

// obj.bar는 constructor인 일반 함수이므로 prototype 프로퍼티가 있다.
obj.bar.hasOwnProperty('prototype'); // -> true

26-08 표준 빌드인 객체 제공 프로토타입 메서드와 정적 메서드

String.prototype.toUpperCase.prototype; // -> undefined
String.fromCharCode.prototype           // -> undefined

Number.prototype.toFixed.prototype; // -> undefined
Number.isFinite.prototype;          // -> undefined

Array.prototype.map.prototype; // -> undefined
Array.from.prototype;          // -> undefined

26-09 ES6 메서드는 [[HomeObject]]를 갖는다->super()

const base = {
  name: 'Lee',
  sayHi() {
    return `Hi! ${this.name}`;
  }
};

const derived = {
  __proto__: base,
  // sayHi는 ES6 메서드다. ES6 메서드는 [[HomeObject]]를 갖는다.
  // sayHi의 [[HomeObject]]는 sayHi가 바인딩된 객체인 derived를 가리키고
  // super는 sayHi의 [[HomeObject]]의 프로토타입인 base를 가리킨다.
  sayHi() {
    return `${super.sayHi()}. how are you doing?`;
  }
};

console.log(derived.sayHi()); // Hi! Lee. how are you doing?

26-10 ES6 메서드가 아닌 함수는 super 키워드 사용 X

const derived = {
  __proto__: base,
  // sayHi는 ES6 메서드가 아니다.
  // 따라서 sayHi는 [[HomeObject]]를 갖지 않으므로 super 키워드를 사용할 수 없다.
  sayHi: function () {
    // SyntaxError: 'super' keyword unexpected here
    return `${super.sayHi()}. how are you doing?`;
  }
};

3.화살표 함수

3-1 화살표 함수 정의

26-11

const multiply = (x, y) => x * y;
multiply(2, 3); // -> 6

26-12

const arrow = (x, y) => { ... };

26-13

const arrow = x => { ... };

26-14

const arrow = () => { ... };

26-15

// concise body
const power = x => x ** 2;
power(2); // -> 4

// 위 표현은 다음과 동일하다.
// block body
const power = x => { return x ** 2; };

26-16

const arrow = () => const x = 1; // SyntaxError: Unexpected token 'const'

// 위 표현은 다음과 같이 해석된다.
const arrow = () => { return const x = 1; };

26-17

const arrow = () => { const x = 1; };

26-18

const create = (id, content) => ({ id, content });
create(1, 'JavaScript'); // -> {id: 1, content: "JavaScript"}

// 위 표현은 다음과 동일하다.
const create = (id, content) => { return { id, content }; };

26-19

// { id, content }를 함수 몸체 내의 쉼표 연산자문으로 해석한다.
const create = (id, content) => { id, content };
create(1, 'JavaScript'); // -> undefined

26-20

const sum = (a, b) => {
  const result = a + b;
  return result;
};

26-21

const person = (name => ({
  sayHi() { return `Hi? My name is ${name}.`; }
}))('Lee');

console.log(person.sayHi()); // Hi? My name is Lee.

26-22

// ES5
[1, 2, 3].map(function (v) {
  return v * 2;
});

// ES6
[1, 2, 3].map(v => v * 2); // -> [ 2, 4, 6 ]

3-2 화살표 함수와 일반 함수 차이

26-23 화살표 함수는 생성자 함수로서 호출 X

const Foo = () => {};
// 화살표 함수는 생성자 함수로서 호출할 수 없다.
new Foo(); // TypeError: Foo is not a constructor

26-24 화살표 함수는 prototype 프로퍼티, 프로퍼티 생성 X

const Foo = () => {};
// 화살표 함수는 prototype 프로퍼티가 없다.
Foo.hasOwnProperty('prototype'); // -> false

26-25 일반 함수는 중복된 매개변수 이름 error 발생 X

function normal(a, a) { return a + a; }
console.log(normal(1, 2)); // 4

26-26 일반 함수여도 'strict mode' 에서는 중복시, 에러

'use strict';

function normal(a, a) { return a + a; }
// SyntaxError: Duplicate parameter name not allowed in this context

26-27 화살표 함수에서도 중복된 매개변수 이름 error

const arrow = (a, a) => a + a;
// SyntaxError: Duplicate parameter name not allowed in this context

3-3 this

26-28 배열 요소에 prefix 추가 예제

class Prefixer {
  constructor(prefix) {
    this.prefix = prefix;
  }

  add(arr) {
    // add 메서드는 인수로 전달된 배열 arr을 순회하며 배열의 모든 요소에 prefix를 추가한다.
    // ①
    return arr.map(function (item) {
      return this.prefix + item; // ②
      // -> TypeError: Cannot read property 'prefix' of undefined
    });
  }
}

const prefixer = new Prefixer('-webkit-');
console.log(prefixer.add(['transition', 'user-select']));

26-29 1) this를 회피 후, 콜백 함수 내부에서 사용

...
add(arr) {
  // this를 일단 회피시킨다.
  const that = this;
  return arr.map(function (item) {
    // this 대신 that을 참조한다.
    return that.prefix + ' ' + item;
  });
}
...

26-30 2) map 의 두번째 인수로 this 사용

...
add(arr) {
  return arr.map(function (item) {
    return this.prefix + ' ' + item;
  }, this); // this에 바인딩된 값이 콜백 함수 내부의 this에 바인딩된다.
}
...

26-31 3) bind 메서드

...
add(arr) {
  return arr.map(function (item) {
    return this.prefix + ' ' + item;
  }.bind(this)); // this에 바인딩된 값이 콜백 함수 내부의 this에 바인딩된다.
}
...

26-32 4) 화살표 함수 사용

화살표 함수'만' this 바인딩이 없다.

class Prefixer {
  constructor(prefix) {
    this.prefix = prefix;
  }

  add(arr) {
    return arr.map(item => this.prefix + item);
  }
}

const prefixer = new Prefixer('-webkit-');
console.log(prefixer.add(['transition', 'user-select']));
// ['-webkit-transition', '-webkit-user-select']

26-33 화살표 함수의 this를 bind 표현하면?

// 화살표 함수는 상위 스코프의 this를 참조한다.
() => this.x;

// 익명 함수에 상위 스코프의 this를 주입한다. 위 화살표 함수와 동일하게 동작한다.
(function () { return this.x; }).bind(this);

26-34 중첩된 화살표 함수 this 바인딩

// 중첩 함수 foo의 상위 스코프는 즉시 실행 함수다.
// 따라서 화살표 함수 foo의 this는 상위 스코프인 즉시 실행 함수의 this를 가리킨다.
(function () {
  const foo = () => console.log(this);
  foo();
}).call({ a: 1 }); // { a: 1 }

// bar 함수는 화살표 함수를 반환한다.
// bar 함수가 반환한 화살표 함수의 상위 스코프는 화살표 함수 bar다.
// 하지만 화살표 함수는 함수 자체의 this 바인딩을 갖지 않으므로 bar 함수가 반환한
// 화살표 함수 내부에서 참조하는 this는 화살표 함수가 아닌 즉시 실행 함수의 this를 가리킨다.
(function () {
  const bar = () => () => console.log(this);
  bar()();
}).call({ a: 1 }); // { a: 1 }

26-35 화살표 함수가 '전역 함수'일 때, this 는?

전역 함수의 상위 스코프는 전역이고, 전역에서 this는 전역 객체

// 전역 함수 foo의 상위 스코프는 전역이므로 화살표 함수 foo의 this는 전역 객체를 가리킨다.
const foo = () => console.log(this);
foo(); // window

26-36 프로퍼티에 화살표 함수 할당하면?

당연히, 화살표 함수가 아닌 상위 스코프의 this 참조

// increase 프로퍼티에 할당한 화살표 함수의 상위 스코프는 전역이다.
// 따라서 increase 프로퍼티에 할당한 화살표 함수의 this는 전역 객체를 가리킨다.
const counter = {
  num: 1,
  increase: () => ++this.num
};

console.log(counter.increase()); // NaN

26-37 화살표 함수는 call,apply,bind 메서드로 this를 교체할 수 없다. 왜?

화살표 함수는 함수 자체의 this 바인딩을 가지 않기 때문에

window.x = 1;

const normal = function () { return this.x; };
const arrow = () => this.x;

console.log(normal.call({ x: 10 })); // 10
console.log(arrow.call({ x: 10 }));  // 1

26-38 화살표 함수의 this는 상위 스코프를 참조한다.

const add = (a, b) => a + b;

console.log(add.call(null, 1, 2));    // 3
console.log(add.apply(null, [1, 2])); // 3
console.log(add.bind(null, 1, 2)());  // 3

26-39 메서드를 화살표 함수로?

// Bad
const person = {
  name: 'Lee',
  sayHi: () => console.log(`Hi ${this.name}`)
};

// sayHi 프로퍼티에 할당된 화살표 함수 내부의 this는 상위 스코프인 전역의 this가 가리키는
// 전역 객체를 가리키므로 이 예제를 브라우저에서 실행하면 this.name은 빈 문자열을 갖는
// window.name과 같다. 전역 객체 window에는 빌트인 프로퍼티 name이 존재한다.
person.sayHi(); // Hi

26-40 메서드는 ES6축약 표현으로 정의

// Good
const person = {
  name: 'Lee',
  sayHi() {
    console.log(`Hi ${this.name}`);
  }
};

person.sayHi(); // Hi Lee

26-41 프로토타입 객체에 화살표 함수?

// Bad
function Person(name) {
  this.name = name;
}
// 화살표 함수 this 가 생성자 함수 Person 이 아닌, window 를 가리킴
Person.prototype.sayHi = () => console.log(`Hi ${this.name}`);

const person = new Person('Lee');
// 이 예제를 브라우저에서 실행하면 this.name은 빈 문자열을 갖는 window.name과 같다.
person.sayHi(); //  Hi // ('Lee') this.name X

26-42 프로토타입 프로퍼티를 동적 추가할 때?

// Good
function Person(name) {
    this.name = name;
    // new 와 함께 생성자 함수로 호출->this 는 호출한 인스턴스 객체
}

Person.prototype.sayHi = function() { console.log(`Hi ${this.name}`);};
// 생성자 함수 Person.proto 로 호출 -> this는 인스턴스 객체
const person = new Person('Lee');
person.sayHi();

26-43 ES6 메서드를 동적 추가 방법

객체 리터럴 바인딩 후, constructor: Person

function Person(name) {
  this.name = name;
}

Person.prototype = {
  // constructor 프로퍼티와 생성자 함수 간의 연결을 재설정
  constructor: Person,
  sayHi() { console.log(`Hi ${this.name}`); }
};

const person = new Person('Lee');
person.sayHi(); // Hi Lee

26-44 : 클래스 필드에 화살표 함수(public instance field)

26-46처럼 메서드 정의 사용하는 것이 좋다.
간편한 바인딩을 위해 클래스에서 화살표 함수 사용시, prototype 의 메서드가 아닌, 인스턴스의 메서드가 됨.
기존) constructor에서 변수 선언과 함수 정의 후, constructor에서 바인드하면, 함수선언은 prototype에서 한번만 더해진다.
public instance fields) 클래스의 선언에서부터 인스턴스에 바인드하기 때문에, 바인드, 함수 선언을 위한 constructor 불필요.각 인스턴스마다 새로 함수 선언이 되기 때문에 많은 컴포넌트를 가질 경우 overhead가 커질 수 있다.

// Bad
class Person {
  // 클래스 필드 정의 제안
  name = 'Lee';
  sayHi = () => console.log(`Hi ${this.name}`);
}

const person = new Person();
person.sayHi(); // Hi Lee

26-45 (26-44를 풀어쓰면)

class Person {
  constructor() {
    this.name = 'Lee';
    // 클래스가 생성한 인스턴스(this)의 sayHi 프로퍼티에 화살표 함수를 할당한다.
    // sayHi 프로퍼티는 인스턴스 프로퍼티이다.
    this.sayHi = () => console.log(`Hi ${this.name}`);
  }
}

26-46 클래스 필드 정의

// Good
class Person {
  // 클래스 필드 정의
  name = 'Lee';

  sayHi() { console.log(`Hi ${this.name}`); }
}
const person = new Person();
person.sayHi(); // Hi Lee

3-4 super

화살표 함수는 자체 super 바인딩이 없다. this 처럼 상위 스코프 참조

26-47 클래스필드의 화살표 함수에서 super 참조?

: 클래스 필드에 할당한 화살표 함수에서 super 참조시, constructor의 super 참조.
(예제에서 Derived 의 constructor 는 암묵적 생성)

class Base {
  constructor(name) {
    this.name = name;
  }

  sayHi() {
    return `Hi! ${this.name}`;
  }
}

class Derived extends Base {
  // 화살표 함수의 super는 상위 스코프인 constructor의 super를 가리킨다.
  sayHi = () => `${super.sayHi()} how are you doing?`;
}

const derived = new Derived('Lee');
console.log(derived.sayHi()); // Hi! Lee how are you doing?

3-5 arguments

매개변수의 개수 모르는 가변 인자 함수 구현시, 상위 스코프의 arguments 객체는 참조해도 도움X --> Rest 파라미터 사용

26-48 화살표 함수의 arguments

(function () {
  // 화살표 함수 foo의 arguments는 상위 스코프인 즉시 실행 함수의 arguments를 가리킨다.
  const foo = () => console.log(arguments); // [Arguments] { '0': 1, '1': 2 }
  foo(3, 4);
}(1, 2));

// 화살표 함수 foo의 arguments는 상위 스코프인 전역의 arguments를 가리킨다.
// 하지만 전역에는 arguments 객체가 존재하지 않는다. arguments 객체는 함수 내부에서만 유효하다.
const foo = () => console.log(arguments);
foo(1, 2); // ReferenceError: arguments is not defined

4 Rest 파라미터 (나머지 매개변수)

4-1 기본 문법

26-49 Rest 파라미터

function foo(...rest) {
  // 매개변수 rest는 인수들의 목록을 배열로 전달받는 Rest 파라미터다.
  console.log(rest); // [ 1, 2, 3, 4, 5 ]
}

foo(1, 2, 3, 4, 5);

26-50

function foo(param, ...rest) {
  console.log(param); // 1
  console.log(rest);  // [ 2, 3, 4, 5 ]
}

foo(1, 2, 3, 4, 5);

function bar(param1, param2, ...rest) {
  console.log(param1); // 1
  console.log(param2); // 2
  console.log(rest);   // [ 3, 4, 5 ]
}

bar(1, 2, 3, 4, 5);

26-51

function foo(...rest, param1, param2) { }

foo(1, 2, 3, 4, 5);
// SyntaxError: Rest parameter must be last formal parameter

26-52

function foo(...rest1, ...rest2) { }

foo(1, 2, 3, 4, 5);
// SyntaxError: Rest parameter must be last formal parameter

26-53

function foo(...rest) {}
console.log(foo.length); // 0

function bar(x, ...rest) {}
console.log(bar.length); // 1

function baz(x, y, ...rest) {}
console.log(baz.length); // 2

26-54 // "가변" 인자 함수


function sum() {
  // 가변 인자 함수는 arguments 객체를 통해 인수를 전달받는다.
  console.log(arguments);
}

sum(1, 2); // {length: 2, '0': 1, '1': 2}

26-55 ES5에서는 arguments 객체를 call, apply 로 배열로 변환한다.

function sum() {
  var array = Array.prototype.slice.call(arguments);

  return array.reduce(function (pre, cur) {
    return pre + cur;
  }, 0);
}

console.log(sum(1, 2, 3, 4, 5)); // 15

26-56 rest 파라미터(...args)로 바로 배열로 받음

function sum(...args) {
  // Rest 파라미터 args에는 배열 [1, 2, 3, 4, 5]가 할당된다.
  return args.reduce((pre, cur) => pre + cur, 0);
}
console.log(sum(1, 2, 3, 4, 5)); // 15

26-57

function sum(x, y) {
  return x + y;
}

console.log(sum(1)); // NaN

26-58 매개변수 기본값 1)

function sum(x, y) {

  x = x || 0;
  y = y || 0;

  return x + y;
}

console.log(sum(1, 2)); // 3
console.log(sum(1));    // 1

26-59 매개변수 기본값 2)

function sum(x = 0, y = 0) {
  return x + y;
}

console.log(sum(1, 2)); // 3
console.log(sum(1));    // 1

26-60 매개변수 기본값과 매개변수 null

function logName(name = 'Lee') {
  console.log(name);
}

logName();          // Lee
logName(undefined); // Lee
logName(null);      // null

26-61 ...rest 기본값으로 [] 할당?

function foo(...rest = []) {
  console.log(rest);
}
// SyntaxError: Rest parameter may not have a default initializer

26-62 전달된 매개변수만 arguments ( 기본값은 X )

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 }

댓글