Zod OpenAPI Hono
Zod OpenAPI Hono is an extended Hono class that supports OpenAPI. With it, you can validate values and types using Zod and generate OpenAPI Swagger documentation. This is based on Zod to OpenAPI (thanks a lot!). For details on creating schemas and defining routes, please refer to the "Zod to OpenAPI" resource.
Note: This is not standalone middleware but is hosted on the monorepo "github.com/honojs/middleware".
Usage
Installation
You can install it via npm. It should be installed alongside hono
and zod
.
npm i hono zod @hono/zod-openapi
Basic Usage
Setting up your application
First, define your schemas with Zod. The z
object should be imported from @hono/zod-openapi
:
import { z } from '@hono/zod-openapi'
const ParamsSchema = z.object({
id: z
.string()
.min(3)
.openapi({
param: {
name: 'id',
in: 'path',
},
example: '1212121',
}),
})
const UserSchema = z
.object({
id: z.string().openapi({
example: '123',
}),
name: z.string().openapi({
example: 'John Doe',
}),
age: z.number().openapi({
example: 42,
}),
})
.openapi('User')
[!TIP]
UserSchema
schema will be registered as "#/components/schemas/User"
refs in the OpenAPI document.
If you want to register the schema as referenced components, use .openapi()
method.
Next, create a route:
import { createRoute } from '@hono/zod-openapi'
const route = createRoute({
method: 'get',
path: '/users/{id}',
request: {
params: ParamsSchema,
},
responses: {
200: {
content: {
'application/json': {
schema: UserSchema,
},
},
description: 'Retrieve the user',
},
},
})
Finally, set up the app:
import { OpenAPIHono } from '@hono/zod-openapi'
const app = new OpenAPIHono()
app.openapi(route, (c) => {
const { id } = c.req.valid('param')
return c.json(
{
id,
age: 20,
name: 'Ultra-man',
},
200
)
})
app.doc('/doc', {
openapi: '3.0.0',
info: {
version: '1.0.0',
title: 'My API',
},
})
You can start your app just like you would with Hono. For Cloudflare Workers and Bun, use this entry point:
export default app
[!IMPORTANT]
The request must have the proper Content-Type
to ensure the validation. For example, if you want to validate a JSON body, the request must have the Content-Type
to application/json
in the request. Otherwise, the value of c.req.valid('json')
will be {}
.
import { createRoute, z, OpenAPIHono } from '@hono/zod-openapi'
const route = createRoute({
method: 'post',
path: '/books',
request: {
body: {
content: {
'application/json': {
schema: z.object({
title: z.string(),
}),
},
},
},
},
responses: {
200: {
description: 'Success message',
},
},
})
const app = new OpenAPIHono()
app.openapi(route, (c) => {
const validatedBody = c.req.valid('json')
return c.json(validatedBody)
})
const res = await app.request('/books', {
method: 'POST',
body: JSON.stringify({ title: 'foo' }),
})
const data = await res.json()
console.log(data)
If you want to force validation of requests that do not have the proper Content-Type
, set the value of request.body.required
to true
.
const route = createRoute({
method: 'post',
path: '/books',
request: {
body: {
content: {
'application/json': {
schema: z.object({
title: z.string(),
}),
},
},
required: true,
},
},
})
Handling Validation Errors
Validation errors can be handled as follows:
First, define the error schema:
const ErrorSchema = z.object({
code: z.number().openapi({
example: 400,
}),
message: z.string().openapi({
example: 'Bad Request',
}),
})
Then, add the error response:
const route = createRoute({
method: 'get',
path: '/users/{id}',
request: {
params: ParamsSchema,
},
responses: {
400: {
content: {
'application/json': {
schema: ErrorSchema,
},
},
description: 'Returns an error',
},
},
})
Finally, add the hook:
app.openapi(
route,
(c) => {
const { id } = c.req.valid('param')
return c.json(
{
id,
age: 20,
name: 'Ultra-man',
},
200
)
},
(result, c) => {
if (!result.success) {
return c.json(
{
code: 400,
message: 'Validation Error',
},
400
)
}
}
)
A DRY approach to handling validation errors
In the case that you have a common error formatter, you can initialize the OpenAPIHono
instance with a defaultHook
.
const app = new OpenAPIHono({
defaultHook: (result, c) => {
if (!result.success) {
return c.json(
{
ok: false,
errors: formatZodErrors(result),
source: 'custom_error_handler',
},
422
)
}
},
})
You can still override the defaultHook
by providing the hook at the call site when appropriate.
app.openapi(createPostRoute, (c) => {
const { title } = c.req.valid('json')
return c.json({ title })
})
app.openapi(
createBookRoute,
(c) => {
const { title } = c.req.valid('json')
return c.json({ title }, 200)
},
(result, c) => {
if (!result.success) {
return c.json(
{
ok: false,
source: 'routeHook' as const,
},
400
)
}
}
)
OpenAPI v3.1
You can generate OpenAPI v3.1 spec using the following methods:
app.doc31('/docs', { openapi: '3.1.0', info: { title: 'foo', version: '1' } })
app.getOpenAPI31Document({
openapi: '3.1.0',
info: { title: 'foo', version: '1' },
})
The Registry
You can access the OpenAPIRegistry
object via app.openAPIRegistry
:
const registry = app.openAPIRegistry
Middleware
Zod OpenAPI Hono is an extension of Hono, so you can use Hono's middleware in the same way:
import { prettyJSON } from 'hono/pretty-json'
app.use('/doc/*', prettyJSON())
Configure middleware for each endpoint
You can configure middleware for each endpoint from a route created by createRoute
as follows.
import { prettyJSON } from 'hono/pretty-json'
import { cache } from 'hono/cache'
app.use(route.getRoutingPath(), prettyJSON(), cache({ cacheName: 'my-cache' }))
app.openapi(route, handler)
Or you can use the middleware
property in the route definition.
const route = createRoute({
method: 'get',
path: '/users/{id}',
request: {
params: ParamsSchema,
},
middleware: [prettyJSON(), cache({ cacheName: 'my-cache' })] as const,
responses: {
200: {
content: {
'application/json': {
schema: UserSchema,
},
},
description: 'Retrieve the user',
},
},
})
RPC Mode
Zod OpenAPI Hono supports Hono's RPC mode. You can define types for the Hono Client as follows:
import { hc } from 'hono/client'
const appRoutes = app.openapi(route, (c) => {
const data = c.req.valid('json')
return c.json(
{
id: data.id,
message: 'Success',
},
200
)
})
const client = hc<typeof appRoutes>('http://localhost:8787/')
Tips
How to register components
You can register components to the registry as follows:
app.openAPIRegistry.registerComponent('schemas', {
User: UserSchema,
})
About this feature, please refer to the "Zod to OpenAPI" resource / Defining Custom Components
How to setup authorization
You can setup authorization as follows:
eg. Bearer Auth
Register the security scheme:
app.openAPIRegistry.registerComponent('securitySchemes', 'Bearer', {
type: 'http',
scheme: 'bearer',
})
And setup the security scheme for specific routes:
const route = createRoute({
security: [
{
Bearer: [],
},
],
})
How to access context in app.doc
You can access the context in app.doc
as follows:
app.doc('/doc', (c) => ({
openapi: '3.0.0',
info: {
version: '1.0.0',
title: 'My API',
},
servers: [
{
url: new URL(c.req.url).origin,
description: 'Current environment',
},
],
}))
How to exclude a specific route from OpenAPI docs
You can use hide
property as follows:
const route = createRoute({
hide: true,
})
Limitations
Combining with Hono
Be careful when combining OpenAPIHono
instances with plain Hono
instances. OpenAPIHono
will merge the definitions of direct subapps, but plain Hono
knows nothing about the OpenAPI spec additions. Similarly OpenAPIHono
will not "dig" for instances deep inside a branch of plain Hono
instances.
If you're migrating from plain Hono
to OpenAPIHono
, we recommend porting your top-level app, then working your way down the router tree.
Header keys that you define in your schema must be in lowercase.
const HeadersSchema = z.object({
authorization: z.string().openapi({
example: 'Bearer SECRET',
}),
})
References
Authors
License
MIT