众所周知,mongoDb 默认驱动程序不支持自动整数 ID 生成。我花了 2 天时间思考如何实现我自己的唯一整数值的 id 生成器。那么,如何制作呢?
4 回答
Its not good practice to make auto increment Id in MongoDB, as I will hurt in scaling your server, but If you want to make auto increment value it is not advisable to iterate your collection, Instead make a separate table (sequence like concept) and read value from there and increment it using findAndModify. It will be unique per table.
> db.counters.insert({_id: "userId", c: 0});
> var o = db.counters.findAndModify(
... {query: {_id: "userId"}, update: {$inc: {c: 1}}});
{ "_id" : "userId", "c" : 0 }
> db.mycollection.insert({_id:o.c, stuff:"abc"});
> o = db.counters.findAndModify(
... {query: {_id: "userId"}, update: {$inc: {c: 1}}});
{ "_id" : "userId", "c" : 1 }
> db.mycollection.insert({_id:o.c, stuff:"another one"});
我会使用 GUID 作为主键而不是整数。 它主要有两个好处
- 它是线程安全的
- 您无需担心计算下一个 ID。
获取新 ID 所需的代码非常简单
Guid.NewGuid()
查看 CodingHorror 中的这篇有用文章,该文章解释了使用 GUID 而非经典整数 ID 的优缺点。
一个迟到的答案,但我想我会发布这个:
https://github.com/alexjamesbrown/MongDBIntIdGenerator
我开始使用增量 ID 生成器。
注意 - 这远非理想,也不是 mongodb 的目的。
像这样的东西:
public class UniqueIntGenerator : IIdGenerator
{
private static UniqueIntGenerator _instance;
public static UniqueIntGenerator Instance { get { return _instance; } }
static UniqueIntGenerator()
{
_instance = new UniqueIntGenerator();
}
public object GenerateId(object container, object document)
{
var cont = container as MongoCollection;
if (cont == null)
return 0;
var type = cont.Settings.DefaultDocumentType;
var cursor = cont.FindAllAs(type);
cursor.SetSortOrder(SortBy.Descending("_id"));
cursor.Limit = 1;
foreach (var obj in cursor)
return GetId(obj) + 1;
return 1;
}
private int GetId(object obj)
{
var properties = obj.GetType().GetProperties();
var idProperty = properties.Single(y => y.GetCustomAttributes(typeof(BsonIdAttribute), false).SingleOrDefault() != null);
var idValue = (int)idProperty.GetValue(obj, null);
return idValue;
}
public bool IsEmpty(object id)
{
return default(int) == (int)id;
}
}