我有名字和日期的数据库。我需要更改旧日期,日期为+3天之后。例如,oldaDate是01.02.2015,新的是03.02.2015。 我只想为所有文件设置另一个日期,但这意味着所有考试都将在一天之内完成。
$ db.getCollection('school.exam').update( {}, { $set : { "oldDay" : new ISODate("2016-01-11T03:34:54Z") } }, true, true);
问题只是用随机的几天取代旧日期。
答案 0 :(得分:2)
由于MongoDB尚未支持 $inc
运算符来应用日期(查看 here 上的JIRA票证),作为递增日期字段的替代方法,您需要在循环中使用 find()
方法迭代 forEach()
方法返回的光标
将旧日期字段转换为时间戳,将时间天数(以毫秒为单位)添加到时间戳,然后使用 $set
运算符更新字段。
利用 Bulk API 进行批量更新,从而提供更好的性能,因为您将以1000个批量向服务器发送操作,从而为您提供更好的性能没有向服务器发送每个请求,每1000个请求只发送一次。
以下演示了此方法,第一个示例使用MongoDB版本>= 2.6 and < 3.2
中提供的批量API。它更新所有
通过在日期字段中添加3天来收集集合中的文档:
var bulk = db.getCollection("school.exam").initializeUnorderedBulkOp(),
counter = 0,
daysInMilliSeconds = 86400000,
numOfDays = 3;
db.getCollection("school.exam").find({ "oldDay": { $exists : true, "$type": 2 }}).forEach(function (doc) {
var incDate = new Date(doc.oldDay.getTime() + (numOfDays * daysInMilliSeconds ));
bulk.find({ "_id": doc._id }).updateOne({
"$set": { "oldDay": incDate }
});
counter++;
if (counter % 1000 == 0) {
bulk.execute(); // Execute per 1000 operations and re-initialize every 1000 update statements
bulk = db.getCollection('school.exam').initializeUnorderedBulkOp();
}
})
if (counter % 1000 != 0) { bulk.execute(); }
下一个示例适用于自 deprecated the Bulk API 以来的新MongoDB版本3.2
,并使用 bulkWrite()
提供了一套更新的api强>:
var bulkOps = [],
daysInMilliSeconds = 86400000,
numOfDays = 3;
db.getCollection("school.exam").find({ "oldDay": { $exists : true, "$type": 2 }}).forEach(function (doc) {
var incDate = new Date(doc.oldDay.getTime() + (numOfDays * daysInMilliSeconds ));
bulkOps.push(
{
"updateOne": {
"filter": { "_id": doc._id } ,
"update": { "$set": { "oldDay": incDate } }
}
}
);
})
db.getCollection("school.exam").bulkWrite(bulkOps, { 'ordered': true });