mirror of
https://github.com/overleaf/overleaf.git
synced 2024-11-07 20:31:06 -05:00
Merge pull request #240 from overleaf/bg-jpa-hash-tracker
[ContentCacheManager] track hashes and expire unused ones
This commit is contained in:
commit
f820d32221
6 changed files with 1112 additions and 37 deletions
|
@ -7,6 +7,7 @@ const fs = require('fs')
|
|||
const crypto = require('crypto')
|
||||
const Path = require('path')
|
||||
const Settings = require('settings-sharelatex')
|
||||
const pLimit = require('p-limit')
|
||||
|
||||
const MIN_CHUNK_SIZE = Settings.pdfCachingMinChunkSize
|
||||
|
||||
|
@ -25,7 +26,10 @@ async function update(contentDir, filePath) {
|
|||
const extractor = new PdfStreamsExtractor()
|
||||
const ranges = []
|
||||
const newRanges = []
|
||||
const seenHashes = new Set()
|
||||
// keep track of hashes expire old ones when they reach a generation > N.
|
||||
const tracker = await HashFileTracker.from(contentDir)
|
||||
tracker.updateAge()
|
||||
|
||||
for await (const chunk of stream) {
|
||||
const pdfStreams = extractor.consume(chunk)
|
||||
for (const pdfStream of pdfStreams) {
|
||||
|
@ -36,15 +40,106 @@ async function update(contentDir, filePath) {
|
|||
ranges.push(range)
|
||||
|
||||
// Optimization: Skip writing of duplicate streams.
|
||||
if (seenHashes.has(hash)) continue
|
||||
seenHashes.add(hash)
|
||||
if (tracker.track(range)) continue
|
||||
|
||||
if (await writePdfStream(contentDir, hash, pdfStream.buffers)) {
|
||||
newRanges.push(range)
|
||||
}
|
||||
await writePdfStream(contentDir, hash, pdfStream.buffers)
|
||||
newRanges.push(range)
|
||||
}
|
||||
}
|
||||
return [ranges, newRanges]
|
||||
const reclaimedSpace = await tracker.deleteStaleHashes(5)
|
||||
await tracker.flush()
|
||||
return [ranges, newRanges, reclaimedSpace]
|
||||
}
|
||||
|
||||
function getStatePath(contentDir) {
|
||||
return Path.join(contentDir, '.state.v0.json')
|
||||
}
|
||||
|
||||
class HashFileTracker {
|
||||
constructor(contentDir, { hashAge = [], hashSize = [] }) {
|
||||
this.contentDir = contentDir
|
||||
this.hashAge = new Map(hashAge)
|
||||
this.hashSize = new Map(hashSize)
|
||||
}
|
||||
|
||||
static async from(contentDir) {
|
||||
const statePath = getStatePath(contentDir)
|
||||
let state = {}
|
||||
try {
|
||||
const blob = await fs.promises.readFile(statePath)
|
||||
state = JSON.parse(blob)
|
||||
} catch (e) {}
|
||||
return new HashFileTracker(contentDir, state)
|
||||
}
|
||||
|
||||
track(range) {
|
||||
const exists = this.hashAge.has(range.hash)
|
||||
if (!exists) {
|
||||
this.hashSize.set(range.hash, range.end - range.start)
|
||||
}
|
||||
this.hashAge.set(range.hash, 0)
|
||||
return exists
|
||||
}
|
||||
|
||||
updateAge() {
|
||||
for (const [hash, age] of this.hashAge) {
|
||||
this.hashAge.set(hash, age + 1)
|
||||
}
|
||||
return this
|
||||
}
|
||||
|
||||
findStale(maxAge) {
|
||||
const stale = []
|
||||
for (const [hash, age] of this.hashAge) {
|
||||
if (age > maxAge) {
|
||||
stale.push(hash)
|
||||
}
|
||||
}
|
||||
return stale
|
||||
}
|
||||
|
||||
async flush() {
|
||||
const statePath = getStatePath(this.contentDir)
|
||||
const blob = JSON.stringify({
|
||||
hashAge: Array.from(this.hashAge.entries()),
|
||||
hashSize: Array.from(this.hashSize.entries())
|
||||
})
|
||||
const atomicWrite = statePath + '~'
|
||||
try {
|
||||
await fs.promises.writeFile(atomicWrite, blob)
|
||||
} catch (err) {
|
||||
try {
|
||||
await fs.promises.unlink(atomicWrite)
|
||||
} catch (e) {}
|
||||
throw err
|
||||
}
|
||||
try {
|
||||
await fs.promises.rename(atomicWrite, statePath)
|
||||
} catch (err) {
|
||||
try {
|
||||
await fs.promises.unlink(atomicWrite)
|
||||
} catch (e) {}
|
||||
throw err
|
||||
}
|
||||
}
|
||||
|
||||
async deleteStaleHashes(n) {
|
||||
// delete any hash file older than N generations
|
||||
const hashes = this.findStale(n)
|
||||
|
||||
let reclaimedSpace = 0
|
||||
if (hashes.length === 0) {
|
||||
return reclaimedSpace
|
||||
}
|
||||
|
||||
await promiseMapWithLimit(10, hashes, async (hash) => {
|
||||
await fs.promises.unlink(Path.join(this.contentDir, hash))
|
||||
this.hashAge.delete(hash)
|
||||
reclaimedSpace += this.hashSize.get(hash)
|
||||
this.hashSize.delete(hash)
|
||||
})
|
||||
return reclaimedSpace
|
||||
}
|
||||
}
|
||||
|
||||
class PdfStreamsExtractor {
|
||||
|
@ -121,13 +216,6 @@ function pdfStreamHash(buffers) {
|
|||
|
||||
async function writePdfStream(dir, hash, buffers) {
|
||||
const filename = Path.join(dir, hash)
|
||||
try {
|
||||
await fs.promises.stat(filename)
|
||||
// The file exists. Do not rewrite the content.
|
||||
// It would change the modified-time of the file and hence invalidate the
|
||||
// ETags used for client side caching via browser internals.
|
||||
return false
|
||||
} catch (e) {}
|
||||
const atomicWriteFilename = filename + '~'
|
||||
const file = await fs.promises.open(atomicWriteFilename, 'w')
|
||||
if (Settings.enablePdfCachingDark) {
|
||||
|
@ -150,7 +238,11 @@ async function writePdfStream(dir, hash, buffers) {
|
|||
throw err
|
||||
}
|
||||
}
|
||||
return true
|
||||
}
|
||||
|
||||
function promiseMapWithLimit(concurrency, array, fn) {
|
||||
const limit = pLimit(concurrency)
|
||||
return Promise.all(array.map((x) => limit(() => fn(x))))
|
||||
}
|
||||
|
||||
module.exports = {
|
||||
|
|
|
@ -72,7 +72,10 @@ function emitPdfCachingStats(stats, timings) {
|
|||
|
||||
// How much space do the ranges use?
|
||||
// This will accumulate the ranges size over time, skipping already written ranges.
|
||||
Metrics.summary('pdf-ranges-disk-size', stats['pdf-caching-new-ranges-size'])
|
||||
Metrics.summary(
|
||||
'pdf-ranges-disk-size',
|
||||
stats['pdf-caching-new-ranges-size'] - stats['pdf-caching-reclaimed-space']
|
||||
)
|
||||
}
|
||||
|
||||
module.exports = {
|
||||
|
|
|
@ -278,10 +278,10 @@ module.exports = OutputCacheManager = {
|
|||
const timer = new Metrics.Timer('compute-pdf-ranges')
|
||||
ContentCacheManager.update(contentDir, outputFilePath, function (
|
||||
err,
|
||||
ranges
|
||||
result
|
||||
) {
|
||||
if (err) return callback(err, outputFiles)
|
||||
const [contentRanges, newContentRanges] = ranges
|
||||
const [contentRanges, newContentRanges, reclaimedSpace] = result
|
||||
|
||||
if (Settings.enablePdfCachingDark) {
|
||||
// In dark mode we are doing the computation only and do not emit
|
||||
|
@ -302,6 +302,7 @@ module.exports = OutputCacheManager = {
|
|||
(sum, next) => sum + (next.end - next.start),
|
||||
0
|
||||
)
|
||||
stats['pdf-caching-reclaimed-space'] = reclaimedSpace
|
||||
callback(null, outputFiles)
|
||||
})
|
||||
} else {
|
||||
|
|
812
services/clsi/package-lock.json
generated
812
services/clsi/package-lock.json
generated
File diff suppressed because it is too large
Load diff
|
@ -31,6 +31,7 @@
|
|||
"lodash": "^4.17.20",
|
||||
"logger-sharelatex": "^2.2.0",
|
||||
"mysql": "^2.18.1",
|
||||
"p-limit": "^3.1.0",
|
||||
"request": "^2.88.2",
|
||||
"sequelize": "^5.21.5",
|
||||
"settings-sharelatex": "^1.1.0",
|
||||
|
@ -58,6 +59,7 @@
|
|||
"eslint-plugin-react": "^7.19.0",
|
||||
"eslint-plugin-standard": "^4.0.1",
|
||||
"mocha": "^7.1.0",
|
||||
"nodemon": "^2.0.7",
|
||||
"prettier": "^2.0.0",
|
||||
"prettier-eslint-cli": "^5.0.0",
|
||||
"sandboxed-module": "^2.0.3",
|
||||
|
|
|
@ -48,16 +48,19 @@ describe('ContentCacheManager', function () {
|
|||
}
|
||||
})
|
||||
}
|
||||
let contentRanges, newContentRanges
|
||||
let contentRanges, newContentRanges, reclaimed
|
||||
function run(filePath, done) {
|
||||
ContentCacheManager.update(contentDir, filePath, (err, ranges) => {
|
||||
if (err) return done(err)
|
||||
;[contentRanges, newContentRanges] = ranges
|
||||
let newlyReclaimed
|
||||
;[contentRanges, newContentRanges, newlyReclaimed] = ranges
|
||||
reclaimed += newlyReclaimed
|
||||
done()
|
||||
})
|
||||
}
|
||||
|
||||
beforeEach(function () {
|
||||
reclaimed = 0
|
||||
contentDir =
|
||||
'/app/output/602cee6f6460fca0ba7921e6/content/1797a7f48f9-5abc1998509dea1f'
|
||||
pdfPath =
|
||||
|
@ -70,6 +73,18 @@ describe('ContentCacheManager', function () {
|
|||
fs = {
|
||||
createReadStream: sinon.stub().returns(Readable.from([])),
|
||||
promises: {
|
||||
async writeFile(name, blob) {
|
||||
const file = new FakeFile()
|
||||
await file.write(Buffer.from(blob))
|
||||
await file.close()
|
||||
files[name] = file
|
||||
},
|
||||
async readFile(name) {
|
||||
if (!files[name]) {
|
||||
throw new Error()
|
||||
}
|
||||
return files[name].toJSON().contents
|
||||
},
|
||||
async open(name) {
|
||||
files[name] = new FakeFile()
|
||||
return files[name]
|
||||
|
@ -86,7 +101,12 @@ describe('ContentCacheManager', function () {
|
|||
files[newName] = files[oldName]
|
||||
delete files[oldName]
|
||||
},
|
||||
unlink: sinon.stub().resolves()
|
||||
async unlink(name) {
|
||||
if (!files[name]) {
|
||||
throw new Error()
|
||||
}
|
||||
delete files[name]
|
||||
}
|
||||
}
|
||||
}
|
||||
})
|
||||
|
@ -99,9 +119,12 @@ describe('ContentCacheManager', function () {
|
|||
|
||||
describe('when the ranges are split across chunks', function () {
|
||||
const RANGE_1 = 'stream123endstream'
|
||||
const RANGE_2 = 'stream(|)endstream'
|
||||
const RANGE_3 = 'stream!$%endstream'
|
||||
beforeEach(function (done) {
|
||||
const RANGE_2 = 'stream(||)endstream'
|
||||
const RANGE_3 = 'stream!$%/=endstream'
|
||||
const h1 = hash(RANGE_1)
|
||||
const h2 = hash(RANGE_2)
|
||||
const h3 = hash(RANGE_3)
|
||||
function runWithSplitStream(done) {
|
||||
fs.createReadStream
|
||||
.withArgs(pdfPath)
|
||||
.returns(
|
||||
|
@ -109,12 +132,15 @@ describe('ContentCacheManager', function () {
|
|||
Buffer.from('abcstr'),
|
||||
Buffer.from('eam123endstreamABC'),
|
||||
Buffer.from('str'),
|
||||
Buffer.from('eam(|'),
|
||||
Buffer.from('eam(||'),
|
||||
Buffer.from(')end'),
|
||||
Buffer.from('stream-_~stream!$%endstream')
|
||||
Buffer.from('stream-_~stream!$%/=endstream')
|
||||
])
|
||||
)
|
||||
run(pdfPath, done)
|
||||
}
|
||||
beforeEach(function (done) {
|
||||
runWithSplitStream(done)
|
||||
})
|
||||
|
||||
it('should produce three ranges', function () {
|
||||
|
@ -130,12 +156,12 @@ describe('ContentCacheManager', function () {
|
|||
},
|
||||
{
|
||||
start: 24,
|
||||
end: 42,
|
||||
end: 43,
|
||||
hash: hash(RANGE_2)
|
||||
},
|
||||
{
|
||||
start: 45,
|
||||
end: 63,
|
||||
start: 46,
|
||||
end: 66,
|
||||
hash: hash(RANGE_3)
|
||||
}
|
||||
])
|
||||
|
@ -143,17 +169,32 @@ describe('ContentCacheManager', function () {
|
|||
|
||||
it('should store the contents', function () {
|
||||
expect(JSON.parse(JSON.stringify(files))).to.deep.equal({
|
||||
[Path.join(contentDir, hash(RANGE_1))]: {
|
||||
[Path.join(contentDir, h1)]: {
|
||||
contents: RANGE_1,
|
||||
closed: true
|
||||
},
|
||||
[Path.join(contentDir, hash(RANGE_2))]: {
|
||||
[Path.join(contentDir, h2)]: {
|
||||
contents: RANGE_2,
|
||||
closed: true
|
||||
},
|
||||
[Path.join(contentDir, hash(RANGE_3))]: {
|
||||
[Path.join(contentDir, h3)]: {
|
||||
contents: RANGE_3,
|
||||
closed: true
|
||||
},
|
||||
[Path.join(contentDir, '.state.v0.json')]: {
|
||||
contents: JSON.stringify({
|
||||
hashAge: [
|
||||
[h1, 0],
|
||||
[h2, 0],
|
||||
[h3, 0]
|
||||
],
|
||||
hashSize: [
|
||||
[h1, 18],
|
||||
[h2, 19],
|
||||
[h3, 20]
|
||||
]
|
||||
}),
|
||||
closed: true
|
||||
}
|
||||
})
|
||||
})
|
||||
|
@ -161,6 +202,140 @@ describe('ContentCacheManager', function () {
|
|||
it('should mark all ranges as new', function () {
|
||||
expect(contentRanges).to.deep.equal(newContentRanges)
|
||||
})
|
||||
|
||||
describe('when re-running with one stream removed', function () {
|
||||
function runWithOneSplitStreamRemoved(done) {
|
||||
fs.createReadStream
|
||||
.withArgs(pdfPath)
|
||||
.returns(
|
||||
Readable.from([
|
||||
Buffer.from('abcstr'),
|
||||
Buffer.from('eam123endstreamABC'),
|
||||
Buffer.from('stream!$%/=endstream')
|
||||
])
|
||||
)
|
||||
run(pdfPath, done)
|
||||
}
|
||||
beforeEach(function (done) {
|
||||
runWithOneSplitStreamRemoved(done)
|
||||
})
|
||||
|
||||
it('should produce two ranges', function () {
|
||||
expect(contentRanges).to.have.length(2)
|
||||
})
|
||||
|
||||
it('should find the correct offsets', function () {
|
||||
expect(contentRanges).to.deep.equal([
|
||||
{
|
||||
start: 3,
|
||||
end: 21,
|
||||
hash: hash(RANGE_1)
|
||||
},
|
||||
{
|
||||
start: 24,
|
||||
end: 44,
|
||||
hash: hash(RANGE_3)
|
||||
}
|
||||
])
|
||||
})
|
||||
|
||||
it('should update the age of the 2nd range', function () {
|
||||
expect(JSON.parse(JSON.stringify(files))).to.deep.equal({
|
||||
[Path.join(contentDir, h1)]: {
|
||||
contents: RANGE_1,
|
||||
closed: true
|
||||
},
|
||||
[Path.join(contentDir, h2)]: {
|
||||
contents: RANGE_2,
|
||||
closed: true
|
||||
},
|
||||
[Path.join(contentDir, h3)]: {
|
||||
contents: RANGE_3,
|
||||
closed: true
|
||||
},
|
||||
[Path.join(contentDir, '.state.v0.json')]: {
|
||||
contents: JSON.stringify({
|
||||
hashAge: [
|
||||
[h1, 0],
|
||||
[h2, 1],
|
||||
[h3, 0]
|
||||
],
|
||||
hashSize: [
|
||||
[h1, 18],
|
||||
[h2, 19],
|
||||
[h3, 20]
|
||||
]
|
||||
}),
|
||||
closed: true
|
||||
}
|
||||
})
|
||||
})
|
||||
|
||||
it('should find no new ranges', function () {
|
||||
expect(newContentRanges).to.deep.equal([])
|
||||
})
|
||||
|
||||
describe('when re-running 5 more times', function () {
|
||||
for (let i = 0; i < 5; i++) {
|
||||
beforeEach(function (done) {
|
||||
runWithOneSplitStreamRemoved(done)
|
||||
})
|
||||
}
|
||||
|
||||
it('should still produce two ranges', function () {
|
||||
expect(contentRanges).to.have.length(2)
|
||||
})
|
||||
|
||||
it('should still find the correct offsets', function () {
|
||||
expect(contentRanges).to.deep.equal([
|
||||
{
|
||||
start: 3,
|
||||
end: 21,
|
||||
hash: hash(RANGE_1)
|
||||
},
|
||||
{
|
||||
start: 24,
|
||||
end: 44,
|
||||
hash: hash(RANGE_3)
|
||||
}
|
||||
])
|
||||
})
|
||||
|
||||
it('should delete the 2nd range', function () {
|
||||
expect(JSON.parse(JSON.stringify(files))).to.deep.equal({
|
||||
[Path.join(contentDir, h1)]: {
|
||||
contents: RANGE_1,
|
||||
closed: true
|
||||
},
|
||||
[Path.join(contentDir, h3)]: {
|
||||
contents: RANGE_3,
|
||||
closed: true
|
||||
},
|
||||
[Path.join(contentDir, '.state.v0.json')]: {
|
||||
contents: JSON.stringify({
|
||||
hashAge: [
|
||||
[h1, 0],
|
||||
[h3, 0]
|
||||
],
|
||||
hashSize: [
|
||||
[h1, 18],
|
||||
[h3, 20]
|
||||
]
|
||||
}),
|
||||
closed: true
|
||||
}
|
||||
})
|
||||
})
|
||||
|
||||
it('should find no new ranges', function () {
|
||||
expect(newContentRanges).to.deep.equal([])
|
||||
})
|
||||
|
||||
it('should yield the reclaimed space', function () {
|
||||
expect(reclaimed).to.equal(RANGE_2.length)
|
||||
})
|
||||
})
|
||||
})
|
||||
})
|
||||
})
|
||||
})
|
||||
|
|
Loading…
Reference in a new issue