npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

mobx-urql

v0.0.4

Published

MobX bindings for the Urql GraphQL client

Downloads

9

Readme

mobx-urql

mobx-urql is a library that provides mobx bindings for the graphql client urql. It allows you to easily integrate urql with MobX to manage your application state.

Installation

Use your package manager of choice to install mobx-urql:

npm

npm install mobx-urql

yarn

yarn add mobx-urql

pnpm

pnpm add mobx-urql

Usage

The library provides an observableQuery function for querying data and an observableMutation function for sending mutations. In the following example, we'll use an imaginary GraphQL API for querying and updating todos. The documentation assumes that you already have a basic understanding of both urql and mobx. Let's get into it.

Providing the Client

First we'll need to setup our urql Client according to urql's docs. We can provide the client via the setClient function. This sets a global observable which observableQuery and observableMutation can access. That means setClient needs to be called before any queries or mutations are created.

import { Client, cacheExchange, fetchExchange } from "@urql/core";
import { setClient } from "mobx-urql";

const client = new Client({
  url: "/graphql",
  exchanges: [cacheExchange, fetchExchange],
});

setClient(client);

Query

Runnning a query

For this example we'll want to fetch our list of todos. We'll assume that our urql client is already set up and we have created our TodosQuery.

import { observableQuery } from "mobx-urql";
import { autorun } from "mobx";

const query = observableQuery(() => ({
  query: TodosQuery,
}));

autorun(() => {
  console.log(query.result());
});

Here we created our first observableQuery. We can use the result() function to access the queries latest result. The result object is an OperationResult with an additional fetching property indicating whether data is currently being fetch.

It is important to note that the query is only executed, when the result is being observed i.e. result() has been called inside a tracked function. You can read more about mobx's reactivity here. When the result is not beeing observed anymore, the underlying subscription is automatically disposed.

Updating variables

Let's say we want to filter our list of todo items with a search string. We updated our TodosQuery to accept a variable called search.

import { observableQuery } from "mobx-urql";
import { autorun, observable } from "mobx";

const search = observable.box("");

const query = observableQuery(() => ({
  query: TodosQuery,
  variables: {
    search: search.get(),
  },
}));

autorun(() => {
  console.log(query.result());
});

search.set("foo");

If we run this code, we'll see that our query is executed twice. This is because observableQuery tracks all observables inside its arguments and reexecutes if any of them change. Again, you can read more about mobx's reactivity here.

Pausing the query

We can pause a query by simply returning undefined as observableQuery's arguments. This is sometimes useful if a query has mandatory variables, but we don't have any value yet. Let's say we want to fetch todos for a specific todo list, but the user has not selected a list yet.

import { observableQuery } from "mobx-urql";
import { autorun, observable } from "mobx";

const list = observable.box(null);

const query = observableQuery(() => {
  const listId = list.get().id;
  if (listId == null) return;
  return {
    query: TodosQuery,
    variables: { listId },
  };
});

autorun(() => {
  console.log(query.result());
});

list.set({ id: 1 });

Context options

We can optionally pass context options to observableQuery.

import { observableQuery } from "mobx-urql";
import { autorun } from "mobx";

const query = observableQuery(() => ({
  query: TodosQuery,
  context: {
    requestPolicy: "network-only",
  },
}));

Manually reexecuting

We can manually reexecute a query by using the reexecute function. This asynchronous function returns the new result object and updates the the query's result(). We can optionally pass in context options as well.

import { observableQuery } from "mobx-urql";
import { autorun } from "mobx";

const query = observableQuery(() => ({
  query: TodosQuery,
}));

autorun(() => {
  console.log(query.result());
});

const result = await query.reexecute({ requestPolicy: "network-only" });

Manually reexecuting a paused query will resolve immediately and return the current result object.

Warning: Manually reexecuting a query that never becomes observed creates a memory leak. That means if you call reexecute() and never call result() inside a tracked function, you have to manually call query.dispose(). This should rarely be the case however.

Mutation

Sending a mutation

Let's say we want to complete a todo from our list. We created a CompleteTodoMutation that takes in an id of a todo. Again our urql client is already set up as well.

import { observableMutation } from "mobx-urql";

const mutation = observableMutation(CompleteTodoMutation);

mutation.execute({ id: 1 });

Here we created an observableMutation and then called the execute function to send our mutation to our API. This function accepts the variables for the mutation and optionally some context options as a second argument.

Using the mutation result

We have two ways of accessing our mutations result. We can either – just like with our query – call result() on our mutation to get the latest result object, or we can use the promise that is returned from the execute function.

import { observableMutation } from "mobx-urql";
import { autorun } from "mobx";

const mutation = observableMutation(CompleteTodoMutation);

autorun(() => {
  console.log(mutation.result());
});

const result = await mutation.execute({ id: 1 });