For me, one of the killer features that makes TypeScript alluring is its structural type system.
Other languages like Java, Flutter, and Go opt for a nominal type system which brings about its many benefits,
but there some things that are simply impossible in other languages whose names do not begin with ‘Type’ and end with ‘Script’.
I’ll show you how you can perform arithmetic with types in the most literal of senses. This will be an exciting read!
Basic arithmetic
So obviously, TypeScript has an arithmetic system:
constadd= (a:number, b:number) {
return a + b;
}
add(1, 2) // 3
Duh, this isn’t exciting at all. Luckily, we’re not interested in how to add 1 + 2. Let’s peel back more layers.
Numerical types
Can you guess the types of these variables? Hover over each definition to reveal their answers:
let
let num1:number
num1=10;
const
constnum2:3
num2=3;
const
constnum3:number
num3=1+2;
If you got all three correct, you already have a head-start in this topic! If you didn’t, don’t worry - we’ll go over why these answers
are the way they are.
First example
In the first variable, we write let num1 = 10. This declares a variable with the value of 10. Pretty straightforward. The part that
isn’t, however, comes in the form of its implicit type. TypeScript’s strongest aspect, arguably, is its ability to decide whether to infer
types strictly or create a looser definition.
When we declare let, we aren’t certain that this value stays the same, so TypeScript knows that it is possible to mutate it
in the future. To be safe, TypeScript assigns an implicit number type to the variable.
This means that num1 can be re-assigned any number, as long as its type is number. No random strings or arrays allowed!
let
let num:number
num=10;
num="hello world";
Error ts(2322) ― Type 'string' is not assignable to type 'number'.
let num:number
num=20;
Second example
For the second example, we have a constant, num2, with a value of 3. But this time, its type isn’t number - it’s 3?!
Why is this the case?
This is again another demonstration of TypeScript’s type inference, but this time, built on JavaScript principles. TypeScript is
is a superset of JavaScript, which means that hard rules in JS are still applicable here.
In this case, a const is immutable, thus TypeScript can narrowly infer its type as 3.
Now hold on, why is 3 even a type in the first place? Isn’t it a value? This is indeed true, except that TypeScript is also
allows certain literal values to act as types. This is a unique and fascinating ability the language possesses, and
is one that can be utilised in many cases.
For example, I could restrict a function argument to allow only certain numbers:
type
typeMusicControls= {
setVolume: (volume:0|25|50|100) =>void;
}
MusicControls= {
setVolume: (volume:0|25|50|100) =>void
setVolume: (
volume: 0|25|50|100
volume:0|25|50|100) =>void;
};
constplayer:MusicControls
player.
setVolume: (volume:0|25|50|100) =>void
setVolume(10);
Error ts(2345) ― Argument of type '10' is not assignable to parameter of type '0 | 25 | 50 | 100'.
constplayer:MusicControls
player.
setVolume: (volume:0|25|50|100) =>void
setVolume(50);
constplayer:MusicControls
player.
setVolume: (volume:0|25|50|100) =>void
setVolume(100);
Pretty inflexible music player, but it shows that numbers are indeed valid types!
Third example
So in the third example, we end up with the number type. But we just learnt that const definitions should return their literal value as
a type, so isn’t it intuitive for TypeScript to also assign 3 as the type?
On paper, it does match the aforementioned criteria…
At first glance, the difference here isn’t easily noticeable. But there’s something about TypeScript’s compiler to take note of: types are only
evaluated at compile-time. An arithmetic operation (in this case, addition) is a runtime operation.
What this means is that TypeScript actually has no idea what 1 + 2 resolves to at compile time! Therefore, it just infers that the type is of number.
Tuples
Now that we’ve gotten the basics out of the way, an essential factor of type manipulation is tuples.
Tuples are arrays with fixed lengths and determined values, and these guys are extremely powerful in constructing complex types.
Here are the ways to create a tuple, and a definition of an array:
consttuple1= [1, 2, 3] as
typeconst=readonly [1, 2, 3]
const;
consttuple1:readonly [1, 2, 3]
consttuple2: [1, 2, 3] = [1, 2, 3];
consttuple2: [1, 2, 3]
constarray:number[] = [1, 2, 3];
constarray:number[]
We either use as const or assert the value as [1, 2, 3] to really convince TypeScript that what we declared is in fact a tuple.
This means that its type and value are now the same: [1, 2, 3].
Without it, TypeScript will loosely infer number[], like on the last line.
We also can’t modify tuples in any form, and some methods are even omitted by TypeScript:
const
consttuple:readonly [1, 2, 3]
tuple= [1, 2, 3] as
typeconst=readonly [1, 2, 3]
const;
// can't reassign length
consttuple:readonly [1, 2, 3]
tuple.length=0;
Error ts(2540) ― Cannot assign to 'length' because it is a read-only property.
consttuple:readonly [1, 2, 3]
tuple.push(10);
Error ts(2339) ― Property 'push' does not exist on type 'readonly [1, 2, 3]'.
The ‘length’ property
Okay, so tuples seem pretty rigid. Why are they useful anyway?
Their magic comes from the length property. It is readonly, so it has a special feature:
const
consttuple:readonly [1, 2, 3]
tuple= [1, 2, 3] as
typeconst=readonly [1, 2, 3]
const;
consttuple:readonly [1, 2, 3]
tuple.length;
length: 3
Remember the const examples from earlier? Just like in const definitions, the values in tuples are determinate,
so TypeScript can safely assume the length of the tuple - which in this case is typed as 3.
Compare that to a regular array, where we get number instead!
How cool is that?? This opens up a whole new world of possibilities in the type world.
With that, we can get started on implementing addition.
Creating the <Add> type
Our end type should produce a result like this.
typeThree=Add<1, 2>;
// ^ 3
Type recursion
Majority of what we’re about to do involves recursion. So let’s tackle that first.
In programming languages, recursion is a common way to get a function to execute itself repeatedly until a condition is met. It’s useful for
things with arbitrary depth like returning a folder’s children, and each child’s children as well.
All recursive functions consist of 3 components:
The base case is a condition that terminates recursion to prevent infinite re-execution.
Recursion case(s) is/are where the function calls itself with modified arguments.
All recursive functions’ outputs should eventually fulfill the base case.
For instance, to find the factorial of a number, we can use this function:
function
functionfactorial(n:number):number
factorial(
n: number
n:number):number {
// base case
if (
n: number
n===1||
n: number
n===0) return
n: 1|0
n;
// recursion case
return
n: number
n*
functionfactorial(n:number):number
factorial(
n: number
n-1);
// eventually reaches 1, which fulfills the base case
}
const
constresult:number
result=
functionfactorial(n:number):number
factorial(4); // 24
In TypeScript, we can use recursion on the type layer as well! Though it does work a little differently in terms of syntax.
Let’s zoom in on TypeScript’s bundled utility type, Awaited. It allows us to extract the type of a
Promise’s resolved value recursively. Hover over its type definition!
Represents the completion of an asynchronous operation
Promise<
interfacePromise<T>
Represents the completion of an asynchronous operation
Promise<
interfacePromise<T>
Represents the completion of an asynchronous operation
Promise<
interfacePromise<T>
Represents the completion of an asynchronous operation
Promise<
interfacePromise<T>
Represents the completion of an asynchronous operation
Promise<number>>>>>>;
typeUnwrapped=number
Let’s dissect our MyAwaited type:
Try to infer the type of A if T is a Promise.
If it is, check if A is also a Promise. This is our recursion case.
If it is, re-use the type, with A as the type argument.
If A does not extend Promise, we return A, as our final unwrapped type. This is our base case, and also our result.
Now that we’ve got out of the way, we can move on to the first real step.
Mapping numbers to tuples
Obviously, we can’t just do something like the following to achieve addition. TypeScript will not recogise this as valid code:
type
typeThree=1
Three=1+2;
Error ts(1005) ― ';' expected.
Things like mathematical operators do not work on the type layer. We need to think outside of the box.
As we learnt, tuples contain a length property with a fixed number type. How can we utilise it?
We can use recursion to ‘modify’ a tuple. Let’s see this in action.
First, let’s define a helper type for getting a tuple’s length, for ease of use:
type
typeLength<Textendsany[]> =T["length"]
Length<
function (typeparameter) TintypeLength<Textendsany[]>
Textendsany[]> =
function (typeparameter) TintypeLength<Textendsany[]>
T["length"];
Next, let’s make a way to convert numbers to tuples. Here’s the concept:
We want to define a recursive type
An internal counter should increment and be returned when we reach the desired number
We need to have a base case to stop recursion
With these points in mind, we’ll create a type that does this, step-by-step:
Let’s create a type called MapToTuple, which takes in a number:
type
typeMapToTuple<Textendsnumber> =any
MapToTuple<
function (typeparameter) TintypeMapToTuple<Textendsnumber>
Textendsnumber> = ...
It’s going to be a recursive function, so want to create our base case and our accumulator -
we’ll store that as ‘state’ via default generic values:
function (typeparameter) TintypeMapToTuple<Textendsnumber, Accextends0[] = []>
T, [...
function (typeparameter) AccintypeMapToTuple<Textendsnumber, Accextends0[] = []>
Acc, 0]>;
Okay. Let’s pause here. What exactly are we doing with extends?
Every time we compile the type, we check if the length of Acc is the same as T. If it is, we return Acc, our tuple type. If it’s not,
we return MapToTuple again, but we do 2 things:
Pass T as the same argument. This shouldn’t change as it’s our desired number.
We use the spread operator ... on Acc to get its items, then append an extra value. This new value goes into the Acc slot.
If we input a number into MapToTuple, this is what we get:
We’re almost done! Let’s collect all of this into one convenient type - Add. The final step is to map each of the 2 numbers we want to
add into a tuple, then concatenate them to get the total length:
And we’ve done it! We’ve successfully implemented addition in TypeScript using only types! If this is still confusing to you,
here’s a summary of everything we’ve done so far:
Step
0123456789
0123456789
typeLength<Textendsany[]>=T["length"]; // 1: define the `Length` type, which takes any array `T`
We can take it a bit further. Here’s a bonus challenge.
Replicating the Fibonacci sequence
The Fibonacci sequence is a very famous pattern of numbers,
denoted by Fn = F(n - 1) + F(n - 2), where n > 1. It’s a very common algorithm example on platforms like LeetCode, where programmers
are often challenged to implement it with various languages. With TypeScript types however, it’s a different story!
I encourage you to attempt it yourself. We will re-use our created Add component here.
If you’re done, let’s start off with the type itself:
If you tinkered around with the code, you might’ve realised that this implementation of addition is actually quite limited. For example,
let’s add 1000 to 1000:
Error ts(2589) ― Type instantiation is excessively deep and possibly infinite.
The code errors out and we get this message! What does it mean exactly?
Even though TypeScript allows recursive types, there is a hard recursion limit of 999 to help prevent
programs from stalling. The only way to get around this is to use a very very complex workaround
involving a genius level of string manipulation that my pea-brain cannot comprehend, so this limit is here to stay for the time being!
End
I hope you’ve enjoyed learning about the countless fascinating things about TypeScript’s type system.
If you would like to see more challenges like these, check out the type-challenges repo.