我可以有条件地将 where() 子句添加到我的 knex 查询中吗?



我想在我的查询中添加一个where()子句,但有条件。具体来说,我希望仅在 URL 中传递特定的查询字符串参数时才添加它。这可能吗,如果是这样,我将如何去做?

router.get('/questions', function (req, res) {
    knex('questions')
        .select('question', 'correct', 'incorrect')
        .limit(50)
        .where('somecolumn', req.query.param) // <-- only if param exists
        .then(function (results) {
            res.send(results);
        });
});

是的。使用修改。

应用于您的示例:

router.get('/questions', function (req, res) {
    knex('questions')
        .select('question', 'correct', 'incorrect')
        .limit(50)
        .modify(function(queryBuilder) {
            if (req.query.param) {
                queryBuilder.where('somecolumn', req.query.param);
            }
        })   
        .then(function (results) {
            res.send(results);
        });
});

您可以将查询存储在变量中,应用条件 where 子句,然后执行它,如下所示:

router.get('/questions', function(req, res) {
  var query = knex('questions')
              .select('question', 'correct', 'incorrect')
              .limit(50);
  if(req.query.param == some_condition)
    query.where('somecolumn', req.query.param) // <-- only if param exists
  else
    query.where('somecolumn', req.query.param2) // <-- for instance
  query.then(function(results) {
    //query success
    res.send(results);
  })
  .then(null, function(err) {
    //query fail
    res.status(500).send(err);
  });
});

您实际上可以在.where()中使用queryBuilder,如下所示:

.where((queryBuilder) => {condition === true ? do something if true : do something if false })

IMO @ItaiNoam的答案应该是正确的,.modify()

最简单的解决方案是skipUndefined

Person.query()
  .skipUndefined()
  .where('firstName', req.query.firstName);

您可以通过检查查询字符串是否存在并运行其他查询来执行此操作。

router.get('/questions', function(req, res) {
  if (req.query.yourQueryString) {
    // Run your more specific select
  } else {
    knex('questions').select('question', 'correct', 'incorrect').limit(50).where(
        'somecolumn', req.query.param) // <-- only if param exists
      .then(function(results) {
        res.send(results);
      });
  }
}
});

相关内容

  • 没有找到相关文章

最新更新