We can enforce types of multiple values with a type declaration on a union
typeColor='Green'|'Red'|'Blue'let colorChoice:Color='Green'colorChoice: Color ='Purple'// Throws an errorlet colorOrNum:Color|number=10// OK!
Interfaces
What if we would like to enforce typings on the shape of an object?
Enter the interface!
Typescript offers us the ability to do this with interfaces:
interfaceDogObject { name:string; age:number; isGood:boolean; wagsTail?:boolean; // the '?' means that wagsTail is optional}functionisGoodDog(dog:DogObject):boolean {let {name, age, isGood} = dog; // Object destructuring is neat!let message =`${name} is ${age} and is very good!${dog.wagsTail ?' wag, wag, wag':''}`if (!isGood) {console.log('How dare you! All dogs are good dogs!!')dog.isGood =true }console.log(message)returntrue}let oneGoodBoy:DogObject= { name:'Harley Muffinhead', age:7, isGood:true, wagsTail:true}let barnCat:object= { name:'Scar Tatteredear', age:Infinity, clawedKiller:true, isGood:false}isGoodDog(oneGoodBoy) // Works!isGoodDog(barnCat) // Error, barnCat is not 'DogObject' type. Argument of type 'object' is not assignable // to parameter of type 'DogObject'. Type '{}' is missing the following properties // from type 'DogObject':name, age, isGood// If we removed the Explicit type from barnCat, isGoodDog(barnCat) would work // because barnCat has all the necessary values of the DogObject type
Tuples
Tuple types allow you to express an array where the type of a fixed number of elements is known, but need not be the same.
let myStringNumTuple: [string,number] = ["Hello",42];myStringNumTuple = [42,"Hello"] // ☠️ will throw an error at compile time
When accessing an element with a known index, the correct type is retrieved:
console.log(myStringNumTuple[0].substr(1)); // OKconsole.log(myStringNumTuple[1].substr(1)); // Error, 'number' does not have 'substr'
When accessing an element outside the set of known indices, an error will be thrown:
myStringNumTuple[3] ="world"; // error, Type '"world"' is not assignable to type 'undefined'
So can I tack more onto a tuple and just assign it a new type?
myStringNumTuple[3] = string; // TWO errors!// Tuple type '[string, number]' of length '2' has no element at index '3'// 'string' only refers to a type, but is being used as a value here
Tuples can be as long as you want; think of them like interfaces without the name. Think back to our DogObject example, you could create a tuple with those constraints, but instead of accessing those values via their keys, they're accessed by their index.
let tupleDog: [string,number,boolean,boolean]
Enum
According to the TypeScript docs, Enums allow us to 'give friendly names to a set of numeric values'.
The tl;dr for most devs is that Enums can be iterated over, can be used as bit flags, and have some specific use cases, but you will mostly be using Union types.
Generics<T>
What should we do if we want to enforce typings further down the scope of our function or class but don't want to explicity declare a type?
Well, TS humbly offers up the Generic type.
We can use variables between angle brackets in our type declarations to enforce consistent use of a type! Classically, you will see <T> used to represent Type however, you can name them anything you want as long as they are not reserved words or types. We can even use multiple generics in the same construct by separating them with commas: Construct<T, U, ThirdType>.
typeBadMessage='Warning'|'Error'typeGoodMessage='All is Well'|'There is a fresh pot of coffee in the kitchen'functionshout<T>(arg:T):string {returnarg.toString().toUpperCase()}console.log(shout<BadMessage>('Warning'));console.log(shout<BadMessage>('All is Well')); // Argument of type '"All is Well"' is not assignable to parameter of type 'BadMessage'.console.log(shout<GoodMessage>('There is a fresh pot of coffee in the kitchen'));
Intersection Types
Sometimes, when one type isn't enough, you want to merge your types. Let's say you have three types: Bear, Man, and Pig
When you create a new variable, you can assign one, two, or even three of these types! When you do that, your new variable will be able to have claws, firstName, and hog as values. You can also create a custom class if you're going to use your intersected type again
// Define a new type comprised of other types!typeManBearPig=Man&Bear&Pig// We must declare initial valueslet greatCryptid:ManBearPig= { firstname:'Sassy', claws:5, hog:true}// We can reassign the values as neededgreatCryptid.firstname ='Grogg'greatCryptid.claws =7greatCryptid.hog =false
Prepare yourself... we are about to put it to work!