web-dev-qa-db-ja.com

NodeJS + Mongo:存在しない場合は挿入、それ以外の場合-更新

Mongodbコレクションにオブジェクトがあります。そのスキーマは次のとおりです。

{
    "instruments": ["A", "B", "C"],
    "_id": {
        "$oid": "508510cd6461cc5f61000001"
    }
}

私のコレクションにはそのようなオブジェクトがあるかもしれませんが、ないかもしれません。キー "instruments"のオブジェクトが存在するかどうかを確認する必要があります(現時点では、 "instrument"の値がわからない。値または配列が含まれている可能性がある)。存在する場合-更新を実行します。それ以外の場合-新しい値を挿入します。これどうやってするの?

collection.find( {  "instruments" : { $exists : true } }, function(err, object){
    if (object) {
        //update
    } else {
        //insert
    }
});

動作しません((

19
f1nn

見つからない場合に1つのドキュメントを挿入する場合は、update()メソッドでupsertオプションを使用できます。

_collection.update(_query_, _update_, { upsert: true });
_

upsert の動作については、ドキュメントを参照してください。

_$exists_演算子を使用した例。

コレクションに6つのドキュメントがあるとします。

_> db.test.find()
{ "_id": ObjectId("5495aebff83774152e9ea6b2"), "a": 1 }
{ "_id": ObjectId("5495aec2f83774152e9ea6b3"), "a": [ ] }
{ "_id": ObjectId("5495aec7f83774152e9ea6b4"), "a": [ "b" ] }
{ "_id": ObjectId("5495aecdf83774152e9ea6b5"), "a": [ null ] }
{ "_id": ObjectId("5495aed5f83774152e9ea6b7"), "a": [ 0 ] }
{ "_id": ObjectId("5495af60f83774152e9ea6b9"), "b": 2 }
_

特定のフィールド_"a"_)を持つドキュメントを検索するには、find()メソッドを $ exists 演算子( node docs )注:これは、フィールドが空の配列であるドキュメントも返します。

_> db.test.find( { a: { $exists: true } } )
{ "_id": ObjectId("5495aebff83774152e9ea6b2"), "a": 1 }
{ "_id": ObjectId("5495aec2f83774152e9ea6b3"), "a": [ ] }
{ "_id": ObjectId("5495aec7f83774152e9ea6b4"), "a": [ "b" ] }
{ "_id": ObjectId("5495aecdf83774152e9ea6b5"), "a": [ null ] }
{ "_id": ObjectId("5495aed5f83774152e9ea6b7"), "a": [ 0 ] }
_
23
Gianfranco P.