From b18620ac0f196c6fa5a9e54a53fa6b915e19e843 Mon Sep 17 00:00:00 2001 From: Jonas Jenwald Date: Wed, 28 Jul 2021 11:50:44 +0200 Subject: [PATCH 1/3] Remove the closure used with the `PDFDocumentLoadingTask` class This patch utilizes the same approach as used in lots of other parts of the code-base, which thus *slightly* reduces the size of this code. By removing some of the (current) indirection, we can also simplify the JSDocs a little bit. Looking at the `gulp jsdoc` output, this actually seem to *improve* the documentation for this class. --- src/display/api.js | 168 +++++++++++++++++------------------------- test/unit/api_spec.js | 20 +++++ 2 files changed, 89 insertions(+), 99 deletions(-) diff --git a/src/display/api.js b/src/display/api.js index 44ada821b..da85614f0 100644 --- a/src/display/api.js +++ b/src/display/api.js @@ -524,111 +524,81 @@ function _fetchDocument(worker, source, pdfDataRangeTransport, docId) { * The loading task controls the operations required to load a PDF document * (such as network requests) and provides a way to listen for completion, * after which individual pages can be rendered. - * - * @typedef {Object} PDFDocumentLoadingTask - * @property {string} docId - Unique identifier for the document loading task. - * @property {boolean} destroyed - Whether the loading task is destroyed or not. - * @property {function} [onPassword] - Callback to request a password if a wrong - * or no password was provided. The callback receives two parameters: a - * function that should be called with the new password, and a reason (see - * {@link PasswordResponses}). - * @property {function} [onProgress] - Callback to be able to monitor the - * loading progress of the PDF file (necessary to implement e.g. a loading - * bar). The callback receives an {@link OnProgressParameters} argument. - * @property {function} [onUnsupportedFeature] - Callback for when an - * unsupported feature is used in the PDF document. The callback receives an - * {@link UNSUPPORTED_FEATURES} argument. - * @property {Promise} promise - Promise for document loading - * task completion. - * @property {function} destroy - Abort all network requests and destroy - * the worker. Returns a promise that is resolved when destruction is - * completed. */ +class PDFDocumentLoadingTask { + static get idCounters() { + return shadow(this, "idCounters", { doc: 0 }); + } -/** - * @type {any} - * @ignore - */ -const PDFDocumentLoadingTask = (function PDFDocumentLoadingTaskClosure() { - let nextDocumentId = 0; + constructor() { + this._capability = createPromiseCapability(); + this._transport = null; + this._worker = null; + + /** + * Unique identifier for the document loading task. + * @type {string} + */ + this.docId = `d${PDFDocumentLoadingTask.idCounters.doc++}`; + + /** + * Whether the loading task is destroyed or not. + * @type {boolean} + */ + this.destroyed = false; + + /** + * Callback to request a password if a wrong or no password was provided. + * The callback receives two parameters: a function that should be called + * with the new password, and a reason (see {@link PasswordResponses}). + * @type {function} + */ + this.onPassword = null; + + /** + * Callback to be able to monitor the loading progress of the PDF file + * (necessary to implement e.g. a loading bar). + * The callback receives an {@link OnProgressParameters} argument. + * @type {function} + */ + this.onProgress = null; + + /** + * Callback for when an unsupported feature is used in the PDF document. + * The callback receives an {@link UNSUPPORTED_FEATURES} argument. + * @type {function} + */ + this.onUnsupportedFeature = null; + } /** - * The loading task controls the operations required to load a PDF document - * (such as network requests) and provides a way to listen for completion, - * after which individual pages can be rendered. + * Promise for document loading task completion. + * @type {Promise} */ - // eslint-disable-next-line no-shadow - class PDFDocumentLoadingTask { - constructor() { - this._capability = createPromiseCapability(); - this._transport = null; - this._worker = null; - - /** - * Unique identifier for the document loading task. - * @type {string} - */ - this.docId = "d" + nextDocumentId++; - - /** - * Whether the loading task is destroyed or not. - * @type {boolean} - */ - this.destroyed = false; - - /** - * Callback to request a password if a wrong or no password was provided. - * The callback receives two parameters: a function that should be called - * with the new password, and a reason (see {@link PasswordResponses}). - * @type {function} - */ - this.onPassword = null; - - /** - * Callback to be able to monitor the loading progress of the PDF file - * (necessary to implement e.g. a loading bar). - * The callback receives an {@link OnProgressParameters} argument. - * @type {function} - */ - this.onProgress = null; - - /** - * Callback for when an unsupported feature is used in the PDF document. - * The callback receives an {@link UNSUPPORTED_FEATURES} argument. - * @type {function} - */ - this.onUnsupportedFeature = null; - } - - /** - * Promise for document loading task completion. - * @type {Promise} - */ - get promise() { - return this._capability.promise; - } - - /** - * @returns {Promise} A promise that is resolved when destruction is - * completed. - */ - destroy() { - this.destroyed = true; - - const transportDestroyed = !this._transport - ? Promise.resolve() - : this._transport.destroy(); - return transportDestroyed.then(() => { - this._transport = null; - if (this._worker) { - this._worker.destroy(); - this._worker = null; - } - }); - } + get promise() { + return this._capability.promise; } - return PDFDocumentLoadingTask; -})(); + + /** + * Abort all network requests and destroy the worker. + * @returns {Promise} A promise that is resolved when destruction is + * completed. + */ + destroy() { + this.destroyed = true; + + const transportDestroyed = !this._transport + ? Promise.resolve() + : this._transport.destroy(); + return transportDestroyed.then(() => { + this._transport = null; + if (this._worker) { + this._worker.destroy(); + this._worker = null; + } + }); + } +} /** * Abstract class to support range requests file loading. diff --git a/test/unit/api_spec.js b/test/unit/api_spec.js index 7f4c9d389..55c6844e9 100644 --- a/test/unit/api_spec.js +++ b/test/unit/api_spec.js @@ -385,6 +385,26 @@ describe("api", function () { await loadingTask.destroy(); }); + + it("checks that `docId`s are unique and increasing", async function () { + const loadingTask1 = getDocument(basicApiGetDocumentParams); + await loadingTask1.promise; + const docId1 = loadingTask1.docId; + + const loadingTask2 = getDocument(basicApiGetDocumentParams); + await loadingTask2.promise; + const docId2 = loadingTask2.docId; + + expect(docId1).not.toEqual(docId2); + + const docIdRegExp = /^d(\d)+$/, + docNum1 = docIdRegExp.exec(docId1)?.[1], + docNum2 = docIdRegExp.exec(docId2)?.[1]; + + expect(+docNum1).toBeLessThan(+docNum2); + + await Promise.all([loadingTask1.destroy(), loadingTask2.destroy()]); + }); }); describe("PDFWorker", function () { From 4c679d80ac63c1774389ebaa22e96c671643d8aa Mon Sep 17 00:00:00 2001 From: Jonas Jenwald Date: Wed, 28 Jul 2021 11:58:08 +0200 Subject: [PATCH 2/3] Remove the closure used with the `InternalRenderTask` class This patch utilizes the same approach as used in lots of other parts of the code-base, which thus *slightly* reduces the size of this code. --- src/display/api.js | 320 ++++++++++++++++++++++----------------------- 1 file changed, 159 insertions(+), 161 deletions(-) diff --git a/src/display/api.js b/src/display/api.js index da85614f0..ba318039d 100644 --- a/src/display/api.js +++ b/src/display/api.js @@ -3063,181 +3063,179 @@ class RenderTask { * For internal use only. * @ignore */ -const InternalRenderTask = (function InternalRenderTaskClosure() { - const canvasInRendering = new WeakSet(); +class InternalRenderTask { + static get canvasInUse() { + return shadow(this, "canvasInUse", new WeakSet()); + } - // eslint-disable-next-line no-shadow - class InternalRenderTask { - constructor({ - callback, - params, - objs, - commonObjs, - operatorList, - pageIndex, - canvasFactory, - useRequestAnimationFrame = false, - pdfBug = false, - }) { - this.callback = callback; - this.params = params; - this.objs = objs; - this.commonObjs = commonObjs; - this.operatorListIdx = null; - this.operatorList = operatorList; - this._pageIndex = pageIndex; - this.canvasFactory = canvasFactory; - this._pdfBug = pdfBug; + constructor({ + callback, + params, + objs, + commonObjs, + operatorList, + pageIndex, + canvasFactory, + useRequestAnimationFrame = false, + pdfBug = false, + }) { + this.callback = callback; + this.params = params; + this.objs = objs; + this.commonObjs = commonObjs; + this.operatorListIdx = null; + this.operatorList = operatorList; + this._pageIndex = pageIndex; + this.canvasFactory = canvasFactory; + this._pdfBug = pdfBug; - this.running = false; - this.graphicsReadyCallback = null; - this.graphicsReady = false; - this._useRequestAnimationFrame = - useRequestAnimationFrame === true && typeof window !== "undefined"; - this.cancelled = false; - this.capability = createPromiseCapability(); - this.task = new RenderTask(this); - // caching this-bound methods - this._cancelBound = this.cancel.bind(this); - this._continueBound = this._continue.bind(this); - this._scheduleNextBound = this._scheduleNext.bind(this); - this._nextBound = this._next.bind(this); - this._canvas = params.canvasContext.canvas; + this.running = false; + this.graphicsReadyCallback = null; + this.graphicsReady = false; + this._useRequestAnimationFrame = + useRequestAnimationFrame === true && typeof window !== "undefined"; + this.cancelled = false; + this.capability = createPromiseCapability(); + this.task = new RenderTask(this); + // caching this-bound methods + this._cancelBound = this.cancel.bind(this); + this._continueBound = this._continue.bind(this); + this._scheduleNextBound = this._scheduleNext.bind(this); + this._nextBound = this._next.bind(this); + this._canvas = params.canvasContext.canvas; + } + + get completed() { + return this.capability.promise.catch(function () { + // Ignoring errors, since we only want to know when rendering is + // no longer pending. + }); + } + + initializeGraphics({ transparency = false, optionalContentConfig }) { + if (this.cancelled) { + return; + } + if (this._canvas) { + if (InternalRenderTask.canvasInUse.has(this._canvas)) { + throw new Error( + "Cannot use the same canvas during multiple render() operations. " + + "Use different canvas or ensure previous operations were " + + "cancelled or completed." + ); + } + InternalRenderTask.canvasInUse.add(this._canvas); } - get completed() { - return this.capability.promise.catch(function () { - // Ignoring errors, since we only want to know when rendering is - // no longer pending. + if (this._pdfBug && globalThis.StepperManager?.enabled) { + this.stepper = globalThis.StepperManager.create(this._pageIndex); + this.stepper.init(this.operatorList); + this.stepper.nextBreakPoint = this.stepper.getNextBreakPoint(); + } + const { canvasContext, viewport, transform, imageLayer, background } = + this.params; + + this.gfx = new CanvasGraphics( + canvasContext, + this.commonObjs, + this.objs, + this.canvasFactory, + imageLayer, + optionalContentConfig + ); + this.gfx.beginDrawing({ + transform, + viewport, + transparency, + background, + }); + this.operatorListIdx = 0; + this.graphicsReady = true; + if (this.graphicsReadyCallback) { + this.graphicsReadyCallback(); + } + } + + cancel(error = null) { + this.running = false; + this.cancelled = true; + if (this.gfx) { + this.gfx.endDrawing(); + } + if (this._canvas) { + InternalRenderTask.canvasInUse.delete(this._canvas); + } + this.callback( + error || + new RenderingCancelledException( + `Rendering cancelled, page ${this._pageIndex + 1}`, + "canvas" + ) + ); + } + + operatorListChanged() { + if (!this.graphicsReady) { + if (!this.graphicsReadyCallback) { + this.graphicsReadyCallback = this._continueBound; + } + return; + } + + if (this.stepper) { + this.stepper.updateOperatorList(this.operatorList); + } + + if (this.running) { + return; + } + this._continue(); + } + + _continue() { + this.running = true; + if (this.cancelled) { + return; + } + if (this.task.onContinue) { + this.task.onContinue(this._scheduleNextBound); + } else { + this._scheduleNext(); + } + } + + _scheduleNext() { + if (this._useRequestAnimationFrame) { + window.requestAnimationFrame(() => { + this._nextBound().catch(this._cancelBound); }); + } else { + Promise.resolve().then(this._nextBound).catch(this._cancelBound); } + } - initializeGraphics({ transparency = false, optionalContentConfig }) { - if (this.cancelled) { - return; - } - if (this._canvas) { - if (canvasInRendering.has(this._canvas)) { - throw new Error( - "Cannot use the same canvas during multiple render() operations. " + - "Use different canvas or ensure previous operations were " + - "cancelled or completed." - ); - } - canvasInRendering.add(this._canvas); - } - - if (this._pdfBug && globalThis.StepperManager?.enabled) { - this.stepper = globalThis.StepperManager.create(this._pageIndex); - this.stepper.init(this.operatorList); - this.stepper.nextBreakPoint = this.stepper.getNextBreakPoint(); - } - const { canvasContext, viewport, transform, imageLayer, background } = - this.params; - - this.gfx = new CanvasGraphics( - canvasContext, - this.commonObjs, - this.objs, - this.canvasFactory, - imageLayer, - optionalContentConfig - ); - this.gfx.beginDrawing({ - transform, - viewport, - transparency, - background, - }); - this.operatorListIdx = 0; - this.graphicsReady = true; - if (this.graphicsReadyCallback) { - this.graphicsReadyCallback(); - } + async _next() { + if (this.cancelled) { + return; } - - cancel(error = null) { + this.operatorListIdx = this.gfx.executeOperatorList( + this.operatorList, + this.operatorListIdx, + this._continueBound, + this.stepper + ); + if (this.operatorListIdx === this.operatorList.argsArray.length) { this.running = false; - this.cancelled = true; - if (this.gfx) { + if (this.operatorList.lastChunk) { this.gfx.endDrawing(); - } - if (this._canvas) { - canvasInRendering.delete(this._canvas); - } - this.callback( - error || - new RenderingCancelledException( - `Rendering cancelled, page ${this._pageIndex + 1}`, - "canvas" - ) - ); - } - - operatorListChanged() { - if (!this.graphicsReady) { - if (!this.graphicsReadyCallback) { - this.graphicsReadyCallback = this._continueBound; - } - return; - } - - if (this.stepper) { - this.stepper.updateOperatorList(this.operatorList); - } - - if (this.running) { - return; - } - this._continue(); - } - - _continue() { - this.running = true; - if (this.cancelled) { - return; - } - if (this.task.onContinue) { - this.task.onContinue(this._scheduleNextBound); - } else { - this._scheduleNext(); - } - } - - _scheduleNext() { - if (this._useRequestAnimationFrame) { - window.requestAnimationFrame(() => { - this._nextBound().catch(this._cancelBound); - }); - } else { - Promise.resolve().then(this._nextBound).catch(this._cancelBound); - } - } - - async _next() { - if (this.cancelled) { - return; - } - this.operatorListIdx = this.gfx.executeOperatorList( - this.operatorList, - this.operatorListIdx, - this._continueBound, - this.stepper - ); - if (this.operatorListIdx === this.operatorList.argsArray.length) { - this.running = false; - if (this.operatorList.lastChunk) { - this.gfx.endDrawing(); - if (this._canvas) { - canvasInRendering.delete(this._canvas); - } - this.callback(); + if (this._canvas) { + InternalRenderTask.canvasInUse.delete(this._canvas); } + this.callback(); } } } - return InternalRenderTask; -})(); +} /** @type {string} */ const version = From 5fac0a43505271c01f22c355faed8a9c9a776e6e Mon Sep 17 00:00:00 2001 From: Jonas Jenwald Date: Wed, 28 Jul 2021 12:14:07 +0200 Subject: [PATCH 3/3] Simplify some code related to `fallbackWorkerSrc` and `getMainThreadWorkerMessageHandler` --- src/display/api.js | 24 ++++++++++-------------- 1 file changed, 10 insertions(+), 14 deletions(-) diff --git a/src/display/api.js b/src/display/api.js index ba318039d..2f8d5d144 100644 --- a/src/display/api.js +++ b/src/display/api.js @@ -1905,8 +1905,8 @@ class LoopbackPort { * @typedef {Object} PDFWorkerParameters * @property {string} [name] - The name of the worker. * @property {Object} [port] - The `workerPort` object. - * @property {number} [verbosity] - Controls the logging level; the - * constants from {@link VerbosityLevel} should be used. + * @property {number} [verbosity] - Controls the logging level; + * the constants from {@link VerbosityLevel} should be used. */ /** @type {any} */ @@ -1923,13 +1923,11 @@ const PDFWorker = (function PDFWorkerClosure() { // Workers aren't supported in Node.js, force-disabling them there. isWorkerDisabled = true; - if (typeof PDFJSDev !== "undefined" && PDFJSDev.test("LIB")) { - fallbackWorkerSrc = "../pdf.worker.js"; - } else { - fallbackWorkerSrc = "./pdf.worker.js"; - } - } else if (typeof document === "object" && "currentScript" in document) { - const pdfjsFilePath = document.currentScript?.src; + fallbackWorkerSrc = PDFJSDev.test("LIB") + ? "../pdf.worker.js" + : "./pdf.worker.js"; + } else if (typeof document === "object") { + const pdfjsFilePath = document?.currentScript?.src; if (pdfjsFilePath) { fallbackWorkerSrc = pdfjsFilePath.replace( /(\.(?:min\.)?js)(\?.*)?$/i, @@ -1953,16 +1951,14 @@ const PDFWorker = (function PDFWorkerClosure() { } function getMainThreadWorkerMessageHandler() { - let mainWorkerMessageHandler; try { - mainWorkerMessageHandler = globalThis.pdfjsWorker?.WorkerMessageHandler; + return globalThis.pdfjsWorker?.WorkerMessageHandler || null; } catch (ex) { - /* Ignore errors. */ + return null; } - return mainWorkerMessageHandler || null; } - // Loads worker code into main thread. + // Loads worker code into main-thread. function setupFakeWorkerGlobal() { if (fakeWorkerCapability) { return fakeWorkerCapability.promise;