Skip to content
This repository was archived by the owner on Jul 21, 2020. It is now read-only.

Latest commit

 

History

History
62 lines (41 loc) · 2.21 KB

16-query-graphql-interface-types-in-graphql-playground.md

File metadata and controls

62 lines (41 loc) · 2.21 KB

Video Link

Summary

In this lesson we learn about interfaces and how to use them to query different types of pets

Notes

If we send the allPets query, we'll get back id and name just as expected, but the data relationships in the new pet library are set up differently.

If we open the allPets query in the schema, we'll see that it's no longer a type, but an interface. An interface is an abstract type that includes a set of fields, and these fields must be used when creating new instances of that interface.

Here we have the Pet interface. It's the 'base', and it has several fields on it. Our enumerators (Cat, Dog, etc.) from the previous pet library are now implementations of the Pet interface.

alt text

If we have a look at Cat, we see that it's a type that now implements the Pet interface. It contains all of the fields from Pet, and it can also be extended to include its' own (such as sleepAmount).

alt text

The allPets query returns a list of pets, and all of these pets are different types and different implementations of the Pet interface.

If we want to know which type a pet is, we can query the __typename field.

query {
  allPets {
    __typename
    id
    name
  }
}

alt text

Writing queries for interfaces is a little different. Now we are able to use inline fragments.

If we want to query those extra fields we had on Cat, we can use the spread syntax followed by on <type name>.

query {
  allPets {
    __typename
    id
    name
    ... on Cat {
      sleepAmount
    }
  }
}

Now whenever there is a cat in the response, we will see a sleepAmount value for it. For all other types, the additional fields will be left out.

alt text

Resources