Exception Handling
Beyond the built in Error
class there are a few additional built-in error classes that inherit from Error
that the JavaScript runtime can throw:
Creates an instance representing an error that occurs when a numeric variable or parameter is outside of its valid range.
// Call console with too many arguments
console.log.apply(console, new Array(1000000000)); // RangeError: Invalid array length
ReferenceError
Creates an instance representing an error that occurs when de-referencing an invalid reference. e.g.
'use strict';
console.log(notValidVar); // ReferenceError: notValidVar is not defined
Creates an instance representing a syntax error that occurs while parsing code that isn’t valid JavaScript.
1***3; // SyntaxError: Unexpected token *
TypeError
Creates an instance representing an error that occurs when a variable or parameter is not of a valid type.
decodeURI('%'); // URIError: URI malformed
Beginner JavaScript developers sometimes just throw raw strings e.g.
try {
}
catch(e) {
console.log(e);
}
Don’t do that. The fundamental benefit of objects is that they automatically keep track of where they were built and originated as the stack
property.
Raw strings result in a very painful debugging experience and complicate error analysis from logs.
It is okay to pass an Error
object around. This is conventional in Node.js callback style code which take callbacks with the first argument as an error object.
function myFunction (callback: (e?: Error)) {
doSomethingAsync(function () {
if (somethingWrong) {
callback(new Error('This is my error'))
} else {
callback();
}
});
}
Exceptions should be exceptional
is a common saying in computer science. There are a few reasons why this is true for JavaScript (and TypeScript) as well.
Unclear where it is thrown
The next developer cannot know which funtion might throw the error. The person reviewing the code cannot know without reading the code for task1 / task2 and other functions they might call etc.
You can try to make it graceful with explicit catch around each thing that might throw:
try {
const foo = runTask1();
}
catch(e) {
console.log('Error:', e);
}
const bar = runTask2();
}
console.log('Error:', e);
}
But now if you need to pass stuff from the first task to the second one the code becomes messy: (notice foo
mutation requiring let
+ explicit need for annotating it because it cannot be inferred from the return of runTask1
):
let foo: number; // Notice use of `let` and explicit type annotation
try {
foo = runTask1();
}
catch(e) {
console.log('Error:', e);
}
try {
const bar = runTask2(foo);
}
catch(e) {
console.log('Error:', e);
}
Not well represented in the type system
Consider the function:
function validate(value: number) {
}
Using Error
for such cases is a bad idea as it is not represented in the type definition for the validate function (which is ). Instead a better way to create a validate method would be: