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 🙏

© 2025 – Pkg Stats / Ryan Hefner

nexus-result-field

v0.2.1

Published

[![trunk](https://github.com/graphql-nexus/nexus-result-field/actions/workflows/trunk.yml/badge.svg)](https://github.com/graphql-nexus/nexus-result-field/actions/workflows/trunk.yml)

Downloads

32

Readme

nexus-result-field

trunk

Installation

npm add nexus-result-field

Peer dependencies: nexus, graphql

Features

Introduction

nexus-result-field makes it easy to encode query and mutation operation errors in your schema with Nexus.

Here are some pre-requisite readings that will probably help you understand this library:

  1. Marc Andre's GraphQL Errors guide, a thorough but succinct introduction into the problem space.
  2. Nexus tutorial, a primer on what Nexus is all about if you don't already know.

But if you just want a quick elevator pitch here it is:

If you are at all familiar with functional programming then you might have heard of Either and Optional/Maybe types. The idea here is similar: when a caller (the GraphQL API client) executes an operation (sends queries or mutations), instead of either returning or throwing an error (the GraphQL API equivilant of throwing is returning ad-hoc untyped errors in the JSON envelope) you encode the error case into the type system, treating it as data.

This approach to errors benefits your API clients by letting them leverage the rich GraphQL type system for not just the happy path but also the unhappy path. This makes a lot of sense for many real-world applications these two things are true:

  1. You chose GraphQL in part because of its type system.
  2. Your API has many IO interactions with the outside world (databases, other APIs, ...).
  3. You do/want to handle errors seriously and gracefully.

The guide below will tour the main API features. For detailed reference, refer to the JSDoc.

Guide

The following guide works with resultMutationField but not there is resultQueryField which works the same way but for Query type instead of Mutation type.

Input as Object

import { makeSchema, objectType } from 'nexus'
import { printSchema } from 'grpahql'
import { resultMutationField } from 'nexus-result-field'

printSchema(
  makeSchema({
    types: [
      resultMutationField({
        name: 'createFoo',
        input(t) {
          t.nonNull.string('handle')
        },
        errorTypes: ['HandleAlreadyTaken'],
        successType: `Foo`,
        resolve(_, args) {
          // ...
          return {
            __typename: `Foo`,
            id: 'abc',
            handle: args.input.handle,
          }
        },
      }),
      objectType({
        name: 'Foo',
        definition(t) {
          t.nonNull.id('id')
          t.nonNull.string('handle')
        },
      }),
      objectType({
        name: 'HandleAlreadyTaken',
        definition(t) {
          t.string('message')
        },
      }),
    ],
    features: {
      abstractTypeStrategies: {
        __typename: true,
      },
    },
  })
)
type Foo {
  id: ID!
  handle: String!
}

type HandleAlreadyTaken {
  message: String
}

union CreateFooResult = Foo | HandleAlreadyTaken

input CreateFooInput {
  handle: String!
}

type Query {
  ok: Boolean!
}

type Mutation {
  createFoo(input: CreateFooInput!): CreateFooResult
}

Input as Plain Args

import { makeSchema, objectType } from 'nexus'
import { printSchema } from 'grpahql'
import { resultMutationField } from 'nexus-result-field'

printSchema(
  makeSchema({
    types: [
      resultMutationField({
        name: 'createFoo',
        args: {
          handle: nonNull('String'),
        },
        errorTypes: ['HandleAlreadyTaken'],
        successType: `Foo`,
        resolve(_, args) {
          // ...
        },
      }),
      objectType({
        name: 'Foo',
        definition(t) {
          t.nonNull.id('id')
          t.nonNull.string('handle')
        },
      }),
      objectType({
        name: 'HandleAlreadyTaken',
        definition(t) {
          t.nonNull.string('message')
        },
      }),
    ],
    features: {
      abstractTypeStrategies: {
        __typename: true,
      },
    },
  })
)
union CreateFooResult = Foo | HandleAlreadyTaken

type Foo {
  id: ID!
  handle: String!
}

type HandleAlreadyTaken {
  message: String!
}

type Query {
  ok: Boolean!
}

type Mutation {
  createFoo(handle: String!): CreateFooResult
}

Result as Aggregate Error

import { makeSchema, objectType } from 'nexus'
import { printSchema } from 'grpahql'
import { resultMutationField } from 'nexus-result-field'

printSchema(
  makeSchema({
    types: [
      resultMutationField({
        name: 'createFoo',
        input(t) {
          t.nonNull.string('handle')
        },
        aggregateErrors: true, // <-- this
        errorTypes: ['HandleAlreadyTaken'],
        successType: `Foo`,
        resolve(_, args) {
          // ...
        },
      }),

      objectType({
        name: 'Foo',
        definition(t) {
          t.nonNull.id('id')
          t.nonNull.string('handle')
        },
      }),

      objectType({
        name: 'HandleAlreadyTaken',
        definition(t) {
          t.nonNull.string('message')
        },
      }),
    ],

    features: {
      abstractTypeStrategies: {
        __typename: true,
      },
    },
  })
)
union CreateFooResult = Foo | CreateFooErrors

type CreateFooErrors {
  errors: [CreateFooError!]!
}

union CreateFooError = HandleAlreadyTaken

input CreateFooInput {
  handle: String!
}

type Foo {
  id: ID!
  handle: String!
}

type HandleAlreadyTaken {
  message: String!
}

type Query {
  ok: Boolean!
}

type Mutation {
  createFoo(input: CreateFooInput!): CreateFooResult
}

Result as Single Error

import { makeSchema, objectType } from 'nexus'
import { printSchema } from 'grpahql'
import { resultMutationField } from 'nexus-result-field'

printSchema(
  makeSchema({
    types: [
      resultMutationField({
        name: 'createFoo',
        input(t) {
          t.nonNull.string('handle')
        },
        errorTypes: ['HandleAlreadyTaken'],
        successType: `Foo`,
        resolve(_, args) {
          // ...
          return {
            __typename: `Foo`,
            id: 'abc',
            handle: args.input.handle,
          }
        },
      }),
      objectType({
        name: 'Foo',
        definition(t) {
          t.nonNull.id('id')
          t.nonNull.string('handle')
        },
      }),
      objectType({
        name: 'HandleAlreadyTaken',
        definition(t) {
          t.string('message')
        },
      }),
    ],
    features: {
      abstractTypeStrategies: {
        __typename: true,
      },
    },
  })
)
type Foo {
  id: ID!
  handle: String!
}

type HandleAlreadyTaken {
  message: String
}

union CreateFooResult = Foo | HandleAlreadyTaken

input CreateFooInput {
  handle: String!
}

type Query {
  ok: Boolean!
}

type Mutation {
  createFoo(input: CreateFooInput!): CreateFooResult
}

Reference Docs

Read reference documentation on Paka