몽구스 101: 인구
19199 단어 nodemongoosemongodbjavascript
예를 들어 스트리트 파이터 캐릭터는 이동 횟수가 제한되어 있습니다. Ryu는 4 개의 특수 동작 만 있습니다. 이 경우에는 Ryu의 캐릭터 문서에 직접 동작 삽입을 사용해도 됩니다.
그러나 무제한의 하위 문서를 포함할 수 있는 데이터가 있는 경우 데이터베이스를 다르게 설계해야 합니다.
한 가지 방법은 두 개의 개별 모델을 만들고 채우기와 결합하는 것입니다.
모델 만들기
블로그를 만들고 싶다고 가정해 보겠습니다. 그리고 MongoDB로 블로그 콘텐츠를 저장하려고 합니다. 각 블로그에는 제목, 콘텐츠 및 댓글이 있습니다.
첫 번째 스키마는 다음과 같습니다.
const blogPostSchema = new Schema({
title: String,
content: String,
comments: [
{
comment: String
}
]
});
module.exports = mongoose.model("BlogPost", blogPostSchema);
이 스키마에 문제가 있습니다.
블로그 게시물에는 무제한의 댓글이 있을 수 있습니다. 블로그 게시물이 폭발적으로 인기를 얻고 댓글이 늘어나면 문서가 MongoDB에서 부과한 16MB 제한을 초과할 수 있습니다.
즉, 블로그 게시물에 댓글을 포함해서는 안 됩니다. 댓글을 위한 별도의 컬렉션을 만들어야 합니다.
const comments = new Schema({
comment: String
});
module.exports = mongoose.model("Comment", commentSchema);
몽구스에서는 두 모델을 Population과 연결할 수 있습니다.
Population을 사용하려면 다음이 필요합니다.
type
를 Schema.Types.ObjectId
로 설정ref
도 연결하려는 모델로 설정합니다. 여기에서
comments
의 blogPostSchema
가 Comment 컬렉션에 연결되기를 원합니다. 이것은 우리가 사용할 스키마입니다.const blogPostSchema = new Schema({
title: String,
content: String,
comments: [{ type: Schema.Types.ObjectId, ref: "Comment" }]
});
module.exports = mongoose.model("BlogPost", blogPostSchema);
블로그 게시물 만들기
블로그 게시물을 만들고 싶다고 가정해 보겠습니다. 블로그 게시물을 만들려면
new BlogPost
를 사용합니다.const blogPost = new BlogPost({
title: "Weather",
content: `How's the weather today?`
});
블로그 게시물에는 댓글이 없을 수 있습니다. 이 블로그 게시물을
save
로 저장할 수 있습니다.const doc = await blogPost.save();
console.log(doc);
댓글 만들기
이제 블로그 게시물에 대한 댓글을 만들고 싶다고 가정해 보겠습니다. 이를 위해 주석을 만들고 저장합니다.
const comment = new Comment({
comment: `It's damn hot today`
});
const savedComment = await comment.save();
console.log(savedComment);
저장된 댓글에는
_id
속성이 있습니다. 이 _id
속성을 블로그 게시물의 comments
배열에 추가해야 합니다. 이렇게 하면 링크가 생성됩니다.// Saves comment to Database
const savedComment = await comment.save();
// Adds comment to blog post
// Then saves blog post to database
const blogPost = await BlogPost.findOne({ title: "Weather" });
blogPost.comments.push(savedComment._id);
const savedPost = await blogPost.save();
console.log(savedPost);
댓글이 있는 블로그 게시물입니다.
블로그 게시물 및 댓글 검색
블로그 게시물을 검색하려고 하면 블로그 게시물에 일련의 댓글 ID가 있는 것을 볼 수 있습니다.
const blogPost = await BlogPost.findOne({ title: "Weather" });
console.log(blogPost);
댓글을 받는 방법은 4가지가 있습니다.
몽구스 인구
Mongoose를 사용하면
populate
메서드로 연결된 문서를 가져올 수 있습니다. 당신이 해야 할 일은 .populate
로 실행할 때 findOne
를 호출하는 것입니다.채우기를 호출할 때 채우려는 속성의
key
를 전달해야 합니다. 이 경우 key
는 comments
입니다. (참고: Mongoose는 이것을 key
"경로"라고 부릅니다).const blogPost = await BlogPost.findOne({ title: "Weather" }).populate(
"comments"
);
console.log(blogPost);
수동 방식(방법 1)
Mongoose Populate가 없으면 주석을 수동으로 찾아야 합니다. 먼저 댓글 배열을 가져와야 합니다.
const blogPost = await BlogPost.findOne({ title: "Weather" }).populate(
"comments"
);
const commentIDs = blogPost.comments;
그런 다음
commentIDs
를 반복하여 각 댓글을 찾습니다. 이 방법을 사용하면 사용하는 것이 약간 더 빠릅니다Promise.all
.const commentPromises = commentIDs.map(_id => {
return Comment.findOne({ _id });
});
const comments = await Promise.all(commentPromises);
console.log(comments);
수동 방식(방법 2)
몽구스는
$in
연산자를 제공합니다. 이$in
연산자를 사용하여 배열 내의 모든 주석을 찾을 수 있습니다. 이 구문에 익숙해지려면 노력이 필요합니다.수동으로 해야 한다면 이것보다 수동 #1을 선호합니다.
const commentIDs = blogPost.comments;
const comments = await Comment.find({
_id: { $in: commentIDs }
});
console.log(comments);
수동 방식(방법 3)
세 번째 방법의 경우 스키마를 변경해야 합니다. 댓글을 저장하면 댓글이 블로그 게시물에 연결됩니다.
// Linking comments to blog post
const commentSchema = new Schema({
comment: String
blogPost: [{ type: Schema.Types.ObjectId, ref: 'BlogPost' }]
})
module.exports = mongoose.model('Comment', commentSchema)
블로그 게시물에 댓글을 저장하고 댓글에 블로그 게시물 ID를 저장해야 합니다.
const blogPost = await BlogPost.findOne({ title: "Weather" });
// Saves comment
const comment = new Comment({
comment: `It's damn hot today`,
blogPost: blogPost._id
});
const savedComment = comment.save();
// Links blog post to comment
blogPost.comments.push(savedComment._id);
await blogPost.save();
이렇게 하면 블로그 게시물의 ID와 일치하는 댓글에 대한 댓글 컬렉션을 검색할 수 있습니다.
// Searches for comments
const blogPost = await BlogPost.findOne({ title: "Weather" });
const comments = await Comment.find({ _id: blogPost._id });
console.log(comments);
매뉴얼 #1과 매뉴얼 #2보다 매뉴얼 #3을 선호합니다.
그리고 Population은 세 가지 수동 방법을 모두 능가합니다.
읽어 주셔서 감사합니다. 이 기사는 원래 my blog에 게시되었습니다. 더 나은 프론트엔드 개발자가 되는 데 도움이 되는 더 많은 기사를 원하시면 제 뉴스레터에 가입하세요.
Reference
이 문제에 관하여(몽구스 101: 인구), 우리는 이곳에서 더 많은 자료를 발견하고 링크를 클릭하여 보았다 https://dev.to/zellwk/mongoose-101-population-3b80텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
우수한 개발자 콘텐츠 발견에 전념 (Collection and Share based on the CC Protocol.)