rek
TypeScript icon, indicating that this package has built-in type declarations

0.8.1 • Public • Published

rek

Tiny, isomorphic convenience wrapper around the Fetch API aiming to reduce boilerplate, especially when sending and receiving JSON.

Build Unminified Minified Gzipped
ESM bundle 3.36 kB 1.54 kB 798 B
UMD bundle 3.87 kB 1.71 kB 873 B
UMD bundle (ES5) 4.12 kB 1.86 kB 894 B

Table of Contents

Quick Start

NPM

$ npm install rek
import rek, { FetchError } from 'rek'
// or
const rek = require('rek')

rek('/get-stuff').then(json => console.log(json))
rek('/get-stuff', { response: 'blob', headers: { accept: 'image/png' } }).then(blob => console.log(blob))
rek('/get-stuff', 'blob').then(blob => console.log(blob))

rek.post('/do-stuff', { stuff: 'to be done' }).then(json => console.log(json))

rek.put('/do-stuff', { stuff: 'to be done' }, { redirect: false, response: 'text' }).then(text => console.log(text))
rek.put('/do-stuff', { stuff: 'to be done' }, 'text').then(text => console.log(text))

CDN (Unpkg)

<script src="https://unpkg.com/rek"></script>
import rek, { FetchError } from 'https://unpkg.com/rek/dist/rek.esm.min.js'

Why?

Less Boilerplate

Even though the Fetch API is significantly nicer to work with than XHR, it still quickly becomes verbose to do simple tasks. To create a relatively simple POST request using JSON, fetch requires something like:

fetch('/api/peeps', {
  method: 'POST',
  headers: {
    'content-type': 'application/json',
    accept: 'application/json',
  },
  credentials: 'same-origin',
  body: JSON.stringify({
    name: 'James Brown',
  }),
}).then((res) => {
  if (res.ok) {
    return res.json()
  }

  const err = new Error(response.statusText)

  err.response = response
  err.status = response.status

  throw err
}).then((person) => {
  console.log(person)
}).catch(...)

With rek this simply becomes:

rek.post('/api/peeps', { name: 'James Brown' }).then((person) => {
  console.log(person)
}).catch(...)

Isomorphism & Full ESM Support

rek uses conditional exports to load Node or browser (and Deno) compatible ESM or CJS files. main and module are also set in package.json for compatibility with legacy Node and legacy build systems. In Node, the main entry point uses node-fetch, which needs to be installed manually. In all other environments, the main entry point uses fetch, Headers, URL, URLSearchParams and FormData defined in the global scope.

Internally, the ESM & CJS entry points use the same CJS files to prevent the dual package hazard. See the Node documentation for more information.

Package Exports

'rek'

The main entry point returns a rek instance. When using import, a named export FetchError is also exposed.

import rek, { FetchError } from 'rek'
// or
const rek = require('rek')

The browser/Deno version is created using (see factory for details):

export default factory({
  credentials: 'same-origin',
  response: 'json',
  fetch,
  Headers,
})

The Node version is created using:

import fetch from 'node-fetch'

export default factory({
  credentials: 'same-origin',
  response: 'json',
  fetch,
  Headers: fetch.Headers,
})

The main entry exposes most TypeScript types:

import { Options, Rek } from 'rek'

'rek/error'

Exports the FetchError. Both import and require will load ./dist/error.cjs in all environments.

// import
import FetchError from 'rek/error'
// require
const FetchError = require('rek/error')
// legacy
const FetchError = require('rek/dist/error.cjs')

'rek/factory'

Exports the factory function that creates rek instances with new defaults. Both import and require will load ./dist/factory.cjs in all environments.

import factory from 'rek/factory'
// require
const factory = require('rek/factory')
// legacy
const factory = require('rek/dist/factory.cjs')

The factory entry also exposes TypeScript types:

import { Options, Rek } from 'rek'

CDN (Unpkg)

On top of CJS and ESM files, bundles to be consumed through unpkg.com are built into ./dist/. The unpkg field in package.json points at the minified UMD build. This means:

<script src="https://unpkg.com/rek"></script>

is the same as

<script src="https://unpkg.com/rek/dist/rek.umd.min.js"></script>

To use the ES5 compatible UMD bundle:

<script src="https://unpkg.com/rek/dist/rek.umd.es5.min.js"></script>

The ESM bundle can be imported from a JS file:

import rek, { FetchError } from 'https://unpkg.com/rek/dist/rek.esm.min.js'

The following bundles are available in the dist folder:

  • ./dist/rek.esm.js - ESM bundle
  • ./dist/rek.esm.min.js - Minified ESM bundle
  • ./dist/rek.umd.js - UMD bundle
  • ./dist/rek.umd.min.js - Minified UMD bundle
  • ./dist/rek.umd.es5.js - ES5 compatible UMD bundle
  • ./dist/rek.umd.es5.min.js - Minified ES5 compatible UMD bundle

API

Usage

rek(url, options?)

Makes a request with fetch and returns a parsed response body or the Response (depending on the response option). If res.ok is not true, an error is thrown. See options below for differences to native fetch options.

rek('/url').then(json => { ... })
rek('/url', { response: 'text' }).then(text => { ... })
rek('/url', { body: { plain: 'object' }, method: 'post' }).then(json => { ... })

rek[method](url, body?, options?)

rek has convenience methods for all relevant HTTP request methods. They set the correct option.method and have an extra body argument when the request can send bodies (the body argument overwrites options.body).

  • rek.delete(url, options?)
  • rek.get(url, options?)
  • rek.head(url, options?)
  • rek.patch(url, body?, options?)
  • rek.post(url, body?, options?)
  • rek.put(url, body?, options?)
rek.delete('/api/peeps/1337')
// is the same as
rek('/api/peeps/1337', { method: 'DELETE' })

rek.post('/api/peeps/14', { name: 'Max Powers' })
// is the same as
rek('/api/peeps/14', { method: 'POST', body: { name: 'Max Powers' } })

Options

rek supports three arguments on top of the default fetch options: baseUrl, response and searchParams. It also handles body differently to native fetch().

Options passed to rek will be merged with the defaults defined in the factory.

If a string is passed as option argument, a new object is created with response set to that string.

rek('/', 'text')
// is the same
rek('/', { response: 'text' })

baseUrl

A URL that relative paths will be resolved against.

Setting this in defaults is very useful for SSR and similar.

body

Depending on the type of body passed, it could be converted to a JSON string and the content-type header could be removed or set

  • FormData || URLSearchParams: body will not be modified but content-type will be unset (setting content-type prevents the browser setting content-type with the boundary expression used to delimit form fields in the request body).
  • ArrayBuffer || Blob || DataView || ReadableStream: Neither body nor content-type will be modified.
  • All other (object) types: body will be converted to a JSON string, and content-type will be set to application/json (even if it is already set).

headers

Since default headers are merged with headers passed as options and it requires significantly more logic to merge Header instances, headers are expected to be passed as plain objects.

If Headers are already used, they can be converted to plain objects with:

Object.fromEntries(headers.entries())

response

Sets how to parse the response body. It needs to be either a valid Body read method name, a function accepting the response or falsy if the response should be returned without parsing the body. In the rek instance returned by the main entry, response defaults to 'json'.

typeof await rek('/url') === 'object' // is JSON

typeof await rek('/url', { response: 'text' }) === 'string'

await rek('/url', { response: 'blob' }) instanceof Blob

// will throw
rek('/url', { response: 'invalid response' })

await rek('/url', { response: false }) instanceof Response

await rek('/url', { response: (res) => 'return value' }) === 'return value'

Depending on the response, the following Accept header will be set:

  • arrayBuffer: */*
  • blob: */*
  • formData: multipart/form-data
  • json: application/json
  • text: text/*

searchParams

A valid URLSearchParams constructor argument used to add a query string to the URL. A query string already present in the url passed to rek will be overwritten.

rek('/url', { searchParams: 'foo=1&bar=2' })
rek('/url', { searchParams: '?foo=1&bar=2' })

// sequence of pairs
rek('/url', { searchParams: [['foo', '1'], ['bar', '2']] })

// plain object
rek('/url', { searchParams: { foo: 1, bar: 2 } })

// URLSearchParams
rek('/url', { searchParams: new URLSearchParams({ foo: 1, bar: 2 }) })

.extend(defaults)

The extend method will return a new rek instance with arguments merged with the previous values.

const myRek = rek.extend({ baseUrl: 'http://localhost:1337' })
const myRek = rek.extend({ credentials: 'omit', fetch: myFetch })

Factory

import factory from 'rek/factory'
// or
const factory = require('rek/factory')

const myRek = factory({
  headers: {
    accept: 'application/html',
    'content-type': 'application/x-www-form-urlencoded',
  },
  credentials: 'omit',
  fetch: fancyfetch,
  Headers: FancyHeaders,
})

myRek()
myRek.delete()
myRek.patch()

TypeScript

The main entry exposes most types

import { Defaults, Options, Rek } from 'rek'

Credits

Very big thank you to kolodny for releasing the NPM name!

Versions

Current Tags

  • Version
    Downloads (Last 7 Days)
    • Tag
  • 0.8.1
    19
    • latest

Version History

Package Sidebar

Install

npm i rek

Weekly Downloads

69

Version

0.8.1

License

MIT

Unpacked Size

332 kB

Total Files

48

Last publish

Collaborators

  • kolodny
  • lohfu