iTwin.js TypeScript Coding Guidelines
These are the TypeScript coding guidelines that we expect all iTwin.js contributors to follow.
Where possible, these guidelines are enforced through our ESLint configuration (plugin:@bentley/imodeljs-recommended).
Names
- Use PascalCase for type names.
- Do not use Ias a prefix for interface names.
- Use PascalCase for enum values.
- Use camelCase for function names.
- Use camelCase for property names and local variables.
- Use _as a prefix for private properties.
- Use whole words in names when possible. Only use abbreviations where their use is common and obvious.
- We use "Id", "3d", "2d" rather than capital D.
- Always capitalize the M and T in "iModel" and "iTwin".
- Capitalize the i in "iModel" and "iTwin" according to the other naming conventions.
Files
- Use the .ts file extension for TypeScript files
- TypeScript file names should be PascalCase
Types
- Do not export types/functions unless you need to share it across multiple components.
- Do not introduce new types/values to the global namespace.
- Within a file, type definitions should come first.
Do not use null
- Use undefined. Do not usenullexcept where external libraries require it.
=== and !== Operators
- Use ===and!==operators whenever possible.
- The ==and!=operators do type coercion, which is both inefficient and can lead to unexpected behavior.
Strings
- Use double quotes for strings.
General Constructs
- Always use semicolons. JavaScript does not require a semicolon when it thinks it can safely infer its existence. Not using a semicolon is confusing and error prone. Our ESLint rules enforce this.
- Use curly braces {}instead ofnew Object().
- Use brackets []instead ofnew Array().
Make judicious use of vertical screen space
Programmer monitors are almost always wider than they are tall. It is common for widths to be at least 120 columns but heights to be less than 100. Therefore to make the greatest use of screen real estate, it is desireable to preserve vertical screen space wherever possible.
On the other hand, vertical whitespace can contribute significantly to code readability by making the logical structure clearer. The following guidelines are intended to strike a balance between readability and code density.
- Some codebases advocate breaking lines at 80 columns. With current screen sizes, this is silly and wasteful. Don't break lines before 120 columns. 
- Don't use blank lines unnecessarily. For example the first line of a function not should be a blank line. 
- There should never be more than one blank line in a row. 
- Don't use clever/pretty multi-line comment blocks to separate sections of code. One line suffices, if you absolutely feel the need to include them. Usually they aren't necessary. Your well written, accurate and complete documentation and logical source organization is all the help anyone needs to understand your code. 
- Don't put each import in an import statement on a separate line. If you use Visual Studio Code as your editor, use the TypeScript Import Sorter extension with its default settings to automatically format import statements. 
- If a function has only a single statement, it should not be on one line. Many debuggers refuse to allow breakpoints to be set on single-line functions. - Note: This recommendation is now the exact opposite of the previous recommendation. // No, cannot set breakpoint !!! public middle(): number { return this.minimum + ((this.maximum - this.minimum) / 2.0); }// Correct, breakpoint may be set on body of function !!! public middle(): number { return this.minimum + ((this.maximum - this.minimum) / 2.0); }
- The body of an - ifstatement or a loop should be on a separate line, even if the body contains only a single line of code.// No (body on same line as conditional, cannot set breakpoint) !!! if (meow) return "cat";// Correct (body on separate line from conditional) !!! if (meow) return "cat";
- A closing curly brace should be followed by a blank line. // No (missing blank line after closing brace) !!! if (minimum > maximum) { const temp = minimum; minimum = maximum; maximum = temp; } return maximum - minimum;// Correct (blank line after closing brace) !!! if (minimum > maximum) { const temp = minimum; minimum = maximum; maximum = temp; } return maximum - minimum;
- Omit curly braces from single-line code blocks... // No (closing brace wastes a line) !!! if (meow) { return "cat"; }// Correct (no braces) !!! if (meow) return "cat";
- ...unless related blocks require braces // No (unbalanced braces) !!! if (woof) { rollover(); animal = "dog"; } else if (meow) animal = "cat";// Correct (balanced braces) !!! if (woof) { rollover(); animal = "dog"; } else if (meow) { animal = "cat"; }
Style
- Use arrow functions over anonymous function expressions.
- Open curly braces always go on the same line as whatever necessitates them.
- Never use var. Instead useconstwhere possible and otherwise uselet.
- Use a single declaration per variable statement (i.e. use let x = 1; let y = 2;overlet x = 1, y = 2;).
- Parenthesized constructs should have no surrounding whitespace. A single space follows commas, colons, semicolons, and operators in those constructs. For example:- for (let i = 0, n = str.length; i < 10; ++i) { }
- if (x < 10) { }
- public calculate(x: number, y: string): void { . . . }
 
- Use 2 spaces per indentation. Do not use tabs!
- Turn on eslintin your editor to see violations of these rules immediately.
Return
If a return statement has a value you should not use parenthesis () around the value.
Certain schools of programming advice hold that every method should have only one return statement. This could not be more misguided. Always return as soon as you know there's no reason to proceed.
Always explicitly define a return type for methods that are more than one line. This can help TypeScript validate that you are always returning something that matches the correct type.
for methods that are one line and for which the return type is obvious, it is not necessary to include the return type:
When calling methods, the best practice would be to explicitly specify the return type. In the case of async methods calls, these calls almost always involve awaiting the results, and this practice guards against omitting the await keyword - a frequent cause of hard to debug race conditions.
Getters and Setters
A common pattern is to have a private member that is read/write privately within the class, but read-only to the public API. This can be a good use for a getter. For example:
Note, however, if the value supplied by the getter is established in the constructor and can never be changed, the following may be preferable:
Another valid use of getters and setters is when you want to give the appearance of having a public member but you don't actually store the data that way. For example:
It is also good to use getters and setters if data validation is required (which isn't possible in the case of a direct assignment to a public member).
There are cases where getters and setters would be overkill. For example:
use "?:" syntax vs. " | undefined"
When declaring member variables or function arguments, use the TypeScript "?:" syntax vs. adding " | undefined" for variables that can be undefined. For example
Prefer getters where possible
If a public method takes no parameters and its name begins with a keyword such as "is", "has", or "want", the method should be a getter (specified by using the "get" modifier in front of the method name). This way the method is accessed as a property rather than as a function. This avoids confusion over whether it is necessary to include parenthesis to access the value, and the caller will get a compile error if they are included. This rule is enforced by ESLint.
If the value being returned is expensive to compute, consider using a different name to reflect this. Possible prefixes are "compute" or "calculate", etc.
A getter should have no side effects, with the possible exception of a getter that computes and caches its value the first time it is called. In particular, avoid getters that return a different value each time they are called, as some code optimizers may assume a property access always returns the same value.
Don't export const enums
Exported const enums require a .d.ts file to be present when a file that consumes one is transpiled. This prevents the --isolatedModules option required by create-react-app and are therefore forbidden. An ESLint rule enforces this.
Note:
const enums are slightly more efficient, so there may be reasons to use them in non-exported code. The ESLint rule must be disabled with// eslint-disable-line no-restricted-syntaxto allow them.
Don't repeat type names unnecessarily
TypeScript is all about adding types to JavaScript. However, the compiler automatically infers type by context, and it is therefore not necessary to decorate every member or variable declaration with its type, if it is obvious. That only adds clutter and obscures the real code. For example,
However, as stated above, it is a good idea to always include the return type of a function if it is more than one line, to make sure no return path has an unexpected type.
Error Handling
For public-facing APIs we have decided to prefer exceptions (throw new Error) and rejecting promises (Promise.reject) over returning status codes. The reasons include:
- Exceptions can keep your code clean of if error status then return clutter. For example, a series of API calls could each be affected by network outages but the error handling would be the same regardless of which call failed.
- Exceptions let you return the natural return value of success rather than an unnatural composite object.
- Exceptions can carry more information than a status return.
- Status returns can be ignored, but exceptions can't. If the immediate layer does not handle the exception it will be bubbled up to the outer layer.
- The optional messageproperty of anErrorshould (if defined) hold an English debugging message that is not meant to be localized. Instead, applications should catch errors and then separately provide a context-appropriate localized message.
Note: Returning
SomeTypeand throwing anErroris generally preferred over returningSomeType | undefined.
Asynchronous Programming
- Use Promise
- Use return Promise.reject(new MyError())rather than resolving to an error status. The object passed intoPromise.rejectshould be a subclass ofError. It is easy to forget thereturnso be careful.
- Prefer async/awaitover.then()constructs
Reference Documentation Comments
We have standardized on TypeDoc for generating reference documentation.
TypeDoc runs the TypeScript compiler and extracts type information from the generated compiler symbols. Therefore, TypeScript-specific elements like classes, enumerations, property types, and access modifiers will be automatically detected. All comments are parsed as markdown. Additionally, you can link to other classes, members, or functions using double square brackets.
The following JavaDoc tags are supported by TypeDoc:
- @param- The parameter name and type are automatically propagated into the generated documentation, so @paramshould only be included when more of a description is necessary.
- Use plain @param. Do not use@param[in]or@param[out]as this confuses TypeDoc.
- The parameter description should start with a capital letter.
 
- The parameter name and type are automatically propagated into the generated documentation, so 
- @returns- The return type is automatically propagated into the generated documentation, so - @returnsshould only be included when more of a description is necessary.
- The - @returnsdescription (when provided) should start with Returns for readability within the generated documentation.
- The - @returnJavaDoc tag is also supported, but- @returnsis preferred for readability and consistency with- @throws.
 
Last Updated: 10 June, 2025