var Person = (function () {
//생성자 함수
function Person(name){
this.name = name;
}
//프로토타입 메서드
Person.prototype.sayHi = function() {
console.log('Hi' + this.name);
};
// 생성자 함수 반환
return Person;
}());
//인스턴스 생성
var me = new Person('Lee');
me.sayHi(); // Hi Lee
//클래스 선언문
class Person {
//생성자
constructor(name){
//인스턴스 생성 및 초기화
this.name = name; // name 프로퍼티는 public이다.
}
//프로토타입 메서드
sayHi(){
console.log(` Hi ${this.name}`);
}
//정적 메서드
static.sayHello(){
console.log('Hello!');
}
}
//인스턴스 생성
const me = new Person('Lee')
//인스턴스의 프로퍼티 참조
console.log(me.name); // Lee
//프로토타입 메서드 호출
me.sayHi(); // Hi Lee
//정적 메서드 호출
Person.sayHello(); // Hello!
// 생성자 함수
var Person = (function(){
function Person(name){
this.name = name;
}
...
}
// 클래스의 생성자
Class Person {
constructor(name){
this.name = name;
}
...
}
//생성자 함수의 프로토타입 메서드 정의
Person.prototype.sayHi = function() {
console.log('Hi' + this.name);
};
//클래스의 프로토타입 메서드 정의
sayHi(){
console.log(`Hi + ${this.name}`); // ES6 template literal
}
// 생성자 함수의 정적 메서드 정의
Person.sayHello = function() {
console.log('Hello!');
};
// 클래스의 정적 메서드 정의
static sayHello(){
console.log('Hello!');
};
return person
}());
클래스는 함수로 평가된다.
class Person {}
console.log(typeof Person); // function
class Person {}
//인스턴스 생성
const smallPerson = new Person();
console.log(smallPerson) // Person {}
const Person = class MyClass{};
// 클래스를 가리키는 식별자로 인스턴스 생성
const me = new Person();
console.log(MyClass) // is not defined
const you = new MyClass() // is not defined
ECMAScript사양(ES11)에 따르면 인스턴스 프로퍼티는 반드시 constructor 내부에서 정의해야 한다. 하지만 클래스 몸체에 메서드뿐만이 아니라 프로퍼티를 직접 정의할 수 있는 새로운 표준 사양이 제안되어 있다. 이 제안 사양에 의해 머지않아 클래스 몸체에서 메서드뿐만 아니라 프로퍼티도 정의할 수 있게 될 것으로 보인다 (크롬과 같은 모던브라우저에서는 이미 사용이 가능하다.)
class Declaration {
x = 1;
}
const multi = new Declaration();
class Person {
//생성자
constructor(name) {
//인스턴스 생성 및 초기화
this.name = name;
}
}
console.log(typeof Person); // function
console.dir(Person);
const me = new Person('Lee');
console.log(me);
// class 선언
class Person{
//생성자
constructor(name){
//인스턴스 생성 및 초기화
this.name = name;
}
}
// 생성자 함수
function Person(name) {
//인스턴스 생성 및 초기화
this.name = name;
}
constructor는 메서드로 해석되지 않는다?
클래스의 평가도 함수와 마찬가지로 실행 컨텍스트 생성 후 렉시컬 환경을 구성한다. 렉시컬 환경은 함수 환경 레코드와 외부 렉시컬 환경에 대한 참조로 이루어 져 있다. 함수 환경 레코드에는 지역변수,내부함수,매개변수를 등록한다. 그리고 등록되는 식별자들의 [[Environment]]에 현재 실행 중인 실행 컨텍스트인 클래스가 등록된다. 이때 constructor는 클래스가 갖고 있는 메서드(내장 함수)가 아니고 클래스로 평가되어 생성한 함수 객체 코드의 일부가 된다. 즉 클래스 자체와 인스턴스의 일부가 된다.
클래스의 constructor 메서드와 프로토타입의 constructor 프로퍼티
클래스의 constructor 메서드와 프로토타입의 constructor 프로퍼티는 이름이 같아 혼동하기 쉽지만 직접적인 관련이 없다. 프로토타입의 constructor 프로퍼티는 모든 프로토타입이 가지고 있는 프로퍼티이며 생성자 함수를 가리킨다.
class Person {
// constructor를 생략하면 아래와 같이 빈 constructor가 암묵적으로 정의된다.
constructor(){}
}
//빈 객체가 생성된다.
const me = new Person();
console.log(me); // Person{}
class Person {
constructor() {
//고정값으로 인스턴스 초기화
this.name = 'Lee';
this.address = 'Seoul';
}
}
// 인스턴스 프로퍼티가 추가된다.
const me = new Person()
console.log(me) // Person { name: 'Lee', address: 'Seoul' }
class Person {
constructor(name,address){
//인수로 인스턴스 초기화
this.name = name;
this.address = address;
}
}
//인수로 초기값을 전달한다. 초기값은 constructor에 전달된다.
const me = new Person('Lee','Seoul');
console.log(me); // Person {name: "Lee, address: "Seoul" }
class Person {
constructor(name){
this.name = name;
}
//프로토타입 메서드
sayHi(){
console.log()
}
}
Object.getPrototypeOf(me) === Person.prototype; // true
me instanceof Person // true
Object.getPrototypeOf(Person.prototype) === Object.prototype // true
me instanceof object; // true
me.constructor === Person; // true
class Person {
constructor(name){
this.name = name;
}
}
const me = new Person('Lee');
console.log(me.name);
class Person {
constructor(firstName,lastName){
this.firstName = firstName;
this.lastName = lastName;
}
//fullName은 접근자 함수로 구성된 접근자 프로퍼티다.
//getter 함수 사용
get fullName() {
return ${this.firstName} ${this.lastName}
}
//setter 함수 사용
set fullName(name){
[this.firstName,this.lastName] = name.split(' ');
}
}
const me = new Person ('Ungmo', 'Lee');
//데이터 프로퍼티를 통한 프로퍼티 값의 참조
console.log(`${me.firstName} ${me.lastName}`); // Ungmo Lee
//접근자 프로퍼티를 통한 프로퍼티 값의 저장
//접근자 프로퍼티 fullName에 값을 저장하면 setter 함수가 호출된다.
me.fullname = 'Heegun Lee';
console.log(me); // {fistName: "Heegun", lastName: "Lee"}
// 접근자 프로퍼티를 통한 프로퍼티 값의 참조
// 접근자 프로퍼티 fullName에 접근하면 getter 함수가 호출된다.
console.log(me.fullName); //Heegun Lee
//fullName은 접근자 프로퍼티다.
// 접근자 프로퍼티는 get set enumerable,configurable 프로퍼티 어트리뷰트를 갖는다.
console.log(Object.getOwnPropertyDescriptor(Person.Prototype, 'fullName'));
// {get : f, set: f, enumerable: false, configurable: true}
public class Person {
// 클래스 필드 정의
// 클래스 필드는 클래스 몸체에 this 없이 선언해야 한다.
private String firstName = '';
private String lastName = '';
//생성자
Person(String firstName, String lastName){
this.firstName = firstName;
this.lastName = lastName;
}
public String getFullName(){
//클래스 필드 참조
// this 없이도 클래스 필드를 참조할 수 있다.
return firstName + ' ' + lastName;
}
}
class Person {
name= 'Lee';
}
const me = new Person();
console.log(me);
class Person {
name = 'Lee';
constructor() {
console.log(name); // is not defined
}
}
new Person();
class Person { name } ;
const me = new Person();
console.log(me); // Person { name : undefined }
class Person {
name;
constructor(name){
this.name = name;
}
}
const me = new Person('Lee');
console.log(me); // Person { name: "Lee" }
class Person {
name = 'Lee';
getName = function() {
return this.name;
}
gotName = () => this.name;
const me = new Person();
console.log(me);
console.log(me.getName());
class Person {
#name = '';
constructor(name) {
this.#name = name;
}
get name() {
return this.#name.trim();
}
}
const me = new Person('Lee');
console.log(me.name); //Lee
// super(베이스/부모) class
class Base{}
class Derived extends Base{}
function Base1(){}
class Base2{}
let condition = true;
class Derived extends (condition ? Base1 : Base2 ) {}
constructor(...args) { super(...args); }
class Base {
// 암묵적 constructor 생성
//constructor() {}
}
class Derived extends Base{
// 암묵적 constructor 생성
// constructor(...args) { super(...args); }
}
const derived = new Derived();
console.log(derived); // Derived {}
class Base {
constructor(a,b) {
this.a = a;
this.b = b;
}
}
//서브클래스
class Derived extends Base{
// 다음과 같이 암묵적으로 constructor가 정의된다.
// constructor(...args) {super(...args);}
}
const derived = new Derived(1,2)
console.log(derived) // Derived {a:1 , b:2 }
class SuperBase{
constructor(a,b)
this.a = a;
this.b = b;
}
}
class SubDerived extends SuperBase {
constructor(a,b,c){
super(a,b);
this.c =c;
}
}
const derived = new Derived(1,2,3);
console.log(derived) // Derived { a:1,b:2,c:3 }
new 연산자와 함께 Deried 클래스를 호출하고 전달한 인수 1,2,3은 클래스의 constructor에 전달되고 super 호출을 통해 SuperBase클래스의 constructor에 일부가 전달된다.
이처럼 인스턴스 초기화를 위해 전달한 인수는 수퍼클래스와 서브클래스에 배분되고 상속관계의 두 클래스는 서로 협력하여 인스턴스를 생성한다.
class Base {
constructor(name){
this.name = name;
}
sayHi(){
return `Hi + ${this.name}`;
}
}
class Derived extends Base {
sayHi(){
return `${super.sayHi()}`
}
}
const d = new Derived('Lee');
d.sayHi() // Hi Lee
super 참조가 동작하기 위해서는 super를 참조하고 있는 메서드가 바인딩 되어 이쓴 객체의 프로토타입을 찾을 수 있어야 한다. 이를 위해 메서드는 내부 슬롯 [[HomeObject]]를 가지며, 자신을 바인디하고 있는 객체를 가리킨다.
const base = {
name: 'Lee',
sayHi(){}
}
}
const derived = {
__proto__:base,
// es6 메서드 축약 표현으로 [[HomeObject]]를 갖게 됨.
sayHi(){return super.sayHi()}
}
}