我正在为我的聊天应用程序构建API,并在下面编写了端点以将新消息保存在MongoDB中。
消息本身是一个数组。
使用Postman测试此端点将在响应中返回新创建的消息,但该消息未添加到我的消息数组中。
router.post('/:id/messages', async (request, response) => {
const chatMessage = new Message({
type: request.body.type,
body: request.body.body,
author: request.body.author
});
try {
const newMessage = await chatMessage.save({ $push: { chatMessage } });
response.status(201).json(newMessage);
} catch (error) {
response.status(400).json({ message: error.message });
}
});
这是我的消息猫鼬模式:
const mongoose = require('mongoose');
const messageSchema = new mongoose.Schema({
type: {
type: String
},
body: {
type: String
},
author: {
type: String
},
date: {
type: Date,
default: Date.now
}
});
module.exports = mongoose.model('Message', messageSchema);
任何提示我做错了什么? 非常感谢! :-)
EDIT_ Mongo DB Sample
答案 0 :(得分:0)
不推荐使用mongodb文档.save()
:https://docs.mongodb.com/manual/reference/method/db.collection.save/
您应该尝试使用.update()
命令,如$push
示例文档中所示:
https://docs.mongodb.com/manual/reference/operator/update/push/
答案 1 :(得分:0)
您的架构和操作中有一些不匹配的内容。
您正在使用$push
,它用于将数据追加到数组。您的架构不包含任何数组。
如果您的收藏包含邮件作为文档,则应改用.insertOne
。
router.post('/:id/messages', async (request, response) => {
const chatMessage = {
type: request.body.type,
body: request.body.body,
author: request.body.author
}
try {
const newMessage = await chatMessage.insertOne(chatMessage);
response.status(201).json(newMessage);
} catch (error) {
response.status(400).json({ message: error.message });
}
})
newMessage
将包含创建的文档。请注意,此代码未经测试。
答案 2 :(得分:0)
请进行以下更改:
聊天架构文件:
/** messages schema w.r.t. messages field in chat document */
const messageSchema = new mongoose.Schema({
type: {
type: String
},
body: {
type: String
},
author: {
type: String
},
date: {
type: Date,
default: Date.now
}
});
/** Actual chat schema */
const chatsSchema = new mongoose.Schema({
id: Number,
user1: String,
user2: String,
messages: [messageSchema]
});
function getChatsModel() {
if (mongoose.models && mongoose.models.chats) {
return mongoose.models.chats;
}
return mongoose.model('chats', chatsSchema, 'chats');
}
module.exports = getChatsModel();
代码:
/** Import chats model file here & also do require mongoose */
router.post('/:id/messages', async (request, response) => {
const chatMessage = {
messages: {
type: request.body.type,
body: request.body.body,
author: request.body.author
}
};
try {
const id = mongoose.Types.ObjectId(request.params.id);
const dbResp = await Chats.findOneAndUpdate({ "_id": id }, { $push: chatMessage }, { new: true }).lean(true);
if (dbResp) {
// dbResp will be entire updated document, we're just returning newly added message which is input.
response.status(201).json(chatMessage);
} else {
response.status(400).json({ message: 'Not able to update messages' });
}
} catch (error) {
response.status(500).json({ message: error.message });
}
});