ад обратного вызова мангуста, чтобы пообещать

#javascript #node.js #mongoose #promise #es6-promise

#javascript #node.js #мангуст #обещание #es6-обещание

Вопрос:

Я хотел бы переключить этот обратный вызов на promise, но испытываю трудности из-за отношения в моих моделях

 router.post("/", middleware.isLoggedIn, (req, res) => {
  Campground.findById(req.params.id, (err, campground) => {
    if (err) {
      console.log(err);
      redirect("/campgrounds");
    } else {
      Comment.create(req.body.comment, (err, comment) => {
        if (err) {
          console.log(err);
        } else {
          comment.author.id = req.user._id;
          comment.author.username = req.user.username;
          comment.save();
          campground.comments.push(comment);
          campground.save();
          res.redirect("/campgrounds/"   campground._id);
          console.log("comment created");
        }
      });
    }
  });
});
  

Пробовал делать сам, но выдает ошибку «Не удается прочитать ‘комментарии’ свойства null»

 router.post("/", (req, res) => {
  const text = req.body.text;
  const newComment = new Comment({ text });
  Campground.findById(req.params.id)
    .then((foundCampground) => {
      newComment
        .save()
        .then((comment) => {
          comment.author.id = req.user._id;
          comment.author.username = req.user.username;
          comment.save();
          foundCampground.comments.push(comment);
          foundCampground.save();
        })
        .then(() => res.json("Comment added!"));
    })
    .catch((err) => {
      res.json(`Error ${err}`);
    });
});
  

TIA

Ответ №1:

Кажется, в вашей базе данных нет записи для foundCampground . всегда проверяйте, есть ли запись, возвращенная из базы данных, перед отправкой в массив. findById возвращает null, если для конкретного запроса нет записи

 router.post("/", (req, res) => {
  const text = req.body.text;
  const newComment = new Comment({ text });
  Campground.findById(req.params.id)
    .then((foundCampground) => {
      newComment
        .save()
        .then((comment) => {
          comment.author.id = req.user._id;
          comment.author.username = req.user.username;
          comment.save();
          if(foundCampground !== null){ //Added these line
          foundCampground.comments.push(comment);
          }
          foundCampground.save();
        })
        .then(() => res.json("Comment added!"));
    })
    .catch((err) => {
      res.json(`Error ${err}`);
    });
});
  

Комментарии:

1. Вы, вероятно, захотите проверить это перед сохранением комментария, хотя

Ответ №2:

Ответить

Запросы в мангусте не являются обещаниями. Чтобы преобразовать ваши запросы в promises, вы должны использовать функцию .exec().

Пример

 router.post("/", (req, res) => {
  const text = req.body.text;
  const newComment = new Comment({ text });
  Campground.findById(req.params.id)
    .exec() // This line makes the trick
    .then((foundCampground) => {
      newComment
        .save()
        .then((comment) => {
          comment.author.id = req.user._id;
          comment.author.username = req.user.username;
          comment.save();
          foundCampground.comments.push(comment);
          foundCampground.save();
        })
        .then(() => res.json("Comment added!"));
    })
    .catch((err) => {
      res.json(`Error ${err}`);
    });
});
  

Ссылка

Мангуст: запросы не являются обещаниями