Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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
- Docker
- javascript
- 유한 상태 머신
- 우테코
- AX210
- docker-compose
- Grafana
- 터치 스와이프
- fastify
- custom element
- Shadow DOM
- 우아한테크코스 레벨3
- github Actions
- Prometheus
- web component
- 무선랜카드 교체
- 데모데이
- react
- browserslist
- GitHub Pages
- HTML
- 우아한테크코스
- webpack
- scroll-snap
- swiper
- live share
- CSS
- typescript
- react-dom
- RTL8852BE
Archives
- Today
- Total
IT일상
타입스크립트 Discriminated Unions 본문
리뉴얼 된 블로그로 보기: https://solo5star.dev/posts/32/
type Dog = {
name: string;
age: number;
};
type PendingState = {
dogName: string;
};
type FulfilledState = {
dog: Dog;
};
type RejectedState = {
dogName: string;
};
type State = PendingState | FulfilledState | RejectedState;
네트워크로 부터의 응답에 대한 상태를 타입으로 표현해보았습니다. 그럼 State 타입의 값이 주어질 때 이것이 Pending인지, Fulfilled인지, Rejected인지는 어떻게 구분할 수 있을까요?
function processState(state: State) {
if ('dogName' in state) {
state; // PendingState | RejectedState
}
else if ('dog' in state) {
state; // FulfilledState
}
}
각 타입만이 가지는 고유한 속성이 있는지 확인하여 Type Narrowing을 해야 합니다.
하지만 PendingState와 RejectedState는 동일한 속성을 가지고 있기 때문에 pending인지, rejected인지 확인할 수 없습니다.
만약 State에 다른 타입이 Union으로 추가되었을 때, 기존의 속성과 공통되지 않을 것이라는 보장이 있을까요?
Discriminated Unions
구분 가능한 유니온 으로 해석할 수 있습니다.
간단히 설명하자면 유니온을 구분하기 위한 필드를 추가하는 것입니다.
type Dog = {
name: string;
age: number;
};
type PendingState = {
type: "pending";
dogName: string;
};
type FulfilledState = {
type: "fulfilled";
dog: Dog;
};
type RejectedState = {
type: "rejected";
dogName: string;
};
type State = PendingState | FulfilledState | RejectedState;
각 상태에 type이라는 필드를 추가하고 String Literal Type을 넣어주었습니다. 만약 PendingState로 Type Narrowing을 한다면, state.type === 'pending' 으로 Narrowing할 수 있습니다.
function processState(state: State) {
if (state.type === "pending") {
state; // PendingState
} else if (state.type === "fulfilled") {
state; // FulfilledState
} else if (state.type === "rejected") {
state; // FulfilledState
}
}
유니온의 각 타입을 구분하는 type 이라는 프로퍼티만 서로 다르게 가지면 되기 때문에, 서로 중복될 일도 없을 것입니다.
참고 자료
'프론트엔드' 카테고리의 다른 글
GitHub Actions: CRA(Create React App) 빌드 + GitHub Pages 배포 자동화하기 (0) | 2023.04.23 |
---|---|
CSS로 별점 기능 만들기 (2) | 2023.03.27 |
타입스크립트 템플릿 리터럴 타입 (0) | 2023.03.27 |
[Web Component] 커스텀 폼 컨트롤, form associated 컴포넌트 만들기 (2) | 2023.03.07 |
[Web Component] Custom Element에서 slot 사용하기 (2) | 2023.03.06 |
Comments