diff --git a/docs/development/best-practices.md b/docs/development/best-practices.md new file mode 100644 index 0000000000000000000000000000000000000000..ef713eb018b22a824122b12967b6bc27a2e707fb --- /dev/null +++ b/docs/development/best-practices.md @@ -0,0 +1,160 @@ +# Best practices + +This document explains our best practices. +Follow these best practices when you're working on our code. + +## General + +- Prefer full function declarations for readability and better stack traces, so avoid `const func = ():void => {}` +- Avoid [Enums](https://github.com/renovatebot/renovate/issues/13743), use union or [immutable objects](https://github.com/renovatebot/renovate/blob/5043379847818ac1fa71ff69c098451975e95710/lib/modules/versioning/pep440/range.ts#L8-L20) instead +- Always add unit tests for full code coverage + - Only use `istanbul` comments for unreachable code coverage that is needed for `codecov` completion + - Use descriptive `istanbul` comments + +```ts +// istanbul ignore next: can never happen +``` + +### Logging + +Use logger metadata if logging for `WARN`, `ERROR`, `FATAL`, or if the result is a complex metadata object needing a multiple-line pretty stringification. +Otherwise, inline metadata into the log message if logging at `INFO` or below, or if the metadata object is complex. + +`WARN` and above messages are often used in metrics or error catching services, and should have a consistent `msg` component so that they will be automatically grouped/associated together. +Metadata which is separate from its message is harder for human readability, so try to combine it in the message unless it's too complex to do so. + +Good: + +```ts +logger.debug({ config }, 'Full config'); +logger.debug(`Generated branchName: ${branchName}`); +logger.warn({ presetName }, 'Failed to look up preset'); +``` + +Avoid: + +```ts +logger.debug({ branchName }, 'Generated branchName'); +logger.warn(`Failed to look up preset ${presetName}`); +``` + +### Array constructor + +Avoid the `Array()` constructor, with or without `new`, in your TypeScript code. +It has confusing and contradictory usage. +So you should avoid: + +```ts +const a = new Array(2); // [undefined, undefined] +const b = new Array(2, 3); // [2, 3]; +``` + +Instead, always use bracket notation to initialize arrays, or `from` to initialize an Array with a certain size i.e. + +```ts +// [0, 0, 0, 0, 0] +Array.from<number>({ length: 5 }).fill(0); +``` + +[Source](https://google.github.io/styleguide/tsguide.html#array-constructor) + +### Iterating objects & containers + +Use `for ( ... of ...)` loops instead of `[Array|Set|Map].prototype.forEach` and `for ( ... in ...)`. + +- Using `for ( ... in ...)` for objects is error-prone. It will include enumerable properties from the prototype chain +- Using `for ( ... in ...)` to iterate over arrays, will counterintuitively return the array's indices +- Avoid `[Array|Set|Map].prototype.forEach`. It makes code harder to debug and defeats some useful compiler checks like reachability + +Only use `Array.prototype.map()` when the return value is used, otherwise use `for ( ... of ...)`. + +[Source](https://google.github.io/styleguide/tsguide.html#iterating-objects) + +### Exports + +Use named exports in all code. +Avoid default `exports`. +This way all `imports` follow the same pattern. + +[Source, reasoning and examples.](https://google.github.io/styleguide/tsguide.html#exports) + +### Imports + +Use [ES6 module](https://exploringjs.com/es6/ch_modules.html#sec_basics-of-es6-modules) syntax, i.e. + +```ts +import { square, diag } from 'lib'; + +// You may also use: + +import * as lib from 'lib'; +``` + +And avoid `require`: + +```ts +import x = require('...'); +``` + +### HTTP & RESTful API request handling + +Prefer using `Http` from `util/http` to simplify HTTP request handling and to enable authentication and caching, As our `Http` class will transparently handle host rules. +Example: + +```ts +import { Http } from '../../../util/http'; + +const http = new Http('some-host-type'); + +try { + const body = (await http.getJson<Response>(url)).body; +} catch (err) { + ... +} +``` + +### Dates and times + +Use [`Luxon`](https://www.npmjs.com/package/luxon) to handle dates and times. +Use `UTC` to be time zone independent. + +[Example](https://github.com/renovatebot/renovate/blob/5043379847818ac1fa71ff69c098451975e95710/lib/modules/versioning/distro.ts#L133-L134) + +### Unit testing + +- Use `it.each` rather than `test.each` +- Prefer [Tagged Template Literal](https://jestjs.io/docs/api#2-testeachtablename-fn-timeout) style for `it.each`, Prettier will help with formatting + - See [Example](https://github.com/renovatebot/renovate/blob/768e178419437a98f5ce4996bafd23f169e530b4/lib/modules/platform/util.spec.ts#L8-L18) +- Mock Date/Time when testing a Date/Time dependent module + - For `Luxon` mocking see [Example](https://github.com/renovatebot/renovate/blob/5043379847818ac1fa71ff69c098451975e95710/lib/modules/versioning/distro.spec.ts#L7-L10) +- Prefer `jest.spyOn` for mocking single functions, or mock entire modules + - Avoid overwriting functions, for example: (`func = jest.fn();`) + +### Fixtures + +- Use `Fixture` class for loading fixtures + +```ts +Fixture.get('./file.json'); // for loading string data +Fixture.getJson('./file.json'); // for loading and parsing objects +Fixture.getBinary('./file.json'); // for retrieving a buffer +``` + +### Working with vanilla JS files (renovate/tools only) + +Use [JSDoc](https://jsdoc.app/index.html) to declare types and function prototypes. + +[Example](https://github.com/renovatebot/renovate/blob/5043379847818ac1fa71ff69c098451975e95710/tools/distro-json-generate.mjs#L7-L17) + +### Classes + +- Use [Typescript getter setters (Accessors) when needed](https://google.github.io/styleguide/tsguide.html#properties-used-outside-of-class-lexical-scope). + The getter must be a `pure function` i.e. + - The function return values are identical for identical arguments + - The function has no side effects + +[Source](https://en.wikipedia.org/wiki/Pure_function) + +- Omit constructors when defining Static classes +- [No `#private` fields](https://google.github.io/styleguide/tsguide.html#private-fields). instead, use TypeScript's visibility annotations +- Avoid underscore suffixes or prefixes, for example: `_prop`, use [whole words](https://google.github.io/styleguide/tsguide.html#properties-used-outside-of-class-lexical-scope) as suffix/prefix i.e. `internalProp`