Category: Tutorials

Tutorials about using WPGraphQL

  • Tutorial: Registering a Custom Post Type as a GraphQL Interface

    WPGraphQL v1.12.0 introduces new options for customizing how Post Types and Taxonomies are exposed to the WPGraphQL Schema. The goal of this post is to show how to use some of these options in action. You can read this post for an overview of all the options, or check out the release..

    To do that, we’re going to explore a few approaches to solving the same problem.

    Imagine that we’re working on a project for a restaurant that sells food. More specifically, they only sell Pizza and Cake.

    The restaurant needs to be able to enter the different types of pizza and cake they have available.

    For simplicity sake, we’ve determined that each all food has some properties, but each type of food also has unique properties.

    All cake is food, but not all food is cake. All pizza is food, but not all food is pizza.

    • All food: has a title and a price
    • Pizza: has toppings.
    • Cake: has frosting color.

    The goal of this exercise is to configure WordPress to be able to maintain this data in the CMS, and expose it in the WPGraphQL API.

    We would like to be able to query for a list of food, asking for the common fields like “title” and “price”, but also specifying the unique fields, such as “frostingColor” for cake and “toppings” for pizza.

    We want to be able to execute the following GraphQL Query:

    query GetFood {
      allFood {
        nodes {
          __typename
          id
          title
          price
          ...on Cake {
            frostingColor
          }
          ...on Pizza {
            toppings
          }
        }
      }
    }

    And in response, we’d like to get data like so:

    {
      "data": {
        "foods": {
          "nodes": [
            {
              "__typename": "Cake",
              "title": "Cake",
              "price": "$15.99",
              "frostingColor": "white"
            },
            {
              "__typename": "Pizza",
              "title": "Pepperoni Pizza",
              "price": "$10.99",
              "toppings": [
                "pepperoni",
                "sauce",
                "cheese",
                "jalapenos"
              ]
            }
          ]
        }
      }
    }

    There are probably many ways we could achieve this.

    In this post, I’ll show 2 different ways.

    In both scenarios, the query above should work. We should be able to query a list of food, asking for common fields, and also asking for unique fields for Pizza and Cake.

    Neither of these options is the “right” one. This is a simple example missing a lot of nuanced details that you would likely have in a real project. The goal of this post is not to prescribe some type of optimal information architecture using WordPress post types, the goal is to show the flexibility and options for exposing WordPress data to the WPGraphQL API.

    Let’s dive in.

    Scenario 1: One “food” post type

    In this scenario, we’ve decided to register a “food” post type where we can enter data for different food items.

    Register the Post Type

    To get started we will register the post type (without thinking too much about WPGraphQL).

    add_action( 'init', function() {
    
      $args = [
        'public' => true,
        'label' => 'Food',
        'supports' => [ 'title', 'editor', 'custom-fields' ]
      ];
    
      register_post_type( 'food', $args );
    
    } );

    Here we’ve registered a public “food” post type with support for title, editor and custom fields.

    At this point, we should have a Post Type in WordPress where we can start entering our Cakes and Pizzas into the CMS.

    Add some pizza and cake

    Click “Add new” and enter the following:

    • Title: Pepperoni Pizza
    • Description: Yum!
    • Custom Fields:
      • food_type: pizza
      • price: $10.99
      • topping: cheese
      • topping: pepperoni
      • topping: sauce

    The pizza should look like so:

    Screenshot of the "Edit Post" screen for the "food" post type showing data entered for a "pepperoni pizza"

    NOTE: For simplicity sake, I’m demonstrating with WordPress’s built-in custom fields, but on a real project I would likely use Advanced Custom Fields.

    Now let’s enter information for a Cake.

    Click “Add new” and enter the following information:

    • Title: Chocolate Cake
    • Description: Delicious!
    • Custom Fields:
      • food_type: cake
      • price: $15.99
      • frosting_color: white

    The cake should look like so:

    Screenshot of the "Edit Post" screen for the "food" post type showing data entered for a "pepperoni pizza"

    So now we have our post type setup and some food entered, how can we query this food in GraphQL?

    Show the Post Type in GraphQL

    If you’ve already familiar with WPGraphQL, you might know that exposing a Post Type to the WPGraphQL Schema requires 3 fields on the post type registration:

    • show_in_graphql: true/false
    • graphql_single_name: Name of the Type in the GraphQL Schema (no spaces or special characters. Value must be unique in the Schema)
    • graphql_plural_name: Plural name of the Type, used for querying lists of items. (no spaces or special characters. Value must be unique in the Schema)

    Let’s update our post type registration above to look like the following:

    add_action( 'init', function() {
    
      $args = [
        'public' => true,
        'label' => 'Food',
        'supports' => [ 'title', 'editor', 'custom-fields' ],
        'show_in_graphql' => true,
        'graphql_single_name' => 'Food',
        'graphql_plural_name' => 'Food',
      ];
    
      register_post_type( 'food', $args );
    
    } );

    By adding these 3 lines:

    'show_in_graphql' => true,
    'graphql_single_name' => 'Food',
    'graphql_plural_name' => 'Food',

    The data in the “food” post type is now exposed in the WPGraphQL Schema.

    We can open up the GraphiQL IDE and search for “food” and see all the ways it shows in our Schema now:

    We have a lot of new Types and Fields added to the Schema.

    Since our goal was to query a list of “allFood” we can see that a “RootQuery.allFood” field now exists in the Schema.

    NOTE: Since the “graphql_single_name” and “graphql_plural_name” were both “food” WPGraphQL adds the “plural” field as “allFood”. If the “graphql_plural_name” was a different value, such as “foodItems” it would add a field with that value instead.

    At this point, we can write a query to query a list of food, like so:

    query GetFood {
      allFood {
        nodes {
          __typename
          id
          title
        }
      }
    }

    And we’ll get a response like so:

    {
      "data": {
        "allFood": {
          "nodes": [
            {
              "__typename": "Food",
              "id": "cG9zdDoxMjY4",
              "title": "Chocolate Cake"
            },
            {
              "__typename": "Food",
              "id": "cG9zdDoxMjY3",
              "title": "Pepperoni Pizza"
            }
          ]
        }
      }
    }

    Here’s what it looks like executed in the GraphiQL IDE:

    One thing you might have noticed, is that we have only queried for 3 fields on each “node”:

    • __typename
    • id
    • title

    Our goal was to be able to also query “price” for all food items, and then specify that we want “toppings” for Pizza and “frostingColor” for Cake.

    If we look at our Schema docs in GraphiQL, we won’t find any mention of “price”, “toppings”, “frostingColor”, “pizza” or “cake”.

    Gif screen recording showing empty results when searching for “price”, “toppings”, “frosting”, “pizza” and “cake” and getting no results.

    Add the “price” field to the Schema

    Since we agreed that all “food” should have a price field, we can add this to the Schema using the register_graphql_field function.

    Let’s use the following snippet to add this field to the Schema:

    add_action( 'graphql_register_types', function() {
    
      register_graphql_field( 'Food', 'price', [
        'type' => 'String',
        'description' => __( 'The cost of the food item', 'your-textdomain' ),
        'resolve' => function( $food ) {
          $price = get_post_meta( $food->databaseId, 'price', true );
          return ! empty( $price ) ? $price : null;
        }
      ] );
    
    } );

    Let’s break down what this code is doing:

    First, it hooks into the “graphql_register_types” action. This ensures the code will only execute when the GraphQL Schema is being built. Most requests to WordPress aren’t GraphQL requests, so no need to execute GraphQL related functions unless necessary.

    Next, we call the register_graphql_field function. The first argument is the GraphQL Type we want to add a field to. And the 2nd argument is the name of the field to add. We passed “Food” as the first argument and “price” as the 2nd argument because we want “Food” to have a “price” field. The third argument is an array to configure the field.

    In this config array we define the “Type” of data the field will return. We’ve opted for “String” as the type of data we will return for the “price” field. This is the contract between the API consumer and the server. We’ve agreed now that whenever the “price” field is asked for, it will either be a “null” value, or a string. This field will not return an array or an object or an integer or any other type of data.

    Next, we added a description, which shows in tools like GraphiQL. This can be helpful to describe to consumers of the API what a field is meant to be used for.

    And last, we define our “resolve” function.

    The resolver will get the resolving object passed to it. Since we’ve registered a field to the “Food” type, this means we will get “Food” objects passed to the field.

    In WPGraphQL the objects passed down are typically “GraphQL Model” objects. In this case, the resolver will get a GraphQL\Model\Post object passed to the resolver.

    We use the databaseId from the model to get the value of the “price” post_meta. If there is a value, return it. Otherwise, return a “null” value.

    Now, with this field registered to the Schema, we can search GraphiQL again for “price” and we should find it in the Schema:

    At this point, we can update our query to query for the “price” field and we should see the values we entered as custom fields returned.

    Screenshot of a query for allFood including the price field.

    Differentiate types of food

    One other thing you might be noticing is that the response for the “__typename” field is “Food”, but in our goal we were hoping to have the values be “Cake” and “Pizza”.

    Additionally, we wanted to be able to query for “toppings” if the type of food is Pizza, and “frostingColor” if the type of food is Cake.

    How do we do this?

    We will convert the “Food” type to be a GraphQL Interface, then register new GraphQL Object Types for “Pizza” and “Cake” that implement the “Food” Interface.

    Let’s take a look:

    Make “Food” an Interface

    According to the GraphQL Documentation “Interface is an abstract type that includes a certain set of fields that a type must include to implement the interface”.

    In practice, this means that multiple Unique Types can have a common bond.

    All Pizza is Food, but not all Food is Pizza. All Cake is Food, but not all Food is Cake.

    We want to be able to define unique Types of Food (in our case Pizza and Cake), but let them implement the “Food” interface.

    We can update our post type registration to make the “Food” type an “Interface” by adding this line:

    $args = [
     ... // existing args
     'graphql_kind' => 'interface',
     'graphql_resolve_type' => function( $food ) {
       $food_type = get_post_meta( $food->databaseId, 'food_type', true );
    
       // if the "food_type" custom field is set to "pizza" return the "Pizza" type
       if ( 'pizza' === $food_type ) {
         $return_type = 'Pizza';
       } else {
         $return_type = 'Cake';
       }
    
       return $return_type;
     }
    ];
    
    register_post_type( 'Food', $args );

    By adding these 2 lines to our “register_post_type” $args, we’ve now told WPGraphQL to treat “Food” as an Interface instead of an Object Type, and we’ve told it how to determine what Object type to resolve, based on the “food_type” meta value.

    In order for this to work, however, we need a “Pizza” and “Cake” Type added to the Schema.

    Register the Pizza GraphQL Object Type

    In the “graphql_resolve_type” function above, we determined that “Food” can return a “Pizza” or “Cake” based on the value of the “food_type” post meta value.

    In order for this to work, we need a Pizza and Cake type to be added to the Schema.

    Within our “graphql_register_types” hook where we registered the “price” field, we can add the following:

    register_graphql_object_type( 'Pizza', [
      // Description shows in the Schema for client developers using tools like the GraphiQL IDE
      'description' => __( 'A tasty food best prepared in an air-fryer', 'your-textdomain' ),
      // This tells the Schema that "All Pizza is Food" and will inherit the "Food" fields (such as Price)
      'interfaces' => [ 'Food' ],
      // This helps with caching. If your Object Type is associated with a particular Model, you should define it here. In our case, Pizza is resolved by the Post model.
      'model' => WPGraphQL\Model\Post::class, 
       // This field shows the Type in the Schema even if there are no root fields that reference the Type directly.
      'eagerlyLoadType' => true,
      // Define the unique fields of this type. For Pizza, "toppings" will be a "list of strings"
      'fields' => [
        'toppings' => [
          'type' => [ 'list_of' => 'String' ],
          'resolve' => function( $pizza ) {
            $toppings = get_post_meta( $pizza->databaseId, 'toppings', false );
            return is_array( $toppings ) ? $toppings : null;
          }
        ],
      ],
    ]);

    Here we’ve registered a “Pizza” GraphQL Object Type. On the Type we declared that it implements the “Food” interface, and that it has a “toppings” field which returns a list of String, resolved from the “topping” meta key.

    Register the Cake GraphQL Object Type

    Now, we can register the “Cake” Object Type, very similar to how we registered the “Pizza” Type.

    register_graphql_object_type( 'Cake', [
      // Description shows in the Schema for client developers using tools like the GraphiQL IDE
      'description' => __( 'A tasty dessert, most likely also good if heated in an air-fryer', 'your-textdomain' ),
      // This tells the Schema that "All Cake is Food" and will inherit the "Food" fields (such as Price)
      'interfaces' => [ 'Food' ],
      'eagerlyLoadType' => true,
      'model' => WPGraphQL\Model\Post::class,
      'fields' => [
        'frostingColor' => [
          'type' => 'String',
          'resolve' => function( $cake ) {
            return get_post_meta( $cake->databaseId, 'frosting_color', true );
          }
        ],
      ]
    ]);

    Here we’ve registered a “Cake” object type. On the type we’ve declared that it implements the “Food” interface, and that it has a “frostingColor” field which returns a String, resolved from the “frosting_color” meta key.

    At this point, we’ve converted the “Food” type to be an Interface using the “graphql_kind” arg on “register_post_type”. We also declared the “graphql_resolve_type” function, returning either a “Pizza” or “Cake” when “Food” is queried.

    Then we defined the “Pizza” and “Cake” Types and their fields.

    At this point, we can successfully execute the query we set out to.

    query GetFood {
      allFood {
        nodes {
          __typename
          id
          title
          price
          ...on Cake {
            frostingColor
          }
          ...on Pizza {
            toppings
          }
        }
      }
    }

    Since the “allFood” connection is added to the schema from the “food” post type, the resolver will query posts of the “food” post type. Each post will be converted into a “Post” Model and then our “graphql_resolve_type” function will use the “food_type” meta to determine whether the “food” is “Pizza” or “Cake”, then each field (price, toppings, frostingColor) is resolved.

    Success! We end up with the expected results:

    {
      "data": {
        "foods": {
          "nodes": [
            {
              "__typename": "Cake",
              "title": "Cake",
              "price": "$15.99",
              "frostingColor": "white"
            },
            {
              "__typename": "Pizza",
              "title": "Pepperoni Pizza",
              "price": "$10.99",
              "toppings": [
                "pepperoni",
                "sauce",
                "cheese",
                "jalapenos"
              ]
            }
          ]
        }
      }
    }

    Scenario 2: 2 different “Pizza” and “Cake” post types

    Now, we already accomplished the goal we set out to, but I wanted to show a different way to get the the same goal.

    In this approach, instead of using one “food” post type, let’s use 2 different post types: “Pizza” and “Cake”.

    But, the goal is still the same. We want to be able to query for “allFood” and depending on whether the food is “Pizza” or “Cake” we’d like to query for “toppings” or “frostingColor” respectively.

    Register the Food Interface

    Instead of registering a “Food” post type and setting its “graphql_kind” as “interface”, this time we will manually register an Interface, then register 2 post types and apply the “Food” interface to those 2 post types.

    With the following snippet, we can register a “Food” interface:

    add_action( 'graphql_register_types', function() {
    
      register_graphql_interface_type( 'Food', [
        'description' => __( 'An item of food for sale', 'your-textdomain' ),
        // ensure all "food" nodes have a title
        'interfaces' => [ 'Node', 'NodeWithTitle' ],
        'fields' => [
          'price' => [
            'type' => 'String',
    	'description' => __( 'The cost of the food item', 'your-textdomain' ),
    	'resolve' => function( $food ) {
    	  return get_post_meta( $food->databaseId, 'price', true );
    	},
          ],
        ],
        'resolveType' => function( $node ) {
          // use the post_type to determine what GraphQL Type should be returned. Default to Cake
          return get_post_type_object( $node->post_type )->graphql_single_name ?: 'Cake';
        }
      ]);
    
    });

    Register the Post Types

    We just defined our “Food” Interface, but it doesn’t really do anything yet, because no Type in the Graph implements this interface.

    Let’s register our “Cake” and “Pizza” post types and implement the “Food” interface on them.

    add_action( 'init', function() {
    
      $pizza_args = [
        'public' => true,
        'label' => 'Pizza',
        'show_in_graphql' => true,
        'supports' => [ 'title', 'editor', 'custom-fields' ],
        'graphql_single_name' => 'Pizza',
        'graphql_plural_name' => 'Pizza',
        'graphql_interfaces' => [ 'Food' ],
        'graphql_fields' => [
          'toppings' => [
            'type' => [ 'list_of' => 'String' ],
            'resolve' => function( $pizza ) {
               $toppings = get_post_meta( $pizza->databaseId, 'topping', false );
              return is_array( $toppings ) ? $toppings : null;
            }
          ],
        ],
      ];
    
      register_post_type( 'pizza', $pizza_args );
    
      $cake_args = [
        'public' => true,
        'label' => 'Cake',
        'show_in_graphql' => true,
        'supports' => [ 'title', 'editor', 'custom-fields' ],
        'graphql_single_name' => 'Cake',
        'graphql_plural_name' => 'Cakes',
        'graphql_interfaces' => [ 'Food' ],
        'graphql_fields' => [
          'frostingColor' => [
            'type' => 'String',
            'resolve' => function( $cake ) {
              return get_post_meta( $cake->databaseId, 'frosting_color', true );
            }
          ],
        ]
      ];
    
      register_post_type( 'cake', $cake_args );
    
    });

    In this snippet, we’ve registered both a “cake” and a “pizza” post type. We set both to “show_in_graphql”, defined their “graphql_single_name” and “graphql_plural_name”, then we applied the “Food” interface using the “graphql_interfaces” argument.

    Additionally, we used the “graphql_fields” argument to add a “toppings” field to the “Pizza” Type and a “frostingColor” field to the “Cake” Type.

    At this point, we can search our GraphQL Schema for “food” and we’ll find the “Food” interface, and see that it is implemented by “Pizza” and “Cake”.


    However, we will also see that no field in the Schema returns the “food” type.

    There’s no “allFood” field, like we set out to query.

    There is a “RootQuery.allPizza” and “RootQuery.cakes” field for querying lists of Pizza and lists of Cakes independently, but no “allFood” field.

    Let’s add that!

    Register “allFood” connection

    Since we decided to manage our Pizza and Cake in different Post types, we need to provide an entry point into the Graph that allows us to query items of both of these post types as a single list.

    To do this we will use the register_graphql_connection API.

    Within the “graphql_register_types” hook above, we can add the following:

    register_graphql_connection([
      'fromType' => 'RootQuery',
      'toType' => 'Food',
      'fromFieldName' => 'allFood',
      'resolve' => function( $root, $args, $context, $info ) {
        $resolver = new \WPGraphQL\Data\Connection\PostObjectConnectionResolver( $root, $args, $context, $info );
        $resolver->set_query_arg( 'post_type', [ 'pizza', 'cake' ] );
        return $resolver->get_connection();
      }
    ]);

    This code registers a GraphQL Connection from the “RootQuery” to the “Food” type. A Connection is a way in GraphQL to query paginated lists of data. Here, we’ve defined our connection’s “fromType” and “toType”, and set the “fromFieldName”to “allFood’.

    This will expose the connection to the Schema. At this point, we would be able to execute our query, but we wouldn’t get any results unless we also had a resolver.

    Our resolver function handles querying the “food” from the database and returning data in the proper “connection” shape.

    In GraphQL, all resolvers are passed 4 arguments:

    • $source: The object being executed that the resolving field belongs to
    • $args: Any input arguments on the field
    • $context: Context about the request
    • $info: Info about where in the resolve tree execution is

    In our resolver above, we take all 4 of these arguments and pass them to a new instance of “\WPGraphQL\Data\Connection\PostObjectConnectionResolver”. This class handles a lot of the complicated work of fetching data from the WordPress Posts table and returning it in a proper shape for connections.

    After instantiating the PostObjectConnectionResolver, we use its “set_query_arg” method to ensure the connection resolver will resolve data from the “pizza” and “cake” post types. Then we return the connection.

    At this point, we should be able to explore the Schema and see that we now have a “RootQuery.allFood” field, and it returns a “RootQueryToFoodConnection”.

    If we tried to query it now, the query would be valid and we shouldn’t get any errors, but we would also get no results.

    That’s because we haven’t entered data into our Pizza and Cake post types!

    Create a Pizza and a Cake

    We can follow the same steps we did in the first scenario to enter data for the “Pizza” and “Cake” post type.

    The difference, this time, is that we can enter them in their own Custom Post Type, and we don’t need to specify the “food_type” meta field, as we’re using the post type itself to make the distinction.

    Here’s what my Pizza looks like:

    Here’s what my Cake looks like:

    Query for allFood

    Now that we have some data in our “pizza” and “cake” post types, we can successfully execute the query we set out for.

    Conclusion

    In this post we explored 2 different ways to manage different types of Food and then query that food using WPGraphQL.

    The first scenario opted for using a single post type for managing all food, and using a meta field to differentiate the type of food.

    In this scenario, since only one post type was registered to the Schema we didn’t need to register a custom connection, it was done automatically by WPGraphQL.

    One thing we didn’t cover in detail in this post, was mutations.

    In scenario 1, by registering just one post type, WPGraphQL would have added the following mutations: “createFood”, “updateFood”, “deleteFood”. But in scenario 2 each post type would have its own mutations: “createPizza”, “updatePizza”, “deletePizza” and “createCake”, “updateCake”, “deleteCake”.

    There are pros and cons to both options, here. I encourage you to play with both options, explore the Schema and understand how each option might best serve your projects.

    I hope you learned something in this post and look forward to hearing stories about how these APIs have helped speed up your project development!

  • Adding End 2 End Tests to WordPress plugins using wp-env and wp-scripts

    I recently published a video walking through how End to End tests are set up for WPGraphQL, but I thought it would be good to publish a more direct step-to-step tutorial to help WordPress plugin developers set up End 2 End tests for their own WordPress plugins.

    Setting up End to End tests for WordPress plugins can be done in a number of ways (Codeception, Cypress, Ghost Inspector, etc), but lately, the easiest way I’ve found to do this is to use the @wordpress/env and @wordpress/scripts packages, distributed by the team working on the WordPress Block Editor (a.k.a. Gutenberg), along with GitHub Actions.

    If you want to skip the article and jump straight to the code, you can find the repo here: https://github.com/wp-graphql/wp-graphql-e2e-tests-example

    What are End to End tests?

    Before we get too far, let’s cover what end to end tests even are.

    When it comes to testing code, there are three common testing approaches.

    • Unit Tests: Testing individual functions
    • Integration Tests: Testing various units when integrated with each other.
    • End to End Tests (often called Acceptance Tests): Testing that tests the application as an end user would interact with it. For WordPress, this typically means the test will open a browser and interact with the web page, click buttons, submit forms, etc.

    For WPGraphQL, the majority of the existing tests are Integration Tests, as it allows us to test the execution of GraphQL queries and mutations, which requires many function calls to execute in the WPGraphQL codebase and in WordPress core, but doesn’t require a browser to be loaded in the testing environment.

    The End to End tests in WPGraphQL are for the GraphiQL IDE tools that WPGraphQL adds to the WordPress dashboard.

    What’s needed for End to End Tests with WordPress?

    In order to set up End to End tests for WordPress, we need a way for the test suite to visit pages of a WordPress site and interact with the web page that WordPress is serving. We also need a way to write programs that can interact with the Web Page, and we need to be able to make assertions that specific behaviors are or are not happening when the web page(s) are interacted with. We also need a way for this to run automatically when our code changes.

    Let’s break down how we’ll tackle this:

    • @wordpress/env: Sets up a WordPress environment (site) for the test suites to interact with
    • @wordpress/scripts: Runs the tests using Puppeteer and Jest. This lets our tests open the WordPress site in a Chrome browser and interact with the page.
      • Puppeteer: A Node library which provides a high-level API to control Chrome or Chromium over the DevTools Protocol. Puppeteer has APIs that we will use to write tests that interact with the pages.
      • Jest: JavaScript Testing Framework with a focus on simplicity
    • GitHub Actions: We’ll be using GitHub actions for our Continuous Integration. You should be able to apply what is covered in this post to other CI tools, such as CircleCI.

    Setting up our dependencies

    I’m going to assume that you already have a WordPress plugin that you want to add tests to. But, if this is your first time building a WordPress plugin, you can see this commit to the example plugin to see what’s needed to get a basic WordPress plugin set up, with zero functionality.

    If you do not have a package.json already, you’ll need to create a new package.json file, with the following:

    {
      "name": "wp-graphql-e2e-tests-example",
      "version": "0.0.1",
      "description": "An example plugin showing how to set up End to End tests using @wordpress/env and @wordpress/scripts",
      "devDependencies": {},
      "scripts": {},
    }

    npm “devDependencies”

    ???? If you don’t already have node and npm installed on your machine, you will need to do that now.

    We need the following “dev dependencies” for our test suite:

    • @wordpress/e2e-test-utils
    • @wordpress/env
    • @wordpress/jest-console
    • @wordpress/jest-puppeteer-axe
    • @wordpress/scripts
    • expect-puppeteer
    • puppeteer-testing-library

    The difference between “dependencies” and “devDependencies” is that if you are bundling a JavaScript application for production, the “dedpendencies” will be included in the bundles for use at runtime, but “devDependencies” are only used during development for things like testing, linting, etc and are not included in the built application for use at runtime. We don’t need Jest or Puppeteer, etc in our runtime application, just while developing.

    We can install these via the command line:

    npm install @wordpress/e2e-test-utils @wordpress/env @wordpress/jest-console @wordpress/jest-puppeteer-axe @wordpress/scripts expect-puppeteer puppeteer-testing-library --d

    Or you can paste the devDependencies in the package.json and run npm install.

    Whether you install via the command line or pasting into package.json, the resulting devDependencies block in your package.json should look like the following:

    "devDependencies": {
      "@wordpress/e2e-test-utils": "^6.0.0",
      "@wordpress/env": "^4.2.0",
      "@wordpress/jest-console": "^5.0.0",
      "@wordpress/jest-puppeteer-axe": "^4.0.0",
      "@wordpress/scripts": "^20.0.2",
      "expect-puppeteer": "^6.1.0",
      "puppeteer-testing-library": "^0.6.0"
    }

    Adding a .gitignore

    It’s also a good idea to add a .gitignore file to ensure we don’t version the node_modules directory. These dependencies are only needed when developing, so they can be installed on the machine that needs them, when needed. They don’t need to be versioned in the project. I’ve also included an ignore for .idea which are files generated by PHPStorm. If your IDE or operating system includes hidden files that are not needed for the project, you can ignore them here as well.

    # Ignore the node_modules, we don't want to version this directory
    node_modules
    
    # This ignores files generated by JetBrains IDEs (I'm using PHPStorm)
    .idea

    At this point, we have our package.json and our .gitignore setup. You can see this update in this commit.

    Setting up the WordPress Environment

    Now that we’ve got the initial setup out of the way, let’s move on to getting the WordPress environment set up.

    The @wordpress/env package is awesome! It’s one, of many, packages that have been produced as part of the efforts to build the WordPress block editor (a.k.a. Gutenberg). It’s a great package, even if you’re not using the block editor for your projects. We’re going to use it here to quickly spin up a WordPress environment with our custom plugin active.

    Adding the wp-env script

    The command we want to run to start our WordPress environment, is npm run wp-env start, but we don’t have a script defined for this in our `package.json`.

    Let’s add the following script:

    ...
    "scripts": {
      "wp-env": "wp-env"
    }

    You can see the commit making this change here.

    Start the WordPress environment

    With this in place, we can now run the command: npm run wp-env start

    You should see output pretty similar to the following:

    > wp-graphql-e2e-tests-example@0.0.1 wp-env
    > wp-env "start"
    
    WordPress development site started at http://localhost:8888/
    WordPress test site started at http://localhost:8889/
    MySQL is listening on port 61812
    MySQL for automated testing is listening on port 61840
    

    Two WordPress environments are now running. You can click the links to open them in a browser.

    And just like that, you have a WordPress site up and running!

    Stopping the WordPress environment

    If you want to stop the environment, you can run npm run wp-env stop.

    This will generate output like the following:

    > wp-graphql-e2e-tests-example@0.0.1 wp-env
    > wp-env "stop"
    
    ✔ Stopped WordPress. (in 1s 987ms)

    And visiting the url in a browser will now 404, as there is no longer a WordPress site running on that port.

    Configuring wp-env

    At this point, we’re able to start a WordPress environment pretty quickly, but, if we want to be able to test functionality of our plugin, we’ll want the WordPress environment to start with our plugin active, so we can test it.

    We can do this by adding a .wp-env.json file to the root of our plugin, and configuring the environment to have our plugin active when the environment starts.

    Set our plugin to be active in WordPress

    At the root of the plugin, add a file named .wp-env.json with the following contents:

    {
      "plugins": [ "." ]
    }

    We can use this config file to tell WordPress which plugins and themes to have active by default, and we can configure WordPress in other ways as well.

    In this case, we’ve told WordPress we want the current directory to be activated as a plugin.

    You can see this change in this commit.

    Login and verify

    Now, if you start the environment again (by running npm run wp-env start), you can login to the WordPress dashboard to see the plugin is active.

    You can login at: http://localhost:8888/wp-admin using the credentials:

    • username: admin
    • password: password

    Then visit the plugins page at: http://localhost:8888/wp-admin/plugins.php

    You should see our plugin active:

    Screenshot of the Plugin page in the WordPress dashboard, showing our plugin active.

    Running tests

    Now that we’re able to get a WordPress site running with our plugin active, we’re ready to start testing!

    At this point, there are 2 more things we need to do before we can run some tests.

    • write some tests
    • define scripts to run the tests

    Writing our first test

    Since our plugin doesn’t have any functionality to test, we can write a simple test that just makes an assertion that we will know is always true, just so we can make sure our test suites are running as expected.

    Let’s add a new file under /tests/e2e/example.spec.js.

    The naming convention *.spec.js is the default naming convention for wp-scripts to be able to run the tests. We can override this pattern if needed, but we won’t be looking at overriding that in this post.

    Within that file, add the following:

    describe( 'example test', () => {
    
        it( 'works', () => {
            expect( true ).toBeTruthy()
        })
    
    })

    This code is using two global methods from Jest:

    • describe: Creates a block of related tests
    • it: A function used to run a test (this function is an alias of the “test” function)

    Adding scripts to run the tests

    In order to run the test we just wrote, we’ll need to add some test scripts to the package.json file.

    Right above where we added the wp-env script, paste the following scripts:

    "test": "echo \"Error: no test specified\" && exit 1",
    "test-e2e": "wp-scripts test-e2e",
    "test-e2e:debug": "wp-scripts --inspect-brk test-e2e --puppeteer-devtools",
    "test-e2e:watch": "npm run test-e2e -- --watch",

    These scripts work as follows:

    • npm run test: This will return an error that a specific test should be specified
    • npm run test-e2e: This will run any tests that live under the tests/e2e directory, within files named *.spec.js
    • npm run test-e2e:debug: This will run the e2e tests, but with Puppeteer devtools, which means a Chrome browser will open and we can watch the tests run. This is super handy, and a lot of fun to watch.
    • npm run test-e2e:watch: This will watch as files change and will re-run the tests automatically when changes are made.

    Run the tests

    Now that we have a basic test in place, and our scripts configured, let’s run the test command so we can see how it works.

    In your command line, run the command npm run test-e2e.

    This will run our test suite, and we should see output like the following:

    > wp-graphql-e2e-tests-example@0.0.1 test-e2e
    > wp-scripts test-e2e
    
    Chromium is already in /Users/jason.bahl/Sites/libs/wp-graphql-e2e-tests-example/node_modules/puppeteer-core/.local-chromium/mac-961656; skipping download.
     PASS  tests/e2e/example.spec.js
      example test
        ✓ works (2 ms)
    
    Test Suites: 1 passed, 1 total
    Tests:       1 passed, 1 total
    Snapshots:   0 total
    Time:        0.434 s, estimated 1 s
    Ran all test suites.

    Amazing! Our first test that checks if true is indeed truthy, worked! Great!

    Just to make sure things are working as expected, we can also add a test that we expect to fail.

    Under our first test, we can add:

      it ( 'fails', () => {
        expect( false ).toBeTruthy()
      })

    This test should fail.

    If we run the script again, we should see the following output:

    > wp-graphql-e2e-tests-example@0.0.1 test-e2e
    > wp-scripts test-e2e
    
    Chromium is already in /Users/jason.bahl/Sites/libs/wp-graphql-e2e-tests-example/node_modules/puppeteer-core/.local-chromium/mac-961656; skipping download.
     FAIL  tests/e2e/example.spec.js
      example test
        ✓ works (1 ms)
        ✕ fails (73 ms)
    
      ● example test › fails
    
        expect(received).toBeTruthy()
    
        Received: false
    
           6 |
           7 |     it ( 'fails', () => {
        >  8 |         expect( false ).toBeTruthy()
             |                         ^
           9 |     })
          10 |
          11 | })
    
          at Object. (tests/e2e/example.spec.js:8:25)
    
    Test Suites: 1 failed, 1 total
    Tests:       1 failed, 1 passed, 2 total
    Snapshots:   0 total
    Time:        0.519 s, estimated 1 s
    Ran all test suites.

    We can delete that 2nd test now that we’re sure the tests are running properly.

    You can see the state of the plugin at this commit.

    Testing that our plugin is active

    Right now, testing that true is truthy isn’t a very valuable test. It shows that the tests are running, but it’s not ensuring that our plugin is working properly.

    Since our plugin doesn’t have any functionality yet, we don’t have much to test.

    One thing we can do to get familiar with some of the test utilities, is testing that the plugin is active in the Admin.

    To do this we will need to:

    • Login to WordPress as an admin user
    • Visit the plugins page
    • Check to see if our plugin is active.
      • As a human, we can see a plugin is active because it’s highlighted different than inactive plugins. A machine (our tests) can see if a plugin is active by inspecting the HTML and seeing if the plugin has certain attributes.

    Writing the test

    In our example.spec.js file, we can add a new test. Go ahead and paste the following below the first test.

    it ( 'verifies the plugin is active', async () => {
      // Steps:
      // login as admin
      // visit the plugins page
      // assert that our plugin is active by checking the HTML
    });

    Right now, these steps are just comments to remind us what this test needs to do. Now, we need to tell the test to do these things.

    Login as Admin

    One of the dependencies we added in our package.json, was @wordpress/e2e-test-utils. This package has several helpful functions that we can use while writing e2e tests.

    One of the helpful functions is a loginUser function, that opens the login page of the WordPress site, enters a username and password, then clicks login.

    The loginUser function accepts a username and password as arguments, but if we don’t pass any arguments, the default behavior is to login as the admin user.

    In our /tests/e2e/example.spec.js file, let’s import the loginUser function at the top of the file:

    import { loginUser } from '@wordpress/e2e-test-utils'

    Then, let’s add this function to our test:

    it ( 'verifies the plugin is active', async () => {
    
      // login as admin
      await loginUser();
    
      // visit the plugins page
      // assert that our plugin is active by checking the HTML
    
    });

    Visit the Plugins Page

    Next, we want to visit the plugins page. And we can do this with another function from the @wordpress/e2e-test-utils package: visitAdminPage().

    Let’s import this function:

    import { loginUser, visitAdminPage } from '@wordpress/e2e-test-utils'

    And add it to our test:

    it ( 'verifies the plugin is active', async () => {
    
      // login as admin
      await loginUser();
    
      // visit the plugins page
      await visitAdminPage( 'plugins.php' );
    
      // assert that our plugin is active by checking the HTML
    
    });

    At this point, you should now be able to run the test suite in debug mode and watch the test script login to WordPress and visit the admin page.

    Run the command npm run test-e2e:debug.

    You should see the tests run, open Chrome, login as an admin that navigate away from the dashboard to the plugins page, then we should see the tests marked as passing in the terminal.

    Screen recording showing the test running in debug mode. The Chrome browser opens and logs into the admin then navigates to another page.

    NOTE: If you’re in PHP Storm or another JetBrains IDE, the debugger will kick in for you automatically. If you’re in VSCode, you might need to add a .vscode/launch.json file, like this.

    Asserting that the plugin is active

    Now that we’ve successfully logged into the admin and navigated to the Plugins page, we can now write our assertion that the plugin is active.

    If we wanted to inspect the HTML of the plugins page to see if the plugin is active, we could open up our browser dev tools and inspect the element. We would see that the row for our active plugin looks like so:

    <tr class="active" data-slug="wpgraphql-end-2-end-tests-example" data-plugin="wp-graphql-e2e-tests-example/wp-graphql-e2e-tests-example.php">

    We want to make an assertion that the plugins page contains a <tr> element, that has a class with the value of active, and a data-slug attribute with the value of wpgraphql-end-2-end-tests-example (or whatever your plugin name is).

    We can use XPath expressions for this.

    I’m not going to go deep into XPath here, but I will show you how to test this in your browser dev tools.

    You can open up the plugins page in your WordPress install (that you started from the npm run wp-env command). Then in the console, paste the following line:

    $x('//tr[contains(@class, "active") and contains(@data-slug, "wpgraphql-end-2-end-tests-example")]')

    You should see that it found exactly one element, as shown in the screenshot below.

    Screenshot of testing XPath in the Chrome browser dev tools.

    We can take this code that works in the browser dev tools, and convert it to use the page.$x method from Puppeteer.

    NOTE: the page object from Puppeteer is a global object in the test environment, so we don’t need to import it like we imported the other utils functions.

    // Select the plugin based on slug and active class
            const activePlugin = await page.$x('//tr[contains(@class, "active") and contains(@data-slug, "wpgraphql-end-2-end-tests-example")]');

    Then, we can use the (also global) expect method from jest, to make an assertion that the plugin is active:

    // assert that our plugin is active by checking the HTML
    expect( activePlugin?.length ).toBe( 1 );

    The full test should look like so:

      it ( 'verifies the plugin is active', async () => {
    
      // login as admin
      await loginUser();
    
      // visit the plugins page
      await visitAdminPage( 'plugins.php' );
    
      // Select the plugin based on slug and active class
      const activePlugin = await page.$x('//tr[contains(@class, "active") and contains(@data-slug, "wpgraphql-end-2-end-tests-example")]');
    
      // assert that our plugin is active by checking the HTML
      expect( activePlugin?.length ).toBe( 1 );
    
    });

    Running the test should pass. We can verify that the test is actually working and not providing a false pass, by changing the name of the slug in our expect statement. If we changed the slug to “non-existent-plugin” but still assert that there would be 1 active plugin with that slug, we would have a failing test!

    Continuous Integration

    Right now, we can run the tests on our own machine. And contributors could run the tests if they cloned the code to their machine.

    But, one thing that is nice to set up for tests like this, is to have the tests run when code changes. That will give us the confidence that new features and bugfixes don’t break old features and functionality.

    Setting up a GitHub Workflow

    We’re going to set up a GitHub Workflow (aka GitHub Action) that will run the tests when a Pull Request is opened against the repository, or when code is pushed directly to the master branch.

    To create a GitHub workflow, we can create a file at .github/workflows/e2e-tests.yml.

    Then, we can add the following:

    name: End-to-End Tests
    
    on:
      pull_request:
      push:
        branches:
          - master
    
    jobs:
      admin:
        name: E2E Tests
        runs-on: ubuntu-latest
        strategy:
          fail-fast: false
          matrix:
            node: ['14']
    
        steps:
          - uses: actions/checkout@5a4ac9002d0be2fb38bd78e4b4dbde5606d7042f # v2.3.4
    
          - name: Setup environment to use the desired version of NodeJS
            uses: actions/setup-node@38d90ce44d5275ad62cc48384b3d8a58c500bb5f # v2.2.2
            with:
              node-version: ${{ matrix.node }}
              cache: npm
    
          - name: Installing NPM dependencies
            run: |
              npm install
    
          - name: Starting the WordPress Environment
            run: |
              npm run wp-env start
    
          - name: Running the tests
            run: |
              npm run test-e2e

    If you’ve never setup a GitHub workflow, this might look intimidating, but if you slow down to read it carefully, it’s pretty self-descriptive.

    The file gives the Worfklow a name “End-to-End Tests”.

    name: End-to-End Tests

    Then, it configures what GitHub actions the Workflow should be triggered by. We configure it to run “on” the “pull_request” and the “push” actions, if the push is to the “master” branch.

    on:
      pull_request:
      push:
        branches:
          - master

    Then, we define what jobs to run and set up the environment to us ubuntu-latest and node 14.

    jobs:
      admin:
        name: E2E Tests
        runs-on: ubuntu-latest
        strategy:
          fail-fast: false
          matrix:
            node: ['14']

    Then, we define the steps for the job.

    The first step is to “checkout” the codebase.

    - uses: actions/checkout@5a4ac9002d0be2fb38bd78e4b4dbde5606d7042f # v2.3.4

    Then, we setup Node JS using the specified version.

          - name: Setup environment to use the desired version of NodeJS
            uses: actions/setup-node@38d90ce44d5275ad62cc48384b3d8a58c500bb5f # v2.2.2
            with:
              node-version: ${{ matrix.node }}
              cache: npm

    Then, we install our NPM dependencies.

          - name: Installing NPM dependencies
            run: |
              npm install

    Then, we start the WordPress environment.

          - name: Starting the WordPress Environment
            run: |
              npm run wp-env start

    And last, we run the tests.

          - name: Running the tests
            run: |
              npm run test-e2e

    And now, with this in place, our tests will run (and pass!) in GitHub!

    You can see the passing test run here.

    Conclusion

    I hope this post helps you understand how to use the @wordpress/scripts and @wordpress/env packages, Jest, Puppeteer, and GitHub actions to test your WordPress plugins and themes.

    If you’re interested in content like this, please subscribe to the WPGraphQL YouTube Channel and follow WPGraphQL on Twitter!

    If you’ve never tried using GraphQL with WordPress, be sure to install and activate WPGraphQL as well!

  • Query any page by its path using WPGraphQL

    One of the most common ways WordPress is used, is by users visiting a URL of a WordPress site and reading the content on the page.

    WordPress has internal mechanisms that take the url from the request, determine what type of entity the user is requesting (a page, a blog post, a taxonomy term archive, an author’s page, etc) and then returns a specific template for that type of content.

    This is a convention that users experience daily on the web, and something developers use to deliver unique experiences for their website users.

    When you go “headless” with WordPress, and use something other than WordPress’s native theme layer to display the content, it can be tricky to determine how to take a url provided by a user and convert that into content to show your users.

    In this post, we’ll take a look at a powerful feature of WPGraphQL, the nodeByUri query, which accepts a uri input (the path to the resource) and will return the node (the WordPress entity) in response.

    You can use this to re-create the same experience WordPress theme layer provides, by returning unique templates based on the type of content being requested.

    WPGraphQL’s “nodeByUri” query

    One of the benefits of GraphQL is that it can provide entry points into the “graph” that (using Interfaces or Unions) can return different Types of data from one field.

    WPGraphQL provides a field at the root of the graph named nodeByUri. This field accepts one argument as input, a $uri. And it returns a node, of any Type that has a uri. This means any public entity in WordPress, such as published authors, archive pages, posts of a public post type, terms of a public taxonomy, etc.

    When a URI is input, this field resolves to the “node” (post, page, etc) that is associated with the URI, much like entering the URI in a web browser would resolve to that piece of content.

    If you’ve not already used the “nodeByUri” query, it might be difficult to understand just reading about it, so let’s take a look at this in action.

    Here’s a video where I walk through it, and below are some highlights of what I show in the video.

    Video showing how to use the nodeByUri query in WPGraphQL

    Writing the query

    Let’s start by querying the homepage.

    First, we’ll write our query:

    query GetNodeByUri($uri: String!) {
      nodeByUri(uri: $uri) {
        __typename
      }
    }

    In this query, we’re doing a few things.

    First, we give our query a name “GetNodeByUri”. This name can be anything we want, but it can be helpful with tooling, so it’s best practice to give your queries good names.

    Next, we define our variable input to accept: $uri: String!. This tells GraphQL that there will be one input that we don’t know about up front, but we agree that we will submit the input as a string.

    Next, we declare what field we want to access in the graph: nodeByUri( uri: $uri ). We’re telling WPGraphQL that we want to give it a URI, and in response, we want a node back.

    The nodeByUri field is defined in the Schema to return the GraphQL Type UniformResourceIdentifiable, which is a GraphQL Interface implemented by any Type in the Graph that can be accessed via a public uri.

    Screenshot of the nodeByUri field shown in GraphiQL

    If we inspect the documentation in GraphiQL for this type, we can see all of the available Types that can be returned.

    Screenshot of the UniformResourceIdentifiable GraphQL Interface in GraphiQL.

    The Types that can be returned consist of public Post Types, Public Taxonomies, ContentType (archives), MediaItem, and User (published authors are public).

    So, we know that any uri (path) that we query, we know what we can ask for and what to expect in response.

    Execute the query

    Now that we have the query written, we can use GraphiQL to execute the query.

    GraphiQL has a “variables” pane that we will use to input our variables. In this case, the “uri” (or path) to the resource is our variable.

    First, we will enter “/” as our uri value so we can test querying the home page.

    Screenshot of the “uri” variable entered in the GraphiQL Variables pane.

    Now, we can execute our query by pressing the “Play” button in GraphiQL.

    And in response we should see the following response:

    {
      "data": {
        "nodeByUri": {
          "__typename": "ContentType"
        }
      }
    }
    Screenshot of the nodeByUri query for the “/” uri.

    Expanding the query

    We can see that when we query for the home page, we’re getting a “ContentType” node in response.

    We can expand the query to ask for more fields of the “ContentType”.

    If we look at the home page of https://demo.wpgraphql.com, we will see that it serves as the “blogroll” or the blog index. It’s a list of blog posts.

    This is why WPGraphQL returns a “ContentType” node from the Graph.

    We can write a fragment on this Type to ask for fields we want when the query returns a “ContentType” node.

    If we look at the documentation in GraphiQL for the ContentType type, we can see all the fields that we can ask for.

    Screenshot of the ContentType documentation in GraphiQL

    If our goal is to re-create the homepage we’re seeing in WordPress, then we certainly don’t need all the fields! We can specify exactly what we need.

    In this case, we want to ask for the following fields:

    • name: the name of the content type
    • isFrontPage: whether the contentType should be considered the front page
    • contentNodes (and sub-fields): a connection to the contentNodes on the page

    This should give us enough information to re-create what we’re seeing on the homepage.

    Let’s update our query to the following:

    query GetNodeByUri($uri: String!) {
      nodeByUri(uri: $uri) {
        __typename
        ... on ContentType {
          name
          uri
          isFrontPage
          contentNodes {
            nodes {
              __typename
              ... on Post {
                id
                title
              }
            }
          }
        }
      }
    }
    

    And then execute the query again.

    We now see the following results:

    {
      "data": {
        "nodeByUri": {
          "__typename": "ContentType",
          "name": "post",
          "uri": "/",
          "isFrontPage": true,
          "contentNodes": {
            "nodes": [
              {
                "__typename": "Post",
                "id": "cG9zdDoxMDMx",
                "title": "Tiled Gallery"
              },
              {
                "__typename": "Post",
                "id": "cG9zdDoxMDI3",
                "title": "Twitter Embeds"
              },
              {
                "__typename": "Post",
                "id": "cG9zdDoxMDE2",
                "title": "Featured Image (Vertical)…yo"
              },
              {
                "__typename": "Post",
                "id": "cG9zdDoxMDEx",
                "title": "Featured Image (Horizontal)…yo"
              },
              {
                "__typename": "Post",
                "id": "cG9zdDoxMDAw",
                "title": "Nested And Mixed Lists"
              },
              {
                "__typename": "Post",
                "id": "cG9zdDo5OTY=",
                "title": "More Tag"
              },
              {
                "__typename": "Post",
                "id": "cG9zdDo5OTM=",
                "title": "Excerpt"
              },
              {
                "__typename": "Post",
                "id": "cG9zdDo5MTk=",
                "title": "Markup And Formatting"
              },
              {
                "__typename": "Post",
                "id": "cG9zdDo5MDM=",
                "title": "Image Alignment"
              },
              {
                "__typename": "Post",
                "id": "cG9zdDo4OTU=",
                "title": "Text Alignment"
              }
            ]
          }
        }
      }
    }

    If we compare these results from our GraphQL Query, we can see that we’re starting to get data that matches the homepage that WordPress is rendering.

    Screenshot of the homepage

    There’s more information on each post, such as:

    • post author
      • name
      • avatar url
    • post date
    • post content
    • uri (to link to the post with)

    We can update our query once more with this additional information.

    query GetNodeByUri($uri: String!) {
      nodeByUri(uri: $uri) {
        __typename
        ... on ContentType {
          name
          uri
          isFrontPage
          contentNodes {
            nodes {
              __typename
              ... on Post {
                id
                title
                author {
                  node {
                    name
                    avatar {
                      url
                    }
                  }
                }
                date
                content
                uri
              }
            }
          }
        }
      }
    }

    Breaking into Fragments

    The query is now getting us all the information we need, but it’s starting to get a bit long.

    We can use a feature of GraphQL called Fragments to break this into smaller pieces.

    I’ve broken the query into several Fragments:

    query GetNodeByUri($uri: String!) {
      nodeByUri(uri: $uri) {
        __typename
        ...ContentType
      }
    }
    
    fragment ContentType on ContentType {
      name
      uri
      isFrontPage
      contentNodes {
        nodes {
          ...Post
        }
      }
    }
    
    fragment Post on Post {
      __typename
      id
      date
      uri
      content
      title
      ...Author
    }
    
    fragment Author on NodeWithAuthor {
      author {
        node {
          name
          avatar {
            url
          }
        }
      }
    }
    

    Fragments allow us to break the query into smaller pieces, and the fragments can ultimately be coupled with their components that need the data being asked for in the fragment.

    Here, I’ve created 3 named fragments:

    • ContentType
    • Post
    • Author

    And then we’ve reduced the nodeByUri field to only ask for 2 fields:

    • __typename
    • uri

    The primary responsibility of the nodeByUri field is to get the node and return it to us with the __typename of the node.

    The ContentType fragment is now responsible for declaring what is important if the node is of the ContentType type.

    The responsibility of this Fragment is to get some details about the type, then get the content nodes (posts) associated with it. It’s not concerned with the details of the post, though, so that becomes another fragment.

    The Post fragment defines the fields needed to render each post, then uses one last Author fragment to get the details of the post author.

    We can execute this query, and get all the data we need to re-create the homepage!! (sidebar widgets not included)

    Querying a Page

    Now, we can expand our query to account for different types.

    If we enter the /about path into our “uri” variable, and execute the same query, we will get this payload:

    {
      "data": {
        "nodeByUri": {
          "__typename": "Page"
        }
      }
    }
    Screenshot of initial query for the “/about” uri

    We’re only getting the __typename field in response, because we’ve told GraphQL to only return data ...on ContentType and since the node was not of the ContentType type, we’re not getting any data.

    Writing the fragment

    So now, we can write a fragment to ask for the specific information we need if the type is a Page.

    fragment Page on Page {
      title
      content
      commentCount
      comments {
        nodes {
          id
          content
          date
          author {
            node {
              id
              name
              ... on User {
                avatar {
                  url
                }
              }
            }
          }
        }
      }
    }

    And we can work that into the `nodeByUri` query like so:

    query GetNodeByUri($uri: String!) {
      nodeByUri(uri: $uri) {
        __typename
        ...ContentType
        ...Page
      }
    }

    So our full query document becomes (and we could break the comments of the page into fragments as well, too):

    query GetNodeByUri($uri: String!) {
      nodeByUri(uri: $uri) {
        __typename
        ...ContentType
        ...Page
      }
    }
    
    fragment Page on Page {
      title
      content
      commentCount
      comments {
        nodes {
          id
          content
          date
          author {
            node {
              id
              name
              ... on User {
                avatar {
                  url
                }
              }
            }
          }
        }
      }
    }
    
    fragment ContentType on ContentType {
      name
      uri
      isFrontPage
      contentNodes {
        nodes {
          ...Post
        }
      }
    }
    
    fragment Post on Post {
      __typename
      id
      date
      uri
      content
      title
      ...Author
    }
    
    fragment Author on NodeWithAuthor {
      author {
        node {
          name
          avatar {
            url
          }
        }
      }
    }
    

    And when we execute the query for the “/about” page now, we are getting enough information again, to reproduce the page that WordPress renders:

    {
      "data": {
        "nodeByUri": {
          "__typename": "Page",
          "title": "About",
          "content": "

    WP Test is a fantastically exhaustive set of test data to measure the integrity of your plugins and themes.

    \n

    The foundation of these tests are derived from WordPress’ Theme Unit Test Codex data. It’s paired with lessons learned from over three years of theme and plugin support, and baffling corner cases, to create a potent cocktail of simulated, quirky user content.

    \n

    The word “comprehensive” was purposely left off this description. It’s not. There will always be something new squarely scenario to test. That’s where you come in. Let us know of a test we’re not covering. We’d love to squash it.

    \n

    Let’s make WordPress testing easier and resilient together.

    \n", "commentCount": 1, "comments": { "nodes": [ { "id": "Y29tbWVudDo1NjUy", "content": "

    Test comment

    \n", "date": "2021-12-22 12:07:54", "author": { "node": { "id": "dXNlcjoy", "name": "wpgraphqldemo", "avatar": { "url": "https://secure.gravatar.com/avatar/94bf4ea789246f76c48bcf8509bcf01e?s=96&d=mm&r=g" } } } } ] } } } }

    Querying a Category Archive

    We’ve looked at querying the home page and a regular page, so now let’s look at querying a category archive page.

    If we navigate to https://demo.wpgraphql.com/category/alignment/, we’ll see that it’s the archive page for the “Alignment” category. It displays posts of the category.

    Screenshot of the Alignment category page rendered by WordPress

    If we add “/category/alignment” as our variable input to the query, we’ll now get the following response:

    {
      "data": {
        "nodeByUri": {
          "__typename": "Category"
        }
      }
    }
    Screenshot of querying the “alignment” category in GraphiQL

    So now we can write our fragment for what data we want returned when the response type is “Category”:

    Looking at the template we want to re-create, we know we need to ask for:

    • Category Name
    • Category Description
    • Posts of that category
      • title
      • content
      • author
        • name
        • avatar url
      • categories
        • name
        • uri

    So we can write a fragment like so:

    fragment Category on Category {
      name
      description
      posts {
        nodes {
          id
          title
          content
          author {
            node {
              name
              avatar {
                url
              }
            }
          }
          categories {
            nodes {
              name
              uri
            }
          }
        }
      }
    }

    And now our full query document looks like so:

    query GetNodeByUri($uri: String!) {
      nodeByUri(uri: $uri) {
        __typename
        ...ContentType
        ...Page
        ...Category
      }
    }
    
    fragment Category on Category {
      name
      description
      posts {
        nodes {
          id
          title
          content
          author {
            node {
              name
              avatar {
                url
              }
            }
          }
          categories {
            nodes {
              name
              uri
            }
          }
        }
      }
    }
    
    fragment Page on Page {
      title
      content
      commentCount
      comments {
        nodes {
          id
          content
          date
          author {
            node {
              id
              name
              ... on User {
                avatar {
                  url
                }
              }
            }
          }
        }
      }
    }
    
    fragment ContentType on ContentType {
      name
      uri
      isFrontPage
      contentNodes {
        nodes {
          ...Post
        }
      }
    }
    
    fragment Post on Post {
      __typename
      id
      date
      uri
      content
      title
      ...Author
    }
    
    fragment Author on NodeWithAuthor {
      author {
        node {
          name
          avatar {
            url
          }
        }
      }
    }

    And when I execute the query for the category, I get all the data I need to create the category archive page.

    Amazing!

    Any Type that can be returned by the nodeByUri field can be turned into a fragment, which can then be coupled with the Component that will render the data.

  • Building a Bookstore using WordPress, WPGraphQL and Atlas Content Modeler

    In this post, we’ll look at how we can create a simple Book Store using WordPress, WPGraphQL and Atlas Content Modeler, a new plugin from WP Engine that allows Custom Post Types, Custom Taxonomies and Custom Fields to be created in the WordPress dashboard and allows the data to be accessed from WPGraphQL.

    By the end of this tutorial, you should be able to manage a list of Books, each with a Title, Price and Description field and a connection to an Author.

    Then, you should be able to query the data using the GraphiQL IDE in the WordPress dashboard provided by WPGraphQL.

    Pre-requisites

    In order to follow this tutorial, you will need a WordPress install with WPGraphQL and Atlas Content Modeler installed and activated. This tutorial will not cover setting up the environment, so refer to each project’s installation instructions to get set up.

    The WordPress environment I’m using has only 2 plugins installed and activated:

    • WPGraphQL v 1.6.3
    • Atlas Content Modeler v 0.5.0
    Screenshot of the WordPress dashboard’s plugin page showing WPGraphQL and Atlas Content Modeler activated

    Creating a Book Model with Atlas Content Modeler

    Since the goal is to have a Book Store, we’re going to want to get a new Book model (custom post type) set up using Atlas Content Modeler.

    If Atlas Content Modeler has not yet been used in the WordPress install, clicking the "Content Modeler" Menu item in the Dashboard menu will open a “Getting Started” page, where we can create a new Content Model.

    Screenshot of the Atlas Content Modeler getting started page

    After clicking the “Get Started” button, and I’m presented with a form to create a new Content Model.

    Screenshot of the “New Content Model” form in Atlas Content Modeler

    There are 6 fields to fill in to create a new model, and I used the following values:

    • Singular Name: Book
    • Plural Name: Books
    • Model ID: book
    • API Visibility: Public
    • Model Icon: I searched for a book and selected it
    • Description: A collection of books
    Screenshot of the ACM “New Content Model” form filled in

    Clicking “Create” will add the “Book” Content Model to WordPress.

    We’ll see the “Books” Type show in the Admin Menu:

    And we’ll be presented with a new form where we can start adding Fields to the “Book” Content Model.

    For books in our bookstore, we’ll want the following fields:

    • Title (text)
    • Price (number)
    • Description (rich text)

    We can add these fields by selecting the field type we want to add, then filling in the details:

    Add the Title field

    To add the Title field, I selected the “Text” field type, and filled in the form:

    • Field Type: Text
    • Name: Title
    • API Identifier: title
    • Make this field required: checked
    • Use this field as Entry Title: checked
    • Input Type: Single Line
    Screenshot of adding the “Title” field to the Book Content Model

    After clicking create, I’m taken back to the Model screen where I can add more fields:

    Add the Price field

    Clicking the “plus” icon below the title field allows me to add a new field.

    For the Price field I configured as follows:

    • Field Type: Number
    • Name: Price
    • API Identifier: price
    • Required: checked
    • Number Type: decimal

    Add the Description field

    Next, we’ll add a Description field.

    Following the same steps above, we’ll click the Plus icon and add a new field configured like so:

    • Field Type: Rich Text
    • Name: Description
    • API Identifier: description
    Screenshot of the “Description” field being added by ACM

    Adding Books to our Bookstore

    Now that we’ve created a “Books” content model, we can begin adding Books to our bookstore.

    We can click “Books > Add New” from the Admin menu in our WordPress dashboard, and we’ll be taken to a screen to add a new book.

    The fields we created are ready to be filled in.

    You can fill in whatever values you like, but I’ve filled in mine as:

    • Title: Atlas Content Modeler Rocks!
    • Price: 0.00
    • Description: A priceless book about building content models in WordPress.
    Screenshot of a Book content being populated

    Book Authors

    Before we get too far adding more books, we probably want to add support for adding an “Author” to each book.

    While we could add a Text field named Author to the Book Model, that could lead to mistakes. Each book would have to type the Author over and over, and if the Author’s name changed, each book would have to be updated, etc.

    It would be better to add the Author as it’s own entity, and create connections between the Author and the Book(s) that the Author has written.

    Adding the Author Taxonomy

    In order to connect Authors to Books, we’re going to use Atlas Content Modeler to create an Author Taxonomy.

    In the WordPress Admin menu, we can click “Content Modeler > Taxonomies” and we’ll be greeted by a form to fill out to add a new Taxonomy.

    We’ll fill out the following values:

    • Singular Name: Author
    • Plural Name: Authors
    • Taxonomy ID: author
    • Models: Books
    • Hierarchical: unchecked (not-hierarchical as authors should not have parent/child authors)
    • API Visibility: Public

    Once created, we’ll see the Author Taxonomy is now associated with the “book” model.

    And we can also see this relationship in the Admin Menu:

    And in the “Books” list view, we can also see the “Authors” listed for each book.

    Adding an Author

    Of course, we don’t have any Authors yet.

    Let’s add an Author to our new Author Taxonomy.

    In the Admin Menu we can click “Books > Authors” and add a new Author.

    I’ll give our author the name “Peter Parker” simply because my son is watching Spiderman as I type this ????‍♂️.

    And I added this description as Peter’s bio:

    Peter Parker is an author of books about Atlas Content Modeler, and also a member of the Avengers.

    Assign an Author to our Book

    Now that we have Peter Parker added as an Author, we can assign Peter as the author of our book.

    If we navigate back to “Books > All Books” and click “Edit” on the book we created, we’ll now see an “Authors” panel where we can make the connection from our Book to Peter Parker, the author.

    If we add Peter Parker as the author, then click “Update” on the book, then navigate back to “Books > All Books” we can now see Peter listed as the author of the book.

    Adding more Books

    Now that we have our Book Model and Author Taxonomy all set up, let’s add a few more Books and Authors. Feel free to input whatever content you like.


    I added one more Author: “Tony Stark”:



    And 3 more books:

    • Marvel’s Guide to Headless WordPress
    • WordPress, a Super CMS
    • WPGraphQL: The Super Powered API you’ve been waiting for

    Querying the Books with WPGraphQL

    Now that we’ve created our Book Content Model and Author Taxonomy with Atlas Content Modeler, and populated some data, it’s now time to look at how we can interact with this data using WPGraphQL.

    In the WordPress Admin, we’ll navigate to “GraphQL > GraphiQL IDE” and start exploring the GraphQL Schema.

    Exploring the GraphQL Schema

    In the top right, is a “Docs” button. Clicking this opens the GraphQL Schema documentation.

    We can search “book” and see how our Book content model shows in the Schema in various ways.

    Additionally, we can click the “Explorer” button to open up a panel on the left side which we can use to compose queries.

    Using the “Explorer” we can find the “books” field, and start building a query:

    We can also start typing in the Query pane, and get type-ahead hints to help us compose our query:

    The final query I ended up with was:

    query GetBooks {
      books {
        nodes {
          databaseId
          id
          price
          title
          description
          authors {
            nodes {
              name
            }
          }
        }
      }
    }

    And the data that was returned was:

    {
      "data": {
        "books": {
          "nodes": 
            {
              "databaseId": 9,
              "id": "cG9zdDo5",
              "price": 25.99,
              "title": "WPGraphQL: The Super Powered API you've been waiting for",
              "description": "Learn how to use WordPress data in new ways, using GraphQL!",
              "authors": {
                "nodes":
                  {
                    "name": "Tony Stark"
                  }
                ]
              }
            },
            {
              "databaseId": 8,
              "id": "cG9zdDo4",
              "price": 12.99,
              "title": "WordPress, a Super CMS",
              "description": "Learn all the super powers of the world's most popular CMS.",
              "authors": {
                "nodes":
                  {
                    "name": "Peter Parker"
                  }
                ]
              }
            },
            {
              "databaseId": 7,
              "id": "cG9zdDo3",
              "price": 9.99,
              "title": "Marvel's Guide to Headless WordPress",
              "description": "How to develop headless WordPress sites like a Superhero.",
              "authors": {
                "nodes": 
                  {
                    "name": "Tony Stark"
                  }
                ]
              }
            },
            {
              "databaseId": 5,
              "id": "cG9zdDo1",
              "price": 0,
              "title": "Atlas Content Modeler Rocks!",
              "description": "A priceless book about building content models in WordPress.",
              "authors": {
                "nodes":
                  {
                    "name": "Peter Parker"
                  }
                ]
              }
            }
          ]
        }
      }
    }

    Conclusion

    We’ve just explored how to build a basic Bookstore using WordPress, WPGraphQL and Atlas Content Modeler.

    Without writing a line of code, we’ve added a Book model with an Author Taxonomy, and populated our bookstore with Books and Authors and created relationships between them.

    Then, we used WPGraphQL to query data in the GraphiQL IDE.

    Now that you can access the data via GraphQL, it’s up to you to build something with your favorite front-end technology. Whether you prefer React with Gatsby or NextJS, or Vue, or something else, the data in WordPress is now free for you to use as you please!

  • Getting started with WPGraphQL and Gridsome

    This is a guest post by @nicolaisimonsen

    Gridsome is a Vue.js framework for building static generated sites/apps. It’s performant, powerful, yet simple and really faaaaast. Gridsome can pull in data from all sorts of data-sources like CMSs, APIs, Markdown etc. It has a lot of features. Go check ’em out.

    Since GraphQL is so efficient and great to work with it makes sense to fetch our WordPress data in that manner. That’s obviously where WPGraphQL comes into the picture and I think it’s a match made in heaven. ????

    If you’re up for it, below is a quick-start tutorial that will guide you through building your first WPGraphQL-Gridsome app.

    I know I’m stoked about it!

    What we will be building

    We’ll go ahead and build a small personal site in Gridsome. Basically just a blog. The blog posts will be fetched from WordPress via WPGraphQL.

    This project is very minimal, lightweight and this project alone might not blow your socks off, but it’s foundational and a great start to get into headless WordPress with Gridsome.

    Setup a WordPress install

    First off is to install WordPress.

    I highly recommend Local for setting up WordPress locally. It handles everything from server setup and configuration to installing WordPress.

    You can also use MAMP/WAMP/LAMP or however else you like to do it. It’s all good.

    With WordPress spun up and ready to go, we want to install and activate our one and only plugin. WPGraphQL.

    Now go to WPGraphQL > Settings and tick “Enable Public Introspection“.

    That’s it. We are now cooking with GraphQL ????????????

    Included with WPGraphQL is the IDE tool which is awesome for building/testing out queries directly in WordPress.
    It might be a good idea to play around in here for a few minutes before we move along.

    Aaaaaaand we’re back. Last thing we need to do is just to add a new post. Add a title, add some content and press publish.

    Great. You’re golden. Onwards to some coding!

    Gridsome? Let’s go!

    I’m including a WPGraphQL-Gridsome starter (well, actually two).

    I highly recommend cloning the stripped version – this will only include styles and html, so we can hit the ground running.

    However, you can also just start from scratch.

    Either way I got you.

    If you just want the full code, that’s completely fine too.


    Let’s go ahead an open our terminal/console.

    The very first thing is to install the Gridsome CLI

    npm install --global @gridsome/cli

    Navigate to your desired project folder and type in

    gridsome create my-personal-site https://github.com/nicolaisimonsen/wpgraphql-gridsome-starter-stripped.git

    or if you’re starting from scratch

    gridsome create my-personal-site

    Now move into the project directory – then start the local develoment

    cd my-personal-site
    gridsome develop

    In our code editor we should have the following:

    We’re now exactly where we want to be. From here we need to pull in WPGraphQL to Gridsome as our data-source. For that we’ll be using this gridsome source plugin. Go ahead and install it.

    npm install gridsome-source-graphql

    The source plugin needs to be configured.
    Open up gridsome.config.js and provide the following object for the plugins array.

    //gridsome.config.js
    module.exports = {
    //
      plugins: [
        {
          use: 'gridsome-source-graphql',
          options: {
            url: 'http://{your-site}/graphql',
            typeName: 'WPGraphQL',
            fieldName: 'wpgraphql',
          },
        },
      ],
    //
    }

    Remember the options.url is the site url + graphql endpoint.
    (Can be found in WordPress under WPGraphQL > Settings > GraphQL endpoint)

    For every change to gridsome.config.js or gridsome.server.js, we need to restart the app. You can type ctrl + c to exit the gridsome develop process and run gridsome develop again to restart.

    Now you can test the new GraphQL data-source in Gridsome Playground/IDE – located at http://localhost:8080/___graphql
    Write out the following query and hit the execute button (▶︎):

    query {
      posts {
        edges {
          node {
            id
            uri
          }
        }
      }
    }

    There you have it. On the right side you should see your posts data.

    That data could prove to be mighty useful, huh?

    We’ll start setting up a Gridsome template for our posts.

    Within the “src” folder there’s a folder called “templates”.

    A template is used to create a single page/route in a given collection (think posts). Go to/create a file within “templates” folder called Post.vue.

    /src/templates/Post.vue

    In order to query the data from the GraphQL data layer into our templates we can use the following blocks;

    <page-query> for pages/templates, requires id.
    <static-query> for components.

    In the Post.vue template we are fetching a specific post (by id – more on that later), so we’ll write the following <page-query> in between the <template> and <script> blocks:

    Also – change console.log(this) to console.log(this.$page).

    Important – we’ve only laid the groundwork for our template. It won’t actually fetch the data yet, since the route/page and id (dynamically) haven’t been created. The step needed is the Pages API and that’s where we are heading right now.

    Open up gridsome.server.js and provide the following.
    (Remember to restart afterwards)

    // gridsome.server.js
    module.exports = function(api) {
      api.loadSource(({ addCollection }) => {
        // Use the Data Store API here: https://gridsome.org/docs/data-store-api/
      });
    
      api.createPages(async ({ graphql, createPage }) => {
        const { data } = await graphql(`
          
            query {
              posts {
                edges {
                  node {
                    id
                    uri
                  }
                }
              }
            }
          
        `);
    
        data.posts.edges.forEach(({ node, id }) => {
          createPage({
            path: `${node.uri}`,
            component: "./src/templates/Post.vue",
            context: {
              id: node.id,
            },
          });
        });
      });
    };

    Remember the Gridsome Playground query?

    Basically the api.createPages hook goes into the data layer fetched from WPGraphQL and queries the posts (the exact query we ran in Playground) and then loops through the collection to create single page/routes. We’ll provide a path/url for the route, a component which is the Post.vue template and lastly and context.id of the post/node id.

    Magic happened when running “gridsome develop” and now we have routes (got routes?). These can be found in src/.temp/routes.js.

    Try accessing the very first Post route in the browser – localhost:8080/{path} and open up the inspection tool to get the console.

    Because of the console.log(this.$page) in the mounted() hook of our Post.vue – the post data from WordPress is now being written out in the console.

    With this specific data now being available we just need to bind it to the actual template, so we can finally get the HTML and post displayed. Replace the current <article> block with the following:

    Refresh the page.

    Well, ain’t that a sight for sore eyes. Our blog posts are finally up.

    Even though we’re not quite done yet this is awesome. Good job!

    Now. We have posts and that’s really great for a blog, but our visitors might need a way to navigate to these.
    Let’s set up a page called “blog” to list all of our blog posts.

    There’s a folder with “src” called “pages” and this is a great way to setup single pages/routes non-programmatically.
    Basically we just put a file with the .vue extension in there and we now have a singe page for that particular route and only that route. Even if we did set up a Page.vue template within “templates”, the Blog.vue file in the “pages” folder would still supercede. Sweet!

    But why would you do that? Well, simple and fast is not always a sin. We also really don’t need to maintain a page in WordPress that only list out blog posts and the content is not really changing. However, just know that we could create a Page.vue template if we choose to, and obviously it would include our blog page.

    In our new Blog.vue file in “pages” folder insert this <static-query>
    in between the <template> and <script> blocks:

    So we want to fetch all the posts to display on our blog page and that’s why we’re writing a static query. There’s no page template/Wordpress data for this page and so even if we wrote out a <page-query> (like in Post.vue) it would return null. nothing. nada. nichego.
    Change the console.log(this) to console.log(this.$static) and open up our blog page in the browser. Also open the inspection tool and look at the console.

    Awesome. Our static-query ($static) has returned an object with an array of 2 posts. We now have the data, so let’s display it on the page.

    Replace the <script> block with the following:

    This adds a getDate function that we will be using in our Template.

    Now, replace the <template> block with the following:

    Voila! Go check out the page in the browser.

    We are now displaying our posts or rather an excerpt of these with a button to take us to the actual post. That’s wild! Again, good job.

    That pretty much concludes the tutorial. You’ve created a personal site with a blog in Gridsome using WordPress & WPGraphQL.

    Build. Deployment. Live.

    The last thing to this build is to actually use the command ‘build’.

    Go to the terminal/console and execute:

    gridsome build

    Gridsome is now generating static files and upon completion you’ll find the newly created “dist” folder and all of the files and assets.

    That’s the site and all of the data from WordPress in a folder that you can actually just drop onto a FTP server and you have a live site.

    However a more dynamic and modern way of doing static deployment is to use a static web host and build from a git repository.

    There’s lots of hosts out there. I absolutely love and recommend Netlify, but others include Vercel, Amplify, Surge.sh.

    The links above should take you to some guides of how exactly to deploy using their services.

    It would also be pretty cool if we could trigger a build whenever a post is created/updated/deleted in WordPress. Otherwise we could have to manually build from time to time retrieve the latest data from WordPress. Luckily plugins like JAMstack Deployments help us in that regard. It takes in a build hook url from a static web host and hits that each time WordPress does its operations. I would suggest you to try it out.

    I won’t go into deployment in further details, but just wanted to let you in on some of the options for deploying a static site. I’m quite sure can take it from here.

    Where to go from here?

    Obviously deployment – taking this site live should be one of the next steps, but we might also want to enhance the project.
    I’ve listed some possible improvements, which could also just serve as great practice ↓

    Further improvements might be; 

    * A word about extensions – WPGraphQL can be extended to integrate with other WordPress plugins.
    Advanced Custom Fields is a great plugin used by so many to enrich the content and structure of a WordPress site. There’s an WPGraphQL extension for it (and other great plugins too) and these are maintained by some awesome community contributors. Gridsome also has a badass community and a lot of plugins to get you started.

    It’s almost too good to be true ????

    Wrap it up already

    So that’s basically it. Thanks for reading and coding along.

    I definitely encourage you to go further read the documentation on both Gridsome and WPGraphQL. It’s very well written and has examples that will help you no matter what you might build.

    Lastly, if you need to get in touch I’ll try to help you out the best I can.
    Very lastly, if this was of any use to you, or maybe you just hated it – go ahead and let me know.

    @nicolaisimonsen

  • Setting up a new developer environment to contribute to WPGraphQL..

    I just announced that I am now employed by WP Engine to work on WPGraphQL.

    With new employment comes a new Macbook, which I need to setup as a dev machine to continue working on WPGraphQL.

    It’s always a tedious process to get a new computer setup to be an effective developer, so I thought I’d record all the steps I take, as I take them, and hopefully provide some help to others.

    Local WordPress Environment

    One of the first things I need to do to work on WPGraphQL, is have a local WordPress environment.

    For the past 3 years or so, my preferred ways to setup WordPress locally is to use Local, a desktop application that makes it easy to setup WordPress sites with a few button clicks.

    I enjoy Local so much, I even picked it as my “Sick Pick” on the Syntax.fm episode about WordPress and GraphQL!

    When working locally, I usually have a number of different WordPress sites with different environments. For example, I have a site that I use locally to test WPGraphQL with WPGraphQL for Advanced Custom Fields, and another environment where I test things with WPGraphQL and WPGraphQL for WooCommerce. Having different sites allows me to separate concerns and test different situations in isolation.

    However, the constant is WPGraphQL. I want to be able to use the same version of WPGraphQL, that I’m actively making changes to, in both environments.

    This is where symlinking comes in.

    In the command line, I navigate to my local site’s plugins directory. For me, it’s at /Users/jason.bahl/Local Sites/wpgraphql/app/public/wp-content/plugins

    Then, with the following command, I symlink WPGraphQL to the Local WordPress site: ln -s /Users/jason.bahl/Sites/libs/wp-graphql

    This allows me to keep WPGraphQL cloned in one directory on my machine, but use it as an active plugin on many Local WordPress sites. As I create more sites using Local, I follow this same step, and repeat for additional plugins, such as WPGatsby or WPGraphQL for Advanced Custom Fields.

    XDebug for PHPStorm Extension

    PHPStorm is my IDE of choice, and Local provides an extension that makes it easy to get PHPStorm configured to work with XDebug. I recommend this extension if you use Local and PHPStorm.

    TablePlus Extension

    I used to use SequelPro, but have been transitioning to use TablePlus, and Local has a community extension that opens Local databases in TablePlus.

    PHPStorm

    For as long as I’ve been working on WPGraphQL, PHPStorm has been my IDE of choice. I won’t get into the weeds, and you are free to use other IDEs / Code Editors, but I find that PHPStorm makes my day to day work easier.

    Pro tip: To save time configuring the IDE, export the settings from from PHPStorm on your old machine and import them on your new machine.

    SourceTree

    SourceTree is a free GUI tool for working with code versioned with Git. While Git is often used in the command line, sometimes I like to click buttons instead of write commands to accomplish tasks. I also find it super helpful to visualize Git trees to see the status of various branches, etc. I find the code diffs easier to read in SourceTree than in the command line too, although I like Github’s UI for code diffs the best.

    In any case, I use SourceTree daily. I think it’s fantastic, and you can’t beat the price!

    Note: If you try using SourceTree before using Git in the command line, it might fail. This is because you need to add github.com (or whatever git host you use) to your ssh known hosts. You can read more about this here.

    MySQL

    Local sets up MySQL for each site, but for running Codeception tests for WPGraphQL, I like to have a general MySQL install unassociated with any specific Local site that I can configure for Codeception to use.

    I download and install MySQL v5.7.26 for macOS here.

    I then ensured that I updated my .zshrc file to include this export, as described here, to ensure the mysqld command will work.

    TablePlus

    I used to use SequelPro, but it’s been deprecated, so I’ve begun using TablePlus. You can download it here.

    Docker Desktop

    WPGraphQL ships with a Docker environment that developers can spin up locally, and the tests also have a Docker environment so they can be run in isolation.

    In order to spin up the local Docker environment or run tests with Docker, Docker Desktop needs to be installed and logged into.

    Homebrew

    Homebrew is a package manager for MacOS (or Linux). It makes it easy to install packages that are useful for development on a Mac.

    I used Homebrew to install the below packages.

    Command Line Tools for XCode

    This is something I seem to forget almost any time I setup a new Mac. When trying to install things from the command line, I’m always prompted to install Command Line Tools for Xcode and agree to their licensing. For me, as I was installing Homebrew, I was prompted to Download and Install this. If you want to install it separately, follow these instructions.

    Git

    Since WPGraphQL is maintained on Github, Git is essential to my daily work.

    With Homebrew installed, I use it to install Git, which is a free and open source distributed version control system designed to handle everything from small to very large projects with speed and efficiency.

    Having git installed locally allows me to clone repositories from Github to my local machine, make commits to code, and push code back up to Github.

    In order to use Git with 2-Factor Authentication enabled, I also had to get SSH keys setup for Github.

    Composer

    Composer is a PHP package manager. WPGraphQL uses Composer for test dependencies, so it’s important to have Composer installed in order to run tests. I used the command brew install composer to install Composer.

    Note: I also had to make sure I was running a version of PHP that the zip module, so I followed these steps to get that working.

    Node & NVM

    Since I do a lot of work with JavaScript applications, such as Gatsby and the WP Engine Headless Framework, having Node installed locally is a must, and having nvm (Node Version Manager) to allow switching Node versions quickly is very helpful.

    I followed this guide to get Node and NVM installed using Homebrew.

    Time to contribute!

    Now that I have my local environment setup and all my regular tools, I’m ready to contribute to WPGraphQL again!

  • Allowing WPGraphQL to show unpublished authors in User Queries

    Objective

    The goal of this article is to make a non-authenticated GraphQL query for a User with no published content and to get the User returned in the response.

    Like the following:

    {
      users(where:{login:"UnpublishedAuthor"}) {
        nodes {
          id
          name
        }
      }
    }
    Screenshot of a Query for an unpublished author and the results showing the Unpublished Author data.

    NOTE: To test these queries you will want to use a GraphQL client that is not Authenticated, such as GraphQL Playground or Altair. WPGraphiQL, the GraphiQL IDE built-in to WPGraphQL in the WordPress dashboard currently executes GraphQL queries as your authenticated user.

    The Problem

    WPGraphQL respects WordPress core access control rights. Meaning that data which is exposed publicly by WordPress core is exposed publicly in WPGraphQL, but data that is exposed only in the WordPress Dashboard is restricted by WPGraphQL to GraphQL requests made by authenticated users with proper capabilities to see the data.

    In WordPress, users that have not published content are not public entities and WPGraphQL respects this.

    This means by default, the same query as above would return empty results, because the “UnpublishedAuthor” user is not allowed to be seen by a public, non-authenticated GraphQL request.

    Screenshot of a GraphQL Query or a user filtered by user login, showing no results.

    In some cases, you might decide you want to show Users that don’t have published content in the results of your WPGraphQL Queries.

    The Solution

    The below snippets should help accomplish this.

    Adjust the underlying WP_User_Query

    When using WPGraphQL to query a connection (a list) of users, WPGraphQL sets an argument of 'has_published_posts' => true for the underlying WP_User_Query, meaning that the SQL query for a list of users will reduce the results to users that have published posts.

    To adjust this, we can use the `graphql_connection_query_args` like so:

    add_filter( 'graphql_connection_query_args', function( $query_args, $connection_resolver ) {
    
      if ( $connection_resolver instanceof \WPGraphQL\Data\Connection\UserConnectionResolver ) {
        unset( $query_args['has_published_posts'] );
      }
    
      return $query_args;
    
    }, 10, 2 );

    Filter the User Model to make all Users public

    WPGraphQL has a Model Layer that centralizes the logic to determine if any given object, or fields of the object, should be allowed to be seen by the user requesting data.

    The User Model prevents unpublished users from being seen by non-authenticated WPGraphQL requests.

    To lift this restriction, we can use the following filter:

    add_filter( 'graphql_object_visibility', function( $visibility, $model_name, $data, $owner, $current_user ) {
    
      // only apply our adjustments to the UserObject Model
      if ( 'UserObject' === $model_name ) {
        $visibility = 'public';
      }
    
      return $visibility;
    
    }, 10, 5 );

    Testing our Changes

    Now that we’ve adjusted WPGraphQL to show all users to public GraphQL requests, we can use GraphiQL to test.

    For the sake of testing, I created a new User with the name of “Unpublished Author” and will make a GraphQL Query for users, like so:

    {
      users {
        nodes {
          id
          name
        }
      }
    }

    And with the above snippets in place, I’m now able to see the UnpublishedAuthor in my GraphQL query results.

    Screenshot of a Query for an unpublished author and the results showing the Unpublished Author data.
  • Query posts based on Advanced Custom Field values by Registering a Custom “where” Argument

    If you manage custom fields in WordPress using Advanced Custom Fields, and you want to use WPGraphQL to get a list of posts filtering by the ACF field value, you’ll need to implement a few things in your themes functions.php.

    Summary:

    • Register a new “where” argument to the WPGraphQL Posts connection
    • Filter the Posts connection resolver to account for this new argument

    Register the new “where” argument:

    First you need to create a add_action on graphql_register_types that will look something like the following code snippet. Here we register a field on the RootQueryToMyCustomPostTypeConnectionWhereArgs where you can define MyCustomPostType as your post type. The type we register will be an ID (This can also be of type Boolean, Float, Integer, orString) for my case I wanted to get only posts that where connected to an other post via the ACF post object field (the field was set to return only the Post ID).

    Filter the connection resolver

    add_action('graphql_register_types', function () {
    
        $customposttype_graphql_single_name = "MyCustomPostType";
    
        register_graphql_field('RootQueryTo' . $customposttype_graphql_single_name . 'ConnectionWhereArgs', 'postObjectId', [
            'type' => 'Int',
            'description' => __('The databaseId of the post object to filter by', 'your-textdomain'),
        ]);
    });

    Next we have to create an add_filter to graphql_post_object_connection_query_args. If you are familiar with WordPress loops via WP_Query, here we set the $query_args like we would do on any other loop, but we check for your custom where:.

    add_filter('graphql_post_object_connection_query_args', function ($query_args, $source, $args, $context, $info) {
    
        if (isset($args['where']['postObjectId'])) {
            $query_args['meta_query'] = [
                [
                    'key' => 'myCustomField',
                    'value' => (int) $args['where']['postObjectId'],
                    'compare' => '='
                ]
            ];
        }
    
        return $query_args;
    }, 10, 5);

    The key will be the name of the field, the value will be the value you will give the postObjectId: "123" in your query, speaking of the query that will ook something like

    query GetMyCustomPostType {
      MyCustomPostType(where: {postObjectId: "123"}) {
        nodes {
          title
        }
      }
    }

    This will get all your MyCustomPostType where myCustomField = 123

  • Forward and Backward Pagination with WPGraphQL

    WPGraphQL makes use of cursor-based pagination, inspired by the Relay specification for GraphQL Connections. If you’re not familiar with cursor-based pagination it can be confusing to understand and implement in your applications.

    In this post, we’ll compare cursor-based pagination to page-based pagination, and will look at how to implement forward and backward pagination in a React application using Apollo Client.

    Before we dive into cursor-based pagination, let’s first look at one of the most common pagination techniques: Page-based pagination.

    Page Based Pagination

    Many applications you are likely familiar with paginate data using pages. For example, if you visit Google on your desktop and search for something and scroll down to the bottom of the page, you will see page numbers allowing you to paginate through the data.

    Screenshot of Google’s pagination UI

    WordPress also has page-based pagination mechanisms built-in. For example, within the WordPress dashboard your Posts are paginated:

    Screenshot of the WordPress dashboard pagination UI

    And many WordPress themes, such as the default TwentyTwenty theme feature page-based pagination:

    Screenshot of the TwentyTwenty theme pagination UI

    How Page-Based Pagination Works

    Page-based pagination works by calculating the total number of records matching a query and dividing the total by the number of results requested for each page. Requesting a specific page results in a database request that skips the number of records totaling the number of records per page multiplied by the number of pages to skip. For example, visiting page 9 on a site showing 10 records per page would ask the database to skip 90 records, and show records 91-100.

    Performance Problems with Page-Based Pagination

    If you’ve ever worked with on a WordPress site with a lot of records, you’ve likely run into performance issues and looked into how to make WordPress more performant. One of the first recommendations you’re likely to come across, is to not ask WordPress to calculate the total number of records. For example, the 10up Engineering Best Practices first recommendation is to set the WP_Query argument no_found_rows to true, which asks WordPress to not calculate the total records.

    As the total number of records grow, the longer it takes for your database to execute this calculation. As you continue to publish posts, your site will continue to get slower.

    In addition to calculating the total records, paginated requests also ask the database to skip a certain number of records, which also adds to the weight of the query. In our example above, visiting page 9 would ask the database to skip 90 records. In order for a database to skip these records, it has to first find them, which adds to the overall execution. If you were to ask for page 500, on a site paginated by 100 items per page, you would be asking the database to skip 50,000 records. This can take a while to execute. And while your everyday user might not want to visit page 500, some will. And search engines and crawlers will as well, and that can take a toll on your servers.

    The (lack of) Value of Page Numbers in User Interfaces

    As a user, what value do page numbers provide in terms of user experience?

    For real. Think about it.

    If you are on my blog, what does “page 5” mean to you?

    What does “page 5” mean to you on a Google search results?

    Sure, it means you will get items “50-60”, but what does that actually mean to you as a user?

    You have no realistic expectation for what will be on that page. Page 5 on my blog might be posts from last week, if I blogged regularly, but Page 5 also might be blog posts from 2004. You, as the user don’t know what to expect when you click a page number. You’re just playing a guessing game.

    It’s likely that if you clicked page 5 on my blog, you are looking for older content. Instead of playing a guessing game clicking arbitrary page numbers, it would make more sense and provide more value to the user if the UI provided a way to filter by date ranges. This way, if you’re looking for posts from yesterday, or from 2004, you could target that specifically, instead of arbitrarily clicking page numbers and hoping you find something relevant to what you’re looking for.

    Inconsistent data in page-based UIs

    Page based UIs aren’t consistent in the content they provide.

    For example, if I have 20 blog posts, separated in 2 pages, page 1 would include posts 20-11 (most recently published posts), and page 2 would include posts 1-10. As soon as I publish another article, page 1 now would include items 21-12, page 2 would include items 2-11, and we’d have a page 3 with item 1, the oldest post.

    Each time a new blog post is published, the content of each paginated archive page changes. What was on page 5 today, won’t be the same next time content is published.

    This further promotes the fact that the value provided to users in page numbers is confusing. If the content on the pages remained constant, at least the user could find the content they were looking for by always visiting page 5, but that’s not the case. Page 5 might look completely different next time you click on it.

    Cursor-Based Pagination

    Many modern applications you’re likely familiar with use cursor-based pagination. Instead of dividing the total records into chunks and skipping records to paginate, cursor-based pagination loads the initial set of records and provides a cursor, or a reference point, for the next request to use to ask for the next set of records.

    Some examples of this type of pagination in action would be loading more tweets as you scroll on Twitter, loading more posts as you scroll on Facebook, or loading more Slack messages as you scroll in a channel.

    Animated GIF demonstrating scrolling in Slack to load more messages

    As you scroll up or down within a Slack channel, the next set of messages are loaded into view (often so fast that you don’t even notice). You don’t arbitrarily click page numbers to go backward or forward in the channel and view the next set of messages. When you first enter a channel, Slack loads an initial list of messages and as you scroll, it uses a cursor (a reference point) to ask the server for the next set of messages.

    Michael Hahn, a Software Engineer at Slack wrote about how Slack uses cursor pagination.

    In some cases, such as Slack channels, infinite scrolling for pagination can enhance the user experience. But in some cases, it can harm the user experience. The good news is that cursor-based pagination isn’t limited to being implemented via infinite scroll. You can implement cursor pagination using Next / Previous links, or a “Load More” link.

    Google, for example, when used on mobile devices uses a “More results” button. This avoids subjecting users to the guessing game that page numbers lead to, and also avoids some of the downsides of infinite scrolling.

    Screenshot of Google search results with a “More results” button, as seen on a mobile device

    Performance of Cursor Based Pagination

    Cursor pagination works by using the reference, the cursor, to point to a specific place in the dataset, and move forward or backward from that point. Page-based pagination needs to skip x amount of records, where cursor pagination can go directly to a point and start there. As you page through records with page-based pagination your queries get slower and slower, and it’s further impacted by the size of the dataset. With cursor pagination, the size of your dataset doesn’t affect performance. You are going to a specific point in the dataset and returning x number of records before or after that point. Going 500 pages deep will get quite slow on page-based, but will remain equally performant with cursor-based pagination.

    No Skipped Data

    Let’s say you visit your Facebook newsfeed. You immediately see 5 posts from your network of family and friends. Let’s say the data looks something like the following:

    1. COVID-19 update from Tim
    2. Meme from Jen
    3. Embarrassing Photo 1 from Mick
    4. Embarrassing Photo 2 from Mick
    5. Dog photo from Maddie
    6. Quarantine update from Stephanie
    7. Inspirational quote from Dave
    8. Breaking Bad meme from Eric
    9. Quarantine update from your local newspaper
    10. Work from Home tips from Chris

    In page-based pagination, the data would look like so:

    Page 1Page 2
    COVID-19 update from TimQuarantine update from Stephanie
    Meme from JenInspirational quote from Dave
    Embarrassing Photo 1 from MickBreaking Bad meme from Eric
    Embarrassing Photo 2 from MickQuarantine update from your local newspaper
    Dog photo from MaddieWork from Home tips from Chris

    Let’s say Mick wakes up and realizes he shouldn’t have posted the embarrassing pics. He deletes the pics at the same time you’re looking at Page 1 of the posts.

    When you scroll to look at more posts, the overall dataset now looks like the following:

    Page 1Page 2
    COVID-19 update from TimBreaking Bad meme from Eric
    Meme from JenQuarantine update from your local newspaper
    Dog photo from MaddieWork from Home tips from Chris
    Quarantine update from Stephanie5 Keto Recipes from Barb
    Inspirational quote from Dave“Tiger King” trailer from Cassie

    Since the two embarrassing photos were deleted, page 2 now looks different. Both “Quarantine update from Stephanie” and “Inspirational quote from Dave” are not on Page 2 anymore. They slid up to page 1. But the user already loaded page 1 which included the now deleted pice. So, when you scroll, and page 2 loads, these two posts won’t be included in your feed!

    With page-based pagination, you would miss out on some content and not have any way to know that you missed it!

    And Dave and Stephanie will be sad that you didn’t like their posts.

    This happens because the underlying SQL query looks something like this:

    SELECT * from wp_posts OFFSET 0, LIMIT 5 // Page 1, first 5 records
    SELECT * from wp_posts OFFSET 5, LIMIT 5 // Page 2, skips 5 records regardless

    With cursor pagination, a pointer is sent back and used to query the next set of data. In this case, it might be a timestamp. So, when you scroll to load more posts, with cursor pagination you would get all items published after the last cursor. So, “Quarantine update from Stephanie” and “Inspirational quote from Dave” would be included because they were posted after the timestamp of the embarrassing photos that have been deleted. The cursor goes to a specific point in the dataset, and asks for the next set of records after that point.

    The underlying SQL query for cursor pagination looks something like this:

    SELECT * from wp_posts WHERE cursor > wp_posts.post_date ORDER BY wp_posts.post_date LIMIT 5

    So, instead of skipping 5 records, we just get the next set of posts based on publish date (or whatever the query is being ordered by). This ensures that the user is getting the proper data, even if there have been changes to the existing dataset.

    Cursor Pagination with WPGraphQL

    Below is an example of forward and backward pagination implemented in a React + Apollo application.

    (If your browser isn’t loading this example application below, click here to open it in a new window)

    In this example, we’ll focus specifically on the list.js file.

    Paginated Query

    One of the first things you will see is a paginated query.

    query GET_PAGINATED_POSTS(
        $first: Int
        $last: Int
        $after: String
        $before: String
      ) {
        posts(first: $first, last: $last, after: $after, before: $before) {
          pageInfo {
            hasNextPage
            hasPreviousPage
            startCursor
            endCursor
          }
          edges {
            cursor
            node {
              id
              postId
              title
            }
          }
        }
      }

    In this query, we define the variables first, last, after and before. These are options that can be passed to the query to affect the behavior. For forward pagination first and after are used, and for backward pagination last and before are used.

    In addition to asking for a list of posts, we also ask for pageInfo about the query. This is information that informs the client whether there are more records or not, and how to fetch them. If hasNextPage is true, we know we can paginate forward. If hasPreviousPage is true, we know we can paginate backwards.

    Our PostList component makes use of the Apollo useQuery hook to make an initial query with the variables: { first: 10, after: null, last: null, before: null }. This will ask WPGraphQL for the first 10 posts, which will be the 10 most recently published posts.

    When the data is returned, we map over the posts and return them and render the Post titles as unordered list items.

    Next / Previous buttons

    Since there are more than 10 posts, the pageInfo.hasNextPage value will be true, and when this value is true, we know we can safely show our Next button. Since this is the first page of data, there are no posts more recent, so pageInfo.hasPreviousPage will be false. Since this is false, we will not load the Previous Button.

    The initial load of the application is a list of 10 posts with a Next button.

    Screenshot of the example application’s initial loaded state

    When the “Next” button is clicked, it makes use of the Apollo fetchMore method, and re-queries the same query, but changing the variables to: { first: 10, after: pageInfo.endCursor, last: null, before: null }. These variables tell WPGraphQL we want the first 10 posts after the endCursor, which is a reference to the last item in the list on the first page. When those posts are returned, we make use of Apollo’s updateQuery method to replace the Post list with the new list.

    So now, after clicking “Next”, we have a new list of posts displayed, and both a “Previous” and “Next” button.

    Screenshot of the example application after clicking the “Next” button

    Both the Previous and Next buttons are displayed, because the values for pageInfo.hasNextPage and pageInfo.hasPreviousPage were both true. This information from the query tells the client that there are posts on either side, so we can paginate forward or backward.

    If we click “Next” a few more times, we will reach the end of the dataset, and pageInfo.hasNextPage will be false, and we will no longer want to show the “Next” button.

    Screenshot of the example application at the end of the dataset

    When the “Previous” button is clicked, it makes use of the Apollo fetchMore method, and re-queries the same query, but changing the variables to: { first: null, after: null, last: 10, before: pageInfo.startCursor }. These variables tell WPGraphQL we want the last 10 posts before the startCursor, which is a reference to the first item in the list on the page. This allows us to paginate backward and get the previous items. When those previous posts are returned, we make use of Apollo’s updateQuery method to replace the Post list with the new list, and we’re back to showing both “Previous” and “Next” buttons again, until you click previous enough times to be back at the beginning of the dataset.

    Summary

    In this post, I compared page-based pagination and cursor-based pagination. We then looked at an example application built with React and Apollo querying the WPGraphQL.com GraphQL API and implementing forward and backward pagination.

    I hope this article helps inspire you to use WPGraphQL in fun ways as we build the future of the web together!

  • Registering GraphQL Fields with Arguments

    One of the most common ways to customize the WPGraphQL Schema is to register new fields.

    When registering fields, argument(s) can also be defined for the field.

    Field arguments in GraphQL allow input to be passed to the field, and when the field is resolved, the input of the field argument can be used to change how the field is resolved.

    Registering Fields

    Below is an example of registering a field with an argument:

    add_action( 'graphql_register_types', function() {
    
      $field_config = [
        'type' => 'String',
        'args' => [
          'myArg' => [
            'type' => 'String',
          ],
        ],
        'resolve' => function( $source, $args, $context, $info ) {
          if ( isset( $args['myArg'] ) ) {
            return 'The value of myArg is: ' . $args['myArg'];
          }
          return 'test';
        },
      ];
    
      register_graphql_field( 'RootQuery', 'myNewField', $field_config);
    });

    Let’s break down the code:

    Hooking into WPGraphQL

    add_action( 'graphql_register_types', function() { ... });

    This action hooks into WPGraphQL when the WPGraphQL Schema is being generated. By hooking our code here, it makes sure our function is only executed when WPGraphQL is being used.

    Define the Field Config

    Within that action, we define a $field_config array which gets passed to the register_graphql_field() function.

    $field_config = [
      'type' => 'String',
      'args' => [
        'myArg' => [
          'type' => 'String',
        ],
      ],
      'resolve' => function( $source, $args, $context, $info ) {
        if ( isset( $args['myArg'] ) ) {
          return 'The value of myArg is: ' . $args['myArg'];
        }
        return 'test';
      },
    ];

    Within the field config we define the following:

    • type: We define the type as “String” to tell WPGraphQL that the field is a String in the Schema
    • args: We define an array of arguments that will be available to the field.
    • resolve: We define a function to execute when the field is queried in GraphQL. Resolve functions in GraphQL always receive 4 arguments ($source, $args, $context, $info). The argument we care about for this example is the 2nd one, $args. We check to see if that argument is set, and if it is, we append the value to the string “The value of myArg is:” and return it. Otherwise we just return the string “test”.

    Register the Field

    And now we can register the field using the $field_config we have defined:

    register_graphql_field( 'RootQuery', 'myNewField', $field_config);

    Here we use the register_graphql_field() function. It accepts 3 arguments:

    • The first argument is the Type in the Schema to add a field to. In this case, we want to add a field to the RootQuery Type.
    • The second argument is the name of the field we are registering. This should be unique on the Type, meaning the Type should not already have a field of this name.
    • The third argument is the $field_config, which we just reviewed.

    The field in action

    We can query this like so:

    query {
      myNewField
    }

    and the results will be:

    {
      "data": {
        "myNewField": "test"
      }
    }

    Now, we can pass a value to the argument like so:

    query {
      myNewField( myArg: "something" )
    }

    and the results will be:

    {
      "data": {
        "myNewField": "The value of myArg is: something"
      }
    }

    Now, you can introduce GraphQL variables like so:

    query MyQuery($myArg:String) {
      myNewField( myArg: $myArg )
    }

    And then you can pass variables to the request. Here’s an example of using a variable in GraphiQL:

    Screen Shot 2020-02-26 at 9 33 03 AM