Hono Adapter
Hono is a high-performance web framework built on top of Fetch API. For additional context, refer to the HTTP Adapter guide.
Basic
ts
import { Hono } from 'hono'
import { RPCHandler } from '@orpc/server/fetch'
const app = new Hono()
const handler = new RPCHandler(router)
app.use('/rpc/*', async (c, next) => {
const { matched, response } = await handler.handle(c.req.raw, {
prefix: '/rpc',
context: {} // Provide initial context if needed
})
if (matched) {
return c.newResponse(response.body, response)
}
await next()
})
export default app
Body Already Used Error?
If Hono middleware reads the request body before the oRPC handler processes it, an error will occur. You can solve this by using a proxy to intercept the request body parsers with Hono parsers.
ts
const BODY_PARSER_METHODS = new Set(['arrayBuffer', 'blob', 'formData', 'json', 'text'] as const)
type BodyParserMethod = typeof BODY_PARSER_METHODS extends Set<infer T> ? T : never
app.use('/rpc/*', async (c, next) => {
const request = new Proxy(c.req.raw, {
get(target, prop) {
if (BODY_PARSER_METHODS.has(prop as BodyParserMethod)) {
return () => c.req[prop as BodyParserMethod]()
}
return Reflect.get(target, prop, target)
}
})
const { matched, response } = await handler.handle(request, {
prefix: '/rpc',
context: {} // Provide initial context if needed
})
if (matched) {
return c.newResponse(response.body, response)
}
await next()
})
INFO
The handler
can be any supported oRPC handler, such as RPCHandler, OpenAPIHandler, or another custom handler.