猫鼬自动增量

时间:2015-02-06 03:11:29

标签: javascript mongodb mongoose auto-increment

根据this mongodb article,可以自动增加字段,我希望使用计数器收集方式。

该示例的问题在于,我没有成千上万的人使用mongo控制台在数据库中键入数据。相反,我试图使用mongoose。

所以我的架构看起来像这样:

var entitySchema = mongoose.Schema({
  testvalue:{type:String,default:function getNextSequence() {
        console.log('what is this:',mongoose);//this is mongoose
        var ret = db.counters.findAndModify({
                 query: { _id:'entityId' },
                 update: { $inc: { seq: 1 } },
                 new: true
               }
        );
        return ret.seq;
      }
    }
});

我在同一个数据库中创建了计数器集合,并添加了一个页面,其中_id为< entityId'。从这里我不知道如何使用mongoose来更新该页面并获得递增的数字。

计数器没有架构,我希望它保持这种方式,因为这实际上不是应用程序使用的实体。它只应在模式中用于自动增加字段。

15 个答案:

答案 0 :(得分:34)

以下是如何在Mongoose中实现自动增量字段的示例:

var CounterSchema = Schema({
    _id: {type: String, required: true},
    seq: { type: Number, default: 0 }
});
var counter = mongoose.model('counter', CounterSchema);

var entitySchema = mongoose.Schema({
    testvalue: {type: String}
});

entitySchema.pre('save', function(next) {
    var doc = this;
    counter.findByIdAndUpdate({_id: 'entityId'}, {$inc: { seq: 1} }, function(error, counter)   {
        if(error)
            return next(error);
        doc.testvalue = counter.seq;
        next();
    });
});

答案 1 :(得分:26)

您可以按如下方式使用mongoose-auto-increment包:

var mongoose      = require('mongoose');
var autoIncrement = require('mongoose-auto-increment');

/* connect to your database here */

/* define your CounterSchema here */

autoIncrement.initialize(mongoose.connection);
CounterSchema.plugin(autoIncrement.plugin, 'Counter');
var Counter = mongoose.model('Counter', CounterSchema);

您只需要初始化autoIncrement一次。

答案 2 :(得分:12)

投票最多的答案并不奏效。这是修复:

var CounterSchema = new mongoose.Schema({
    _id: {type: String, required: true},
    seq: { type: Number, default: 0 }
});
var counter = mongoose.model('counter', CounterSchema);

var entitySchema = mongoose.Schema({
    sort: {type: String}
});

entitySchema.pre('save', function(next) {
    var doc = this;
    counter.findByIdAndUpdateAsync({_id: 'entityId'}, {$inc: { seq: 1} }, {new: true, upsert: true}).then(function(count) {
        console.log("...count: "+JSON.stringify(count));
        doc.sort = count.seq;
        next();
    })
    .catch(function(error) {
        console.error("counter error-> : "+error);
        throw error;
    });
});

选项参数为您提供更新结果,如果不存在则会创建新文档。 您可以查看http://codepen.io/chasereckling/pen/KgArLG?editors=1010官方文档。

如果您需要排序索引,请检查此here

答案 3 :(得分:6)

我知道这已有很多答案,但我会分享我的解决方案,这是IMO的简短易懂:

// Use pre middleware
entitySchema.pre('save', function (next) {

    // Only increment when the document is new
    if (this.isNew) {
        entityModel.count().then(res => {
            this._id = res; // Increment count
            next();
        });
    } else {
        next();
    }
});

确保entitySchema._idtype:Number。 猫鼬版本:5.0.1

答案 4 :(得分:3)

所以结合多个答案,这就是我最终使用的内容:

counterModel.js

var mongoose = require('mongoose');
var Schema = mongoose.Schema;

const counterSchema = new Schema(
  {
  _id: {type: String, required: true},
  seq: { type: Number, default: 0 }
  }
);

counterSchema.index({ _id: 1, seq: 1 }, { unique: true })

const counterModel = mongoose.model('counter', counterSchema);

const autoIncrementModelID = function (modelName, doc, next) {
  counterModel.findByIdAndUpdate(        // ** Method call begins **
    modelName,                           // The ID to find for in counters model
    { $inc: { seq: 1 } },                // The update
    { new: true, upsert: true },         // The options
    function(error, counter) {           // The callback
      if(error) return next(error);

      doc.id = counter.seq;
      next();
    }
  );                                     // ** Method call ends **
}

module.exports = autoIncrementModelID;

myModel.js

var mongoose = require('mongoose');
var Schema = mongoose.Schema;

const autoIncrementModelID = require('./counterModel');

const myModel = new Schema({
  id: { type: Number, unique: true, min: 1 },
  createdAt: { type: Date, default: Date.now },
  updatedAt: { type: Date },
  someOtherField: { type: String }
});

myModel.pre('save', function (next) {
  if (!this.isNew) {
    next();
    return;
  }

  autoIncrementModelID('activities', this, next);
});

module.exports = mongoose.model('myModel', myModel);

答案 5 :(得分:2)

我不想使用任何插件(一个额外的依赖项,除了我在server.js中使用的那个之外,还初始化了mongodb连接等),所以我做了一个额外的模块,可以在以下位置使用它任何模式,甚至,当您从数据库中删除文档时,我都在考虑。

module.exports = async function(model, data, next) {
    // Only applies to new documents, so updating with model.save() method won't update id
    // We search for the biggest id into the documents (will search in the model, not whole db
    // We limit the search to one result, in descendant order.
    if(data.isNew) {
        let total = await model.find().sort({id: -1}).limit(1);
        data.id = total.length === 0 ? 1 : Number(total[0].id) + 1;
        next();
    };
};

以及如何使用它:

const autoincremental = require('../modules/auto-incremental');

Work.pre('save', function(next) {
    autoincremental(model, this, next);
    // Arguments:
    // model: The model const here below
    // this: The schema, the body of the document you wan to save
    // next: next fn to continue
});

const model = mongoose.model('Work', Work);
module.exports = model;

希望它对您有帮助。

(如果这是错误的,请告诉我。我对此没有任何问题,但不是专家)

答案 6 :(得分:1)

其他方法是您可以使用猫鼬提供的外部软件包。(易于理解)

mongoose sequence plugin

答案 7 :(得分:0)

我一起使用@ cluny85和@edtech。 但我没有完成这个问题。

counterModel.findByIdAndUpdate({_id: 'aid'}, {$inc: { seq: 1} }, function(error,counter){ 但在功能“pre('save ...)中,保存文件后更新计数器的响应完成。 所以我不会更新文档的反击。

请再次检查所有答案。谢谢。

对不起。我无法添加评论。因为我是新手。

答案 8 :(得分:0)

var CounterSchema = Schema({
    _id: { type: String, required: true },
    seq: { type: Number, default: 0 }
});
var counter = mongoose.model('counter', CounterSchema);

var entitySchema = mongoose.Schema({
    testvalue: { type: String }
});

entitySchema.pre('save', function(next) {
    if (this.isNew) {
        var doc = this;
        counter.findByIdAndUpdate({ _id: 'entityId' }, { $inc: { seq: 1 } }, { new: true, upsert: true })
            .then(function(count) {
                doc.testvalue = count.seq;
                next();
            })
            .catch(function(error) {
                throw error;
            });
    } else {
        next();
    }
});

答案 9 :(得分:0)

这是个提案。

  

创建一个单独的集合以保存模型集合的最大值

const autoIncrementSchema = new Schema({
    name: String,
    seq: { type: Number, default: 0 }
});

const AutoIncrement = mongoose.model('AutoIncrement', autoIncrementSchema);

现在,为每个所需的 schema 添加一个pre-save hook

例如,让集合名称为Test

schema.pre('save', function preSave(next) {
    const doc = this;
    if (doc.isNew) {
         const nextSeq = AutoIncrement.findOneAndUpdate(
             { name: 'Test' }, 
             { $inc: { seq: 1 } }, 
             { new: true, upsert: true }
         );

         nextSeq
             .then(nextValue => doc[autoIncrementableField] = nextValue)
             .then(next);
    }
    else next();
 }

由于findOneAndUpdateatomic操作,因此没有两个更新将返回相同的seq值。因此,无论并发插入的数量是多少,每次插入都会获得一个递增的序列这也可以扩展到更复杂的自动增量逻辑,并且自动增量顺序不限于 Number 类型

这不是经过测试的代码。在使用之前进行测试,直到我为mongoose制作插件为止。

更新,我发现this插件实现了相关方法。

答案 10 :(得分:0)

我已经结合了答案的所有(主观和客观)部分,并提出了以下代码:

const counterSchema = new mongoose.Schema({
    _id: {
        type: String,
        required: true,
    },
    seq: {
        type: Number,
        default: 0,
    },
});

// Add a static "increment" method to the Model
// It will recieve the collection name for which to increment and return the counter value
counterSchema.static('increment', async function(counterName) {
    const count = await this.findByIdAndUpdate(
        counterName,
        {$inc: {seq: 1}},
        // new: return the new value
        // upsert: create document if it doesn't exist
        {new: true, upsert: true}
    );
    return count.seq;
});

const CounterModel = mongoose.model('Counter', counterSchema);


entitySchema.pre('save', async function() {
    // Don't increment if this is NOT a newly created document
    if(!this.isNew) return;

    const testvalue = await CounterModel.increment('entity');
    this.testvalue = testvalue;
});

此方法的好处之一是所有与计数器相关的逻辑都是独立的。您可以将其存储在单独的文件中,并用于导入CounterModel的多个模型。

如果您要增加_id字段,请使用应该在架构中添加其定义:

const entitySchema = new mongoose.Schema({
    _id: {
        type: Number,
        alias: 'id',
        required: true,
    },
    <...>
});

答案 11 :(得分:0)

在通过 put() 为 Schema 的字段赋值时,我在使用 Mongoose Document 时遇到了问题。 Child.js 本身返回一个对象,我必须访问它的属性。

我按照@Tigran 的回答进行了比赛,这是我的输出:

count

版本:mongoose@5.11.10

答案 12 :(得分:0)

test.pre("save",function(next){
    if(this.isNew){
        this.constructor.find({}).then((result) => {
            console.log(result)
            this.id = result.length + 1;
            next();
          });
    }
})

答案 13 :(得分:-1)

完美解决方案

<块引用>

Mongodb AutoIncrement 字段

我创建了一个解决这个问题的项目
检查它https://github.com/HipsterSantos/mongo-lastIndex

答案 14 :(得分:-2)

即使文档已经有一个_id字段(sort,等等),答案似乎也会增加序列。如果您“保存”以更新现有文档,则会出现这种情况。否?

如果我是对的,你可以调用next()if this._id!== 0

mongoose docs对此并不十分清楚。如果它在内部进行更新类型查询,那么pre('save'可能不会被调用。

澄清

似乎确实在更新时调用了'save'pre方法。

我认为你不想不必要地增加你的序列。它会花费您查询并浪费序列号。