본문 바로가기
코드스테이츠

Beesbeesbees 과제

by lvd-hy 2023. 3. 16.
반응형

extends : 키워드는 클래스를 다른 클래스의 자식으로 만들기 위해 class 선언 또는 class 식에 사용

class 자식클래스 extends 부모클래스 {
}

// 예시
class Bee extends Grub {
}

super : super 키워드는 부모 객체의 함수를 호출할 때 사용
- 생성자에서는 super 키워드 하나만 사용되거나 this 키워드가 사용되기 전에 호출되어야 함

class Bee extends Grub {
  constructor() {
    super();
  } 
}

[그림] 출처 : 코드스테이츠, 위의 class structure에서 볼 수 있는 것처럼, 모든 Bee는 Grub을 기반으로 하여 각자의 특성에 맞는 일을 받게 됩니다. 공통된 특성을 기반으로 각자에게 맞는 특성을 부여받을 수 있는 것은 상속이 이루어졌음을 의미합니다.

Grub class functionality
① `age` 속성은 `0`이어야 합니다
② `color` 속성은 `pink`이어야 합니다
③ `food` 속성은 `jelly`이어야 합니다
④ `eat` 메소드가 존재해야 합니다
⑤ `eat` 메소드를 실행할때 `Mmmmmmmmm jelly`가 출력되도록 작성합니다

class Grub {
  constructor(age = 0, color = 'pink', food = 'jelly') { // ①, ②, ③
    this.age = age;
    this.color = color;
    this.food = food;
  }
  eat () { // ④
    return `Mmmmmmmmm jelly`; // ⑤
  }
}

module.exports = Grub;

Bee class functionality
① `age` 속성은 `5`이어야 합니다
② `color` 속성은 `yellow`이어야 합니다
③ `food` 속성은 Grub으로부터 상속받습니다
④ `eat` 메소드는 Grub으로부터 상속받습니다
⑤ `job` 속성은 `Keep on growing`이어야 합니다

const Grub = require('./Grub');

class Bee extends Grub { 
  constructor(age = 5, color = 'yellow', food, job = 'Keep on growing') { // ①, ②, ⑤
    super(age, color, food); // ③, ④
    this.job = job;
  } 
}

module.exports = Bee;

ForagerBee class functionality
① `age` 속성은 `10`이어야 합니다
② `job` 속성은 `find pollen`이어야 합니다
③ `color` 속성은 `Bee`로부터 상속받습니다
④ `food` 속성은 `Grub`으로부터 상속받습니다
⑤ `eat` 메소드는 `Grub`으로부터 상속받습니다
⑥ `canFly` 속성은 `true`이어야 합니다
⑦ `treasureChest` 속성은 빈 배열 `[]`이어야 합니다
⑧ `forage` 메소드를 통해 `treasureChest` 속성에 보물을 추가할 수 있어야 합니다

cconst Bee = require('./Bee');

class ForagerBee extends Bee{ 
  constructor(age = 10, color, food, job = 'find pollen', canFly = true) { // ①, ②, ⑥
    super(age, color, food, job); // ③, ④, ⑤
    this.canFly = canFly;
    this.treasureChest = []; // ⑦
  }
  
  forage (treasure) {
    this.treasureChest.push(treasure); // ⑧ 배열에 추가 (push)
  }
}


module.exports = ForagerBee;

HoneyMakerBee class functionality
① `age` 속성은 `10`이어야 합니다
② `job` 속성은 `make honey`이어야 합니다
③ `color` 속성은 `Bee`로부터 상속받습니다
④ `food` 속성은 `Grub`으로부터 상속받습니다
⑤ `eat` 메소드는 `Grub`으로부터 상속받습니다
⑥ `honeyPot` 속성은 `0`이어야 합니다
⑦ `makeHoney` 메소드는 `honeyPot`에 1씩 추가합니다
⑧ `giveHoney` 메소드는 `honeyPot`에 1씩 뺍니다

const Bee = require('./Bee');

class HoneyMakerBee extends Bee{
  constructor(age = 10, color, food, job = 'make honey', canFly) { // ①, ②, 
    super(age, color, food, job, canFly); // ③, ④, ⑤
    this.honeyPot = 0; // ⑥
  }
  
  makeHoney () { // ⑦
    this.honeyPot ++; 
  }
  giveHoney () { // ⑧
    this.honeyPot --;
  }
}

module.exports = HoneyMakerBee;
반응형

댓글