March 5, 20234 min read

TypeScript basic types

With the growing usage of TypeScript, I think it's time to start learning it. What is it? Why use it? We'll try to answer these questions and learn some basic types.

Last Updated March 5, 2023
A sea-colored padlock closes a blue gate
Photo by Maxim Zhgulev

Recently I’ve started learning TypeScript (technically, I used to code in Angular, so TypeScript is not new to me, but I wasn’t using it since then). I was hesitant at first, not gonna lie. The TypeScript code seemed to me bloated and inelegant. But let’s be honest - the only real downside of TypeScript is that you need to spend the time to learn it. I’m only human, after all - the change can be frightening. But change is the only constant in life. It can be good. And with the growing usage of TypeScript, that’s a good moment to start learning it. Learn with me!

What is TypeScript?

Fundamentally, TypeScript is a superset of JavaScript. What does this mean? Let me explain. You probably remember sets from school - you know, these intersecting circles. It’s a Venn diagram - a graphical representation that shows the logical relation between these sets. There is a similar relationship between JavaScript and TypeScript - TypeScript is a superset of JavaScript, or JavaScript is a subset of TypeScript. Every line of JS code is a valid TS code, but not the other way around.

JavaScript and TypeScript venn diagram

It means that TypeScript builds up on JavaScript. It adds new features and advantages to the vanilla language. Actually, TypeScript is both a language and a tool. It’s also a powerful compiler which you run to compile your TypeScript code to JavaScript. Why? Because browsers only understand JS code.

Why use TypeScript?

Programming is not about typing, it’s about thinking.

“Ok, so why bother writing code browsers can’t understand?” There are some advantages.

  • Above all - TypeScript forces you to think more about your code and goals. All of your intentions are written down - there is no place for guesses.
  • TypeScript adds new features - not available in the base language - like interfaces or generics.
  • It offers meta-programming features like decorators.
  • Because of the compilation step, you can use modern JavaScript syntax without worrying about browser support. It has similar advantages to using Babel.
  • Rich configuration options - you can configure the compiler to your needs.
  • And as the name suggests, it offers many types. We’ll focus on the basic types in the following sections.
  • You have better autocompletion in IDEs or code editors.

TypeScript vs. JavaScript Types

JavaScript is a dynamically typed language. Types are resolved during the runtime. It can be beneficial, but it also causes many runtime errors.

TypeScript is statically typed. We define types during development. They don’t change during the runtime.

TypeScript Types

Let’s start by saying that TypeScript provides additional types to JavaScript. So, there are types available both in JavaScript and TypeScript. And there are types provided by our superset.

The core types available both in JS and TS are:

  • number
  • string
  • boolean
  • object
  • array

There are some additional types available in TypeScript like:

  • Tuple
  • Enum
  • Any
  • Union
  • Literal
  • Custom

Type Assignment

JavaScript doesn’t understand TypeScript assignments. Types are used by the TS compiler. TypeScript has a built-in feature called type inference. TS does its best to understand the type of a particular variable or constant. So, you don’t need to assign it explicitly every time. You can use a colon syntax to assign a type to a variable.

TYPESCRIPT
1let name: string // The name variable has a type of string.

The core primitive types in TypeScript are all in lowercase.

Number

Similarly to the vanilla language, TypeScript does not define different types of numbers. JavaScript numbers are always stored as double-precision floating point numbers, following the IEEE 754 standard, or as big integers.

TYPESCRIPT
1const PI = 3.14 // TypeScript infers it should always be number 3.14.
2let age = 25 // TypeScript infers it should be a number type.
3// In terms of DiCaprio's girlfriend's maximum age, it's also a constant, I know.
4let age: number = 25 // The code works but is redundant, so it's a bad practice.
5let age: number // Here it makes sense because there is no variable initialization.

String

To define a string, use double or single quotes. Template strings using backticks are also an option.

TYPESCRIPT
1const maxim = "Medals don't help me sleep at night." // TypeScript infers the string is a constant.
2let name = "Sam" // TypeScript infers it should be a string type.
3let name: string // The variable will hold a string.

Boolean

The most basic data type - represents the true or false value. In contrast to JavaScript, there are no “truthy” and “falsy” values in TypeScript.

TYPESCRIPT
1let isDone: boolean

Object

You define object types similarly to standard JS objects. But, instead of key-value pairs, you write key-type pairs. Look closely at syntax - it’s slightly different.

TYPESCRIPT
1const person = {
2 name: "Sam",
3 age: 66,
4}
5
6// TypeScript infers.
7const person: {
8 name: string
9 age: number
10}
11
12// You can define generic objects like this.
13const person: object = {
14 name: "Sam",
15 age: 66,
16}
17
18// You can also define a more specific object structure.
19const person: { name: string } = {
20 name: "Sam",
21 age: 66, // This property is not in the type, so it causes an error.
22}

Array

In JavaScript, you can mix different data types - one array can consist of strings and numbers. Every JS array is valid in TypeScript. However, TS arrays can be flexible or strict.

TYPESCRIPT
1const person = {
2 hobbies: ["Krav maga", "sneaking"],
3}
4
5// TypeScript infers.
6const person: {
7 hobbies: string[]
8}
9
10// You can explicitly define a strict array of strings.
11let hobbies: string[]
12
13// You can also define a flexible array.
14let hobbies: any[]

Tuple

Tuples are not available in vanilla JavaScript - they are added by TypeScript. Tuple is a fixed length and type array. It can be handy if you know the exact array structure beforehand.

TYPESCRIPT
1const person = {
2 role: [3, "agent"],
3}
4
5// TypeScript infers.
6const person: {
7 role: (string | number)[]
8}
9
10// You can explicitly define a touple structure.
11const person: {
12 role: [number, string]
13} = {
14 role: [3, "agent"],
15}

Enum

An enum type is a custom type in TypeScript. It gives you an enumerated list. An enum maps human-readable labels to numbers starting from 0. It is not available in JavaScript, and it compiles down to IIFE.

TYPESCRIPT
1// Labels are often in uppercase.
2enum Role {
3 AGENT,
4 INTEL,
5}
6
7const person = {
8 role: Role.AGENT,
9}
10
11// You can change the default behavior of an enum.
12enum Role {
13 AGENT = "AGENT",
14 INTEL,
15}

Union

Sometimes you want to accept more than one kind of value. That’s where unions come in handy. You can use a pipe character between different types to define a union.

TYPESCRIPT
1// Both parameters in this function can be a string or a number.
2function combine(i1: number | string, i2: number | string) {
3 const result = i1 + i2
4 return result
5}

Literal

I mentioned this in snippets, but it’s time to list it distinctly. A literal type not only says what kind of value a variable should hold, but it says: “this variable should hold this exact value.”

TYPESCRIPT
1const PI = 3.14 // TypeScript expects this specific number, not any number.
2
3function combine(
4 i1: number | string,
5 i2: number | string
6 // A union type combined with literal type - only two possible strings.
7 conversion: "as-text" | "as-number"
8) {
9 const result = i1 + i2
10 return result
11}

Custom

Besides built-in types, TypeScript also allows you to create custom types (also known as type aliases). There is a keyword - type - for this purpose. You can put anything inside a custom type - string, object structure, or union. After defining your custom type, you can use the alias in multiple places in your code. This way, you can avoid code duplication.

TYPESCRIPT
1// The convention is to define custom types in uppercase.
2type State = "idle" | "loading" | "success"
3
4type Person = {
5 name: string
6 age: number
7}

You can use any name for your custom type, but you can’t use reserved JavaScript (or TypeScript) keywords like Date or Math.

Function Parameter Types

In previous snippets, I set types of function parameters. You can add them after each parameter using standard syntax.

TYPESCRIPT
1// The function takes two parameters, where each parameter is a number.
2function add(n1: number, n2: number) {
3 return n1 + n2
4}

Function Return Types

Similarly, you can also set types of function return values. void is commonly used with functions that don’t return any value. It’s like the opposite of any - the absence of having any type at all.

TYPESCRIPT
1function add(n1: number, n2: number) {
2 return n1 + n2
3}
4
5// TypeScript infers.
6function add(n1: number, n2: number): number {
7 return n1 + n2
8}
9
10// You can explicitly set the return type,
11// but in most cases, let TypeScript infer the type.
12function add(n1: number, n2: number): string {
13 return n1.toString() + n2.toString()
14}
15
16// You can use the void return type
17// if a function doesn't return a value.
18function printResult(num): void {
19 console.log("Result: " + num)
20}
21
22// Undefined is a valid type in TypeScript,
23// but not if a function doesn't return anything.
24function printResult(num: number): undefined {
25 console.log("Result: " + num)
26}

Function Type Expressions

There is also the Function type in TypeScript. It describes properties like bind and apply - present in all functions in JavaScript. However, declaring a non-specific function is not very useful. A better way is to describe it using a function-type expression. If it reminds you of arrow functions - you’re right - the syntax is similar.

TYPESCRIPT
1// Declaring a non-specific function.
2let combineValues: Function
3
4// The function takes two parameters, where each parameter is a number.
5// The function overall returns a number.
6let combineValues: (a: number, b: number) => number

Unknown

There is another type unknown to us (hehe). It is similar to any, but it’s safer. You can’t do anything with the unknown type.

TYPESCRIPT
1let input: unknown
2let name: string
3
4input = 5
5name = "Sam"
6// This won't work because the unknown
7// is not guaranteed to be a string.
8name = input
TYPESCRIPT
1let input: any
2let name: string
3
4input = 5
5input = "Sam"
6// On the other hand, this will work
7// because any is the most flexible type.
8name = input

Never

Some functions in JavaScript never return a value. “Wait, wait, how that’s different from the void?” We need to dive a little deeper into JavaScript to answer this question. A function that doesn’t explicitly return a value implicitly returns undefined in JavaScript. You might have noticed that behavior with functions that log something to the console. Although we ignore the return value, it is there. That’s a good use case for the void in TypeScript. A function that has the never type never returns. It even doesn’t return undefined implicitly. Such a situation occurs when a JavaScript function throws an error.

TYPESCRIPT
1// This function never produces a value. It crashes the script.
2function generateError(message: string, code: number): never {
3 throw { message: message, errorCode: code }
4}

Ok…I never (hehe) said I’ll cover all types in one blog post. I’ll end here. TypeScript offers even more primitive and advanced types helping you produce more predictable and maintainable code. I’ll cover more advanced concepts like generics, interfaces, or decorators in the future. In the meantime, you can check the following links.

Profile picture where I'm in a white t-shirt on gray gradient background. Half of my face is in the shadow. The other half is correctly illuminated.

Software engineer with polymath aspirations.

Read more. Stay curious

Half of a record on white background
September 1, 2022 • 4 min read

Accessible animations in React

Or how not to spin your users round (like a record). Some animations can make users sick. We'll take care of them and make non-essential animations optional.

Read post
List of CSS variables in Visual Studio Code.
September 14, 2022 • 4 min read

Converting design tokens to CSS variables with Node.js

Converting design tokens is an error-prone process - I found about it the hard way. So, I made a simple Node.js script that will help me with that task.

Read post
Five metal gears on a black brackground
September 23, 2022 • 6 min read

Gatsby with Netlify CMS

In this post, we will look closely at a Netlify CMS. It is an example of a new type of CMS that is git-based. We will integrate it with a Gatsby example project.

Read post

A newsletter that sparks curiosity💡

Subscribe to my newsletter and get a monthly dose of:

  • Front-end, web development, and design news, examples, inspiration
  • Science theories and skepticism
  • My favorite resources, ideas, tools, and other interesting links
I’m not a Nigerian prince to offer you opportunities. I don’t send spam. Unsubscribe anytime.