Intersection and Union types are one of the ways in which you can compose types.

Union Types

Occasionally, you’ll run into a library that expects a parameter to be either a or a string. For instance, take the following function:

The problem with padLeft in the above example is that its padding parameter is typed as any. That means that we can call it with an argument that’s neither a number nor a string, but TypeScript will be okay with it.

  1. ts
    // passes at compile time, fails at runtime.
  2. let indentedString = padLeft("Hello world", true);

In traditional object-oriented code, we might abstract over the two types by creating a hierarchy of types. While this is much more explicit, it’s also a little bit overkill. One of the nice things about the original version of padLeft was that we were able to just pass in primitives. That meant that usage was simple and concise. This new approach also wouldn’t help if we were just trying to use a function that already exists elsewhere.

A union type describes a value that can be one of several types. We use the vertical bar (|) to separate each type, so number | string | boolean is the type of a value that can be a number, a string, or a boolean.

If we have a value that is a union type, we can only access members that are common to all types in the union.

  1. ts
    interface Bird {
  2. fly(): void;
  3. layEggs(): void;
  4. }
  5. interface Fish {
  6. swim(): void;
  7. layEggs(): void;
  8. }
  9. declare function getSmallPet(): Fish | Bird;
  10. let pet = getSmallPet();
  11. pet.layEggs();
  12. // Only available in one of the two possible types
  13. pet.swim();
  14. Property 'swim' does not exist on type 'Bird | Fish'.
  15. Property 'swim' does not exist on type 'Bird'.2339Property 'swim' does not exist on type 'Bird | Fish'.
  16. Property 'swim' does not exist on type 'Bird'.

Union types can be a bit tricky here, but it just takes a bit of intuition to get used to. If a value has the type A | B, we only know for certain that it has members that both A and B have. In this example, Bird has a member named fly. We can’t be sure whether a variable typed as has a fly method. If the variable is really a Fish at runtime, then calling pet.fly() will fail.

A common technique for working with unions is to have a single field which uses literal types which you can use to let TypeScript narrow down the possible current type. For example, we’re going to create a union of three types which have a single shared field.

Given the state field is common in every type inside NetworkState - it is safe for your code to access without an existence check.

With state as a literal type, you can compare the value of state to the equivalent string and TypeScript will know which type is currently being used.

NetworkLoadingStateNetworkFailedStateNetworkSuccessState
“loading”“failed”“success”

In this case, you can use a switch statement to narrow down which type is represented at runtime:

  1. ts
    type NetworkState =
  2. | NetworkLoadingState
  3. | NetworkFailedState
  4. function networkStatus(state: NetworkState): string {
  5. // Right now TypeScript does not know which of the three
  6. // potential types state could be.
  7. // Trying to access a property which isn't shared
  8. // across all types will raise an error
  9. state.code;
  10. Property 'code' does not exist on type 'NetworkState'.
  11. Property 'code' does not exist on type 'NetworkLoadingState'.2339Property 'code' does not exist on type 'NetworkState'.
  12. Property 'code' does not exist on type 'NetworkLoadingState'.
  13. // By switching on state, TypeScript can narrow the union
  14. // down in code flow analysis
  15. switch (state.state) {
  16. case "loading":
  17. return "Downloading...";
  18. case "failed":
  19. // The type must be NetworkFailedState here,
  20. // so accessing the `code` field is safe
  21. case "success":
  22. return `Downloaded ${state.response.title} - ${state.response.summary}`;
  23. }
  24. }

Intersection Types

Intersection types are closely related to union types, but they are used very differently. An intersection type combines multiple types into one. This allows you to add together existing types to get a single type that has all the features you need. For example, Person & Serializable & Loggable is a type which is all of Person and Serializable and Loggable. That means an object of this type will have all members of all three types.

Intersections are used to implement the :

  1. ts
    class Person {
  2. constructor(public name: string) {}
  3. }
  4. interface Loggable {
  5. }
  6. class ConsoleLogger implements Loggable {
  7. log(name: string) {
  8. console.log(`Hello, I'm ${name}.`);
  9. }
  10. }
  11. // Takes two objects and merges them together
  12. function extend<First extends {}, Second extends {}>(
  13. first: First,
  14. second: Second
  15. ): First & Second {
  16. const result: Partial<First & Second> = {};
  17. for (const prop in first) {
  18. if (first.hasOwnProperty(prop)) {
  19. (result as First)[prop] = first[prop];
  20. }
  21. }
  22. for (const prop in second) {
  23. if (second.hasOwnProperty(prop)) {
  24. (result as Second)[prop] = second[prop];
  25. }
  26. }
  27. return result as First & Second;
  28. }
  29. jim.log(jim.name);