Typescript 系列 基础篇 (六) 模块化入门篇

TS模块化是建立在JS模块化的基础上,与JS中的写法有许多的不同之处。TS极大地支持了主流的ESMCommomJs,也对其他的模块化方案有所兼容。

一、ES 模块化语法

1. export 导出

TS支持ES模块化方案,写法和JS中一致。

1
2
3
4
5
6
7
8
9
10
11
12
13
// ModuleA.ts
export var a = 1;
export const b = function () {
// ...
};
export let c = () => {
// ...
};
// 设置默认导出项,仅TS中可导出interface、type等
export default interface Person {
name: string;
age: number;
}

2. import 导入

  • 使用import加载其它模块,和JS中一致,可以使用 as 重命名。
1
2
3
// main.ts
import { a, b, c as RenamedC } from "./ModuleA";
import Person from "./ModuleA";
  • 可以混合导入,但是默认项必须写在前面。
1
2
// main.ts
import Person, { a, b, c as RenamedC } from "./ModuleA";
  • 可以使用 import * 来导入所有内容,并用 as 重命名。
1
2
// main.ts
import * as M from "./ModuleA";
  • 可以使用 import + 文件名 来导入一个文件,这种情况下,被导入的文件中的代码会被执行,可能会对当前作用域中的变量产生影响。
1
2
// main.ts
import "./ModuleA";
  • TS特有的语法

    • JS中没有interfacetype等概念,没有相应的关键字。因此,interfacetype语句是TS特有的导出语法。

      1
      2
      3
      4
      5
      6
      7
      8
      9
      // ModuleB.ts
      export type Cat = { breed: string; yearOfBirth: number };

      export interface Dog {
      breeds: string[];
      yearOfBirth: number;
      }

      export const c = 1;

      导入时正常导入就行了。

    • import type 语法

      该语法只能用来导入类型。

      1
      2
      // 不能导入变量c
      import type { Cat, Dog } from "./ModuleB";
    • inline type imports

      TS 4.5 版本允许混合导入类型和变量。type 关键字写在导入的类型前面,不写type的则为变量。

      1
      2
      // 不能导入变量c
      import { type Cat, type Dog, c } from "./ModuleB";
  • 具有 CommonJs 表现的 ES 语法

    使用 export = { // ... } 来导出的模块,既可以用CommonJs语法导入,也可以用ESM的兼容语法 import a = require('./xxx') 语法导入。

    1
    2
    3
    4
    5
    6
    7
    8
    // ModuleX.ts
    export = {
    name: "x",
    };

    // app.ts
    const a = require("./ModuleX"); // 不推荐
    import b = require("./ModuleX"); // 推荐写法

二、CommonJs 模块化语法

通过 全局变量 module 上的 exports 属性来设置导出的内容

1
2
3
4
5
6
// MathModule.ts
module.exports = {
pi: 3.14,
squareTwo: 1.41,
phi: 1.61,
};

对应的,使用 require 来导入。

1
2
3
4
// main.ts
const math = require("./MathModule");
// 或者也可以解构
const { pi, squareTwo } = require("./MathModule");

TS系列基础篇就写到这儿了,累了,TS进阶篇再见。另外,想进一步了解TS模块化的知识,可以参考我的TS进阶系列深入理解 TS 模块