8

我有一个干净的 url,其中包含一些像这样的查询参数。

http://localhost:3000/post/:id

我正在尝试像这样在客户端捕获查询参数“id”。

static async getInitialProps({req, query: { id }}) {
    return {
        postId: id
    }
}

render() {
  const props = { 
       data: {
          'id': this.props.postId        // this query param is undefined
       }
  }
  return (
     <Custom {...props}>A component</Custom>
  )
}

我的快速端点看起来像这样。

app.post(
    '/post/:id',
    (req, res, next) => {
        let data = req.body;
        console.log(data);
        res.send('Ok');
    }
);

但是我的服务器端控制台输出最终是这样的。

{ id: 'undefined' }

我已经阅读了文档和 github 问题,但我似乎无法理解为什么会这样。

4

1 回答 1

3

您的前端代码是正确的,从查询字符串中获取帖子 ID 是要走的路。

但是您的后端代码不正确,首先您需要使用 GET 路由来呈现 Next.js 页面,并且您必须提取路径参数以将最终查询参数制作为来自常规查询参数以及这些路径的组合参数,这可能看起来像这样使用 express:

const app = next({ dev: process.env.NODE_ENV === 'development' });
app.prepare().then(() => {
  const server = express();
  server.get('/post/:id', (req, res) => {
    const queryParams =  Object.assign({}, req.params, req.query);
    // assuming /pages/posts is where your frontend code lives
    app.render(req, res, '/posts', queryParams);
  });
});

检查此 Next.js 示例:https ://github.com/zeit/next.js/tree/canary/examples/parameterized-routing了解更多信息。

于 2018-02-12T13:17:36.247 回答