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

@ferstack/gql-typescript

v0.6.1

Published

An agnostic GraphQL query builder bundled with a generator

Downloads

32

Readme

@ferstack/gql-typescript

Metadata

Author: Fernando Coelho

License: MIT

Description

An agnostic GraphQL query builder bundled with a generator. This package provides a flexible way to build GraphQL queries in TypeScript, leveraging type safety and automatic generation of query documents.

Installation

To install the package, use the following command:

npm install @ferstack/gql-typescript

Usage

Editor Remote Control

When dealing with type generators, VSCode can be unresponsive, as it does not update the types when they are generated under a file you are not currently accessing.

For instance, Prisma type generation works by restarting the TypeScript server each time you run prisma db push.

Although I may develop a library-specific extension in the future, for now, I'm using the VScode remote control extension to reload the TS Server.

It works by opening a WebSocket server where you pass commands to be executed in VSCode.

That means: IF YOU ARE USING VSCODE, YOU MUST INSTALL THIS EXTENSION

GraphQL Schema

You will need a GraphQL schema, which can be located at a path or an HTTP URL:

# apps/backend/schema.graphql

scalar DateTime

type PhysicalEvaluation {
  height: Float!
  weight: Float!
}

type Mutation {
  createPhysicalEvaluation: PhysicalEvaluation!
}

CLI Configuration

Now, configure the CLI to run with the frontend server to generate the types:

// apps/frontend/config.mjs

import { CLIConfig } from "@ferstack/gql-typescript/cli";

const config = new CLIConfig({
  schema: "apps/backend/schema.graphql",
  watch: true,
});

export default config;

Execute the Generator with the Frontend Server

// apps/frontend/package.json
{
  "name": "web",
  "scripts": {
    "dev": "gql-typescript --config ./config.mjs && next dev"
  }
}

The Actual Client

gql-typescript offers just a query-builder, so you'll need a client to execute the query.

Here's an implementation with SWR and graphql-request for NextJS:

// apps/frontend/lib/swr-gql.ts
import { GQLRequest } from "@ferstack/gql-typescript";
import { DocumentNode } from "graphql";
import { request } from "graphql-request";
import useSWR from "swr";
import useSWRMutation from "swr/mutation";

function fetcher(query: DocumentNode, variables: Record<string, any> = {}) {
  return request("http://localhost:5000/graphql", query, variables);
}

export function useQuery<TRequest extends GQLRequest<any, any>>(
  request: TRequest
) {
  const { mutate, ...rest } = useSWR<TRequest["_returnType"], any, any>(
    request.documentNode,
    (document: DocumentNode, { arg }: { arg: TRequest["_variablesType"] }) =>
      fetcher(document, request.variables(arg)) as any
  );

  return rest;
}

export function useMutation<TRequest extends GQLRequest<any, any>>(
  request: TRequest
) {
  return useSWRMutation<
    TRequest["_returnType"],
    any,
    DocumentNode,
    TRequest["_variablesType"]
  >(
    request.documentNode,
    (document, { arg }) => fetcher(document, request.variables(arg)) as any,
    {
      populateCache: false,
    }
  );
}

Enjoy Full Query Type Safety

// apps/frontend/page.tsx

import { useState } from "react";
import { gql } from "@ferstack/gql-typescript";
import { useQuery } from 'lib/swr-gql'

export function AddPhysicalEval() {
  const [isOpen, setIsOpen] = useState(false);

  const toggleOpen = () => setIsOpen(!isOpen);

  const mutation = gql("mutation", {
    createPhysicalEvaluation: {
      data: {
        height: true,
        weight: true,
      },
      errors: {
        message: true,
        path: true,
      },
    },
  });

  const { data, trigger } = useMutation(mutation);


  const entry = data[
    // full autocomplete on response
  ]

  trigger({
    // this will also show all args you declared
  })

  return <Fragment />;
}

Warnings

  • Keep in mind I'm currently using polling for fetching the URL schema every 1.5 seconds, so it might not be ideal. I'm looking forward to implementing WebSockets and GraphQL subscriptions.