| 일 | 월 | 화 | 수 | 목 | 금 | 토 | 
|---|---|---|---|---|---|---|
| 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 | 31 | 
- useEffect
- 리액트 공식문서
- 파이썬 for
- 코딩테스트
- 파이썬 enumerate
- 리액트 프로젝트
- 파이썬 slice
- 리액트
- typeScript
- 파이썬 반복문
- 한글 공부 사이트
- useState
- 프로그래머스
- 타입스크립트
- 파이썬 replace
- 리액트 공식 문서
- 내일배움캠프
- JavaScript
- 자바스크립트
- tanstack query
- 리액트 훅
- 내일배움캠프 최종 프로젝트
- 파이썬 딕셔너리
- 파이썬 for in
- 내일배움캠프 프로젝트
- 내배캠 프로젝트
- 타입스크립트 리액트
- React Hooks
- Next 팀 프로젝트
- REACT
- Today
- Total
목록TypeScript (28)
sohyeon kim
 [TS/React] props 유연하게 내리기 & Event Handler
      
      
        [TS/React] props 유연하게 내리기 & Event Handler
        💡 프롭스를 더 유연하게 내려보자 ~ UtilityType.tsx import { AddressComponent, PersonChildComponent, ProfileComponent, } from "./UtilityTypeChildren"; export type PersonProps = { id: string; description: string; address: string; age: number; profile: string; }; export const PersonComponent = ({ // ❗️ 다섯가지 타입들 설정 id, description, address, age, profile, }: PersonProps) => { return ( {id} // ❗️ 어드레스만 하나 내려주는 중 );..
 [TS/React] TodoList 에 활용,  props & children props
      
      
        [TS/React] TodoList 에 활용,  props & children props
        💡 타입스크립트를 투두리스트에 활용해 보자. type Todo = { id: string; isDone: boolean; }; function App() { const [todos, setTodos] = useState([]); // Todo 에 세팅은 어떻게 넘길까?! return ( {todos.map(({ id }) => ( ))} ); } function Todo() { return ; } export default App; function App() { const [todos, setTodos] = useState([]); return ( {todos.map(({ id }) => ( // ❗️ 프롭스 넘겨주고 ))} ); } function Todo({ id, setTodos, }: { id: ..
 [TS] 비동기 함수 & React에 타입스크립트 사용 : props
      
      
        [TS] 비동기 함수 & React에 타입스크립트 사용 : props
        💡 비동기 함수에 타입스크립트를 사용해 보자. fetchingData.ts async function getPerson() { const res = await fetch(`http://localhost:5008/people`); if (!res.ok) { throw new Error(); } return res.json(); } getPerson().then((res) => console.log(res)); ts-node fetchingData.ts 해보면 이렇게 데이터가 나온다. 그런데 지금 가져오는 값은 타입이 정해져 있지 않다. 바꿔보자! 🙋♂️ 첫 번째 방법 type Person = { id: number; age: number; height: number }; // 객체 타입을 정해주고 // ..
💡 class 를 활용해 간단한 책 대여 프로그램을 만들어보자. src/index.ts User, 책 정의 enum Role { LIBRARIAN, // 사서 MEMBER, // 멤버 } abstract class User { // 추상 클래스 constructor( public name: string, public age: number ) {} abstract getRole(): Role; } class Member extends User { constructor(name: string, age: number) { super(name, age); } getRole(): Role { return Role.MEMBER; } } class Librarian extends User { constructor(n..
💡 간단한 카페 주문 프로그램을 만들어보자. src/index.ts 먼저 타입 정의 interface User { id: number; name: string; role: 'admin' | 'customer'; } interface Beverage { name: string; price: number; } interface Order { orderId: number; customerId: number; customerName: string; beverageName: string; status: 'placed' | 'completed' | 'picked-up'; } let beverages: Beverage[] = []; let orders: Order[] = []; 먼저 쓸 타입들을 정의해둔다. User..
 [TS] 타입스크립트 모듈 사용, 옵션 설정 & tsconfig/bases
      
      
        [TS] 타입스크립트 모듈 사용, 옵션 설정 & tsconfig/bases
        💡 타입스크립트에서 모듈을 사용해보자 ~ 요기서 src 폴더, Product.ts, Size.ts, main.ts 를 만들자! Product.ts interface Product { // interface 생성 id: string; name: string; price: number; membersOnly?: boolean; sizes?: string[]; } Size.ts enum Size { // enum 생성 S = 'S', M = 'M', L = 'L', XL = 'XL', } main.ts const product1 = { // 객체 만들고 id: 'c001', name: '주전자', price: 129000, membersOnly: true, sizes: ['S', 'M'], }; const p..
💡 합치는 거 말고 골라오거나, 생략해보자! Pickinterface Product { id: string; name: string; price: number; membersOnly?: boolean;}type ProductInfo = Pick;// ProductInfo 타입 값은 아래와 같다.type ProductInfo = { name: string; price: number;} name, price 프로퍼티만 골라서 타입을 만들었다. Omitinterface Product { id: string; name: string; price: number; membersOnly?: boolean;}type ProductInfo = Omit;// ProductInfo 타입 값은 아..
 [TS] generic 제네릭 타입 <string> ~ <number> ~ <???> ~
      
      
        [TS] generic 제네릭 타입 <string> ~ <number> ~ <???> ~
        💡제네릭 타입에 대해 알아보자. const shoeSizes: number[] = [230, 240, 250];shoeSizes.map((num) => {});const clothingSizes: string[] = ['M', 'L', 'XL'];clothingSizes.map((names) => {});파라미터의 타입을 알아서 인식하고 있다.어떻게 한 걸까?! map 메서드를 살펴보면 안에 값이 있는데, 여기에 유동적인 값이 들어간다. 이렇게 특정한 타입으로 고정시켜 두는 게 아니라 꺾쇠 안에 임의의 값을 지정해 두고그때그때 다른 타입을 넣어서 쓸 수 있게 하는 문법을 제네릭 이라 한다. generic : 데이터 타입을 변수화 한 것type Generic={ // 이름은 아무렇게나 정할 수 있으나..
 [TS] keyof & typeof 연산자
      
      
        [TS] keyof & typeof 연산자
        💡 타입스크립트에서 자주 쓰는 두 연산자에 대해 알아보자 먼저 keyof ~ interface Product { id: string; name: string; price: number; membersOnly?: boolean; } // 프로퍼티 이름 타입 지정 type ProductProperty = 'id' | 'name' | 'price' | 'membersOnly'; // 사용자에게 보여줄 키들을 productTableKeys 변수에 배열로 담아준다. const productTableKeys: ProductProperty[] = ['name', 'price', 'membersOnly']; const product: Product = { id: 'c001', name: '주전자', price: 129..
💡 intersection 에 대해 알아보자. interface Product { id: string; // 세 타입 모두 공통 name: string; price: number; membersOnly?: boolean; } interface User { id: string; // 세 타입 모두 공통 userName: string; email: string; createdAt: Date; // 두 타입에서 공통 updateAt: Date; // 두 타입에서 공통 } interface Review { id: string; // 세 타입 모두 공통 productId: string; userId: string; content: string; createdAt: Date; // 두 타입에서 공통 updateAt..