一尘不染

在Node JS中使用Express在查询字符串中进行预路由

node.js

我正在尝试使用express来解析查询字符串,以防设置某些参数并在实际路由发生之前执行一些代码。用例是获取某个可以设置的值,而与所使用的链接无关。我使用express’功能使用next()将内容传递给下一个可能的规则。

到目前为止,我尝试过-在所有app.get / post-rule-block的最顶部:

app.get('[?&]something=([^&#]*)', function(req, res, next) {
  var somethingID = req.params.something;
  // Below line is just there to illustrate that it's working. Actual code will do something real, of course.
  console.log("Something: "+somethingID);
  next();
})

app.get('/', site.index);

并且:

app.param('something', function(req, res, next) {
  var somethingID = req.params.something;
  console.log("Something: "+somethingID);
  next();
})

app.get('/', site.index);

应触发的示例:

URL: www.example.com/?something=10239
URL: www.example.com/superpage/?something=10239
URL: www.example.com/minisite/?anything=10&something=10239

不幸的是,我的解决方案都没有真正起作用,所有发生的事情是,触发了下一个匹配规则,但是从未执行过上面的小功能。有人对此有想法吗?

编辑:我确实知道,该参数示例无法正常工作,因为之后我没有在任何其他路由规则中使用所述参数,因此只有在此之后才会触发该参数。

我也确实理解,这意味着逻辑,Express会忽略查询字符串,并且 通常
在路由已经发生之后在函数中进行解析。但是如上所述,我需要使它“与路由无关”,并且可以处理在此应用程序中处理的任何URL。


阅读 235

收藏
2020-07-07

共1个答案

一尘不染

express不允许您基于查询字符串进行路由。如果存在相关参数,您可以添加一些执行某些操作的中间件;

app.use(function (req, res, next) {
    if (req.query.something) {
        // Do something; call next() when done.
    } else {
        next();
    }
});

app.get('/someroute', function (req, res, next) {
    // Assume your query params have been processed
});
2020-07-07