原文地址:https://github.com/pipiliang/clean-code-typescript

中文 | English

将 Clean Code 的概念适用到 TypeScript,灵感来自 clean-code-javascript

目录

  1. 简介
  2. 变量
  3. 函数
  4. 对象与数据结构
  5. SOLID原则
  6. 测试
  7. 并发
  8. 错误处理
  9. 格式化
  10. 注释

简介

1. Webpack 4 Tree Shaking 终极优化指南 - 图1

这不是一份 TypeScript 编码风格规范,而是将 Robert C. Martin 的软件工程著作 《Clean Code》 适用到 TypeScript,引导读者使用 TypeScript 编写易读、复用和可扩展的软件。

实际上,并不是每一个原则都要严格遵守,能被广泛认同的原则就更少了。这看起来虽然只是一份指导原则,但却是 Clean Code 作者对多年编程经验的凝练。

软件工程技术已有50多年的历史了,我们仍然要学习很多的东西。当软件架构和架构本身一样古老的时候,也许我们需要遵守更严格的规则。但是现在,让这些指导原则作为评估您和您的团队代码质量的试金石。

另外,理解这些原则不会立即让您变的优秀,也不意味着不会犯错。每一段代码都是从不完美开始的,通过反复走查不断趋于完美,就像黏土制作成陶艺一样,享受这个过程吧!

↑ 回到顶部

变量

计算机科学只存在两个难题:缓存失效和命名。—— Phil KarIton

使用有意义的变量名

做有意义的区分,让读者更容易理解变量的含义。

👎 反例:

  1. function between<T>(a1: T, a2: T, a3: T) {
  2. return a2 <= a1 && a1 <= a3;
  3. }

👍 正例:

  1. function between<T>(value: T, left: T, right: T) {
  2. return left <= value && value <= right;
  3. }

↑ 回到顶部

可读的变量名

如果你不能正确读出它,那么你在讨论它时听起来就会像个白痴。

👎 反例:

  1. class DtaRcrd102 {
  2. private genymdhms: Date; # // 你能读出这个变量名么?
  3. private modymdhms: Date;
  4. private pszqint = '102';
  5. }

👍 正例:

  1. class Customer {
  2. private generationTimestamp: Date;
  3. private modificationTimestamp: Date;
  4. private recordId = '102';
  5. }

↑ 回到顶部

合并功能一致的变量

👎 反例:

  1. function getUserInfo(): User;
  2. function getUserDetails(): User;
  3. function getUserData(): User;

👍 正例:

  1. function getUser(): User;

↑ 回到顶部

便于搜索的名字

往往我们读代码要比写的多,所以易读性和可搜索非常重要。如果不抽取并命名有意义的变量名,那就坑了读代码的人。代码一定要便于搜索,TSLint 就可以帮助识别未命名的常量。

👎 反例:

  1. //86400000 代表什么?
  2. setTimeout(restart, 86400000);

👍 正例:

  1. // 声明为常量,要大写且有明确含义。
  2. const MILLISECONDS_IN_A_DAY = 24 * 60 * 60 * 1000;
  3. setTimeout(restart, MILLISECONDS_IN_A_DAY);

↑ 回到顶部

使用自解释的变量名

👎 反例:

  1. declare const users:Map<string, User>;
  2. for (const keyValue of users) {
  3. // ...
  4. }

👍 正例:

  1. declare const users:Map<string, User>;
  2. for (const [id, user] of users) {
  3. // ...
  4. }

↑ 回到顶部

避免思维映射

不要让人去猜测或想象变量的含义,明确是王道。

👎 反例:

  1. const u = getUser();
  2. const s = getSubscription();
  3. const t = charge(u, s);

👍 正例:

  1. const user = getUser();
  2. const subscription = getSubscription();
  3. const transaction = charge(user, subscription);

↑ 回到顶部

不添加无用的上下文

如果类名或对象名已经表达了某些信息,在内部变量名中不要再重复表达。

👎 反例:

  1. type Car = {
  2. carMake: string;
  3. carModel: string;
  4. carColor: string;
  5. }
  6. function print(car: Car): void {
  7. console.log(`${this.carMake} ${this.carModel} (${this.carColor})`);
  8. }

👍 正例:

  1. type Car = {
  2. make: string;
  3. model: string;
  4. color: string;
  5. }
  6. function print(car: Car): void {
  7. console.log(`${this.make} ${this.model} (${this.color})`);
  8. }

↑ 回到顶部

使用默认参数,而非短路或条件判断

通常,默认参数比短路更整洁。

👎 反例:

  1. function loadPages(count: number) {
  2. const loadCount = count !== undefined ? count : 10;
  3. // ...
  4. }

👍 正例:

  1. function loadPages(count: number = 10) {
  2. // ...
  3. }

↑ 回到顶部

函数

参数越少越好 (理想情况不超过2个)

限制参数个数,这样函数测试会更容易。超过三个参数会导致测试复杂度激增,需要测试众多不同参数的组合场景。 理想情况,只有一两个参数。如果有两个以上的参数,那么您的函数可能就太过复杂了。

如果需要很多参数,请您考虑使用对象。为了使函数的属性更清晰,可以使用解构,它有以下优点:

  1. 当有人查看函数签名时,会立即清楚使用了哪些属性。
  2. 解构对传递给函数的参数对象做深拷贝,这可预防副作用。(注意:不会克隆从参数对象中解构的对象和数组)
  3. TypeScript 会对未使用的属性显示警告。

👎 反例:

  1. function createMenu(title: string, body: string, buttonText: string, cancellable: boolean) {
  2. // ...
  3. }
  4. createMenu('Foo', 'Bar', 'Baz', true);

👍 正例:

  1. function createMenu(options: {title: string, body: string, buttonText: string, cancellable: boolean}) {
  2. // ...
  3. }
  4. createMenu(
  5. {
  6. title: 'Foo',
  7. body: 'Bar',
  8. buttonText: 'Baz',
  9. cancellable: true
  10. }
  11. );

通过 TypeScript 的类型别名,可以进一步提高可读性。

  1. type MenuOptions = {title: string, body: string, buttonText: string, cancellable: boolean};
  2. function createMenu(options: MenuOptions) {
  3. // ...
  4. }
  5. createMenu(
  6. {
  7. title: 'Foo',
  8. body: 'Bar',
  9. buttonText: 'Baz',
  10. cancellable: true
  11. }
  12. );

↑ 回到顶部

只做一件事

这是目前软件工程中最重要的规则。如果函数做不止一件事,它就更难组合、测试以及理解。反之,函数只有一个行为,它就更易于重构、代码就更清晰。如果能做好这一点,你一定很优秀!

👎 反例:

  1. function emailClients(clients: Client) {
  2. clients.forEach((client) => {
  3. const clientRecord = database.lookup(client);
  4. if (clientRecord.isActive()) {
  5. email(client);
  6. }
  7. });
  8. }

👍 正例:

  1. function emailClients(clients: Client) {
  2. clients.filter(isActiveClient).forEach(email);
  3. }
  4. function isActiveClient(client: Client) {
  5. const clientRecord = database.lookup(client);
  6. return clientRecord.isActive();
  7. }

↑ 回到顶部

名副其实

通过函数名就可以看得出函数实现的功能。

👎 反例:

  1. function addToDate(date: Date, month: number): Date {
  2. // ...
  3. }
  4. const date = new Date();
  5. // 从函数名很难看的出需要加什么?
  6. addToDate(date, 1);

👍 正例:

  1. function addMonthToDate(date: Date, month: number): Date {
  2. // ...
  3. }
  4. const date = new Date();
  5. addMonthToDate(date, 1);

↑ 回到顶部

每个函数只包含同一个层级的抽象

当有多个抽象级别时,函数应该是做太多事了。拆分函数以便可复用,也让测试更容易。

👎 反例:

  1. function parseCode(code:string) {
  2. const REGEXES = [ /* ... */ ];
  3. const statements = code.split(' ');
  4. const tokens = [];
  5. REGEXES.forEach((regex) => {
  6. statements.forEach((statement) => {
  7. // ...
  8. });
  9. });
  10. const ast = [];
  11. tokens.forEach((token) => {
  12. // lex...
  13. });
  14. ast.forEach((node) => {
  15. // 解析 ...
  16. });
  17. }

👍 正例:

  1. const REGEXES = [ /* ... */ ];
  2. function parseCode(code:string) {
  3. const tokens = tokenize(code);
  4. const syntaxTree = parse(tokens);
  5. syntaxTree.forEach((node) => {
  6. // parse...
  7. });
  8. }
  9. function tokenize(code: string):Token[] {
  10. const statements = code.split(' ');
  11. const tokens:Token[] = [];
  12. REGEXES.forEach((regex) => {
  13. statements.forEach((statement) => {
  14. tokens.push( /* ... */ );
  15. });
  16. });
  17. return tokens;
  18. }
  19. function parse(tokens: Token[]): SyntaxTree {
  20. const syntaxTree:SyntaxTree[] = [];
  21. tokens.forEach((token) => {
  22. syntaxTree.push( /* ... */ );
  23. });
  24. return syntaxTree;
  25. }

↑ 回到顶部

删除重复代码

重复乃万恶之源!重复意味着如果要修改某个逻辑,需要修改多处代码 😢。 想象一下,如果你经营一家餐厅,要记录你的库存:所有的西红柿、洋葱、大蒜、香料等等。如果要维护多个库存列表,那是多么痛苦的事!

存在重复代码,是因为有两个或两个以上很近似的功能,只有一点不同,但是这点不同迫使你用多个独立的函数来做很多几乎相同的事情。删除重复代码,则意味着创建一个抽象,该抽象仅用一个函数/模块/类就可以处理这组不同的东西。

合理的抽象至关重要,这就是为什么您应该遵循SOLID原则。糟糕的抽象可能还不如重复代码,所以要小心!话虽如此,还是要做好抽象!尽量不要重复。

👎 反例:

  1. function showDeveloperList(developers: Developer[]) {
  2. developers.forEach((developer) => {
  3. const expectedSalary = developer.calculateExpectedSalary();
  4. const experience = developer.getExperience();
  5. const githubLink = developer.getGithubLink();
  6. const data = {
  7. expectedSalary,
  8. experience,
  9. githubLink
  10. };
  11. render(data);
  12. });
  13. }
  14. function showManagerList(managers: Manager[]) {
  15. managers.forEach((manager) => {
  16. const expectedSalary = manager.calculateExpectedSalary();
  17. const experience = manager.getExperience();
  18. const portfolio = manager.getMBAProjects();
  19. const data = {
  20. expectedSalary,
  21. experience,
  22. portfolio
  23. };
  24. render(data);
  25. });
  26. }

👍 正例:

  1. class Developer {
  2. // ...
  3. getExtraDetails() {
  4. return {
  5. githubLink: this.githubLink,
  6. }
  7. }
  8. }
  9. class Manager {
  10. // ...
  11. getExtraDetails() {
  12. return {
  13. portfolio: this.portfolio,
  14. }
  15. }
  16. }
  17. function showEmployeeList(employee: Developer | Manager) {
  18. employee.forEach((employee) => {
  19. const expectedSalary = developer.calculateExpectedSalary();
  20. const experience = developer.getExperience();
  21. const extra = employee.getExtraDetails();
  22. const data = {
  23. expectedSalary,
  24. experience,
  25. extra,
  26. };
  27. render(data);
  28. });
  29. }

有时,在重复代码和引入不必要的抽象而增加的复杂性之间,需要做权衡。当来自不同领域的两个不同模块,它们的实现看起来相似,复制也是可以接受的,并且比抽取公共代码要好一点。因为抽取公共代码会导致两个模块产生间接的依赖关系。

↑ 回到顶部

使用Object.assign解构来设置默认对象

👎 反例:

  1. type MenuConfig = {title?: string, body?: string, buttonText?: string, cancellable?: boolean};
  2. function createMenu(config: MenuConfig) {
  3. config.title = config.title || 'Foo';
  4. config.body = config.body || 'Bar';
  5. config.buttonText = config.buttonText || 'Baz';
  6. config.cancellable = config.cancellable !== undefined ? config.cancellable : true;
  7. }
  8. const menuConfig = {
  9. title: null,
  10. body: 'Bar',
  11. buttonText: null,
  12. cancellable: true
  13. };
  14. createMenu(menuConfig);

👍 正例:

  1. type MenuConfig = {title?: string, body?: string, buttonText?: string, cancellable?: boolean};
  2. function createMenu(config: MenuConfig) {
  3. const menuConfig = Object.assign({
  4. title: 'Foo',
  5. body: 'Bar',
  6. buttonText: 'Baz',
  7. cancellable: true
  8. }, config);
  9. }
  10. createMenu({ body: 'Bar' });

或者,您可以使用默认值的解构:

  1. type MenuConfig = {title?: string, body?: string, buttonText?: string, cancellable?: boolean};
  2. function createMenu({title = 'Foo', body = 'Bar', buttonText = 'Baz', cancellable = true}: MenuConfig) {
  3. // ...
  4. }
  5. createMenu({ body: 'Bar' });

为了避免副作用,不允许显式传递undefinednull值。参见 TypeScript 编译器的--strictnullcheck选项。

↑ 回到顶部

不要使用Flag参数

Flag参数告诉用户这个函数做了不止一件事。如果函数使用布尔值实现不同的代码逻辑路径,则考虑将其拆分。

👎 反例:

  1. function createFile(name:string, temp:boolean) {
  2. if (temp) {
  3. fs.create(`./temp/${name}`);
  4. } else {
  5. fs.create(name);
  6. }
  7. }

👍 正例:

  1. function createFile(name:string) {
  2. fs.create(name);
  3. }
  4. function createTempFile(name:string) {
  5. fs.create(`./temp/${name}`);
  6. }

↑ 回到顶部

避免副作用 (part1)

当函数产生除了“一个输入一个输出”之外的行为时,称该函数产生了副作用。比如写文件、修改全局变量或将你的钱全转给了一个陌生人等。

在某些情况下,程序需要一些副作用。如先前例子中的写文件,这时应该将这些功能集中在一起,不要用多个函数/类修改某个文件。用且只用一个 service 完成这一需求。

重点是要规避常见陷阱,比如,在无结构对象之间共享状态、使用可变数据类型,以及不确定副作用发生的位置。如果你能做到这点,你才可能笑到最后!

👎 反例:

  1. // Global variable referenced by following function.
  2. // If we had another function that used this name, now it'd be an array and it could break it.
  3. let name = 'Robert C. Martin';
  4. function toBase64() {
  5. name = btoa(name);
  6. }
  7. toBase64(); // produces side effects to `name` variable
  8. console.log(name); // expected to print 'Robert C. Martin' but instead 'Um9iZXJ0IEMuIE1hcnRpbg=='

👍 正例:

  1. // Global variable referenced by following function.
  2. // If we had another function that used this name, now it'd be an array and it could break it.
  3. const name = 'Robert C. Martin';
  4. function toBase64(text:string):string {
  5. return btoa(text);
  6. }
  7. const encodedName = toBase64(name);
  8. console.log(name);

↑ 回到顶部

避免副作用 (part2)

在 JavaScript 中,原类型是值传递,对象、数组是引用传递。

有这样一种情况,如果您的函数修改了购物车数组,用来添加购买的商品,那么其他使用该cart数组的函数都将受此添加操作的影响。想象一个糟糕的情况:

用户点击“购买”按钮,该按钮调用purchase函数,函数请求网络并将cart数组发送到服务器。由于网络连接不好,购买功能必须不断重试请求。恰巧在网络请求开始前,用户不小心点击了某个不想要的项目上的“Add to Cart”按钮,该怎么办?而此时网络请求开始,那么purchase函数将发送意外添加的项,因为它引用了一个购物车数组,addItemToCart函数修改了该数组,添加了不需要的项。

一个很好的解决方案是addItemToCart总是克隆cart,编辑它,并返回克隆。这确保引用购物车的其他函数不会受到任何更改的影响。

注意两点:

  1. 在某些情况下,可能确实想要修改输入对象,这种情况非常少见。且大多数可以重构,确保没副作用!(见纯函数)
  2. 性能方面,克隆大对象代价确实比较大。还好有一些很好的库,它提供了一些高效快速的方法,且不像手动克隆对象和数组那样占用大量内存。

👎 反例:

  1. function addItemToCart(cart: CartItem[], item:Item):void {
  2. cart.push({ item, date: Date.now() });
  3. };

👍 正例:

  1. function addItemToCart(cart: CartItem[], item:Item):CartItem[] {
  2. return [...cart, { item, date: Date.now() }];
  3. };

↑ 回到顶部

不要写全局函数

在 JavaScript 中污染全局的做法非常糟糕,这可能导致和其他库冲突,而调用你的 API 的用户在实际环境中得到一个 exception 前对这一情况是一无所知的。

考虑这样一个例子:如果想要扩展 JavaScript 的 Array,使其拥有一个可以显示两个数组之间差异的 diff方法,该怎么做呢?可以将新函数写入Array.prototype ,但它可能与另一个尝试做同样事情的库冲突。如果另一个库只是使用diff来查找数组的第一个元素和最后一个元素之间的区别呢?

更好的做法是扩展Array,实现对应的函数功能。

👎 反例:

  1. declare global {
  2. interface Array<T> {
  3. diff(other: T[]): Array<T>;
  4. }
  5. }
  6. if (!Array.prototype.diff){
  7. Array.prototype.diff = function <T>(other: T[]): T[] {
  8. const hash = new Set(other);
  9. return this.filter(elem => !hash.has(elem));
  10. };
  11. }

👍 正例:

  1. class MyArray<T> extends Array<T> {
  2. diff(other: T[]): T[] {
  3. const hash = new Set(other);
  4. return this.filter(elem => !hash.has(elem));
  5. };
  6. }

↑ 回到顶部

函数式编程优于命令式编程

尽量使用函数式编程!

👎 反例:

  1. const contributions = [
  2. {
  3. name: 'Uncle Bobby',
  4. linesOfCode: 500
  5. }, {
  6. name: 'Suzie Q',
  7. linesOfCode: 1500
  8. }, {
  9. name: 'Jimmy Gosling',
  10. linesOfCode: 150
  11. }, {
  12. name: 'Gracie Hopper',
  13. linesOfCode: 1000
  14. }
  15. ];
  16. let totalOutput = 0;
  17. for (let i = 0; i < contributions.length; i++) {
  18. totalOutput += contributions[i].linesOfCode;
  19. }

👍 正例:

  1. const contributions = [
  2. {
  3. name: 'Uncle Bobby',
  4. linesOfCode: 500
  5. }, {
  6. name: 'Suzie Q',
  7. linesOfCode: 1500
  8. }, {
  9. name: 'Jimmy Gosling',
  10. linesOfCode: 150
  11. }, {
  12. name: 'Gracie Hopper',
  13. linesOfCode: 1000
  14. }
  15. ];
  16. const totalOutput = contributions
  17. .reduce((totalLines, output) => totalLines + output.linesOfCode, 0)

↑ 回到顶部

封装判断条件

👎 反例:

  1. if (subscription.isTrial || account.balance > 0) {
  2. // ...
  3. }

👍 正例:

  1. function canActivateService(subscription: Subscription, account: Account) {
  2. return subscription.isTrial || account.balance > 0
  3. }
  4. if (canActivateService(subscription, account)) {
  5. // ...
  6. }

↑ 回到顶部

避免“否定”的判断

👎 反例:

  1. function isEmailNotUsed(email: string) {
  2. // ...
  3. }
  4. if (isEmailNotUsed(email)) {
  5. // ...
  6. }

👍 正例:

  1. function isEmailUsed(email) {
  2. // ...
  3. }
  4. if (!isEmailUsed(node)) {
  5. // ...
  6. }

↑ 回到顶部

避免判断条件

这看起来似乎不太可能完成啊。大多数人听到后第一反应是,“没有if语句怎么实现功能呢?” 在多数情况下,可以使用多态性来实现相同的功能。接下来的问题是 “为什么要这么做?” 原因就是之前提到的:函数只做一件事。

👎 反例:

  1. class Airplane {
  2. private type: string;
  3. // ...
  4. getCruisingAltitude() {
  5. switch (this.type) {
  6. case '777':
  7. return this.getMaxAltitude() - this.getPassengerCount();
  8. case 'Air Force One':
  9. return this.getMaxAltitude();
  10. case 'Cessna':
  11. return this.getMaxAltitude() - this.getFuelExpenditure();
  12. default:
  13. throw new Error('Unknown airplane type.');
  14. }
  15. }
  16. }

👍 正例:

  1. class Airplane {
  2. // ...
  3. }
  4. class Boeing777 extends Airplane {
  5. // ...
  6. getCruisingAltitude() {
  7. return this.getMaxAltitude() - this.getPassengerCount();
  8. }
  9. }
  10. class AirForceOne extends Airplane {
  11. // ...
  12. getCruisingAltitude() {
  13. return this.getMaxAltitude();
  14. }
  15. }
  16. class Cessna extends Airplane {
  17. // ...
  18. getCruisingAltitude() {
  19. return this.getMaxAltitude() - this.getFuelExpenditure();
  20. }
  21. }

↑ 回到顶部

避免类型检查

TypeScript 是 JavaScript 的一个严格的语法超集,具有静态类型检查的特性。所以指定变量、参数和返回值的类型,以充分利用此特性,能让重构更容易。

👎 反例:

  1. function travelToTexas(vehicle: Bicycle | Car) {
  2. if (vehicle instanceof Bicycle) {
  3. vehicle.pedal(this.currentLocation, new Location('texas'));
  4. } else if (vehicle instanceof Car) {
  5. vehicle.drive(this.currentLocation, new Location('texas'));
  6. }
  7. }

👍 正例:

  1. type Vehicle = Bicycle | Car;
  2. function travelToTexas(vehicle: Vehicle) {
  3. vehicle.move(this.currentLocation, new Location('texas'));
  4. }

↑ 回到顶部

不要过度优化

现代浏览器在运行时进行大量的底层优化。很多时候,你做优化只是在浪费时间。有些优秀资源可以帮助定位哪里需要优化,找到并修复它。

👎 反例:

  1. // On old browsers, each iteration with uncached `list.length` would be costly
  2. // because of `list.length` recomputation. In modern browsers, this is optimized.
  3. for (let i = 0, len = list.length; i < len; i++) {
  4. // ...
  5. }

👍 正例:

  1. for (let i = 0; i < list.length; i++) {
  2. // ...
  3. }

↑ 回到顶部

删除无用代码

无用代码和重复代码一样无需保留。如果没有地方调用它,请删除!如果仍然需要它,可以查看版本历史。

👎 反例:

  1. function oldRequestModule(url: string) {
  2. // ...
  3. }
  4. function requestModule(url: string) {
  5. // ...
  6. }
  7. const req = requestModule;
  8. inventoryTracker('apples', req, 'www.inventory-awesome.io');

👍 正例:

  1. function requestModule(url: string) {
  2. // ...
  3. }
  4. const req = requestModule;
  5. inventoryTracker('apples', req, 'www.inventory-awesome.io');

↑ 回到顶部

使用迭代器和生成器

像使用流一样处理数据集合时,请使用生成器和迭代器。

理由如下:

  • 将调用者与生成器实现解耦,在某种意义上,调用者决定要访问多少项。
  • 延迟执行,按需使用。
  • 内置支持使用for-of语法进行迭代
  • 允许实现优化的迭代器模式

👎 反例:

  1. function fibonacci(n: number): number[] {
  2. if (n === 1) return [0];
  3. if (n === 2) return [0, 1];
  4. const items: number[] = [0, 1];
  5. while (items.length < n) {
  6. items.push(items[items.length - 2] + items[items.length - 1]);
  7. }
  8. return items;
  9. }
  10. function print(n: number) {
  11. fibonacci(n).forEach(fib => console.log(fib));
  12. }
  13. // Print first 10 Fibonacci numbers.
  14. print(10);

👍 正例:

  1. // Generates an infinite stream of Fibonacci numbers.
  2. // The generator doesn't keep the array of all numbers.
  3. function* fibonacci(): IterableIterator<number> {
  4. let [a, b] = [0, 1];
  5. while (true) {
  6. yield a;
  7. [a, b] = [b, a + b];
  8. }
  9. }
  10. function print(n: number) {
  11. let i = 0;
  12. for (const fib in fibonacci()) {
  13. if (i++ === n) break;
  14. console.log(fib);
  15. }
  16. }
  17. // Print first 10 Fibonacci numbers.
  18. print(10);

有些库通过链接“map”、“slice”、“forEach”等方法,达到与原生数组类似的方式处理迭代。参见 itiriri 里面有一些使用迭代器的高级操作示例(或异步迭代的操作 itiriri-async)。

  1. import itiriri from 'itiriri';
  2. function* fibonacci(): IterableIterator<number> {
  3. let [a, b] = [0, 1];
  4. while (true) {
  5. yield a;
  6. [a, b] = [b, a + b];
  7. }
  8. }
  9. itiriri(fibonacci())
  10. .take(10)
  11. .forEach(fib => console.log(fib));

↑ 回到顶部

对象和数据结构

使用getterssetters

TypeScript 支持 getter/setter 语法。使用 getter 和 setter 从对象中访问数据比简单地在对象上查找属性要好。原因如下:

  • 当需要在获取对象属性之前做一些事情时,不必在代码中查找并修改每个访问器。
  • 执行set时添加验证更简单。
  • 封装内部表示。
  • 更容易添加日志和错误处理。
  • 可以延迟加载对象的属性,比如从服务器获取它。

👎 反例:

  1. class BankAccount {
  2. balance: number = 0;
  3. // ...
  4. }
  5. const value = 100;
  6. const account = new BankAccount();
  7. if (value < 0) {
  8. throw new Error('Cannot set negative balance.');
  9. }
  10. account.balance = value;

👍 正例:

  1. class BankAccount {
  2. private accountBalance: number = 0;
  3. get balance(): number {
  4. return this.accountBalance;
  5. }
  6. set balance(value: number) {
  7. if (value < 0) {
  8. throw new Error('Cannot set negative balance.');
  9. }
  10. this.accountBalance = value;
  11. }
  12. // ...
  13. }
  14. const account = new BankAccount();
  15. account.balance = 100;

↑ 回到顶部

让对象拥有 private/protected 成员

TypeScript 类成员支持 public(默认)protected 以及 private的访问限制。

👎 反例:

  1. class Circle {
  2. radius: number;
  3. constructor(radius: number) {
  4. this.radius = radius;
  5. }
  6. perimeter(){
  7. return 2 * Math.PI * this.radius;
  8. }
  9. surface(){
  10. return Math.PI * this.radius * this.radius;
  11. }
  12. }

👍 正例:

  1. class Circle {
  2. constructor(private readonly radius: number) {
  3. }
  4. perimeter(){
  5. return 2 * Math.PI * this.radius;
  6. }
  7. surface(){
  8. return Math.PI * this.radius * this.radius;
  9. }
  10. }

↑ 回到顶部

不变性

TypeScript 类型系统允许将接口、类上的单个属性设置为只读,能以函数的方式运行。

还有个高级场景,可以使用内置类型Readonly,它接受类型 T 并使用映射类型将其所有属性标记为只读。

👎 反例:

  1. interface Config {
  2. host: string;
  3. port: string;
  4. db: string;
  5. }

👍 正例:

  1. interface Config {
  2. readonly host: string;
  3. readonly port: string;
  4. readonly db: string;
  5. }

↑ 回到顶部

类型 vs 接口

当可能需要联合或交集时,请使用类型。如果需要扩展实现,请使用接口。然而,没有严格的规则,只有适合的规则。

详细解释参考关于 Typescript 中typeinterface区别的解答

👎 反例:

  1. interface EmailConfig {
  2. // ...
  3. }
  4. interface DbConfig {
  5. // ...
  6. }
  7. interface Config {
  8. // ...
  9. }
  10. //...
  11. type Shape {
  12. // ...
  13. }

👍 正例:

  1. type EmailConfig {
  2. // ...
  3. }
  4. type DbConfig {
  5. // ...
  6. }
  7. type Config = EmailConfig | DbConfig;
  8. // ...
  9. interface Shape {
  10. }
  11. class Circle implements Shape {
  12. // ...
  13. }
  14. class Square implements Shape {
  15. // ...
  16. }

↑ 回到顶部

小、小、小!要事情说三遍

类的大小是由它的职责来度量的。按照单一职责原则,类要小。

👎 反例:

  1. class Dashboard {
  2. getLanguage(): string { /* ... */ }
  3. setLanguage(language: string): void { /* ... */ }
  4. showProgress(): void { /* ... */ }
  5. hideProgress(): void { /* ... */ }
  6. isDirty(): boolean { /* ... */ }
  7. disable(): void { /* ... */ }
  8. enable(): void { /* ... */ }
  9. addSubscription(subscription: Subscription): void { /* ... */ }
  10. removeSubscription(subscription: Subscription): void { /* ... */ }
  11. addUser(user: User): void { /* ... */ }
  12. removeUser(user: User): void { /* ... */ }
  13. goToHomePage(): void { /* ... */ }
  14. updateProfile(details: UserDetails): void { /* ... */ }
  15. getVersion(): string { /* ... */ }
  16. // ...
  17. }

👍 正例:

  1. class Dashboard {
  2. disable(): void { /* ... */ }
  3. enable(): void { /* ... */ }
  4. getVersion(): string { /* ... */ }
  5. }
  6. // split the responsibilities by moving the remaining methods to other classes
  7. // ...

↑ 回到顶部

高内聚低耦合

内聚:定义了类成员之间相互关联的程度。理想情况下,高内聚类的每个方法都应该使用类中的所有字段,实际上这不可能也不可取。但我们依然提倡高内聚。

耦合:指的是两个类之间的关联程度。如果其中一个类的更改不影响另一个类,则称为低耦合类。

好的软件设计具有高内聚性低耦合性

👎 反例:

  1. class UserManager {
  2. // Bad: each private variable is used by one or another group of methods.
  3. // It makes clear evidence that the class is holding more than a single responsibility.
  4. // If I need only to create the service to get the transactions for a user,
  5. // I'm still forced to pass and instance of emailSender.
  6. constructor(
  7. private readonly db: Database,
  8. private readonly emailSender: EmailSender) {
  9. }
  10. async getUser(id: number): Promise<User> {
  11. return await db.users.findOne({ id })
  12. }
  13. async getTransactions(userId: number): Promise<Transaction[]> {
  14. return await db.transactions.find({ userId })
  15. }
  16. async sendGreeting(): Promise<void> {
  17. await emailSender.send('Welcome!');
  18. }
  19. async sendNotification(text: string): Promise<void> {
  20. await emailSender.send(text);
  21. }
  22. async sendNewsletter(): Promise<void> {
  23. // ...
  24. }
  25. }

👍 正例:

  1. class UserService {
  2. constructor(private readonly db: Database) {
  3. }
  4. async getUser(id: number): Promise<User> {
  5. return await db.users.findOne({ id })
  6. }
  7. async getTransactions(userId: number): Promise<Transaction[]> {
  8. return await db.transactions.find({ userId })
  9. }
  10. }
  11. class UserNotifier {
  12. constructor(private readonly emailSender: EmailSender) {
  13. }
  14. async sendGreeting(): Promise<void> {
  15. await emailSender.send('Welcome!');
  16. }
  17. async sendNotification(text: string): Promise<void> {
  18. await emailSender.send(text);
  19. }
  20. async sendNewsletter(): Promise<void> {
  21. // ...
  22. }
  23. }

↑ 回到顶部

组合大于继承

正如“四人帮”在设计模式中所指出的那样,您尽可能使用组合而不是继承。组合和继承各有优劣。这个准则的主要观点是,如果你潜意识地倾向于继承,试着想想组合是否能更好地给你的问题建模,在某些情况下可以。

什么时候应该使用继承?这取决于你面临的问题。以下场景使用继承更好:

  1. 继承代表的是“is-a”关系,而不是“has-a”关系 (人 -> 动物 vs. 用户 -> 用户详情)。
  2. 可复用基类的代码 (人类可以像所有动物一样移动)。
  3. 希望通过更改基类对派生类进行全局更改(改变所有动物在运动时的热量消耗)。

👎 反例:

  1. class Employee {
  2. constructor(
  3. private readonly name: string,
  4. private readonly email:string) {
  5. }
  6. // ...
  7. }
  8. // Bad because Employees "have" tax data. EmployeeTaxData is not a type of Employee
  9. class EmployeeTaxData extends Employee {
  10. constructor(
  11. name: string,
  12. email:string,
  13. private readonly ssn: string,
  14. private readonly salary: number) {
  15. super(name, email);
  16. }
  17. // ...
  18. }

👍 正例:

  1. class Employee {
  2. private taxData: EmployeeTaxData;
  3. constructor(
  4. private readonly name: string,
  5. private readonly email:string) {
  6. }
  7. setTaxData(ssn: string, salary: number): Employee {
  8. this.taxData = new EmployeeTaxData(ssn, salary);
  9. return this;
  10. }
  11. // ...
  12. }
  13. class EmployeeTaxData {
  14. constructor(
  15. public readonly ssn: string,
  16. public readonly salary: number) {
  17. }
  18. // ...
  19. }

↑ 回到顶部

使用方法链

非常有用的模式,在许多库中都可以看到。它让代码表达力更好,也更简洁。

👎 反例:

  1. class QueryBuilder {
  2. private collection: string;
  3. private pageNumber: number = 1;
  4. private itemsPerPage: number = 100;
  5. private orderByFields: string[] = [];
  6. from(collection: string): void {
  7. this.collection = collection;
  8. }
  9. page(number: number, itemsPerPage: number = 100): void {
  10. this.pageNumber = number;
  11. this.itemsPerPage = itemsPerPage;
  12. }
  13. orderBy(...fields: string[]): void {
  14. this.orderByFields = fields;
  15. }
  16. build(): Query {
  17. // ...
  18. }
  19. }
  20. // ...
  21. const query = new QueryBuilder();
  22. query.from('users');
  23. query.page(1, 100);
  24. query.orderBy('firstName', 'lastName');
  25. const query = queryBuilder.build();

👍 正例:

  1. class QueryBuilder {
  2. private collection: string;
  3. private pageNumber: number = 1;
  4. private itemsPerPage: number = 100;
  5. private orderByFields: string[] = [];
  6. from(collection: string): this {
  7. this.collection = collection;
  8. return this;
  9. }
  10. page(number: number, itemsPerPage: number = 100): this {
  11. this.pageNumber = number;
  12. this.itemsPerPage = itemsPerPage;
  13. return this;
  14. }
  15. orderBy(...fields: string[]): this {
  16. this.orderByFields = fields;
  17. return this;
  18. }
  19. build(): Query {
  20. // ...
  21. }
  22. }
  23. // ...
  24. const query = new QueryBuilder()
  25. .from('users')
  26. .page(1, 100)
  27. .orderBy('firstName', 'lastName')
  28. .build();

↑ 回到顶部

SOLID原则

单一职责原则 (SRP)

正如 Clean Code 中所述,“类更改的原因不应该超过一个”。将很多功能打包在一个类看起来很诱人,就像在航班上您只能带一个手提箱。这样带来的问题是,在概念上类不具有内聚性,且有很多原因去修改类。而我们应该尽量减少修改类的次数。如果一个类功能太多,修改了其中一处很难确定对代码库中其他依赖模块的影响。

👎 反例:

  1. class UserSettings {
  2. constructor(private readonly user: User) {
  3. }
  4. changeSettings(settings: UserSettings) {
  5. if (this.verifyCredentials()) {
  6. // ...
  7. }
  8. }
  9. verifyCredentials() {
  10. // ...
  11. }
  12. }

👍 正例:

  1. class UserAuth {
  2. constructor(private readonly user: User) {
  3. }
  4. verifyCredentials() {
  5. // ...
  6. }
  7. }
  8. class UserSettings {
  9. private readonly auth: UserAuth;
  10. constructor(private readonly user: User) {
  11. this.auth = new UserAuth(user);
  12. }
  13. changeSettings(settings: UserSettings) {
  14. if (this.auth.verifyCredentials()) {
  15. // ...
  16. }
  17. }
  18. }

↑ 回到顶部

开闭原则 (OCP)

正如 Bertrand Meyer 所说,“软件实体(类、模块、函数等)应该对扩展开放,对修改封闭。” 换句话说,就是允许在不更改现有代码的情况下添加新功能。

👎 反例:

  1. class AjaxAdapter extends Adapter {
  2. constructor() {
  3. super();
  4. }
  5. // ...
  6. }
  7. class NodeAdapter extends Adapter {
  8. constructor() {
  9. super();
  10. }
  11. // ...
  12. }
  13. class HttpRequester {
  14. constructor(private readonly adapter: Adapter) {
  15. }
  16. async fetch<T>(url: string): Promise<T> {
  17. if (this.adapter instanceof AjaxAdapter) {
  18. const response = await makeAjaxCall<T>(url);
  19. // transform response and return
  20. } else if (this.adapter instanceof NodeAdapter) {
  21. const response = await makeHttpCall<T>(url);
  22. // transform response and return
  23. }
  24. }
  25. }
  26. function makeAjaxCall<T>(url: string): Promise<T> {
  27. // request and return promise
  28. }
  29. function makeHttpCall<T>(url: string): Promise<T> {
  30. // request and return promise
  31. }

👍 正例:

  1. abstract class Adapter {
  2. abstract async request<T>(url: string): Promise<T>;
  3. }
  4. class AjaxAdapter extends Adapter {
  5. constructor() {
  6. super();
  7. }
  8. async request<T>(url: string): Promise<T>{
  9. // request and return promise
  10. }
  11. // ...
  12. }
  13. class NodeAdapter extends Adapter {
  14. constructor() {
  15. super();
  16. }
  17. async request<T>(url: string): Promise<T>{
  18. // request and return promise
  19. }
  20. // ...
  21. }
  22. class HttpRequester {
  23. constructor(private readonly adapter: Adapter) {
  24. }
  25. async fetch<T>(url: string): Promise<T> {
  26. const response = await this.adapter.request<T>(url);
  27. // transform response and return
  28. }
  29. }

↑ 回到顶部

里氏替换原则 (LSP)

对一个非常简单的概念来说,这是个可怕的术语。

它的正式定义是:“如果 S 是 T 的一个子类型,那么类型 T 的对象可以被替换为类型 S 的对象,而不会改变程序任何期望的属性(正确性、执行的任务等)“。这是一个更可怕的定义。

更好的解释是,如果您有一个父类和一个子类,那么父类和子类可以互换使用,而不会出现问题。这可能仍然令人困惑,所以让我们看一看经典的正方形矩形的例子。从数学上讲,正方形是矩形,但是如果您通过继承使用 “is-a” 关系对其建模,您很快就会遇到麻烦。

👎 反例:

  1. class Rectangle {
  2. constructor(
  3. protected width: number = 0,
  4. protected height: number = 0) {
  5. }
  6. setColor(color: string) {
  7. // ...
  8. }
  9. render(area: number) {
  10. // ...
  11. }
  12. setWidth(width: number) {
  13. this.width = width;
  14. }
  15. setHeight(height: number) {
  16. this.height = height;
  17. }
  18. getArea(): number {
  19. return this.width * this.height;
  20. }
  21. }
  22. class Square extends Rectangle {
  23. setWidth(width: number) {
  24. this.width = width;
  25. this.height = width;
  26. }
  27. setHeight(height: number) {
  28. this.width = height;
  29. this.height = height;
  30. }
  31. }
  32. function renderLargeRectangles(rectangles: Rectangle[]) {
  33. rectangles.forEach((rectangle) => {
  34. rectangle.setWidth(4);
  35. rectangle.setHeight(5);
  36. const area = rectangle.getArea(); // BAD: Returns 25 for Square. Should be 20.
  37. rectangle.render(area);
  38. });
  39. }
  40. const rectangles = [new Rectangle(), new Rectangle(), new Square()];
  41. renderLargeRectangles(rectangles);

👍 正例:

  1. abstract class Shape {
  2. setColor(color: string) {
  3. // ...
  4. }
  5. render(area: number) {
  6. // ...
  7. }
  8. abstract getArea(): number;
  9. }
  10. class Rectangle extends Shape {
  11. constructor(
  12. private readonly width = 0,
  13. private readonly height = 0) {
  14. super();
  15. }
  16. getArea(): number {
  17. return this.width * this.height;
  18. }
  19. }
  20. class Square extends Shape {
  21. constructor(private readonly length: number) {
  22. super();
  23. }
  24. getArea(): number {
  25. return this.length * this.length;
  26. }
  27. }
  28. function renderLargeShapes(shapes: Shape[]) {
  29. shapes.forEach((shape) => {
  30. const area = shape.getArea();
  31. shape.render(area);
  32. });
  33. }
  34. const shapes = [new Rectangle(4, 5), new Rectangle(4, 5), new Square(5)];
  35. renderLargeShapes(shapes);

↑ 回到顶部

接口隔离原则 (ISP)

“客户不应该被迫依赖于他们不使用的接口。” 这一原则与单一责任原则密切相关。这意味着不应该设计一个大而全的抽象,否则会增加客户的负担,因为他们需要实现一些不需要的方法。

👎 反例:

  1. interface ISmartPrinter {
  2. print();
  3. fax();
  4. scan();
  5. }
  6. class AllInOnePrinter implements ISmartPrinter {
  7. print() {
  8. // ...
  9. }
  10. fax() {
  11. // ...
  12. }
  13. scan() {
  14. // ...
  15. }
  16. }
  17. class EconomicPrinter implements ISmartPrinter {
  18. print() {
  19. // ...
  20. }
  21. fax() {
  22. throw new Error('Fax not supported.');
  23. }
  24. scan() {
  25. throw new Error('Scan not supported.');
  26. }
  27. }

👍 正例:

  1. interface IPrinter {
  2. print();
  3. }
  4. interface IFax {
  5. fax();
  6. }
  7. interface IScanner {
  8. scan();
  9. }
  10. class AllInOnePrinter implements IPrinter, IFax, IScanner {
  11. print() {
  12. // ...
  13. }
  14. fax() {
  15. // ...
  16. }
  17. scan() {
  18. // ...
  19. }
  20. }
  21. class EconomicPrinter implements IPrinter {
  22. print() {
  23. // ...
  24. }
  25. }

↑ 回到顶部

依赖反转原则(Dependency Inversion Principle)

这个原则有两个要点:

  1. 高层模块不应该依赖于低层模块,两者都应该依赖于抽象。
  2. 抽象不依赖实现,实现应依赖抽象。

一开始这难以理解,但是如果你使用过 Angular,你就会看到以依赖注入(DI)的方式实现了这一原则。虽然概念不同,但是 DIP 阻止高级模块了解其低级模块的细节并进行设置。它可以通过 DI 实现这一点。这样做的一个巨大好处是减少了模块之间的耦合。耦合非常糟糕,它让代码难以重构。

DIP 通常是通过使用控制反转(IoC)容器来实现的。比如:TypeScript 的 IoC 容器 InversifyJs

👎 反例:

  1. import { readFile as readFileCb } from 'fs';
  2. import { promisify } from 'util';
  3. const readFile = promisify(readFileCb);
  4. type ReportData = {
  5. // ..
  6. }
  7. class XmlFormatter {
  8. parse<T>(content: string): T {
  9. // Converts an XML string to an object T
  10. }
  11. }
  12. class ReportReader {
  13. // BAD: We have created a dependency on a specific request implementation.
  14. // We should just have ReportReader depend on a parse method: `parse`
  15. private readonly formatter = new XmlFormatter();
  16. async read(path: string): Promise<ReportData> {
  17. const text = await readFile(path, 'UTF8');
  18. return this.formatter.parse<ReportData>(text);
  19. }
  20. }
  21. // ...
  22. const reader = new ReportReader();
  23. await report = await reader.read('report.xml');

👍 正例:

  1. import { readFile as readFileCb } from 'fs';
  2. import { promisify } from 'util';
  3. const readFile = promisify(readFileCb);
  4. type ReportData = {
  5. // ..
  6. }
  7. interface Formatter {
  8. parse<T>(content: string): T;
  9. }
  10. class XmlFormatter implements Formatter {
  11. parse<T>(content: string): T {
  12. // Converts an XML string to an object T
  13. }
  14. }
  15. class JsonFormatter implements Formatter {
  16. parse<T>(content: string): T {
  17. // Converts a JSON string to an object T
  18. }
  19. }
  20. class ReportReader {
  21. constructor(private readonly formatter: Formatter){
  22. }
  23. async read(path: string): Promise<ReportData> {
  24. const text = await readFile(path, 'UTF8');
  25. return this.formatter.parse<ReportData>(text);
  26. }
  27. }
  28. // ...
  29. const reader = new ReportReader(new XmlFormatter());
  30. await report = await reader.read('report.xml');
  31. // or if we had to read a json report:
  32. const reader = new ReportReader(new JsonFormatter());
  33. await report = await reader.read('report.json');

↑ 回到顶部

测试

测试比发货更重要。如果没有测试或数量不足,那么每次发布代码时都无法确保不引入问题。怎样才算是足够的测试?这取决于团队,但是拥有100%的覆盖率(所有语句和分支)会让团队更有信心。这一切都要基于好的测试框架以及覆盖率工具

没有任何理由不编写测试。有很多优秀的 JS 测试框架都支持 TypeScript,找个团队喜欢的。然后为每个新特性/模块编写测试。如果您喜欢测试驱动开发(TDD),那就太好了,重点是确保在开发任何特性或重构现有特性之前,代码覆盖率已经达到要求。

TDD(测试驱动开发)三定律

  1. 在编写不能通过的单元测试前,不可编写生产代码。
  2. 只可编写刚好无法通过的单元测试,不能编译也算不过。
  3. 只可编写刚好足以通过当前失败测试的生产代码。

↑ 回到顶部

F.I.R.S.T.准则

整洁的测试应遵循以下准则:

  • 快速(Fast),测试应该快(及时反馈出业务代码的问题)。
  • 独立(Independent),每个测试流程应该独立。
  • 可重复(Repeatable),测试应该在任何环境上都能重复通过。
  • 自我验证(Self-Validating),测试结果应该明确通过或者失败
  • 及时(Timely),测试代码应该在产品代码之前编写。

↑ 回到顶部

单一的测试每个概念

测试也应该遵循单一职责原则,每个单元测试只做一个断言。

👎 反例:

  1. import { assert } from 'chai';
  2. describe('AwesomeDate', () => {
  3. it('handles date boundaries', () => {
  4. let date: AwesomeDate;
  5. date = new AwesomeDate('1/1/2015');
  6. date.addDays(30);
  7. assert.equal('1/31/2015', date);
  8. date = new AwesomeDate('2/1/2016');
  9. date.addDays(28);
  10. assert.equal('02/29/2016', date);
  11. date = new AwesomeDate('2/1/2015');
  12. date.addDays(28);
  13. assert.equal('03/01/2015', date);
  14. });
  15. });

👍 正例:

  1. import { assert } from 'chai';
  2. describe('AwesomeDate', () => {
  3. it('handles 30-day months', () => {
  4. const date = new AwesomeDate('1/1/2015');
  5. date.addDays(30);
  6. assert.equal('1/31/2015', date);
  7. });
  8. it('handles leap year', () => {
  9. const date = new AwesomeDate('2/1/2016');
  10. date.addDays(28);
  11. assert.equal('02/29/2016', date);
  12. });
  13. it('handles non-leap year', () => {
  14. const date = new AwesomeDate('2/1/2015');
  15. date.addDays(28);
  16. assert.equal('03/01/2015', date);
  17. });
  18. });

↑ 回到顶部

测试用例名称应该显示它的意图

当测试失败时,出错的第一个迹象可能就是它的名字。

👎 反例:

  1. describe('Calendar', () => {
  2. it('2/29/2020', () => {
  3. // ...
  4. });
  5. it('throws', () => {
  6. // ...
  7. });
  8. });

👍 正例:

  1. describe('Calendar', () => {
  2. it('should handle leap year', () => {
  3. // ...
  4. });
  5. it('should throw when format is invalid', () => {
  6. // ...
  7. });
  8. });

↑ 回到顶部

并发

用 Promises 替代回调

回调不够整洁而且会导致过多的嵌套(回调地狱)

有些工具使用回调的方式将现有函数转换为 promise 对象:

👎 反例:

  1. import { get } from 'request';
  2. import { writeFile } from 'fs';
  3. function downloadPage(url: string, saveTo: string, callback: (error: Error, content?: string) => void){
  4. get(url, (error, response) => {
  5. if (error) {
  6. callback(error);
  7. } else {
  8. writeFile(saveTo, response.body, (error) => {
  9. if (error) {
  10. callback(error);
  11. } else {
  12. callback(null, response.body);
  13. }
  14. });
  15. }
  16. })
  17. }
  18. downloadPage('https://en.wikipedia.org/wiki/Robert_Cecil_Martin', 'article.html', (error, content) => {
  19. if (error) {
  20. console.error(error);
  21. } else {
  22. console.log(content);
  23. }
  24. });

👍 正例:

  1. import { get } from 'request';
  2. import { writeFile } from 'fs';
  3. import { promisify } from 'util';
  4. const write = promisify(writeFile);
  5. function downloadPage(url: string, saveTo: string): Promise<string> {
  6. return get(url)
  7. .then(response => write(saveTo, response))
  8. }
  9. downloadPage('https://en.wikipedia.org/wiki/Robert_Cecil_Martin', 'article.html')
  10. .then(content => console.log(content))
  11. .catch(error => console.error(error));

Promise 提供了一些辅助方法,能让代码更简洁:

方法 描述
Promise.resolve(value) 返回一个传入值解析后的 promise 。
Promise.reject(error) 返回一个带有拒绝原因的 promise 。
Promise.all(promises) 返回一个新的 promise,传入数组中的每个 promise 都执行完成后返回的 promise 才算完成,或第一个 promise 拒绝而拒绝。
Promise.race(promises) 返回一个新的 promise,传入数组中的某个 promise 解决或拒绝,返回的 promise 就会解决或拒绝。

Promise.all在并行运行任务时尤其有用,Promise.race让为 Promise 更容易实现超时。

↑ 回到顶部

Async/AwaitPromises 更好

使用async/await语法,可以编写更简洁、更易理解的链式 promise 的代码。一个函数使用async关键字作为前缀,JavaScript 运行时会暂停await关键字上的代码执行(当使用 promise 时)。

👎 反例:

  1. import { get } from 'request';
  2. import { writeFile } from 'fs';
  3. import { promisify } from 'util';
  4. const write = util.promisify(writeFile);
  5. function downloadPage(url: string, saveTo: string): Promise<string> {
  6. return get(url).then(response => write(saveTo, response))
  7. }
  8. downloadPage('https://en.wikipedia.org/wiki/Robert_Cecil_Martin', 'article.html')
  9. .then(content => console.log(content))
  10. .catch(error => console.error(error));

👍 正例:

  1. import { get } from 'request';
  2. import { writeFile } from 'fs';
  3. import { promisify } from 'util';
  4. const write = promisify(writeFile);
  5. async function downloadPage(url: string, saveTo: string): Promise<string> {
  6. const response = await get(url);
  7. await write(saveTo, response);
  8. return response;
  9. }
  10. // somewhere in an async function
  11. try {
  12. const content = await downloadPage('https://en.wikipedia.org/wiki/Robert_Cecil_Martin', 'article.html');
  13. console.log(content);
  14. } catch (error) {
  15. console.error(error);
  16. }

↑ 回到顶部

错误处理

抛出错误是件好事!它表示着运行时已经成功识别出程序中的错误,通过停止当前堆栈上的函数执行,终止进程(在Node.js),以及在控制台中打印堆栈信息来让你知晓。

抛出Error或 使用reject

JavaScript 和 TypeScript 允许你 throw 任何对象。Promise 也可以用任何理由对象拒绝。

建议使用 Error 类型的 throw 语法。因为你的错误可能在写有 catch语法的高级代码中被捕获。在那里捕获字符串消息显得非常混乱,并且会使调试更加痛苦。出于同样的原因,也应该在拒绝 promise 时使用 Error 类型。

👎 反例:

  1. function calculateTotal(items: Item[]): number {
  2. throw 'Not implemented.';
  3. }
  4. function get(): Promise<Item[]> {
  5. return Promise.reject('Not implemented.');
  6. }

👍 正例:

  1. function calculateTotal(items: Item[]): number {
  2. throw new Error('Not implemented.');
  3. }
  4. function get(): Promise<Item[]> {
  5. return Promise.reject(new Error('Not implemented.'));
  6. }
  7. // or equivalent to:
  8. async function get(): Promise<Item[]> {
  9. throw new Error('Not implemented.');
  10. }

使用 Error 类型的好处是 try/catch/finally 语法支持它,并且隐式地所有错误都具有 stack 属性,该属性对于调试非常有用。

另外,即使不用 throw 语法而是返回自定义错误对象,TypeScript在这块更容易。考虑下面的例子:

  1. type Failable<R, E> = {
  2. isError: true;
  3. error: E;
  4. } | {
  5. isError: false;
  6. value: R;
  7. }
  8. function calculateTotal(items: Item[]): Failable<number, 'empty'> {
  9. if (items.length === 0) {
  10. return { isError: true, error: 'empty' };
  11. }
  12. // ...
  13. return { isError: false, value: 42 };
  14. }

详细解释请参考原文

↑ 回到顶部

别忘了捕获错误

捕获错误而不处理实际上也是没有修复错误,将错误记录到控制台(console.log)也好不到哪里去,因为它常常丢失在控制台大量的日志之中。如果将代码写在try/catch 中,说明那里可能会发生错误,因此应该考虑在错误发生时做一些处理。

👎 反例:

  1. try {
  2. functionThatMightThrow();
  3. } catch (error) {
  4. console.log(error);
  5. }
  6. // or even worse
  7. try {
  8. functionThatMightThrow();
  9. } catch (error) {
  10. // ignore error
  11. }

👍 正例:

  1. import { logger } from './logging'
  2. try {
  3. functionThatMightThrow();
  4. } catch (error) {
  5. logger.log(error);
  6. }

↑ 回到顶部

不要忽略被拒绝的 promises

理由和不能在try/catch中忽略Error一样。

👎 反例:

  1. getUser()
  2. .then((user: User) => {
  3. return sendEmail(user.email, 'Welcome!');
  4. })
  5. .catch((error) => {
  6. console.log(error);
  7. });

👍 正例:

  1. import { logger } from './logging'
  2. getUser()
  3. .then((user: User) => {
  4. return sendEmail(user.email, 'Welcome!');
  5. })
  6. .catch((error) => {
  7. logger.log(error);
  8. });
  9. // or using the async/await syntax:
  10. try {
  11. const user = await getUser();
  12. await sendEmail(user.email, 'Welcome!');
  13. } catch (error) {
  14. logger.log(error);
  15. }

↑ 回到顶部

格式化

就像这里的许多规则一样,没有什么是硬性规定,格式化也是。重点是不要争论格式,使用自动化工具实现格式化。对于工程师来说,争论格式就是浪费时间和金钱。通用的原则是保持一致的格式规则

对于 TypeScript ,有一个强大的工具叫做 TSLint。它是一个静态分析工具,可以帮助您显著提高代码的可读性和可维护性。项目中使用可以参考以下 TSLint 配置:

还可以参考TypeScript 风格指南和编码约定的源代码。

大小写一致

大写可以告诉你很多关于变量、函数等的信息。这些都是主观规则,由你的团队做选择。关键是无论怎么选,都要一致

👎 反例:

  1. const DAYS_IN_WEEK = 7;
  2. const daysInMonth = 30;
  3. const songs = ['Back In Black', 'Stairway to Heaven', 'Hey Jude'];
  4. const Artists = ['ACDC', 'Led Zeppelin', 'The Beatles'];
  5. function eraseDatabase() {}
  6. function restore_database() {}
  7. class animal {}
  8. class Container {}

👍 正例:

  1. const DAYS_IN_WEEK = 7;
  2. const DAYS_IN_MONTH = 30;
  3. const SONGS = ['Back In Black', 'Stairway to Heaven', 'Hey Jude'];
  4. const ARTISTS = ['ACDC', 'Led Zeppelin', 'The Beatles'];
  5. function eraseDatabase() {}
  6. function restoreDatabase() {}
  7. class Animal {}
  8. class Container {}

类名、接口名、类型名和命名空间名最好使用“帕斯卡命名”。

变量、函数和类成员使用“驼峰式命名”。

↑ 回到顶部

调用函数的函数和被调函数应靠近放置

当函数间存在相互调用的情况时,应将两者靠近放置。最好是应将调用者写在被调者的上方。这就像读报纸一样,我们都是从上往下读,那么读代码也是。

👎 反例:

  1. class PerformanceReview {
  2. constructor(private readonly employee: Employee) {
  3. }
  4. private lookupPeers() {
  5. return db.lookup(this.employee.id, 'peers');
  6. }
  7. private lookupManager() {
  8. return db.lookup(this.employee, 'manager');
  9. }
  10. private getPeerReviews() {
  11. const peers = this.lookupPeers();
  12. // ...
  13. }
  14. review() {
  15. this.getPeerReviews();
  16. this.getManagerReview();
  17. this.getSelfReview();
  18. // ...
  19. }
  20. private getManagerReview() {
  21. const manager = this.lookupManager();
  22. }
  23. private getSelfReview() {
  24. // ...
  25. }
  26. }
  27. const review = new PerformanceReview(employee);
  28. review.review();

👍 正例:

  1. class PerformanceReview {
  2. constructor(private readonly employee: Employee) {
  3. }
  4. review() {
  5. this.getPeerReviews();
  6. this.getManagerReview();
  7. this.getSelfReview();
  8. // ...
  9. }
  10. private getPeerReviews() {
  11. const peers = this.lookupPeers();
  12. // ...
  13. }
  14. private lookupPeers() {
  15. return db.lookup(this.employee.id, 'peers');
  16. }
  17. private getManagerReview() {
  18. const manager = this.lookupManager();
  19. }
  20. private lookupManager() {
  21. return db.lookup(this.employee, 'manager');
  22. }
  23. private getSelfReview() {
  24. // ...
  25. }
  26. }
  27. const review = new PerformanceReview(employee);
  28. review.review();

↑ 回到顶部

组织导入

使用整洁且易于阅读的import语句,您可以快速查看当前代码的依赖关系。导入语句应遵循以下做法:

  • Import语句应该按字母顺序排列和分组。
  • 应该删除未使用的导入语句。
  • 命名导入必须按字母顺序(例如:import {A, B, C} from 'foo';)。
  • 导入源必须在组中按字母顺序排列。 例如: import * as foo from 'a'; import * as bar from 'b';
  • 导入组用空行隔开。
  • 组内按照如下排序:
    • Polyfills (例如: import 'reflect-metadata';)
    • Node 内置模块 (例如: import fs from 'fs';)
    • 外部模块 (例如: import { query } from 'itiriri';)
    • 内部模块 (例如: import { UserService } from 'src/services/userService';)
    • 父目录中的模块 (例如: import foo from '../foo'; import qux from '../../foo/qux';)
    • 来自相同或兄弟目录的模块 (例如: import bar from './bar'; import baz from './bar/baz';)

👎 反例:

  1. import { TypeDefinition } from '../types/typeDefinition';
  2. import { AttributeTypes } from '../model/attribute';
  3. import { ApiCredentials, Adapters } from './common/api/authorization';
  4. import fs from 'fs';
  5. import { ConfigPlugin } from './plugins/config/configPlugin';
  6. import { BindingScopeEnum, Container } from 'inversify';
  7. import 'reflect-metadata';

👍 正例:

  1. import 'reflect-metadata';
  2. import fs from 'fs';
  3. import { BindingScopeEnum, Container } from 'inversify';
  4. import { AttributeTypes } from '../model/attribute';
  5. import { TypeDefinition } from '../types/typeDefinition';
  6. import { ApiCredentials, Adapters } from './common/api/authorization';
  7. import { ConfigPlugin } from './plugins/config/configPlugin';

↑ 回到顶部

使用 typescript 别名

为了创建整洁漂亮的导入语句,可以在tsconfig.json中设置编译器选项的pathsbaseUrl属性。

这样可以避免导入时使用较长的相对路径。

👎 反例:

  1. import { UserService } from '../../../services/UserService';

👍 正例:

  1. import { UserService } from '@services/UserService';
  1. // tsconfig.json
  2. ...
  3. "compilerOptions": {
  4. ...
  5. "baseUrl": "src",
  6. "paths": {
  7. "@services": ["services/*"]
  8. }
  9. ...
  10. }
  11. ...

↑ 回到顶部

注释

写注释意味着没有注释就无法表达清楚,而最好用代码去表达。

不要注释坏代码,重写吧!— Brian W. Kernighan and P. J. Plaugher

代码自解释而不是用注释

代码即文档。

👎 反例:

  1. // Check if subscription is active.
  2. if (subscription.endDate > Date.now) { }

👍 正例:

  1. const isSubscriptionActive = subscription.endDate > Date.now;
  2. if (isSubscriptionActive) { /* ... */ }

↑ 回到顶部

不要将注释掉的代码留在代码库中

版本控制存在的一个理由,就是让旧代码成为历史。

👎 反例:

  1. class User {
  2. name: string;
  3. email: string;
  4. // age: number;
  5. // jobPosition: string;
  6. }

👍 正例:

  1. class User {
  2. name: string;
  3. email: string;
  4. }

↑ 回到顶部

不要像写日记一样写注释

记住,使用版本控制!不需要保留无用代码、注释掉的代码,尤其像日记一样的注释。使用git log来获取历史。

👎 反例:

  1. /**
  2. * 2016-12-20: Removed monads, didn't understand them (RM)
  3. * 2016-10-01: Improved using special monads (JP)
  4. * 2016-02-03: Added type-checking (LI)
  5. * 2015-03-14: Implemented combine (JR)
  6. */
  7. function combine(a:number, b:number): number {
  8. return a + b;
  9. }

👍 正例:

  1. function combine(a:number, b:number): number {
  2. return a + b;
  3. }

↑ 回到顶部

避免使用注释标记位置

它们常常扰乱代码。要让代码结构化,函数和变量要有合适的缩进和格式。

另外,你可以使用支持代码折叠的IDE (看下 Visual Studio Code 代码折叠).

👎 反例:

  1. ////////////////////////////////////////////////////////////////////////////////
  2. // Client class
  3. ////////////////////////////////////////////////////////////////////////////////
  4. class Client {
  5. id: number;
  6. name: string;
  7. address: Address;
  8. contact: Contact;
  9. ////////////////////////////////////////////////////////////////////////////////
  10. // public methods
  11. ////////////////////////////////////////////////////////////////////////////////
  12. public describe(): string {
  13. // ...
  14. }
  15. ////////////////////////////////////////////////////////////////////////////////
  16. // private methods
  17. ////////////////////////////////////////////////////////////////////////////////
  18. private describeAddress(): string {
  19. // ...
  20. }
  21. private describeContact(): string {
  22. // ...
  23. }
  24. };

👍 正例:

  1. class Client {
  2. id: number;
  3. name: string;
  4. address: Address;
  5. contact: Contact;
  6. public describe(): string {
  7. // ...
  8. }
  9. private describeAddress(): string {
  10. // ...
  11. }
  12. private describeContact(): string {
  13. // ...
  14. }
  15. };

↑ 回到顶部

TODO 注释

当发现自己需要在代码中留下注释,以提醒后续改进时,使用// TODO注释。大多数IDE都对这类注释提供了特殊的支持,你可以快速浏览整个TODO列表。

但是,请记住TODO注释并不是坏代码的借口。

👎 反例:

  1. function getActiveSubscriptions(): Promise<Subscription[]> {
  2. // ensure `dueDate` is indexed.
  3. return db.subscriptions.find({ dueDate: { $lte: new Date() } });
  4. }

👍 正例:

  1. function getActiveSubscriptions(): Promise<Subscription[]> {
  2. // TODO: ensure `dueDate` is indexed.
  3. return db.subscriptions.find({ dueDate: { $lte: new Date() } });
  4. }

↑ 回到顶部