TypeScript Fundamentals
I’ve recently completed the TypeScript Fundamentals (v3) course on Frontend Masters. These are my notes which make use of the course website and the official TypeScript website
What is TypeScript?
TypeScript is a syntactic superset of JavaScript to add types to JavaScript. There are three parts to TypeScript:
- the Language
- the Language Server (which supports the autocomplete and documentation through IDEs)
- The compiler
Why types?
- Types allow you to express more of your intent on the page (for example, by expressing the types of arguments and return types)
- Types allow you to move some kinds of errors from runtime to compile time. For example, TypeScript will identify absent values, incomplete refactoring and where internal code contracts are broken.
- Types can serve as the foundation for a great code authoring experience (through the support for autocomplete and documentation while writing code)
Why TypeScript and not JSDoc?
Because TypeScript enforces a strong association between your types and your code. If not maintained, JSDoc annotations might be complete fiction.
Compiling a TypeScript program
Compiling a TypeScript (.ts
) file will result in two file types being generated:
- a
.js
file that is JavaScript code with the types removed - a
.d.ts
file containing the extracted types. It is this file that describes the constraints
The lower the target JavaScript version (ES5, say), the more poly-filled and complex the compiled JavaScript will be. Compiling to later JavaScript versions will look like the TypeScript code with the types stripped away. An option developers have - but which is often overlooked - is the potential to have TypeScript compile to a very modern version of JavaScript and then use Babel (or similar) to transpile for older versions of browsers.
Note: All options in a tsconfig.json
file can be provided on the command line as arguments to tsc
.
Variables and values
Where TypeScript encounters a variable declaration that is initialised with, say, a number then TypeScript will infer its type. This is known as type inference.
In TypeScript, variables are “born” with their types
When you declare a const
that is initialised with an immutable type, TypeScript will infer an immutable value type. TypeScript always tries to make the most specific inference possible without getting in your way.
// In this example, the infered type is number
let shoesize = 7
// In this example, the inferred immutable value type is 6
const age = 6;
The any
type is the most flexible type in TypeScript, but having any
’s in your code can weaken the guarantees you have around your code. It is also worth mentioning that any
’s can accept and masquerade as anything. The danger here is that if you have a function that expects a string and pass it an array masquerading as any
, then TypeScript will be none the wiser.
Typing functions
It is beneficial to explicitly state return types when writing functions because it lets you state your intentions up front and will reveal the issue at compile time (rather than surfacing it in the consumers of the code at runtime).
Typing objects
The syntax looks a lot like JSON but, instead of key: value
we have key: type
.
Optional properties and Type Guards
Type guards create branches to determine whether you can consume something safely.
function printCar(car: {
make: string
model: string
year: number
chargeVoltage?: number
}) {
let str = `${car.make} ${car.model} (${car.year})`
// here car.chargeVoltage could be undefined | number
car.chargeVoltage
if (typeof car.chargeVoltage !== "undefined")
// Because of the Type Guard we know it's a number here
str += `// ${car.chargeVoltage.toFixed(2)}v`
console.log(str)
}
Type guards are used to determine whether you can consume something safely.
Excess property checking
If you provide unrecognised properties to a function via an object literal, TypeScript will let you know that something’s wrong. You can still pass extra properties via an object value (without TypeScript complaining) because it could be that those properties are made use of elsewhere. TypeScript is just trying to help you here.
Index signatures
Sometimes we know that object values will be of a particular shape but their keys may be arbitrary strings. The obvious example here is a user’s phone numbers. To specify the value types here we use something called an index signature.
const phones: {
[k: string]: {
country: string
area: string
number: string
}
} = {}
phones.fax = {
country: 'UK',
area: 'London',
number: '555-5555'
}
Arrays
TypeScript respects the best practice of keeping to one data type per array by remembering what type of data is initially inside an array, and only allowing the array to operate on that kind of data (Learning TypeScript, Josh Goldberg)
Typically, for simple arrays, you’d only need to add square brackets to the object type
let arrayOfNumbers: number[];
arrayOfNumbers = [4, 8, 15, 16, 23, 42];
Tuples
A tuple is very similar to an array but it is of fixed length with items of a known type specified at a given index. JavaScript does not currently support tuples and, while TypeScript does, it will not infer a tuple (because this is likely to get in developer’s way. We have to explicitly set a type of tuple. Here’s how we do that:
type SizeAndPrice = [string, number];
const cola: SizeAndPrice = ['Large', 59];
Or we can do it all in one go:
const cola: [string, number] = ['Large' 59];
You can also ensure that a tuple cannot have methods like .push()
called by invoking the readonly
attribute.
Structural vs Nominal type systems
Nominal type systems care about names (for example, is this thing an instance of the expected class), whereas structural type systems only care about shape. TypeScript is a structural type system and therefore only cares that the type has the expected properties.
In a way, structural typing is kind of similar to dynamic typing (aka “duck typing”) because it’s only concerned about things being the correct shape. The key difference being that structural typing happens at compile time, whereas dynamic typing happens at runtime.
Union types
These can be thought of conceptually as logical AND
or OR
. You can think of a Union type as being an OR
for types. Intersection types are the AND
of types.
Here’s an example of a Union type that uses tuples to specify the return types
function maybeGetUserInfo():
| ["error", Error]
| ["success", { name: string; email: string }] {
if (Math.random() > 0.5) {
return [
"success",
{ name: "Mike", email: "mike@example.com"},
]
} else {
return [
"error",
new Error("Things have gone terribly wrong"),
]
}
}
const outcome = maybeGetUserInfo()
const [first, second] = outcome
// Until we have applied Narrowing (by using type guards)
// TypeScript will not allow us to reference properties
// on 'first' or 'second' that may not exist.
Narrowing
Narrowing with type guards combines build time validation with runtime behaviour in that. Here’s the above example with narrowing applied
function maybeGetUserInfo():
| ["error", Error]
| ["success", { name: string; email: string }] {
if (Math.random() > 0.5) {
return [
"success",
{ name: "Mike", email: "mike@example.com"},
]
} else {
return [
"error",
new Error("Things have gone terribly wrong"),
]
}
}
const outcome = maybeGetUserInfo()
const [first, second] = outcome
if(second instanceof Error) {
// we know an Error was returned
} else {
// we know it was not an Error
}
Discriminated unions
Because we’ve used tuples in our return types, we can use discriminated unions rather than instanceOf
checks to perform narrowing. In the example below, we know that the presence of "error"
as the first index of the tuple means that the second index will be an Error.
Discriminated unions are sometimes also referred to as “tagged union types”
function maybeGetUserInfo():
| ["error", Error]
| ["success", { name: string; email: string }] {
if (Math.random() > 0.5) {
return [
"success",
{ name: "Mike", email: "mike@example.com"},
]
} else {
return [
"error",
new Error("Things have gone terribly wrong"),
]
}
}
const outcome = maybeGetUserInfo()
const [first, second] = outcome
if(first === "success") {
console.log(second.email);
} else {
console.log(second.message);
}
Intersection types
These are the equivalent of the AND
operator and are much rarer than Union Types.
In terms of TypeScript, it’s almost a merging together of two types. This merging together of two types is achieved through the use of the &
operator. For example, the following states makeWeek()
must return something which is both a Date
and (AND
) has an end
property which is also a Date
function makeWeek(): Date & { end: Date }
Here’s this syntax in context.
const ONE_WEEK = 1000 * 60 * 60 * 24 * 7 // 1w in ms
// This is an intersection type. It's basically
// saying that makeWeek() will return a structure
// that has all the properties of Date as well
// as an additional 'end' property that is also a
// Date. It is therefore a union type
function makeWeek(): Date & { end: Date } {
const start = new Date()
const end = new Date(start.valueOf() + ONE_WEEK)
return { ...start, end } // kind of Object.assign
}
const thisWeek = makeWeek()
thisWeek.toISOString()
thisWeek.end.toISOString()
Type Aliases
Allow you to give a more meaningful name to your types which can be declared in one place and used in others. Note that TypeScript remains a structural type system (so that names are just for you).
// The export
export type UserContactInfo = {
name: string
email: string
}
// The import
import { UserContactInfo } from "./types"
function printUserContactInfo(info: UserContactInfo) {
console.log(info);
}
Note that, because TypeScript is a structural type system, you can pass anything into the function above so long as it has the same properties (even if what you pass in has more properties).
We can use Type Aliases to clean up a function we’ve encountered before
type UserInfoOutcomeError = ["error", Error]
type UserInfoOutcomeSuccess = [
"success",
{ name: string; email: string }
]
type UserInfoOutcome =
| UserInfoOutcomeError
| UserInfoOutcomeSuccess
export function maybeGetUserInfo(): UserInfoOutcome {
if (Math.random() > 0.5) {
return [
"success",
{ name: "John Smith", email: "user@example.com"},
]
} else {
return [
"error",
new Error("The coin landed on TAILS :("),
]
}
}
Inheriting (or extending) a type alias
You can use the intersection operator to allow a type to extend a type.
type SpecialDate = Date & { getReason(): string }
const newYearsEve: SpecialDate = {
...new Date(),
getReason: () => "Last day of the year",
}
newYearsEve.getReason
Interfaces
These are more limited than Type Aliases because they can only describe object types (you couldn’t, for example, make use of the union type operator).
Heritage clauses
extends
describes inheritance between like things, implements
is used to describe inheritance between unlike things.
function consumeFood(arg) {}
class LivingOrganism {
isAlive() {
return true
}
}
interface AnimalLike {
eat(food): void
}
interface CanBark {
bark(): string
}
class Dog
extends LivingOrganism
implements AnimalLike, CanBark
{
bark() {
return "woof"
}
eat(food) {
consumeFood(food)
}
}
You can have multiple interfaces with the same name (which has the effect of extending the interface to include the new stuff).
Type checking for valid JSON
Here’s some nesting of type definitions to check for valid JSON. Note that JSONValue
can accept any of the other types, which in turn, define what these can be. There’s a bit of type recursion here too because JSONObject
can hold a JSONValue
, which in turn can hold a JSONObject
(which is exactly how JSON works!)
type JSONPrimitive = string | number | boolean | null
type JSONObject = { [k: string]: JSONValue }
type JSONArray = JSONValue[]
type JSONValue = JSONArray | JSONObject | JSONPrimitive
Functions
TypeScript allows you to specify callable types. The benefit of doing so is not needing type annotations on your function declaration.
Here’s how you’d do that with an interface
// Declare an interface for a function that takes
// two numbers and returns a number
interface TwoNumberCalculation {
(x: number, y: number): number
}
// Notice we don't need type annotations for our
// arguments here
const add: TwoNumberCalculation = (a, b) => a + b;
And here’s the exact same thing
// Declare a type for a function that takes two
// numbers and returns a number
type TwoNumberCalculation = (x: number, y: number): number
// Notice we don't need type annotations for our
// arguments here
const add: TwoNumberCalculation = (a, b) => a + b;
When you stipulate that a function in TypeScript has a void
return type, you’re simply saying the return type will not be used (your function can still return something). If you instead set the return type as undefined
the function must return undefined.
Construct signatures
Construct signatures are similar to call signatures, but they describe what will happen with the new
keyword.
interface DateConstructor {
new (value: number): Date
}
let MyDateConstructor: DateConstructor = Date;
const d = new MyDateConstructor();
Function overloads
Here’s an example of declaring the overloads for a function in TypeScript
// Two handler functions. One that takes FormData
// and one that takes a MessageEvent
type FormSubmitHandler = (data: FormData) => void
type MessageHandler = (evt: MessageEvent) => void
// In this 'head' we specify that elems which
// are HTMLFormElements should be handled by a
// handler which is of type FormSubmitHandler
function handleMainEvent(
elem: HTMLFormElement,
handler: FormSubmitHandler
)
// This 'head' specifies a different pairing
function handleMainEvent(
elem: HTMLIFrameElement,
handler: MessageHandler
)
// Here we specify the options. Note that it is only
// this one which has the {}
function handleMainEvent(
elem: HTMLFormElement | HTMLIFrameElement,
handler: FormSubmitHandler | MessageHandler
) {}
Classes
Here’s how you could type the properties of a class in TypeScript.
class Car {
make: string
model: string
year: number
constructor(make: string, model: string, year: number) {
this.make = make
this.model = model
this.year = year
}
}
Access modifier keywords
Here’s an example of access modifiers
class Car {
public make: string
public model: string
public year: number
protected vinNumber = generateVinNumber()
private doorLockCode = generateDoorLockCode()
constructor(make: string, model: string, year: number) {
this.make = make
this.model = model
this.year = year
}
protected unlockAllDoors() {
unlockCar(this, this.doorLockCode)
}
}
Param properties
These provide a more concise way of declare a class with property types
// BEFORE - NO PARAM PROPERTIES
class Car {
make: string
model: string
year: number
constructor(make: string, model: string, year: number) {
this.make = make
this.model = model
this.year = year
}
}
// AFTER - WITH PARAM PROPERTIES
// THIS IS EQUIVALENT TO THE ABOVE
class Car {
constructor(
public make: string,
public model: string,
public year: number
) {}
}
Types and values
Top types: any and unknown
Top types are types that describe anything. any
is a top type because it could be anything that exists in JavaScript. Another top type is unknown
any
- can hold anythingunknown
- can hold anything but cannot be used without first applying a type guard. In this way, it places an extra responsibility on anyone using it to check it’s of the correct type before using it.
Practical uses of top types
It can be handy to use top types when converting a project from JavaScript to TypeScript. It’s common to use a lot of any
in your first pass.
unknown
is great for using values received at runtime (API responses etc.)
Bottom types: never
Bottom types can hold nothing. These allow you to indicate that you have an exhaustive conditional, which handles every possible scenario.
class Car {
drive() { console.log("vroom") }
}
class Truck {
tow() { console.log("dragging something") }
}
type Vehicle = Truck | Car
let myVehicle: Vehicle = obtainRandomVehicle()
// The exhaustive conditional
if (myVehicle instanceof Truck) {
myVehicle.tow() // Truck
} else if (myVehicle instanceof Car) {
myVehicle.drive() // Car
} else {
// NEITHER!
const neverValue: never = myVehicle
}