Node.js mon goose невозможно «сохранить ()» документ в базе данных MongoDB - PullRequest
1 голос
/ 14 апреля 2020

Моя проблема довольно своеобразна, так как я считаю, что все сделал "по книге".

Я могу успешно подключиться к кластеру MongoDB, который я создал через MongoDB Atlas. Когда я делаю запрос «POST» для сохранения выбора, который был выбран из массива вариантов, я успешно создаю документ с помощью модели, указанной ниже. Затем я пытаюсь сохранить этот документ в MongoDB, вызвав метод 'save ()', но он зависает, и из него ничего не выходит (даже если я использую 'catch', чтобы увидеть, не возникли ли ошибки).

Я совершенно заблудился относительно того, что не так, и что мне нужно сделать, чтобы решить эту проблему. Я надеялся, что вы могли бы дать мне несколько указателей.

Соединение, схема и модель MongoDB:

const mongoose = require('mongoose');

const URL = process.env.MONGODB_URL;

mongoose.connect(URL, { useNewUrlParser: true, useUnifiedTopology: true })
  .then(() => {
    console.log('Successfully connected to our MongoDB database.');
  }).catch((error) => {
    console.log('Could not connect to our MongoDB database.', error.message);
  });

const choicesMadeSchema = new mongoose.Schema({
  allChoices: Array,
  pickedChoice: String
});

const ChoiceMade = mongoose.model('ChoiceMade', choicesMadeSchema);

module.exports = ChoiceMade; // Exports our 'ChoiceMade' constructor, to be used by other modules.

index. js:

/* 1 - Setting things up */

require('dotenv').config();

const express = require('express');
const server = express();
const PORT = process.env.PORT;

const parserOfRequestBody = require('body-parser');
server.use(parserOfRequestBody.json());

/* 2 - Retrieving all the data we need from our 'MongoDB' database */

// Imports the 'mongoose' library, which will allow us to easily interact with our 'MongoDB' database.
const mongoose = require('mongoose');

// Imports our 'ChoiceMade' constructor.
const ChoiceMade = require('./database/database.js');

// Will hold the five latest choices that have been made (and thus saved on our 'MongoDB' database).
let fiveLatestChoicesMade;

// Retrieves the five latest choices that have been made (and thus saved on our 'MongoDB' database).
ChoiceMade.find({}).then((allChoicesEverMade) => {
  const allChoicesEverMadeArray = allChoicesEverMade.map((choiceMade) => {
    return choiceMade.toJSON();
  });

  fiveLatestChoicesMade = allChoicesEverMadeArray.slice(allChoicesEverMadeArray.length - 5).reverse();

  console.log("These are the five latest choices that have been made:", fiveLatestChoicesMade);

  mongoose.connection.close();
});

/* 3 - How the server should handle requests */

// 'GET' (i.e., 'retrieve') requests

server.get('/allChoicesMade', (request, response) => {
  console.log("This is the data that will be sent as a response to the 'GET' request:", fiveLatestChoicesMade);

  response.json(fiveLatestChoicesMade);
});

// 'POST' (i.e., 'send') requests

server.post('/allChoicesMade', (request, response) => {
  const newChoiceMadeData = request.body;

  if (Object.keys(newChoiceMadeData).length === 0) {
    return response.status(400).json({ error: "No data was provided." });
  }

  const newChoiceMade = new ChoiceMade({
    allChoices: newChoiceMadeData.allChoices,
    pickedChoice: newChoiceMadeData.pickedChoice
  });

  console.log("This is the new 'choice made' entry that we are going to save on our 'MongoDB' database:", newChoiceMade); // All good until here

  newChoiceMade.save().then((savedChoiceMade) => {
    console.log('The choice that was made has been saved!');

    response.json(savedChoiceMade);

    mongoose.connection.close();
  }).catch((error) => {
    console.log('An error occurred:', error);
  });
});

/* 4 - Telling the server to 'listen' for requests */

server.listen(PORT, () => {
  console.log("Our 'Express' server is running, and listening for requests made to port '" + PORT + "'.");
});

РЕШЕНИЕ ПРОБЛЕМЫ

В разделе 2 моего кода я ошибочно закрывал соединение после извлечения всех данных, необходимых для работы моего приложения , Я делал это (...)

// Retrieves the five latest choices that have been made (and thus saved on our 'MongoDB' database).
ChoiceMade.find({}).then((allChoicesEverMade) => {
  const allChoicesEverMadeArray = allChoicesEverMade.map((choiceMade) => {
    return choiceMade.toJSON();
  });

  fiveLatestChoicesMade = allChoicesEverMadeArray.slice(allChoicesEverMadeArray.length - 5).reverse();

  console.log("These are the five latest choices that have been made:", fiveLatestChoicesMade);

  mongoose.connection.close(); // This should not be here!!!
});

(...), когда я должен был делать

// Retrieves the five latest choices that have been made (and thus saved on our 'MongoDB' database).
ChoiceMade.find({}).then((allChoicesEverMade) => {
  const allChoicesEverMadeArray = allChoicesEverMade.map((choiceMade) => {
    return choiceMade.toJSON();
  });

  fiveLatestChoicesMade = allChoicesEverMadeArray.slice(allChoicesEverMadeArray.length - 5).reverse();

  console.log("These are the five latest choices that have been made:", fiveLatestChoicesMade);

  // Now that I don't have mongoose.connection.close(), everything's OK!
});

В основном, и в моем конкретном случае я закрывал соединение в базу данных MongoDB после извлечения данных из нее и последующей попытки добавить новую запись в нее, когда у меня не было подключения к ней больше.

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...