[ TIL 67 | JavaScript Deep Dive ] 17. 생성자 함수에 의한 객체 생성

angie·2022년 12월 14일
0

JavaScript Deep Dive

목록 보기
16/18
post-thumbnail

17.1 Object 생성자 함수

  • 생성자 함수 : new 연산자와 함께 호출하여 객체(인스턴스)를 생성하는 함수
  • 인스턴스 : 생성자 함수에 의해 생성된 객체
  • new 연산자와 함께 Object 생성자 함수를 호출하면 빈 객체를 생성하여 반환
// 빈 객체의 생성
const person = new Object();

// 프로퍼티 추가
person.name = 'Lee';
person.sayHello = function () {
  console.log('Hi! My name is ' + this.name);
};

console.log(person); // {name: "Lee", sayHello: ƒ}
person.sayHello(); // Hi! My name is Lee

빌트인 생성자 함수

  • String, Number, Boolean, Function, Array, Date, RegExp Promise 등
// String 생성자 함수에 의한 String 객체 생성
const strObj = new String('Lee');
console.log(typeof strObj); // object
console.log(strObj);        // String {"Lee"}

// Number 생성자 함수에 의한 Number 객체 생성
const numObj = new Number(123);
console.log(typeof numObj); // object
console.log(numObj);        // Number {123}

// Boolean 생성자 함수에 의한 Boolean 객체 생성
const boolObj= new Boolean(true);
console.log(typeof boolObj); // object
console.log(boolObj);        // Boolean {true}

// Function 생성자 함수에 의한 Function 객체(함수) 생성
const func = new Function('x', 'return x * x');
console.log(typeof func); // function
console.dir(func);        // ƒ anonymous(x)

// Array 생성자 함수에 의한 Array 객체(배열) 생성
const arr = new Array(1, 2, 3);
console.log(typeof arr); // object
console.log(arr);        // [1, 2, 3]

// RegExp 생성자 함수에 의한 RegExp 객체(정규 표현식) 생성
const regExp = new RegExp(/ab+c/i);
console.log(typeof regExp); // object
console.log(regExp);        // /ab+c/i

// Date 생성자 함수에 의한 Date 객체 생성
const date = new Date();
console.log(typeof date); // object
console.log(date);        // Mon May 04 2020 08:36:33 GMT+0900 (대한민국 표준시)
  • 리터럴로 생성하는 것이 더 간편

17.2 생성자 함수

17.2.1 객체 리터럴에 의한 객체 생성 방식의 문제점

  • 객체 리터럴로 객체를 생성하면 단 하나의 객체만 생성해야하기 때문에 비슷한 객체를 여러 개 생성할 때 비효율적임
const circle1 = {
  radius: 5,
  getDiameter() {
    return 2 * this.radius;
  }
};

console.log(circle1.getDiameter()); // 10

const circle2 = {
  radius: 10,
  getDiameter() {
    return 2 * this.radius;
  }
};

console.log(circle2.getDiameter()); // 20

17.2.2 생성자 함수에 의한 객체 생성 방식의 장점

  • 생성자 함수는 객체(인스턴스)를 생성하기 위한 템플릿처럼 작동하여 구조가 동일한 객체 여러 개를 간편하게 생성 가능
// 생성자 함수
function Circle(radius) {
  // 생성자 함수 내부의 this는 생성자 함수가 생성할 인스턴스를 가리킨다.
  this.radius = radius;
  this.getDiameter = function () {
    return 2 * this.radius;
  };
}

// 인스턴스의 생성
const circle1 = new Circle(5);  // 반지름이 5인 Circle 객체를 생성
const circle2 = new Circle(10); // 반지름이 10인 Circle 객체를 생성

console.log(circle1.getDiameter()); // 10
console.log(circle2.getDiameter()); // 20
  • new 연산자와 함께 호출하면 생성자 함수로 동작하고, new 연산자 없이 호출하면 일반 함수로 동작
// new 연산자와 함께 호출하지 않으면 생성자 함수로 동작하지 않는다.
// 즉, 일반 함수로서 호출된다.
const circle3 = Circle(15);

// 일반 함수로서 호출된 Circle은 반환문이 없으므로 암묵적으로 undefined를 반환한다.
console.log(circle3); // undefined

// 일반 함수로서 호출된 Circle내의 this는 전역 객체를 가리킨다.
console.log(radius); // 15

17.2.3 생성자 함수의 인스턴스 생성 과정

  • 생성자 함수를 통해 인스턴스를 생성하고 생성된 인스턴스를 초기화
// 생성자 함수
function Circle(radius) {
  // 인스턴스 초기화
  this.radius = radius;
  this.getDiameter = function () {
    return 2 * this.radius;
  };
}

// 인스턴스 생성
const circle1 = new Circle(5);  // 반지름이 5인 Circle 객체를 생성

인스턴스 생성 과정

  1. 인스턴스 생성과 this 바인딩

    • 암묵적으로 빈 객체가 생성
    • 인스턴스는 this에 바인딩
    • 이는 런타임 이전에 실행됨
    	function Circle(radius) {
      // 1. 암묵적으로 인스턴스가 생성되고 this에 바인딩된다.
      console.log(this); // Circle {}
    
      this.radius = radius;
      this.getDiameter = function () {
        return 2 * this.radius;
      };
    }
  2. 인스턴스 초기화

    • 함수 내의 코드가 실행되며 인스턴스를 초기화
    function Circle(radius) {
      // 1. 암묵적으로 인스턴스가 생성되고 this에 바인딩된다.
    
      // 2. this에 바인딩되어 있는 인스턴스를 초기화한다.
      this.radius = radius;
      this.getDiameter = function () {
        return 2 * this.radius;
      };
    }
  3. 인스턴스 반환

    • 완성된 인스턴스가 바인딩된 this를 암묵적으로 반환
    function Circle(radius) {
      // 1. 암묵적으로 인스턴스가 생성되고 this에 바인딩된다.
    
      // 2. this에 바인딩되어 있는 인스턴스를 초기화한다.
      this.radius = radius;
      this.getDiameter = function () {
        return 2 * this.radius;
      };
    
      // 3. 완성된 인스턴스가 바인딩된 this가 암묵적으로 반환된다
    }
    
    // 인스턴스 생성. Circle 생성자 함수는 암묵적으로 this를 반환한다.
    const circle = new Circle(1);
    console.log(circle); // Circle {radius: 1, getDiameter: ƒ}

생성자 함수가 객체를 반환하는 경우

  • 암묵적으로 반환되던 this가 아닌 return 문에 명시한 객체가 반환
function Circle(radius) {
  // 1. 암묵적으로 인스턴스가 생성되고 this에 바인딩된다.

  // 2. this에 바인딩되어 있는 인스턴스를 초기화한다.
  this.radius = radius;
  this.getDiameter = function () {
    return 2 * this.radius;
  };

  // 3. 암묵적으로 this를 반환한다.
  // 명시적으로 객체를 반환하면 암묵적인 this 반환이 무시된다.
  return {};
}

// 인스턴스 생성. Circle 생성자 함수는 명시적으로 반환한 객체를 반환한다.
const circle = new Circle(1);
console.log(circle); // {}

생성자 함수가 원시 값을 반환하는 경우

  • 명시한 값은 무시되고 암묵적으로 this를 반환
function Circle(radius) {
  // 1. 암묵적으로 인스턴스가 생성되고 this에 바인딩된다.

  // 2. this에 바인딩되어 있는 인스턴스를 초기화한다.
  this.radius = radius;
  this.getDiameter = function () {
    return 2 * this.radius;
  };

  // 3. 암묵적으로 this를 반환한다.
  // 명시적으로 원시값을 반환하면 원시값 반환은 무시되고 암묵적으로 this가 반환된다.
  return 100;
}

// 인스턴스 생성. Circle 생성자 함수는 명시적으로 반환한 객체를 반환한다.
const circle = new Circle(1);
console.log(circle); // Circle {radius: 1, getDiameter: ƒ}

17.2.4 내부 메서드 [[Call]], [[Construct]]

  • 함수는 객체이므로 일반 객체처럼 내부 슬롯과 내부 메서드를 가지고 있음
  • 함수는 [[Call]], [[Construct]]와 같은 내부 메서드를 추가로 가지고 있음
  • 일반 함수로 호출하면 [[Call]]이, 생성자 함수로 호출하면 [[Construct]]가 호출됨
function foo() {}

// 일반적인 함수로서 호출: [[Call]]이 호출된다.
foo();

// 생성자 함수로서 호출: [[Construct]]가 호출된다.
new foo();
  • 함수 객체는 모두 callable (모든 함수 객체는 [[Call]] 내부 메서드를 갖고 있음)
  • [[Construct]]를 갖는 함수 객체는 constructor, 갖지 않는 함수 객체를 non-constructor라고 부름
  • constructor : 생성자 함수로 호출할 수 있는 함수
  • non-constructor : 생성자 함수로 호출할 수 없는 함수

17.2.5 constructor와 non-contructor의 구분

  • 함수 객체를 생성할 때 함수 정의 방식에 따라 구분
    • constructor : 함수 선언문, 함수 표현식, 클래스
    • non-constructor : 메서드 (ES6 메서드 축약 표현), 화살표 함수
// 일반 함수 정의: 함수 선언문, 함수 표현식
function foo() {}
const bar = function () {};
// 프로퍼티 x의 값으로 할당된 것은 일반 함수로 정의된 함수다. 이는 메서드로 인정하지 않는다.
const baz = {
  x: function () {}
};

// 일반 함수로 정의된 함수만이 constructor이다.
new foo();   // -> foo {}
new bar();   // -> bar {}
new baz.x(); // -> x {}

// 화살표 함수 정의
const arrow = () => {};

new arrow(); // TypeError: arrow is not a constructor

// 메서드 정의: ES6의 메서드 축약 표현만을 메서드로 인정한다.
const obj = {
  x() {}
};

new obj.x(); // TypeError: obj.x is not a constructor

17.2.6 new 연산자

1. new 연산자와 함께 함수 호출

  • new 연산자와 함께 함수를 호출하면 생성자 함수로 동작하게 되므로 [[Call]]이 아니라 [[Construct]]가 호출됨
// 생성자 함수로서 정의하지 않은 일반 함수
function add(x, y) {
  return x + y;
}

// 생성자 함수로서 정의하지 않은 일반 함수를 new 연산자와 함께 호출
let inst = new add();

// 함수가 객체를 반환하지 않았으므로 반환문이 무시된다. 따라서 빈 객체가 생성되어 반환된다.
console.log(inst); // {}

// 객체를 반환하는 일반 함수
function createUser(name, role) {
  return { name, role };
}

// 일반 함수를 new 연산자와 함께 호출
inst = new createUser('Lee', 'admin');
// 함수가 생성한 객체를 반환한다.
console.log(inst); // {name: "Lee", role: "admin"}

2. new 연산자 없이 함수 호출

  • new 연산자 없이 함수를 호출하면 일반 함수로 동작하게 되므로 [[Call]]이 호출됨
// 생성자 함수
function Circle(radius) {
  this.radius = radius;
  this.getDiameter = function () {
    return 2 * this.radius;
  };
}

// new 연산자 없이 생성자 함수 호출하면 일반 함수로서 호출된다.
const circle = Circle(5);
console.log(circle); // undefined

// 일반 함수 내부의 this는 전역 객체 window를 가리킨다.
console.log(radius); // 5
console.log(getDiameter()); // 10

circle.getDiameter();
// TypeError: Cannot read property 'getDiameter' of undefined

17.2.7 new.target

  • constructor인 함수 내부에서 암묵적인 지역변수와 같이 사용됨
  • new.target을 사용하면 new 연산자를 사용하여 생성자 함수로써 호출했는지 확인할 수 있음
    • new 연산자와 함께 호출된 경우 : new.target은 함수 자신을 가리킴
    • new 연산자 없이 호출된 경우 : new.target은 undefined
  • 메타 프로퍼티라고 부름
// 생성자 함수
function Circle(radius) {
  // 이 함수가 new 연산자와 함께 호출되지 않았다면 new.target은 undefined다.
  if (!new.target) {
    // new 연산자와 함께 생성자 함수를 재귀 호출하여 생성된 인스턴스를 반환한다.
    return new Circle(radius);
  }

  this.radius = radius;
  this.getDiameter = function () {
    return 2 * this.radius;
  };
}

// new 연산자 없이 생성자 함수를 호출하여도 new.target을 통해 생성자 함수로서 호출된다.
const circle = Circle(5);
console.log(circle.getDiameter());  // 10

생성자 함수 종류에 따른 반환값

  • Object, Function 생성자 함수 : new 연산자 없이 호출해도 인스턴스로 동작
let obj = new Object();
console.log(obj); // {}

obj = Object();
console.log(obj); // {}

let f = new Function('x', 'return x ** x');
console.log(f); // ƒ anonymous(x) { return x ** x }

f = Function('x', 'return x ** x');
console.log(f); // ƒ anonymous(x) { return x ** x }
  • String, Number, Boolean 생성자 함수 : new 연산자 없이 호출하면 각 타입에 맞는 원시 값을 반환 (이를 통해 데이터 타입을 변환할 수 있음)
const str = String(123);
console.log(str, typeof str); // 123 string

const num = Number('123');
console.log(num, typeof num); // 123 number

const bool = Boolean('true');
console.log(bool, typeof bool); // true boolean
profile
better than more

0개의 댓글