如果可能,可以使用Mongoose查询吗?

时间:2018-03-23 11:57:58

标签: mongodb mongoose mongodb-query

我有这个架构:

const guestSchema = new Schema({
  id: String,
  cart: [
    {
      product: {
        type: mongoose.Schema.ObjectId,
        ref: "products"
      },
      quantity: Number
    }
  ]
});

我有这个问题:

Guest.findOneAndUpdate(
        { id: req.sessionID },
        {
          $cond: [
            { "cart.product": { $ne: req.body.itemID } },
            { $push: { "cart": { product: req.body.itemID, quantity: 1 } } },
            { $inc: { "cart.quantity": 1 } }
          ]
        },
        { upsert: true, new: true }
      ).exec(function(err, docs) {
        err ? console.log(err) : res.send(docs);
});

基本上,我要做的是根据条件进行更新。我尝试使用$cond,但发现运算符不用于我正在进行的查询。

基于此:

{ $cond: [ <boolean-expression>, <true-case>, <false-case> ] }

对于我的查询,我想要类似于此运算符的功能。

让我们打破我的状况:

对于我的布尔表达式:我想检查req.body.itemID对于我购物车中的任何值是否$ne

如果为true,则:$push将itemID和数量放入购物车

否则(然后项目已存在):$inc数量为1

问题:如何实现这一结果?我需要进行两次单独的查询吗?我试图尽可能避免这样做

2 个答案:

答案 0 :(得分:0)

此类逻辑不属于数据库查询。它应该发生在应用程序层中。 MongoDB也非常快速地检索和更新带有索引的单个记录,因此不应该成为一个问题。

请尝试做这样的事情:

try {
  const guest = await Guest.findOne().where({
    id: req.sessionID
  }).exec();
  // your cond logic, and update the object
  await guest.save();
  res.status(200).json(guest);
} catch (error) {
  handleError(res, error.message);
}

答案 1 :(得分:0)

我经历了所有Update Field Operators,但我可能无法以我想要的方式做到这一点。

我想知道为什么没有$cond更新运算符。尽管如此,我已经找到了我希望功能完成的解决方案。只是没有我想要的优雅时尚。

Guest.findOneAndUpdate(
        { id: req.sessionID },
        { id: req.sessionID }, //This is here in case need to upsert new guest
        { upsert: true, new: true }
      ).exec(function(err, docs) {
        if (err) {
          console.log(err);
        } else {

          //Find the index of the item in my cart
          //Returns (-1) if not found
          const item = doc.cart.findIndex(
            item => item.product == req.body.itemID
          );

          if (item !== -1) {
            //Item found, so increment quantity by 1
            doc.cart[item].quantity += 1;
          } else {
            //Item not found, so push into cart array
            doc.cart.push({ product: req.body.itemID, quantity: 1 });
          }

          doc.save();
        }
});