var n = new Chat();
n.name = "chat room";
n.save(function(){
//console.log(THE OBJECT ID that I just saved);
});
保存したオブジェクトのオブジェクトIDをconsole.logに記録したいと思います。マングースでそれを行うにはどうすればよいですか?
回答:
これは私のためにうまくいきました:
var mongoose = require('mongoose'),
Schema = mongoose.Schema;
mongoose.connect('mongodb://localhost/lol', function(err) {
if (err) { console.log(err) }
});
var ChatSchema = new Schema({
name: String
});
mongoose.model('Chat', ChatSchema);
var Chat = mongoose.model('Chat');
var n = new Chat();
n.name = "chat room";
n.save(function(err,room) {
console.log(room.id);
});
$ node test.js
4e3444818cde747f02000001
$
私はマングース1.7.2を使用していますが、これは問題なく機能します。念のため、もう一度実行しました。
Mongoは完全なドキュメントをcallbackobjectとして送信するため、そこからのみ取得できます。
例えば
n.save(function(err,room){
var newRoomId = room._id;
});
手動で_idを生成でき、後でそれを引き出すことを心配する必要はありません。
var mongoose = require('mongoose');
var myId = mongoose.Types.ObjectId();
// then set it manually when you create your object
_id: myId
// then use the variable wherever
他の回答はコールバックの追加について言及しています、私は.then()を使用することを好みます
n.name = "chat room";
n.save()
.then(chatRoom => console.log(chatRoom._id));
var gnr = new Band({
name: "Guns N' Roses",
members: ['Axl', 'Slash']
});
var promise = gnr.save();
assert.ok(promise instanceof Promise);
promise.then(function (doc) {
assert.equal(doc.name, "Guns N' Roses");
});
ではsave
あなただけ行うために必要なすべてのです。
n.save((err, room) => {
if (err) return `Error occurred while saving ${err}`;
const { _id } = room;
console.log(`New room id: ${_id}`);
return room;
});
誰かが以下を使用して同じ結果を得る方法を疑問に思っている場合に備えてcreate
:
const array = [{ type: 'jelly bean' }, { type: 'snickers' }];
Candy.create(array, (err, candies) => {
if (err) // ...
const [jellybean, snickers] = candies;
const jellybeadId = jellybean._id;
const snickersId = snickers._id;
// ...
});
まあ、私はこれを持っています:
TryThisSchema.post("save", function(next) {
console.log(this._id);
});
最初の行の「投稿」に注意してください。私のバージョンのMongooseでは、データの保存後に_id値を取得するのに問題はありません。
実際には、オブジェクトをインスタンス化するときにIDがすでに存在している必要があります
var n = new Chat();
console.log(n._id) // => 4e7819d26f29f407b0... -> ID is already allocated
ここでこの答えを確認してください:https: //stackoverflow.com/a/7480248/318380