-
-
Notifications
You must be signed in to change notification settings - Fork 3
Type Annotation for JavaScript Objects
Derek Lewis edited this page Oct 16, 2022
·
5 revisions
⚠︎ Anti-pattern:
Use of a banned type detected JS-0296
Some builtin types have aliases, some types are considered dangerous or harmful. It's often a good idea to ban certain types to help with consistency and safety.
It includes a set of "best practices", intended to provide safety and standardization in your codebase:
-
Don't use the upper-case primitive types, you should use the lower-case types for consistency.
-
Avoid the
Functiontype, as it provides little safety for the following reasons:- It provides no type safety when calling the value, which means it's easy to provide the wrong arguments.
- It accepts class declarations, which will fail when called, as they are called without the
newkeyword.
-
Avoid the
Objectand{}types, as they mean "any non-nullish value".- This is a point of confusion for many developers, who think it means "any object type".
-
Avoid the
objecttype, as it is currently hard to use due to not being able to assert that keys exist.
// use of upper-case primitives
const str: String = "foo";
const bool: Boolean = true;
const num: Number = 1;
const symb: Symbol = Symbol("foo");
// use a proper function type
const func: Function = () => 1;
// use safer object types
const lowerObj: object = {};
const capitalObj1: Object = 1;
const capitalObj2: Object = { a: "string" };
const curly1: {} = 1;
const curly2: {} = { a: "string" };// use lower-case primitives for consistency
const str: string = "foo";
const bool: boolean = true;
const num: number = 1;
const symb: symbol = Symbol("foo");
// use a proper function type
const func: () => number = () => 1;
// use safer object types
const lowerObj: Record<string, unknown> = {};
const capitalObj1: number = 1;
const capitalObj2: { a: string } = { a: "string" };
const curly1: number = 1;
const curly2: Record<"a", string> = { a: "string" };