Skip to content
This repository has been archived by the owner on May 22, 2023. It is now read-only.

Commit

Permalink
Initial commit
Browse files Browse the repository at this point in the history
  • Loading branch information
drwpow committed Mar 14, 2023
0 parents commit 8d58778
Show file tree
Hide file tree
Showing 15 changed files with 3,681 additions and 0 deletions.
11 changes: 11 additions & 0 deletions .changeset/config.json
Original file line number Diff line number Diff line change
@@ -0,0 +1,11 @@
{
"$schema": "https://unpkg.com/@changesets/config@2.3.0/schema.json",
"changelog": "@changesets/changelog-git",
"commit": false,
"fixed": [],
"linked": [],
"access": "restricted",
"baseBranch": "main",
"updateInternalDependencies": "patch",
"ignore": []
}
23 changes: 23 additions & 0 deletions .github/workflows/ci.yaml
Original file line number Diff line number Diff line change
@@ -0,0 +1,23 @@
name: ci

on:
push:
branches:
- main
pull_request:

concurrency:
group: ci-${{ github.ref }}
cancel-in-progress: true

jobs:
test:
runs-on: ubuntu-22.04
steps:
- uses: actions/checkout@v3
- uses: pnpm/action-setup@v2
with:
version: 7
- uses: actions/setup-node@v3
- run: pnpm i
- run: npm test
2 changes: 2 additions & 0 deletions .gitignore
Original file line number Diff line number Diff line change
@@ -0,0 +1,2 @@
dist
node_modules
2 changes: 2 additions & 0 deletions .npmignore
Original file line number Diff line number Diff line change
@@ -0,0 +1,2 @@
/.changeset
/.github
4 changes: 4 additions & 0 deletions .prettierrc
Original file line number Diff line number Diff line change
@@ -0,0 +1,4 @@
{
"printWidth": 240,
"singleQuote": true
}
21 changes: 21 additions & 0 deletions LICENSE
Original file line number Diff line number Diff line change
@@ -0,0 +1,21 @@
MIT License

Copyright (c) 2023 Drew Powers

Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:

The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.

THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
152 changes: 152 additions & 0 deletions README.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,152 @@
# 🎾 openapi-fetch

Ultra-fast, paper-thin `fetch()` wrapper for vanilla JS generated from your OpenAPI types. Weights in at < **1 kb** and has virtually ZERO runtime. Works with React, Vue, Svelte, or vanilla JS.

```ts
import createClient from 'openapi-fetch';
import { paths } from './v1'; // (generated from openapi-typescript)

const { get, post } = createClient<paths>();

// Validate request

// ❌ Property 'publish_date' is missing in type …
await post('/create-post', {
body: {
title: 'My New Post',
},
});
//
await post('/create-post', {
body: {
title: 'My New Post',
publish_date: '2023-02-04T14:23:23Z',
},
});

// Validate response

const { data, error } = await get('/post/my-blog-post');

// ❌ 'data' is possibly 'undefined'
console.log(data.title);
// ❌ 'error' is possibly 'undefined'
console.log(error.message);

//
if (data) {
console.log(data.title); My Blog Post
} else {
console.log(error.message);
}
```

## 🔧 Setup

First install this package and [openapi-typescript](https://github.com/drwpow/openapi-typescript) from npm:

```
npm i -D openapi-fetch openapi-typescript
```

Next, generate TypeScript types from your OpenAPI schema using openapi-typescript:

```
npx openapi-typescript ./path/to/api/v1.yaml -o ./src/lib/api/v1.d.ts
```

_Note: be sure to [validate](https://apitools.dev/swagger-cli/) your schema first! openapi-typescript will err on invalid schemas._

Lastly, create the client while configuring default options:

```ts
import createClient from 'openapi-fetch';
import { paths } from './v1'; // (generated from openapi-typescript)

const { get, post, put, patch, del } = createClient<paths>({
baseURL: 'https://myserver.com/api/v1/',
headers: {
Authorization: `Bearer ${import.meta.env.VITE_AUTH_TOKEN}`,
Connection: 'keep-alive',
'Content-Type': 'application/json',
},
});
```

## 🏓 Usage

`createClient()` returns an object with `get()`, `put()`, `post()`, `del()`, `options()`, `head()`, `patch()`, and `trace()` methods that correspond to the valid [HTTP methods OpenAPI supports](https://spec.openapis.org/oas/latest.html#path-item-object) (with the notable change of `delete` to `del` because the former is a reserved word in JavaScript).

```ts
import createClient from 'openapi-fetch';
import { paths } from './v1'; // (generated from openapi-typescript)

const { get, put, post, del, options, head, patch, trace } = createClient<paths>();
```

To use `parameters`, pass a `params: { query: { … }, path: { … }}` object as the second param. You may provide `query` (search params) or `path` parameters, depending on what your endpoint requires:

```ts
// GET /users?order_by=name_asc
await get('/users', { params: { query: { order_by: 'name_asc' } } });

// GET /project/my_project
await get('/project/{project_id}', {
params: { path: { project_name: 'my_project' } },
});
```

To pass a `body`, do it the same as you would with `fetch()`, minus `JSON.stringify()` so it can be typechecked:

```ts
// POST /new-user
await post('/new-user', {
body: {
name: 'New User',
email: 'new@email.com',
},
});
```

You may also pass any other [fetch options](https://developer.mozilla.org/en-US/docs/Web/API/fetch) you’d like in the 2nd param, such as custom `headers`, [abort signals](https://developer.mozilla.org/en-US/docs/Web/API/fetch#signal), etc.:

```ts
const ac = new AbortController();
await get('/projects', {
headers: {
'x-custom-header': true,
},
signal: ac.signal,
});
```

Lastly, every function will return a promise that **resolves** with either `data` or `error`, but never both (follows best practices instituted by [GraphQL](https://www.apollographql.com/) and libraries like [react-query](https://tanstack.com/query):

```ts
const { data, error, response } = await get('/my-endpoint');
if (data) {
// { data: { [my schema type] }, error: undefined }
} else {
// { data: undefined, error: { [my error type] } }
}
```

## 🎛️ Config

`createClient()` accepts the following options, which set the default settings for all subsequent fetch calls.

| Name | Type | Description |
| :-------- | :------: | :-------------------------------------- |
| `baseUrl` | `string` | Prefix all fetch URLs with this option. |

In addition, you may pass any other [fetch options](https://developer.mozilla.org/en-US/docs/Web/API/fetch) such as `headers`, `mode`, `credentials`, `redirect`, etc. ([docs](https://developer.mozilla.org/en-US/docs/Web/API/fetch)).

## 🧙‍♀️ Advanced

### Caching

By default, this library does **NO** caching of any kind (it’s < **1 kb**, remember?). However, this library can be easily wrapped using any method of your choice, while still providing strong typechecking for endpoints.

### Status Code Polymorphism

This library assumes that your API returns one “good” status at `200`, `201`, or `default`, and one “bad” status at `500`, `404`, or `default`. Returning different shapes based on API status isn’t yet supported by this library, but may be in an upcoming version (please add a ticket with your valid OpenAPI schema).
42 changes: 42 additions & 0 deletions package.json
Original file line number Diff line number Diff line change
@@ -0,0 +1,42 @@
{
"name": "openapi-fetch",
"version": "0.0.0",
"author": {
"name": "Drew Powers",
"email": "drew@pow.rs"
},
"keywords": [
"openapi",
"swagger",
"oapi_3",
"oapi_3_1",
"typescript",
"fetch"
],
"license": "MIT",
"bugs": {
"url": "https://github.com/drwpow/openapi-fetch/issues"
},
"homepage": "https://github.com/drwpow/openapi-fetch",
"type": "module",
"main": "./dist/index.min.js",
"scripts": {
"build": "npm run build:clean && npm run build:ts",
"build:clean": "del dist",
"build:ts": "tsc",
"test": "vitest run",
"prepare": "openapi-typescript test/v1.yaml -o test/v1.d.ts",
"prepublish": "npm run prepare && npm run build",
"version": "npm run prepare && npm run build"
},
"devDependencies": {
"@changesets/changelog-git": "^0.1.14",
"@changesets/cli": "^2.26.0",
"del-cli": "^5.0.0",
"openapi-typescript": "^6.2.0",
"prettier": "^2.8.4",
"typescript": "^4.9.5",
"vitest": "^0.29.2",
"vitest-fetch-mock": "^0.2.2"
}
}
Loading

0 comments on commit 8d58778

Please sign in to comment.