ES6에서 나온 Class를 이용해서 더 쉽게 OOP을 구현할 수 있습니다.

이것은 문법을 OOP 방식을 이용하지만 내부에서 prototype을 사용하며 작동됩니다.

class Person {
  // constructor는 인스턴스의 생성과 동시에 클래스 필드의 생성과 초기화를 실행함.
  constructor(name, email, birthday) {
    this.name = name; // this는 클래스가 생성할 인스턴스를 가리킵니다.
    this.email = email;
    this.birthday = new Date(birthday);
  } // constructor는 생략할 수 있음

  introduce() {
    return `Hello my name is ${this.name}`;
  }
}

const marvel = new Person("marvel", "[email protected]", "1997.11.25");

// Person {
//   name: 'marvel',
//   email: '[email protected]',
//   birthday: 1997-11-24T15:00:00.000Z
// }

Static 사용

"prototype"이 아닌 클래스 함수 자체에 메서드를 설정할 수도 있습니다. 이런 메서드를 정적(static) 메서드라고 부릅니다. this.name 같은 것을 안 쓰는 독립적인 것을 정의할 때 static을 사용하며 이 static 메서드를 사용할 때는 인스턴스가 아닌 클래스 이름을 이용해서 사용합니다.

class Person {
  constructor(name, email, birthday) {
    this.name = name; 
    this.email = email;
    this.birthday = new Date(birthday);
  }

  introduce() {
    return `Hello my name is ${this.name}`;
  }

  static multipleNumbers(x, y) {
    return x * y;
  }
}

console.log(Person.multipleNumbers(2, 9)); // 18