CORS 中间件
Cloudflare Workers 作为 Web API 以及从外部前端应用调用它们有很多用例。对于这些用例,我们必须实现 CORS,让我们也用中间件来实现它。
导入
ts
import { Hono } from 'hono'
import { cors } from 'hono/cors'
用法
ts
const app = new Hono()
// CORS 应该在路由之前调用
app.use('/api/*', cors())
app.use(
'/api2/*',
cors({
origin: 'http://example.com',
allowHeaders: ['X-Custom-Header', 'Upgrade-Insecure-Requests'],
allowMethods: ['POST', 'GET', 'OPTIONS'],
exposeHeaders: ['Content-Length', 'X-Kuma-Revision'],
maxAge: 600,
credentials: true,
})
)
app.all('/api/abc', (c) => {
return c.json({ success: true })
})
app.all('/api2/abc', (c) => {
return c.json({ success: true })
})
多个 Origin:
ts
app.use(
'/api3/*',
cors({
origin: ['https://example.com', 'https://example.org'],
})
)
// 或者你可以使用 "function"
app.use(
'/api4/*',
cors({
// `c` 是一个 `Context` 对象
origin: (origin, c) => {
return origin.endsWith('.example.com')
? origin
: 'http://example.com'
},
})
)
选项
optional origin: string
| string[]
| (origin:string, c:Context) => string
“Access-Control-Allow-Origin” CORS 标头的值。你也可以传递回调函数,例如 origin: (origin) => (origin.endsWith('.example.com') ? origin : 'http://example.com')
。默认值是 *
。
optional allowMethods: string[]
“Access-Control-Allow-Methods” CORS 标头的值。默认值是 ['GET', 'HEAD', 'PUT', 'POST', 'DELETE', 'PATCH']
。
optional allowHeaders: string[]
“Access-Control-Allow-Headers” CORS 标头的值。默认值是 []
。
optional maxAge: number
“Access-Control-Max-Age” CORS 标头的值。
optional credentials: boolean
“Access-Control-Allow-Credentials” CORS 标头的值。
optional exposeHeaders: string[]
“Access-Control-Expose-Headers” CORS 标头的值。默认值是 []
。
依赖于环境的 CORS 配置
如果你想根据执行环境(例如开发或生产)调整 CORS 配置,从环境变量注入值会很方便,因为它消除了应用程序感知自身执行环境的需要。请看下面的示例以获得更清晰的说明。
ts
app.use('*', async (c, next) => {
const corsMiddlewareHandler = cors({
origin: c.env.CORS_ORIGIN,
})
return corsMiddlewareHandler(c, next)
})