interface User {
name: string;
height: number;
}
interface User {
name: string;
readonly height: number;
}
const author: User = { name: 'danbi', height: 163 };
author.height = 173; // 에러. height는 읽기 전용 속성이므로 접근할 수 없다.
(매개변수1 이름: 매개변수1 타입, 매개변수2 이름: 매개변수2 타입, ...): 반환 타입
예를 들어, User 타입의 값 user를 받아 이름을 반환하는 함수 인터페이스를 아래와 같이 만들 수 있다.
interface GetUserName {
(user: User): string;
}
const getUserName: GetUserName = function (user) {
return user.name;
};
실제 함수 정의와 인터페이스에서의 매개변수 이름이 꼭 같을 필요는 없다. 매개변수명을 user라고 하지 않고 u로 사용해도 매개변수의 타입 순서가 일치한다면 에러는 발생하지 않는다.
const getUserName: GetUserName = function (u) {
return u.name;
};
interface Counter {
(start: number): string;
interval: number;
reset(): void;
}
function getCounter(): Counter {
let counter = <Counter>function (start: number) { };
counter.interval = 123;
counter.reset = function () { };
return counter;
}
let c = getCounter();
c(10);
c.reset();
c.interval = 5.0;
위의 Counter 타입의 값은 함수로서 호출 할 수 있기 때문에 호출 시그니쳐를 갖는다. 이 인터페이스는 추가적으로 interval과 reset 이라는 속성을 갖고 있다. 따라서 인터페이스는 해당 속성의 타입 정보도 포함하고 있다.
위 처럼 호출 시그니쳐와 속성 타입을 동시에 갖는 인터페이스를 하이브리드 타입(hybrid type)이라고 한다.
interface MyResponse<Data> { // 제너릭 인터페이스
data: Data;
status: number;
ok: boolean;
}
inteface User {
name: string;
readonly height: number;
}
const user: MyReponse<User> = await getUserApiCall(userId);
user.name; // user.name이 string인 것을 알 수 있다.
interface GetData {
<Data>(response: MyResponse<Data>): Data;
}
실제 프로젝트 사용 예
interface Buttonprops {
buttonName: "PRIMARY" | "SECONDARY";
isEnable: boolean;
buttonText: string;
onClick: () => void;
styleExist?: React.ComponentState;
brandExist?: React.ComponentState;
isConfirmed?: boolean;
isConfirmedValues?: number | undefined;
}
interface ButtonLayoutProps {
buttonName: string;
isEnable: boolean;
isStyle?: string;
isBrand?: string;
isConfirmed?: boolean;
isConfirmedValues?: number | undefined;
}