私が考えることができる解決策は、ネストされたドキュメントを1つずつ更新することです。
文字列の配列である禁止されたフレーズを取得したと仮定します:
var bannedPhrases = ["censorship", "evil"]; // and more ...
次に、クエリを実行してすべてのUserComments
を検索します comments
があります bannedPhrases
のいずれかを含む 。
UserComments.find({"comments.comment": {$in: bannedPhrases }});
promiseを使用することで、非同期で一緒に更新を実行できます:
UserComments.find({"comments.comment": {$in: bannedPhrases }}, {"comments.comment": 1})
.then(function(results){
return results.map(function(userComment){
userComment.comments.forEach(function(commentContainer){
// Check if this comment contains banned phrases
if(bannedPhrases.indexOf(commentContainer.comment) >= 0) {
commentContainer.isHidden = true;
}
});
return userComment.save();
});
}).then(function(promises){
// This step may vary depending on which promise library you are using
return Promise.all(promises);
});
BluebirdJS を使用する場合 Mongooseのpromiseライブラリであるため、コードを簡略化できます:
UserComments.find({"comments.comment": {$in: bannedPhrases}}, {"comments.comment": 1})
.exec()
.map(function (userComment) {
userComment.comments.forEach(function (commentContainer) {
// Check if this comment contains banned phrases
if (bannedPhrases.indexOf(commentContainer.comment) >= 0) {
commentContainer.isHidden = true;
}
});
return userComment.save();
}).then(function () {
// Done saving
});