TypeScript 常见问题解决方法
类型声明文件相关
找不到模块的类型定义
问题:Cannot find module 'xxx' or its corresponding type declarations.
解决方法:
# 安装对应的类型定义文件
npm install @types/xxx --save-dev
# 或者创建自定义声明文件
# 创建 types/xxx.d.ts
declare module 'xxx' {
const content: any;
export default content;
}
扩展第三方库的类型定义
// 在项目中创建 types/index.d.ts
import 'axios';
declare module 'axios' {
export interface AxiosInstance {
request<T = any>(config: AxiosRequestConfig): Promise<T>;
get<T = any>(url: string, config?: AxiosRequestConfig): Promise<T>;
// ...
}
}
类型断言相关
类型断言的使用
// 方式1: as
const someValue: unknown = "this is a string";
const strLength: number = (someValue as string).length;
// 方式2: <>
const strLength: number = (<string>someValue).length;
// 方式3: !非空断言
function liveDangerously(x?: number | null) {
console.log(x!.toFixed()); // 断言x一定存在
}