Skip to content

Latest commit

 

History

History
876 lines (620 loc) · 27 KB

26장_ES6 함수의 추가 기능.md

File metadata and controls

876 lines (620 loc) · 27 KB

26. ES6 함수의 추가 기능

26.1 함수의 기본

  • ES6 이전 자바스크립트의 함수

    • 일반적인 함수
    • 생성자 함수 (new연산자와 함께 사용)
    • 메서드 (객체에 바인딩)

    이러한 방법은 편리해보이지만 실수를 유발하거나 성능 면에서 손해

    var foo = function () {
      return 1;
    };
    
    // 일반적인 함수로서 호출
    foo(); // -> 1
    
    // 생성자 함수로서 호출
    new foo(); // -> foo {}
    
    // 메서드로서 호출
    var obj = { foo: foo };
    obj.foo(); // -> 1
    • ES6 이전의 모든 함수는 일반 함수로서 호출할 수 있는 것은 물론 생성자 함수로서 호출가능하다.
    • 즉, ES6 이전의 모든 함수는 callable 이자 constructor이다.
    var foo = function () {};
    
    // ES6 이전의 모든 함수는 callable이면서 constructor다.
    foo(); // -> undefined
    new foo(); // -> foo {}

callable과 constructor / non-constructor

호출할 수 있는 함수 객체 : callable

인스턴스를 생성할 수 있는 함수 객체 : constructor

인스턴스를 생성할 수 없는 함수 객체 : non-constructor

주의할 것은 ES6 이전에 일반적으로 메서드라고 부르던 객체에 바인딩된 함수도 callable, constructor이다.

// 프로퍼티 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 {}
  • 위 예제처럼 객체에 바인딩된 함수를 생성자 함수로서 호출하는 것이 문법적으로 허용된다는 점이 문제가 있다.
// 콜백 함수를 사용하는 고차 함수 map. 콜백 함수도 constructor이며 프로토타입을 생성한다.
[1, 2, 3].map(function (item) {
  return item * 2;
}); // -> [ 2, 4, 6 ]

이러한 문제를 해결하기 위해 ES6에서는 다음과 같이 함수를 사용 목적에 따라 3가지 종류로 구분하였다.

ES6 함수의 구분 constructor prototype super arguments
일반 함수(Normal) O O X O
메서드(Method) X X O O
화살표 함수(Arrow) X X X X

26.2 메서드

  • ES6 사양에서 메서드는 축약 표현으로 정의된 함수만을 의미한다.

    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
  • ES6 사양에서 정의한 메서드(이하 ES6 메서드)는 인스턴스를 생성할 수 없는 non-cosntructor다.

    new obj.foo(); // -> TypeError: obj.foo is not a constructor
    new obj.bar(); // -> bar {}
  • ES6 메서드는 인스턴스를 생성할 수 없으므로 prototype 프로퍼티가 없고 프로토타입도 생성하지 않는다.

    // obj.foo는 constructor가 아닌 ES6 메서드이므로 prototype 프로퍼티가 없다.
    obj.foo.hasOwnProperty('prototype'); // -> false
    
    // obj.bar는 constructor인 일반 함수이므로 prototype 프로퍼티가 있다.
    obj.bar.hasOwnProperty('prototype'); // -> true
  • 표준 빌트인 객체가 제공하는 프로토타입 메서드와 정적 메서드는 모두 non-constructor다.

    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
  • ES6 메서드는 자신을 바인딩한 객체를 가리키는 내부 슬롯 **[[HomeObject]]**를 갖는다. super 참조는 내부 슬롯 **[[HomeObject]]**를 사용하여 수퍼클래스의 메서드를 참조하므로 내부 슬롯[[HomeObject]]를 갖는 ES6 메서드는 super 키워드를 사용할 수 있다.

    const base = {
      name: 'Lee',
      sayHi() {
        return `Hi! ${this.name}`;
      }
    };
    
    const derived = {
      __proto__: base,
      // sayHi는 ES6 메서드다. ES6 메서드는 [[HomeObject]]를 갖는다.
      // sayHi의 [[HomeObject]]는 derived.prototype을 가리키고
      // super는 sayHi의 [[HomeObject]]의 프로토타입인 base.prototype을 가리킨다.
      sayHi() {
        return `${super.sayHi()}. how are you doing?`;
      }
    };
    
    console.log(derived.sayHi()); // Hi! Lee. how are you doing?
  • ES6 메서드가 아닌 함수는 super 키워드를 사용할 수 없다. 내부 슬롯 [[HomeObject]]를 갖지 않기 때문이다.

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

이처럼 ES6 메서드는 본연의 기능(super)을 추가하고 의미적으로 맞지 않는 기능(constructor)은 제거했다.

따라서 메서드를 정의할때는 메서드 축약 표현을 사용해야 한다.

26.3 화살표 함수

화살표 함수는 function 키워드 대신 화살표( =>, fat arrow)를 사용하여 기존의 함수 정의 방식보다 간략하게 표현한다.

26.3.1 화살표 함수 정의

함수 정의

화살표 함수는 함수 선언문으로 정의할 수 없고 함수 표현식으로 정의해야 한다. 호출 방식은 기존과 동일

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

매개변수 선언

매개변수가 여 개 인 경우 소괄호 () 안에 매개변수를 선언한다.

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

매개변수가 한 개인 경우 소괄호 ()를 생략할 수 있다.

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

매개변수가 없는 경우 소괄호 ()를 생략할 수 없다.

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

함수 몸체 정의

함수 몸체가 하나의 문으로 구성된다면 중괄호 {}를 생략할 수 있다.

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

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

함수 몸체 내부의 문이 표현식이 아닌 문이라면 에러가 발생한다. 표현식이 아닌 문은 반환할 수 없기 때문

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

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

따라서 함수 몸체가 하나의 문으로 구성된다 해도 함수 몸체의 문이 표현식이 아닌 문이라면 중괄호를 생략할 수 없다.

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

객체 리터럴을 반환하는 경우 객체 리터럴을 소괄호 ()로 감싸줘야 한다.

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

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

객체 리터럴을 소괄호 ()로 감싸지 않으면 객체 리터럴의 중괄호 {}를 함수 몸체를 감싸는 중괄호{}로 잘못 해석한다.

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

함수 몸체가 여러 개의 문으로 구성된다면 함수 몸체를 감싸는 중괄호 {}를 생략할 수 없다. 이때 반환 값이 있다면 명시적으로 반환해야한다.

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

화살표 함수도 즉시 실행 함수(IIFE)로 사용할 수 있다.

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

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

화살표 함수도 일급 객체이므로 고차함수에 인수로 전달할 수 있다.

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

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

화살표함수는 콜백함수로서 정의할 때 매우 유용하다.

26.3.2 화살표 함수와 일반 함수의 차이

  1. 화살표 함수는 인스턴스를 생성할 수 없는 non-constructor다.

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

    화살표 함수는 인스턴스를 생성할 수 없으므로 prototype 프로퍼티가 없고 프로퍼티도 생성하지 않는다.

    const Foo = () => {};
    // 화살표 함수는 prototype 프로퍼티가 없다.
    Foo.hasOwnProperty('prototype'); // -> false
  2. 중복된 매개변수 이름을 선언할 수 없다.

    일반 함수는 중복된 매개변수 이름을 선언해도 에러가 발생하지 않는다.

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

    단, strict mode에서 중복된 매개변수 이름을 선언하면 에러가 발생한다.

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

    화살표 함수에서도 중복된 매개변수 이름을 선언하면 에러가 발생한다.

    const arrow = (a, a) => a + a;
    // SyntaxError: Duplicate parameter name not allowed in this context
  3. 화살표 함수는 함수 자체의 this, arguments, super, new.target 바인딩을 갖지 않는다.

    따라서 화살표 함수 내부에서 this, arguments, super, new.target을 참조하면 스코프 체인을 통해 상위 스코프의 this, arguments, super, new.target을 참조한다.

    만약 화살표 함수가 중첩되어 있다면 스코프 체인 상에서 가장 가까운 상위 함수중에서 화살표 함수가 아닌 함수의 this, arguments, super, new.target을 참조한다.

26.3.3 this

화살표 함수가 일반 함수와 구별되는 가장 큰 특징은 this!

콜백 함수 내부의 this가 외부 함수의 this와 다르기 때문에 발생하는 문제를 해결하기 위해 의도적으로 설계되었다.

앞서 보았던 문제를 다시 살펴보면, 고차 함수 내부의 콜백함수의 경우에 다음과 같은 문제가 발생한다.

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']));

일반 함수로서 호출되는 모든 함수 내부의 this는 전역 객체를 가리킨다. 하지만 클래스 내부의 모든 코드에는 암묵적으로 strict mode가 적용되므로 this에 바인딩되는 것은 전역객체가 아니라 undefined이다.

이러한 "콜백 함수 내부의 this 문제"를 해결하기 위해 ES6 이전에는 다음과 같은 방법을 사용했다.

  1. add 메서드를 호출한 prefixer 객체를 가리키는 this를 일단 회피시킨 후에 콜백 함수 내부에서 사용

    ...
    add(arr) {
      // this를 일단 회피시킨다.
      const that = this;
      return arr.map(function (item) {
        // this 대신 that을 참조한다.
        return that.prefix + ' ' + item;
      });
    }
    ...
  2. Array.prototype.map의 두번째 인수로 add 메서드를 호출한 prefixer 객체를 가리키는 this를 전달한다.

    ...
    add(arr) {
      return arr.map(function (item) {
        return this.prefix + ' ' + item;
      }, this); // this에 바인딩된 값이 콜백 함수 내부의 this에 바인딩된다.
    }
    ...
    
  3. Function.prototype.bind 메서드를 사용하여 add 메서드를 호출한 prefixer 객체를 가리키는 this를 바인딩한다.

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

ES6에서는 화살표 함수를 사용하여 "콜백 함수 내부의 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']

화살표 함수는 함수 자체의 this 바인딩을 갖지 않는다. 따라서 화살표 함수 내부에서 this를 참조하면 상위 스코프의 this를 참조한다. 이를 lexical this라 한다.

화살표 함수 내부에서 this를 참조하면 일반적인 식별자처럼 스코프 체인을 통해 상위 스코프에서 this를 참조한다.

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

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

중첩된 화살표 함수에서는 스코프 체인 상에서 가장 가까운 상위 함수 중에서 화살표 함수가 아닌 함수의 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 }

만약 화살표 함수가 전역 함수라면 화살표 함수의 this는 전역 객체를 가리킨다.

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

프로퍼티에 할당한 화살표 함수도 스코프 체인 상에서 가장 가까운 상위 함수 중 화살표 함수가 아닌 함수의 this를 참조한다.

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

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

화살표 함수는 함수 자체의 this 바인딩을 갖지 않기 때문에 Function.prototype.call, Function.prototype.apply, Function.prototype.bind 메서드를 사용해도 화살표 함수 내부의 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

화살표 함수가 Function.prototype.call, Function.prototype.apply, Function.prototype.bind 메서드를 호출 할 수 없다는 의미는 아니다.

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

메서드를 화살표 함수로 정의하는 것은 피해야 한다.

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

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

위 예제의 경우 sayHi 프로퍼티에 할당한 화살표 함수 내부의 this는 상위 스코프인 전역의 this가 가리키는 전역 객체를 가리킨다.

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

person.sayHi(); // Hi Lee

프로토타입 객체의 프로퍼티에 화살표 함수를 할당하는 경우도 동일한 문제가 발생한다.

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

Person.prototype.sayHi = () => console.log(`Hi ${this.name}`);

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

프로퍼티를 동적 추가할 때는 ES6 메서드 정의를 사용할 수 없으므로 일반 함수를 할당한다.

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

Person.prototype.sayHi = function () { console.log(`Hi ${this.name}`); };

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

일반 함수가 아닌 ES6 메서드를 동적으로 추가하고 싶다면 다음과같이 객체 리터럴을 바인딩하고 프로토타입의 constructor 프로퍼티와 생성자 함수 간의 연결을 재설정한다.

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

클래스 필드 정의 제안을 사용하여 클래스 필드에 화살표 함수를 할당할 수도 있다.

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

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

이때 sayHi 클래스 필드에 할당한 화살표 함수 내부에서 this를 참조하면 상위 스코프의 this 바인딩을 참조한다. 이때 상위 스코프는 무엇일까?

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

sayHi 클래스 필드에 할당한 화살표 함수의 상위 스코프는 constructor다. 따라서 화살표 함수 내부에서 참조한 this는 constructor 내부의 this 바인딩과 같다.

하지만 클래스 필드에 할당한 화살표 함수는 인스턴스 메서드가 된다. 따라서 메서드를 정의할 때는 ES6 메서드 축약 표현으로 정의한 ES6 메서드를 사용하는 것이 좋다.

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

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

26.3.4 super

화살표 함수는 함수 자체의 super를 갖지 않는다. 따라서 화살표 함수 내부에서 super를 참조하면 this와 마찬가지로 상위 스코프의 super를 참조한다.

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?

super는 내부슬롯 [[HomeObject]]를 갖는 ES6 메서드 내에서만 사용할 수 있는 키워드다. sayHi 클래스 필드에 할당한 화살표 함수는 ES6 메서드는 아니지만 함수 자체의 super 바인딩을 갖지 않으므로 super를 참조해도 에러가 발생하지 않고 상위 스코프인 constructor의 super 바인딩을 참조한다.

26.3.5 arguments

화살표 함수는 함수 자체의 arguments 바인딩을 갖지 않는다. 따라서 화살표 함수 내부에서 arguments를 참참조하면 this와 마찬가지로 상위 스코프의 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

따라서, 화살표 함수로 가변 인자 함수를 구현해야 할대는 Rest 파라미터를 사용해야 한다.

26.4 Rest 파라미터

26.4.1 기본 문법

Rest 파라미터(나머지 매개변수)는 매개변수 이름 앞에 세개의 점 ... 을 붙여서 정의한 매개변수를 의미한다.

Rest 파라미터는 함수에 전달된 인수들의 목록을 배열로 전달받는다.

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

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

일반 매개변수와 Rest 파라미터는 함께 사용할 수 있다. 이때 함수에 전달된 인수들은 매개변수와 Rest 파라미터에 순차적으로 할당된다.

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);

Rest 파라미터는 이름 그대로 먼저 선언된 매개변수에 할당된 인수를 제외한 나머지 인수들로 구성된 배열이 할당된다. 따라서 Rest 파라미터는 반드시 마지막 파라미터여야 한다.

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

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

Rest 파라미터는 단 하나만 선언할 수 있다.

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

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

Rest 파라미터는 함수 정의 시 선언한 매개변수를 나타내는 함수 객체의 length 프로퍼티에 영향을 주지 않는다.

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.4.2 Rest 파라미터와 arguments 객체

ES5에서는 함수를 정의할 때 매개변수의 개수를 확정할 수 없는 가변 인자 함수의 경우 arguments 객체를 활용하여 인수를 전달받았다.

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

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

하지만 arguments 객체는 배열이 아닌 유사 배열 객체이므로 배열 메서드를 사용하라면 Function.prototype.call 이나 Function.prototype.apply 메서드를 사용해 arguments 객체를 배열로 변환해야하는 번거로움이 있었다.

function sum() {
  // 유사 배열 객체인 arguments 객체를 배열로 변환한다.
  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

ES6부터는 rest 파라미터를 사용하여 가변 인자 함수의 인수 목록을 배열로 직접 전달받을 수 있다.

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

함수와 ES6 메서드는 Rest 파라미터와 arguments 객체를 모두 사용가능하다. 그러나 화살표 함수는 arguments 객체를 갖지 않기 때문에 Rest 파라미터를 통해 인수목록을 받을 수 있다.

26.5 매개변수 기본값

자바스크립트 엔진은 매개변수의 개수와 인수의 개수를 체크하지 않기 때문에 에러가 발생하지 않는다.

인수가 전달되지 않은 매개변수의 값은 undefined이다.

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

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

따라서 다음 예제처럼 방어코드를 구현할 수 있다.

function sum(x, y) {
  // 인수가 전달되지 않아 매개변수의 값이 undefined인 경우 기본값을 할당한다.
  x = x || 0;
  y = y || 0;

  return x + y;
}

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

ES6에서 도입된 매개변수 기본값을 사용하면 함수 내에서 수행하던 인수 체크 및 초기화를 간소화할 수 있다.

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

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

매개변수 기본값은 매개변수에 인수를 전달하지 않은 경우와 undefined를 전달한 경우에만 유효한다.

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

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

앞서 살펴본 Rest 파라미터에는 기본값을 지정할 수 없다.

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

매개변수 기본값은 함수 정의 시 선언한 매개변수 개수를 나타내는 함수 객체의 length 프로퍼티와 arguments 객체에 아무런 영향을 주지 않는다.

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 }