mirror of
https://github.com/overleaf/overleaf.git
synced 2024-11-07 20:31:06 -05:00
2a3cb615ee
[misc] speedup the ConvertArchivedState test suite GitOrigin-RevId: e7d6471955aabbc6af76e27fdf23d97e2fd87901
78 lines
2.2 KiB
JavaScript
78 lines
2.2 KiB
JavaScript
const { promisify } = require('util')
|
|
const { ReadPreference, ObjectId } = require('mongodb')
|
|
const { getNativeDb } = require('../../app/src/infrastructure/Mongoose')
|
|
|
|
const BATCH_SIZE = parseInt(process.env.BATCH_SIZE, 10) || 1000
|
|
let BATCH_LAST_ID
|
|
if (process.env.BATCH_LAST_ID) {
|
|
BATCH_LAST_ID = ObjectId(process.env.BATCH_LAST_ID)
|
|
}
|
|
|
|
async function getNextBatch(collection, query, maxId, projection) {
|
|
if (maxId) {
|
|
query['_id'] = { $gt: maxId }
|
|
}
|
|
const entries = await collection
|
|
.find(query, projection)
|
|
.sort({ _id: 1 })
|
|
.limit(BATCH_SIZE)
|
|
.setReadPreference(ReadPreference.SECONDARY)
|
|
.toArray()
|
|
return entries
|
|
}
|
|
|
|
async function performUpdate(collection, nextBatch, update) {
|
|
return collection.updateMany(
|
|
{ _id: { $in: nextBatch.map(entry => entry._id) } },
|
|
update
|
|
)
|
|
}
|
|
|
|
async function batchedUpdate(collectionName, query, update, projection) {
|
|
// Apparently the mongo driver returns the connection too early.
|
|
// Some secondary connections are not ready as it returns, leading to
|
|
// failing cursor actions with a readPreference set to 'secondary'.
|
|
// TODO(das7pad): revisit/remove this delay after the mongo-driver update.
|
|
const CONNECT_DELAY = parseInt(process.env.CONNECT_DELAY, 10) || 10000
|
|
await Promise.all([getNativeDb(), promisify(setTimeout)(CONNECT_DELAY)])
|
|
|
|
const db = await getNativeDb()
|
|
const collection = db.collection(collectionName)
|
|
|
|
projection = projection || { _id: 1 }
|
|
let nextBatch
|
|
let updated = 0
|
|
let maxId = BATCH_LAST_ID
|
|
while (
|
|
(nextBatch = await getNextBatch(collection, query, maxId, projection))
|
|
.length
|
|
) {
|
|
maxId = nextBatch[nextBatch.length - 1]._id
|
|
updated += nextBatch.length
|
|
console.log(JSON.stringify(nextBatch))
|
|
|
|
if (typeof update === 'function') {
|
|
await update(collection, nextBatch)
|
|
} else {
|
|
await performUpdate(collection, nextBatch, update)
|
|
}
|
|
}
|
|
return updated
|
|
}
|
|
|
|
function batchedUpdateWithResultHandling(collection, query, update) {
|
|
batchedUpdate(collection, query, update)
|
|
.then(updated => {
|
|
console.error({ updated })
|
|
process.exit(0)
|
|
})
|
|
.catch(error => {
|
|
console.error({ error })
|
|
process.exit(1)
|
|
})
|
|
}
|
|
|
|
module.exports = {
|
|
batchedUpdate,
|
|
batchedUpdateWithResultHandling
|
|
}
|