Next.js 路由 "next-connect" 用于子路由

Next.js routing with "next-connect" for subroutes

在我的 Next.js 项目中,我使用 next-connect 包创建了一个类似 route->middleware->endpoint 的模式。

我有这个路线模式:

/api/tours 

/api/tours/:id

/api/tours/top-5-cheap

/api/tours/stats

/api/tours/monthly-plan
...

在我的 pages/api/tours/index.js 文件中,我添加了一个路由来捕获 api/tours 和所有其他子路由,例如 api/tours/top-5-cheap。 根据文档,这应该有效。但是只有 api/tours 可以正常工作,任何对 api/tours/subroute 的请求都会给出 page not found error.Docs: next-connect

import nc from 'next-connect'
const mainRoute = nc({ attachParams: true })

const subRoute1 = nc().use(mid1).get((req, res) => { res.end("api/tours/top-5-cheap") });
const subRoute2 = nc().use(mid2).use(mid3).post(endpoint2);
const subRoute3 = nc().use(mid4).use(mid5).use(mid6).get((req, res) => { res.end("api/tours/monthly-plan") })
    
mainRoute
    .use("/top-5-cheap", subRoute1)
    .use("/stats", subRoute2)
    .use("/monthly-plan", subRoute3)
    .get((req, res) => { res.end("api/tours") })

export default mainRoute

我希望能够从 pages/api/index.js 文件中捕获对 api/tours 和 api/tours/子路径的所有请求,而不是为每个子路径创建一个文件 欢迎任何建议或帮助

您收到 404: Page not found 错误,因为该页面不存在。 Next.JS路由方式,表示api/tours/top-5-cheap会去/pages/api/top-5-cheap.js。如果它不存在,它 returns 一个错误。

注意:您可以在没有 next-connect 包和 Next.JS 基于文件的路由系统的情况下执行此操作。

没有next-connect

这是我的两个可能的解决方案

  • 创建一个新文件并将名称括在方括号 ([]) 中,使其成为 dynamic route.
└── pages
    └── api
        └── tours
            ├── index.js
            └── [id].js

并使用 useRouter 挂钩或 data-fetching 方法之一,访问动态 parameter

// pages/tours/[id].js
import { useRouter } from 'next/router';

const Post = () => {
  const router = useRouter();
  return <p>Post: {router.query.id}</p>
}
  • 你可以向基本路由发送请求,并将子路由作为查询传递
www.example.com/api/tours?id=top-5-cheap

// pages/api/tours/index.js
export default function (req, res) {
  // sub-route id will be passed in params object
  const id = req.params.id // top-5-cheap; ...
  
  res.send(`Requested ${id} api page`)
}

next-connect

您不能将 Next.JS 服务器与基于文件的路由和下一个连接包一起使用,因此您必须使用自定义服务器。

阅读 Using a Custom Server 上的官方文档。

请记住,您必须 disable the file-based routing 才能像您希望的那样工作。

// next.config.js
module.exports = {
  useFileSystemPublicRoutes: false,
}