728x90
반응형
1.프로그램 세팅
(1) 터미널(cmd) 실행
: npm init -y
: tsc --init --rootDir ./src --outDir ./dist --esModuleInterop --module commonjs --strict true --allowJS true --checkJS true
(2) package.json 수정 : script 항목
"scripts": {
"start": "tsc && node ./dist/index.js",
"build": "tsc --build",
"clean": "tsc --build --clean"
},
(3) src 폴더 생성 > index.ts파일 생성
2. 인터페이스 & 데이터 정의 (index.ts)
(1) 역할 enum
enum Role {
LIBRARIAN, // 사서
MEMBER, // 멤버
}
(2) 유저 추상 클래스
abstract class User {
constructor(public name: string, public age: number) {}
abstract getRole(): Role;
}
(3) 멤버 클래스
class Member extends User {
constructor(name: string, age: number) {
super(name, age);
}
getRole(): Role {
return Role.MEMBER;
}
}
(4) 사서 클래스
class Librarian extends User {
constructor(name: string, age: number) {
super(name, age);
}
getRole(): Role {
return Role.LIBRARIAN;
}
}
(5) 책 클래스
class Book {
constructor(public title: string, public author: string, public publishedDate: Date) {}
}
(6) RentManager 인터페이스 >> 도서관이 꼭 갖춰야할 기
interface RentManager {
getBooks(): Book[]; //도서관의 현재 도서 목록을 확인하는 함수
addBook(user: User, book: Book): void; //사서가 도서관에 새로운 도서를 입고할 때 호출하는 함수
removeBook(user: User, book: Book): void; //사서가 도서관에서 도서 폐기할때 호출하는 함수
rentBook(user: Member, book: Book): void; //사용자가 책을 빌릴때 호출하는 함수
returnBook(user: Member, book: Book): void; //사용자가 책을 반납할때 호출하는 함수
}
(7) 도서관 클래스 구현
class Library implements RentManager {
private books: Book[] = [];
// rentedBooks는 유저의 대여 이력을 관리해요!
private rentedBooks: Map<string, Book> = new Map<string, Book>();
getBooks(): Book[] {
// 깊은 복사를 하여 외부에서 books를 수정하는 것을 방지합니다.
return JSON.parse(JSON.stringify(this.books));
}
addBook(user: User, book: Book): void {
if (user.getRole() !== Role.LIBRARIAN) {
console.log('사서만 도서를 추가할 수 있습니다.');
return;
}
this.books.push(book);
}
removeBook(user: User, book: Book): void {
if (user.getRole() !== Role.LIBRARIAN) {
console.log('사서만 도서를 삭제할 수 있습니다.');
return;
}
const index = this.books.indexOf(book);
if (index !== -1) {
this.books.splice(index, 1);
}
}
rentBook(user: User, book: Book): void {
if (user.getRole() !== Role.MEMBER) {
console.log('유저만 도서를 대여할 수 있습니다.');
return;
}
if (this.rentedBooks.has(user.name)) {
console.log(`${user.name}님은 이미 다른 책을 대여중이라 빌릴 수 없습니다.`);
} else {
this.rentedBooks.set(user.name, book);
console.log(`${user.name}님이 [${book.title}] 책을 빌렸습니다.`);
}
}
returnBook(user: User, book: Book): void {
if (user.getRole() !== Role.MEMBER) {
console.log('유저만 도서를 반납할 수 있습니다.');
return;
}
if (this.rentedBooks.get(user.name) === book) {
this.rentedBooks.delete(user.name);
console.log(`${user.name}님이 [${book.title}] 책을 반납했어요!`);
} else {
console.log(`${user.name}님은 [${book.title}] 책을 빌린적이 없어요!`);
}
}
}
3. 테스트 코드
function main() {
const myLibrary = new Library();
const librarian = new Librarian('르탄이', 30);
const member1 = new Member('예비개발자', 30);
const member2 = new Member('독서광', 28);
const book = new Book('TypeScript 문법 종합반', '강창민', new Date());
const book2 = new Book('금쪽이 훈육하기', '오은영', new Date());
const book3 = new Book('요식업은 이렇게!', '백종원', new Date());
myLibrary.addBook(librarian, book);
myLibrary.addBook(librarian, book2);
myLibrary.addBook(librarian, book3);
const books = myLibrary.getBooks();
console.log('대여할 수 있는 도서 목록:', books);
myLibrary.rentBook(member1, book);
myLibrary.rentBook(member2, book2);
myLibrary.returnBook(member1, book);
myLibrary.returnBook(member2, book2);
}
main();
vscode 터미널(cmd)
1) npm run build
2) npm run start
끝.
반응형
'TypeScript' 카테고리의 다른 글
TypeScript : JS / 리액트에서 타입스크립트 사용하기 (0) | 2023.12.13 |
---|---|
TypeScript : 학습 자료 링크 (0) | 2023.12.13 |
TypeScript : S.O.L.I.D (0) | 2023.12.13 |
TypeScript : 추상클래스 & 인터페이스 (0) | 2023.12.13 |
TypeScript : 상속 | 서브타입과 슈퍼타입 | upcasting과 downcasting (0) | 2023.12.13 |