일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | 3 | 4 | 5 | ||
6 | 7 | 8 | 9 | 10 | 11 | 12 |
13 | 14 | 15 | 16 | 17 | 18 | 19 |
20 | 21 | 22 | 23 | 24 | 25 | 26 |
27 | 28 | 29 | 30 |
Tags
- 넥스트js
- Python Class
- 희망
- 좋은글
- Python
- 자바 기본타입
- Kotlin Class
- github
- 강제 타입변환
- 파이썬 클래스
- activate 오류
- 장고 가상환경
- 도전
- 파이썬 장고
- Kotlin else if
- 파이썬 반복문
- Kotlin 조건문
- 파이썬 제어문
- 성공
- 클래스 속성
- 다중조건문
- Kotlin If
- django virtualenv
- NextJs
- Kotlin 클래스 속성정의
- Variable declaration
- git
- Kotlin 클래스
- python Django
- 파이썬
Archives
- Today
- Total
키모스토리
#15 클래스(class) 본문
반응형
클래스 문법
// 클래스
class Person {
// 이전에서 사용하던 생성자 함수는 클래스 안에
// `constructor`라는 이름으로 정의합니다.
constructor({name, age}) { //생성자
this.name = name;
this.age = age;
}
// 객체에서 메소드를 정의할 때 사용하던 문법을 그대로 사용하면,
// 메소드가 자동으로 `Person.prototype`에 저장됩니다.
introduce() {
return `안녕하세요, 제 이름은 ${this.name} 입니다.`;
}
}
const person = new Person({name: 'Kimo', age: 33});
console.log(person.introduce()); // 안녕하세요, 제 이름은 Kimo 입니다.
// prototype 이용 방식
const User = function (name, age) {
this.name=name;
this.age=age;
};
User.prototype.showName = function() {
console.log(this.name);
}
const kimo = new User('Kimo', 30);
console.log(kimo);
// User { name: 'Kimo', age: 30 }
// class 이용방식
class User2 {
constructor(name, age){
this.name=name;
this.age=age;
}
showName(){
console.log(this.name);
}
}
const tom = new User2('Tom', 22);
console.log(tom);
// User2 { name: 'Tom', age: 22 }
kimo.showName();
tom.showName();
// Kimo
// Tom
for(const p in kimo){
console.log(p);
}
for(const p in tom){
console.log(p);
}
// 클래스 상속
class Car {
constructor(color){
this.color=color;
this.wheels=4;
}
drive() {
console.log("drive...");
}
stop() {
console.log("Stop!!");
}
}
class Bmw extends Car {
constructor(color){
super(color);
this.navigation=1;
}
park() {
console.log("PARK");
}
stop(){
super.stop();
console.log("OFF");
}
}
const z4 = new Bmw('red');
// console.log(z4.color);
// z4.drive();
// z4.stop();
// z4.park();
반응형
'Web Devlopment > JavaScript' 카테고리의 다른 글
#17 async 와 await (0) | 2025.03.20 |
---|---|
#16 Promise (0) | 2025.03.20 |
#14 상속, 프로토타입(Prototype) (0) | 2025.03.19 |
#13 call, apply, bind (0) | 2025.03.19 |
#12 setTimeout, setInterval (0) | 2025.03.19 |