Everyday Types
Length: • 12 mins
Annotated by qwelian đ
In this chapter, weâll cover some of the most common types of values youâll find in JavaScript code, and explain the corresponding ways to describe those types in TypeScript. This isnât an exhaustive list, and future chapters will describe more ways to name and use other types.
Types can also appear in many more places than just type annotations. As we learn about the types themselves, weâll also learn about the places where we can refer to these types to form new constructs.
Weâll start by reviewing the most basic and common types you might encounter when writing JavaScript or TypeScript code. These will later form the core building blocks of more complex types.
The primitives: string
, number
, and
JavaScript has three very commonly used primitives: string
, number
, and boolean
. Each has a corresponding type in TypeScript. As you might expect, these are the same names youâd see if you used the JavaScript typeof
operator on a value of those types:
string
represents string values like"Hello, world"
number
is for numbers like42
. JavaScript does not have a special runtime value for integers, so thereâs no equivalent toint
orfloat
- everything is simplynumber
boolean
is for the two valuestrue
andfalse
The type names
String
,Number
, andBoolean
(starting with capital letters) are legal, but refer to some special built-in types that will very rarely appear in your code. Always usestring
,number
, orboolean
for types.
Arrays
To specify the type of an array like [1, 2, 3]
, you can use the syntax number[]
; this syntax works for any type (e.g. string[]
is an array of strings, and so on). You may also see this written as Array<number>
, which means the same thing. Weâll learn more about the syntax T<U>
when we cover generics.
Note that
[number]
is a different thing; refer to the section on Tuples.
any
TypeScript also has a special type, any
, that you can use whenever you donât want a particular value to cause typechecking errors.
When a value is of type any
, you can access any properties of it (which will in turn be of type any
), call it like a function, assign it to (or from) a value of any type, or pretty much anything else thatâs syntactically legal:
The any
type is useful when you donât want to write out a long type just to convince TypeScript that a particular line of code is okay.
When you donât specify a type, and TypeScript canât infer it from context, the compiler will typically default to any
.
You usually want to avoid this, though, because any
isnât type-checked. Use the compiler flag noImplicitAny
to flag any implicit any
as an error.
Type Annotations on Variables
When you declare a variable using const
, var
, or let
, you can optionally add a type annotation to explicitly specify the type of the variable:
TypeScript doesnât use âtypes on the leftâ-style declarations like
int x = 0;
Type annotations will always go after the thing being typed.
In most cases, though, this isnât needed. Wherever possible, TypeScript tries to automatically infer the types in your code. For example, the type of a variable is inferred based on the type of its initializer:
For the most part you donât need to explicitly learn the rules of inference. If youâre starting out, try using fewer type annotations than you think - you might be surprised how few you need for TypeScript to fully understand whatâs going on.
Functions
Functions are the primary means of passing data around in JavaScript. TypeScript allows you to specify the types of both the input and output values of functions.
When you declare a function, you can add type annotations after each parameter to declare what types of parameters the function accepts. Parameter type annotations go after the parameter name:
When a parameter has a type annotation, arguments to that function will be checked:
Even if you donât have type annotations on your parameters, TypeScript will still check that you passed the right number of arguments.
You can also add return type annotations. Return type annotations appear after the parameter list:
Much like variable type annotations, you usually donât need a return type annotation because TypeScript will infer the functionâs return type based on its return
statements. The type annotation in the above example doesnât change anything. Some codebases will explicitly specify a return type for documentation purposes, to prevent accidental changes, or just for personal preference.
Anonymous functions are a little bit different from function declarations. When a function appears in a place where TypeScript can determine how itâs going to be called, the parameters of that function are automatically given types.
Hereâs an example:
Property 'toUppercase' does not exist on type 'string'. Did you mean 'toUpperCase'?Property 'toUppercase' does not exist on type 'string'. Did you mean 'toUpperCase'?
Even though the parameter s
didnât have a type annotation, TypeScript used the types of the forEach
function, along with the inferred type of the array, to determine the type s
will have.
This process is called contextual typing because the context that the function occurred within informs what type it should have.
Similar to the inference rules, you donât need to explicitly learn how this happens, but understanding that it does happen can help you notice when type annotations arenât needed. Later, weâll see more examples of how the context that a value occurs in can affect its type.
Object Types
Apart from primitives, the most common sort of type youâll encounter is an object type. This refers to any JavaScript value with properties, which is almost all of them! To define an object type, we simply list its properties and their types.
For example, hereâs a function that takes a point-like object:
Here, we annotated the parameter with a type with two properties - x
and y
- which are both of type number
. You can use ,
or ;
to separate the properties, and the last separator is optional either way.
The type part of each property is also optional. If you donât specify a type, it will be assumed to be any
.
Object types can also specify that some or all of their properties are optional. To do this, add a ?
after the property name:
In JavaScript, if you access a property that doesnât exist, youâll get the value undefined
rather than a runtime error. Because of this, when you read from an optional property, youâll have to check for undefined
before using it.
Union Types
TypeScriptâs type system allows you to build new types out of existing ones using a large variety of operators. Now that we know how to write a few types, itâs time to start combining them in interesting ways.
The first way to combine types you might see is a union type. A union type is a type formed from two or more other types, representing values that may be any one of those types. We refer to each of these types as the unionâs members.
Letâs write a function that can operate on strings or numbers:
Argument of type '{ myID: number; }' is not assignable to parameter of type 'string | number'.
Itâs easy to provide a value matching a union type - simply provide a type matching any of the unionâs members. If you have a value of a union type, how do you work with it?
TypeScript will only allow an operation if it is valid for every member of the union. For example, if you have the union string | number
, you canât use methods that are only available on string
:
Property 'toUpperCase' does not exist on type 'string | number'. Property 'toUpperCase' does not exist on type 'number'.
The solution is to narrow the union with code, the same as you would in JavaScript without type annotations. Narrowing occurs when TypeScript can deduce a more specific type for a value based on the structure of the code.
For example, TypeScript knows that only a string
value will have a typeof
value "string"
:
Another example is to use a function like Array.isArray
:
Notice that in the else
branch, we donât need to do anything special - if x
wasnât a string[]
, then it must have been a string
.
Sometimes youâll have a union where all the members have something in common. For example, both arrays and strings have a slice
method. If every member in a union has a property in common, you can use that property without narrowing:
It might be confusing that a union of types appears to have the intersection of those typesâ properties. This is not an accident - the name union comes from type theory. The union
number | string
is composed by taking the union of the values from each type. Notice that given two sets with corresponding facts about each set, only the intersection of those facts applies to the union of the sets themselves. For example, if we had a room of tall people wearing hats, and another room of Spanish speakers wearing hats, after combining those rooms, the only thing we know about every person is that they must be wearing a hat.
Type Aliases
Weâve been using object types and union types by writing them directly in type annotations. This is convenient, but itâs common to want to use the same type more than once and refer to it by a single name.
A type alias is exactly that - a name for any type. The syntax for a type alias is:
You can actually use a type alias to give a name to any type at all, not just an object type. For example, a type alias can name a union type:
Note that aliases are only aliases - you cannot use type aliases to create different/distinct âversionsâ of the same type. When you use the alias, itâs exactly as if you had written the aliased type. In other words, this code might look illegal, but is OK according to TypeScript because both types are aliases for the same type:
Interfaces
An interface declaration is another way to name an object type:
Just like when we used a type alias above, the example works just as if we had used an anonymous object type. TypeScript is only concerned with the structure of the value we passed to printCoord
- it only cares that it has the expected properties. Being concerned only with the structure and capabilities of types is why we call TypeScript a structurally typed type system.
Differences Between Type Aliases and Interfaces
Type aliases and interfaces are very similar, and in many cases you can choose between them freely. Almost all features of an interface
are available in type
, the key distinction is that a type cannot be re-opened to add new properties vs an interface which is always extendable.
Interface | Type |
---|---|
Extending an interface | Extending a type via intersections |
Adding new fields to an existing interface | A type cannot be changed after being created |
Youâll learn more about these concepts in later chapters, so donât worry if you donât understand all of these right away.
- Prior to TypeScript version 4.2, type alias names may appear in error messages, sometimes in place of the equivalent anonymous type (which may or may not be desirable). Interfaces will always be named in error messages.
- Interface names will always appear in their original form in error messages, but only when they are used by name.
For the most part, you can choose based on personal preference, and TypeScript will tell you if it needs something to be the other kind of declaration. If you would like a heuristic, use interface
until you need to use features from type
.
Type Assertions
Sometimes you will have information about the type of a value that TypeScript canât know about.
For example, if youâre using document.getElementById
, TypeScript only knows that this will return some kind of HTMLElement
, but you might know that your page will always have an HTMLCanvasElement
with a given ID.
In this situation, you can use a type assertion to specify a more specific type:
Like a type annotation, type assertions are removed by the compiler and wonât affect the runtime behavior of your code.
You can also use the angle-bracket syntax (except if the code is in a .tsx
file), which is equivalent:
Reminder: Because type assertions are removed at compile-time, there is no runtime checking associated with a type assertion. There wonât be an exception or
null
generated if the type assertion is wrong.
TypeScript only allows type assertions which convert to a more specific or less specific version of a type. This rule prevents âimpossibleâ coercions like:
Conversion of type 'string' to type 'number' may be a mistake because neither type sufficiently overlaps with the other. If this was intentional, convert the expression to 'unknown' first.Conversion of type 'string' to type 'number' may be a mistake because neither type sufficiently overlaps with the other. If this was intentional, convert the expression to 'unknown' first.
Sometimes this rule can be too conservative and will disallow more complex coercions that might be valid. If this happens, you can use two assertions, first to any
(or unknown
, which weâll introduce later), then to the desired type:
Literal Types
In addition to the general types string
and number
, we can refer to specific strings and numbers in type positions.
One way to think about this is to consider how JavaScript comes with different ways to declare a variable. Both var
and let
allow for changing what is held inside the variable, and const
does not. This is reflected in how TypeScript creates types for literals.
By themselves, literal types arenât very valuable:
Itâs not much use to have a variable that can only have one value!
But by combining literals into unions, you can express a much more useful concept - for example, functions that only accept a certain set of known values:
Argument of type '"centre"' is not assignable to parameter of type '"left" | "right" | "center"'.
Numeric literal types work the same way:
Of course, you can combine these with non-literal types:
Thereâs one more kind of literal type: boolean literals. There are only two boolean literal types, and as you might guess, they are the types true
and false
. The type boolean
itself is actually just an alias for the union true | false
.
Literal Inference
When you initialize a variable with an object, TypeScript assumes that the properties of that object might change values later. For example, if you wrote code like this:
TypeScript doesnât assume the assignment of 1
to a field which previously had 0
is an error. Another way of saying this is that obj.counter
must have the type number
, not 0
, because types are used to determine both reading and writing behavior.
The same applies to strings:
In the above example req.method
is inferred to be string
, not "GET"
. Because code can be evaluated between the creation of req
and the call of handleRequest
which could assign a new string like "GUESS"
to req.method
, TypeScript considers this code to have an error.
There are two ways to work around this.
- You can change the inference by adding a type assertion in either location: Change 1 means âI intend for
req.method
to always have the literal type"GET"
â, preventing the possible assignment of"GUESS"
to that field after. Change 2 means âI know for other reasons thatreq.method
has the value"GET"
â. - You can use
as const
to convert the entire object to be type literals:
The as const
suffix acts like const
but for the type system, ensuring that all properties are assigned the literal type instead of a more general version like string
or number
.
null
and
JavaScript has two primitive values used to signal absent or uninitialized value: null
and undefined
.
TypeScript has two corresponding types by the same names. How these types behave depends on whether you have the strictNullChecks
option on.
With strictNullChecks
off, values that might be null
or undefined
can still be accessed normally, and the values null
and undefined
can be assigned to a property of any type. This is similar to how languages without null checks (e.g. C#, Java) behave. The lack of checking for these values tends to be a major source of bugs; we always recommend people turn strictNullChecks
on if itâs practical to do so in their codebase.
With strictNullChecks
on, when a value is null
or undefined
, you will need to test for those values before using methods or properties on that value. Just like checking for undefined
before using an optional property, we can use narrowing to check for values that might be null
:
Non-null Assertion Operator (Postfix )
TypeScript also has a special syntax for removing null
and undefined
from a type without doing any explicit checking. Writing !
after any expression is effectively a type assertion that the value isnât null
or undefined
:
Just like other type assertions, this doesnât change the runtime behavior of your code, so itâs important to only use !
when you know that the value canât be null
or undefined
.
Enums
Enums are a feature added to JavaScript by TypeScript which allows for describing a value which could be one of a set of possible named constants. Unlike most TypeScript features, this is not a type-level addition to JavaScript but something added to the language and runtime. Because of this, itâs a feature which you should know exists, but maybe hold off on using unless you are sure. You can read more about enums in the Enum reference page.
Itâs worth mentioning the rest of the primitives in JavaScript which are represented in the type system. Though we will not go into depth here.
bigint
From ES2020 onwards, there is a primitive in JavaScript used for very large integers, BigInt
:
You can learn more about BigInt in the TypeScript 3.2 release notes.
symbol
There is a primitive in JavaScript used to create a globally unique reference via the function Symbol()
:
This condition will always return 'false' since the types 'typeof firstName' and 'typeof secondName' have no overlap.
You can learn more about them in Symbols reference page.
Popular Documentation Pages
Made with â„ in Redmond, Boston, SF & Dublin