@readium/navigator 2.1.1 → 2.2.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -0,0 +1,417 @@
1
+ import { Link, Locator, Publication, ReadingProgression, LocatorLocations } from "@readium/shared";
2
+ import { VisualNavigator, VisualNavigatorViewport, ProgressionRange } from "../Navigator";
3
+ import { WebPubFramePoolManager } from "./WebPubFramePoolManager";
4
+ import { BasicTextSelection, CommsEventKey, FrameClickEvent, ModuleLibrary, ModuleName, WebPubModules } from "@readium/navigator-html-injectables";
5
+ import * as path from "path-browserify";
6
+ import { ManagerEventKey } from "../epub/EpubNavigator";
7
+
8
+ export interface WebPubNavigatorListeners {
9
+ frameLoaded: (wnd: Window) => void;
10
+ positionChanged: (locator: Locator) => void;
11
+ tap: (e: FrameClickEvent) => boolean;
12
+ click: (e: FrameClickEvent) => boolean;
13
+ zoom: (scale: number) => void;
14
+ scroll: (delta: number) => void;
15
+ customEvent: (key: string, data: unknown) => void;
16
+ handleLocator: (locator: Locator) => boolean;
17
+ textSelected: (selection: BasicTextSelection) => void;
18
+ }
19
+
20
+ const defaultListeners = (listeners: WebPubNavigatorListeners): WebPubNavigatorListeners => ({
21
+ frameLoaded: listeners.frameLoaded || (() => {}),
22
+ positionChanged: listeners.positionChanged || (() => {}),
23
+ tap: listeners.tap || (() => false),
24
+ click: listeners.click || (() => false),
25
+ zoom: listeners.zoom || (() => {}),
26
+ scroll: listeners.scroll || (() => {}),
27
+ customEvent: listeners.customEvent || (() => {}),
28
+ handleLocator: listeners.handleLocator || (() => false),
29
+ textSelected: listeners.textSelected || (() => {})
30
+ });
31
+
32
+ class WebPubNavigator extends VisualNavigator {
33
+ private readonly pub: Publication;
34
+ private readonly container: HTMLElement;
35
+ private readonly listeners: WebPubNavigatorListeners;
36
+ private framePool: WebPubFramePoolManager;
37
+ private currentIndex: number = 0;
38
+ private currentLocation: Locator;
39
+ private webViewport: VisualNavigatorViewport = {
40
+ readingOrder: [],
41
+ progressions: new Map(),
42
+ positions: null
43
+ };
44
+
45
+ constructor(container: HTMLElement, pub: Publication, listeners: WebPubNavigatorListeners, initialPosition: Locator | undefined = undefined) {
46
+ super();
47
+ this.pub = pub;
48
+ this.container = container;
49
+ this.listeners = defaultListeners(listeners);
50
+ this.framePool = new WebPubFramePoolManager(this.container);
51
+ if (initialPosition && typeof initialPosition.copyWithLocations === 'function') {
52
+ this.currentLocation = initialPosition;
53
+ // Update currentIndex to match the initial position
54
+ const index = this.pub.readingOrder.findIndexWithHref(initialPosition.href);
55
+ if (index >= 0) {
56
+ this.currentIndex = index;
57
+ }
58
+ } else {
59
+ this.currentLocation = this.createCurrentLocator();
60
+ }
61
+ }
62
+
63
+ async load(): Promise<void> {
64
+ await this.framePool.update(this.pub, this.currentLocation, this.determineModules());
65
+
66
+ this.attachListener();
67
+
68
+ // Notify listeners of initial position
69
+ this.listeners.positionChanged(this.currentLocation);
70
+ }
71
+
72
+ public eventListener(key: CommsEventKey | ManagerEventKey, data: unknown) {
73
+ switch (key) {
74
+ case "_pong":
75
+ this.listeners.frameLoaded(this.framePool.currentFrames[0]!.iframe.contentWindow!);
76
+ this.listeners.positionChanged(this.currentLocation);
77
+ break;
78
+ case "first_visible_locator":
79
+ const loc = Locator.deserialize(data as string);
80
+ if(!loc) break;
81
+ this.currentLocation = new Locator({
82
+ href: this.currentLocation.href,
83
+ type: this.currentLocation.type,
84
+ title: this.currentLocation.title,
85
+ locations: loc?.locations,
86
+ text: loc?.text
87
+ });
88
+ this.listeners.positionChanged(this.currentLocation);
89
+ break;
90
+ case "text_selected":
91
+ this.listeners.textSelected(data as BasicTextSelection);
92
+ break;
93
+ case "click":
94
+ case "tap":
95
+ const edata = data as FrameClickEvent;
96
+ if (edata.interactiveElement) {
97
+ const element = new DOMParser().parseFromString(
98
+ edata.interactiveElement,
99
+ "text/html"
100
+ ).body.children[0];
101
+ if (
102
+ element.nodeType === element.ELEMENT_NODE &&
103
+ element.nodeName === "A" &&
104
+ element.hasAttribute("href")
105
+ ) {
106
+ const origHref = element.attributes.getNamedItem("href")?.value!;
107
+ if (origHref.startsWith("#")) {
108
+ this.go(this.currentLocation.copyWithLocations({
109
+ fragments: [origHref.substring(1)]
110
+ }), false, () => { });
111
+ } else if(
112
+ origHref.startsWith("mailto:") ||
113
+ origHref.startsWith("tel:")
114
+ ) {
115
+ this.listeners.handleLocator(new Link({
116
+ href: origHref,
117
+ }).locator);
118
+ } else {
119
+ // Handle internal links that should navigate within the WebPub
120
+ // This includes relative links and full URLs that might be in the readingOrder
121
+ try {
122
+ let hrefToCheck;
123
+
124
+ // If origHref is already a full URL, use it directly
125
+ if (origHref.startsWith("http://") || origHref.startsWith("https://")) {
126
+ hrefToCheck = origHref;
127
+ } else {
128
+ // For relative URLs, use different strategies based on base URL format
129
+ if (this.currentLocation.href.startsWith("http://") || this.currentLocation.href.startsWith("https://")) {
130
+ // Base URL is absolute, use URL constructor
131
+ const currentUrl = new URL(this.currentLocation.href);
132
+ const resolvedUrl = new URL(origHref, currentUrl);
133
+ hrefToCheck = resolvedUrl.href;
134
+ } else {
135
+ // Base URL is relative, use path operations
136
+ hrefToCheck = path.join(path.dirname(this.currentLocation.href), origHref);
137
+ }
138
+ }
139
+
140
+ const link = this.pub.readingOrder.findWithHref(hrefToCheck);
141
+ if (link) {
142
+ this.goLink(link, false, () => { });
143
+ } else {
144
+ console.warn(`Internal link not found in readingOrder: ${hrefToCheck}`);
145
+ this.listeners.handleLocator(new Link({
146
+ href: origHref,
147
+ }).locator);
148
+ }
149
+ } catch (error) {
150
+ console.warn(`Couldn't resolve internal link for ${origHref}: ${error}`);
151
+ this.listeners.handleLocator(new Link({
152
+ href: origHref,
153
+ }).locator);
154
+ }
155
+ }
156
+ } else console.log("Clicked on", element);
157
+ } else {
158
+ const handled = key === "click" ? this.listeners.click(edata) : this.listeners.tap(edata);
159
+ if(handled) break;
160
+ }
161
+ break;
162
+ case "scroll":
163
+ this.listeners.scroll(data as number);
164
+ break;
165
+ case "zoom":
166
+ this.listeners.zoom(data as number);
167
+ break;
168
+ case "progress":
169
+ this.syncLocation(data as ProgressionRange);
170
+ break;
171
+ case "log":
172
+ console.log(this.framePool.currentFrames[0]?.source?.split("/")[3], ...(data as any[]));
173
+ break;
174
+ default:
175
+ this.listeners.customEvent(key, data);
176
+ break;
177
+ }
178
+ }
179
+
180
+ private determineModules(): ModuleName[] {
181
+ let modules = Array.from(ModuleLibrary.keys()) as ModuleName[];
182
+
183
+ // For WebPub, use the predefined WebPubModules array and filter
184
+ return modules.filter((m) => WebPubModules.includes(m));
185
+ }
186
+
187
+ private attachListener() {
188
+ if (this.framePool.currentFrames[0]?.msg) {
189
+ this.framePool.currentFrames[0].msg.listener = (key: CommsEventKey | ManagerEventKey, value: unknown) => {
190
+ this.eventListener(key, value);
191
+ };
192
+ }
193
+ }
194
+
195
+ private async apply() {
196
+ await this.framePool.update(this.pub, this.currentLocation, this.determineModules());
197
+
198
+ this.attachListener();
199
+
200
+ const idx = this.pub.readingOrder.findIndexWithHref(this.currentLocation.href);
201
+ if (idx < 0)
202
+ throw Error("Link for " + this.currentLocation.href + " not found!");
203
+ }
204
+
205
+ public async destroy() {
206
+ await this.framePool?.destroy();
207
+ }
208
+
209
+ private async changeResource(relative: number): Promise<boolean> {
210
+ if (relative === 0) return false;
211
+
212
+ const curr = this.pub.readingOrder.findIndexWithHref(this.currentLocation.href);
213
+ const i = Math.max(
214
+ 0,
215
+ Math.min(this.pub.readingOrder.items.length - 1, curr + relative)
216
+ );
217
+ if (i === curr) {
218
+ return false;
219
+ }
220
+ this.currentIndex = i;
221
+ this.currentLocation = this.createCurrentLocator();
222
+ await this.apply();
223
+ return true;
224
+ }
225
+
226
+ private updateViewport(progression: ProgressionRange) {
227
+ this.webViewport.readingOrder = [];
228
+ this.webViewport.progressions.clear();
229
+ this.webViewport.positions = null;
230
+
231
+ // Use the current position's href
232
+ if (this.currentLocation) {
233
+ this.webViewport.readingOrder.push(this.currentLocation.href);
234
+ this.webViewport.progressions.set(this.currentLocation.href, progression);
235
+
236
+ if (this.currentLocation.locations?.position !== undefined) {
237
+ this.webViewport.positions = [this.currentLocation.locations.position];
238
+ // WebPub doesn't have lastLocationInView like EPUB, so no second position
239
+ }
240
+ }
241
+ }
242
+
243
+ private async syncLocation(iframeProgress: ProgressionRange): Promise<void> {
244
+ const progression = iframeProgress;
245
+ if (this.currentLocation) {
246
+ this.currentLocation = this.currentLocation.copyWithLocations({
247
+ progression: progression.start
248
+ });
249
+ }
250
+
251
+ this.updateViewport(progression);
252
+ this.listeners.positionChanged(this.currentLocation);
253
+ await this.framePool.update(this.pub, this.currentLocation, this.determineModules());
254
+ }
255
+
256
+ goBackward(_animated: boolean, cb: (ok: boolean) => void): void {
257
+ this.changeResource(-1).then((success) => {
258
+ cb(success);
259
+ });
260
+ }
261
+
262
+ goForward(_animated: boolean, cb: (ok: boolean) => void): void {
263
+ this.changeResource(1).then((success) => {
264
+ cb(success);
265
+ });
266
+ }
267
+
268
+ get currentLocator(): Locator {
269
+ return this.currentLocation;
270
+ }
271
+
272
+ get viewport(): VisualNavigatorViewport {
273
+ return this.webViewport;
274
+ }
275
+
276
+ get isScrollStart(): boolean {
277
+ const firstHref = this.viewport.readingOrder[0];
278
+ const progression = this.viewport.progressions.get(firstHref);
279
+ return progression?.start === 0;
280
+ }
281
+
282
+ get isScrollEnd(): boolean {
283
+ const lastHref = this.viewport.readingOrder[this.viewport.readingOrder.length - 1];
284
+ const progression = this.viewport.progressions.get(lastHref);
285
+ return progression?.end === 1;
286
+ }
287
+
288
+ get canGoBackward(): boolean {
289
+ const firstResource = this.pub.readingOrder.items[0]?.href;
290
+ return !(this.viewport.progressions.has(firstResource) && this.viewport.progressions.get(firstResource)?.start === 0);
291
+ }
292
+
293
+ get canGoForward(): boolean {
294
+ const lastResource = this.pub.readingOrder.items[this.pub.readingOrder.items.length - 1]?.href;
295
+ return !(this.viewport.progressions.has(lastResource) && this.viewport.progressions.get(lastResource)?.end === 1);
296
+ }
297
+
298
+ get readingProgression(): ReadingProgression {
299
+ return this.pub.metadata.effectiveReadingProgression;
300
+ }
301
+
302
+ get publication(): Publication {
303
+ return this.pub;
304
+ }
305
+
306
+ private async loadLocator(locator: Locator, cb: (ok: boolean) => void) {
307
+ let done = false;
308
+ let cssSelector = (typeof locator.locations.getCssSelector === 'function') && locator.locations.getCssSelector();
309
+ if(locator.text?.highlight) {
310
+ done = await new Promise<boolean>((res, _) => {
311
+ // Attempt to go to a highlighted piece of text in the resource
312
+ this.framePool.currentFrames[0]!.msg!.send(
313
+ "go_text",
314
+ cssSelector ? [
315
+ locator.text?.serialize(),
316
+ cssSelector // Include CSS selector if it exists
317
+ ] : locator.text?.serialize(),
318
+ (ok) => res(ok)
319
+ );
320
+ });
321
+ } else if(cssSelector) {
322
+ done = await new Promise<boolean>((res, _) => {
323
+ this.framePool.currentFrames[0]!.msg!.send(
324
+ "go_text",
325
+ [
326
+ "", // No text!
327
+ cssSelector // Just CSS selector
328
+ ],
329
+ (ok) => res(ok)
330
+ );
331
+ });
332
+ }
333
+ if(done) {
334
+ cb(done);
335
+ return;
336
+ }
337
+ // This sanity check has to be performed because we're still passing non-locator class
338
+ // locator objects to this function. This is not good and should eventually be forbidden
339
+ // or the locator should be deserialized sometime before this function.
340
+ const hid = (typeof locator.locations.htmlId === 'function') && locator.locations.htmlId();
341
+ if(hid)
342
+ done = await new Promise<boolean>((res, _) => {
343
+ // Attempt to go to an HTML ID in the resource
344
+ this.framePool.currentFrames[0]!.msg!.send("go_id", hid, (ok) => res(ok));
345
+ });
346
+ if(done) {
347
+ cb(done);
348
+ return;
349
+ }
350
+
351
+ const progression = locator?.locations?.progression;
352
+ const hasProgression = progression && progression > 0;
353
+ if(hasProgression)
354
+ done = await new Promise<boolean>((res, _) => {
355
+ // Attempt to go to a progression in the resource
356
+ this.framePool.currentFrames[0]!.msg!.send("go_progression", progression, (ok) => res(ok));
357
+ });
358
+ else done = true;
359
+ cb(done);
360
+ }
361
+
362
+ public go(locator: Locator, _: boolean, cb: (ok: boolean) => void): void {
363
+ const href = locator.href.split("#")[0];
364
+ let link = this.pub.readingOrder.findWithHref(href);
365
+ if(!link) {
366
+ return cb(this.listeners.handleLocator(locator));
367
+ }
368
+
369
+ // Update currentIndex to point to the found link
370
+ const index = this.pub.readingOrder.findIndexWithHref(href);
371
+ if (index >= 0) {
372
+ this.currentIndex = index;
373
+ }
374
+
375
+ this.currentLocation = this.createCurrentLocator();
376
+ this.apply().then(() => this.loadLocator(locator, (ok) => cb(ok))).then(() => {
377
+ // Now that we've gone to the right locator, we can attach the listeners.
378
+ // Doing this only at this stage reduces janky UI with multiple locator updates.
379
+ this.attachListener();
380
+ });
381
+ }
382
+
383
+ public goLink(link: Link, animated: boolean, cb: (ok: boolean) => void): void {
384
+ return this.go(link.locator, animated, cb);
385
+ }
386
+
387
+ // Specifics to WebPub
388
+ // Util method
389
+ private createCurrentLocator(): Locator {
390
+ const readingOrder = this.pub.readingOrder;
391
+ const currentLink = readingOrder.items[this.currentIndex];
392
+
393
+ if (!currentLink) {
394
+ throw new Error("No current resource available");
395
+ }
396
+
397
+ // Check if we're on the same resource
398
+ const isSameResource = this.currentLocation && this.currentLocation.href === currentLink.href;
399
+
400
+ // Preserve progression if staying on same resource, otherwise start from beginning
401
+ const progression = isSameResource && this.currentLocation.locations.progression
402
+ ? this.currentLocation.locations.progression
403
+ : 0;
404
+
405
+ return this.pub.manifest.locatorFromLink(currentLink) || new Locator({
406
+ href: currentLink.href,
407
+ type: currentLink.type || "text/html",
408
+ locations: new LocatorLocations({
409
+ fragments: [],
410
+ progression: progression,
411
+ position: this.currentIndex + 1
412
+ })
413
+ });
414
+ }
415
+ }
416
+
417
+ export const ExperimentalWebPubNavigator = WebPubNavigator;
@@ -0,0 +1,4 @@
1
+ export * from "./WebPubNavigator";
2
+ export * from "./WebPubBlobBuilder";
3
+ export * from "./WebPubFrameManager";
4
+ export * from "./WebPubFramePoolManager";
@@ -1,4 +1,5 @@
1
1
  export * from './Navigator';
2
+ export * from './webpub';
2
3
  export * from './epub';
3
4
  export * from './audio';
4
5
  export * from './helpers';
@@ -0,0 +1,10 @@
1
+ import { Link, Publication } from "@readium/shared";
2
+ export declare class WebPubBlobBuilder {
3
+ private readonly item;
4
+ private readonly publication;
5
+ constructor(publication: Publication, item: Link);
6
+ build(): Promise<string>;
7
+ private buildHtmlFrame;
8
+ private serializeAsHTML;
9
+ private hasExecutable;
10
+ }
@@ -0,0 +1,20 @@
1
+ import { Loader } from "../../../navigator-html-injectables/src/Loader";
2
+ import { FrameComms } from "../../../navigator/src/epub/frame/FrameComms";
3
+ export declare class WebPubFrameManager {
4
+ private frame;
5
+ private loader;
6
+ readonly source: string;
7
+ private comms;
8
+ private destroyed;
9
+ private currModules;
10
+ constructor(source: string);
11
+ load(modules?: string[]): Promise<Window>;
12
+ destroy(): Promise<void>;
13
+ get iframe(): HTMLIFrameElement;
14
+ get realSize(): DOMRect;
15
+ get window(): Window;
16
+ get atLeft(): boolean;
17
+ get atRight(): boolean;
18
+ get msg(): FrameComms | undefined;
19
+ get ldr(): Loader<import("../../../navigator-html-injectables/src/modules/ModuleLibrary").ModuleName> | undefined;
20
+ }
@@ -0,0 +1,48 @@
1
+ import { Link, Locator, Publication, ReadingProgression } from "@readium/shared";
2
+ import { VisualNavigator, VisualNavigatorViewport } from "../Navigator";
3
+ import { BasicTextSelection, FrameClickEvent } from '@readium/navigator-html-injectables';
4
+ export interface WebPubNavigatorListeners {
5
+ frameLoaded: (wnd: Window) => void;
6
+ positionChanged: (locator: Locator) => void;
7
+ tap?: (e: FrameClickEvent) => boolean;
8
+ click?: (e: FrameClickEvent) => boolean;
9
+ zoom?: (scale: number) => void;
10
+ scroll?: (delta: number) => void;
11
+ customEvent?: (key: string, data: unknown) => void;
12
+ handleLocator?: (locator: Locator) => boolean;
13
+ textSelected?: (selection: BasicTextSelection) => void;
14
+ }
15
+ export declare class WebPubNavigator extends VisualNavigator {
16
+ private readonly pub;
17
+ private readonly container;
18
+ private readonly listeners;
19
+ private frameManager;
20
+ private currentIndex;
21
+ private currentLocation;
22
+ private currentBlobUrl;
23
+ private webViewport;
24
+ constructor(container: HTMLElement, pub: Publication, listeners?: Partial<WebPubNavigatorListeners>, initialPosition?: Locator | undefined);
25
+ load(): Promise<void>;
26
+ private eventListener;
27
+ private attachListener;
28
+ private apply;
29
+ destroy(): void;
30
+ private changeResource;
31
+ private updateViewport;
32
+ private syncLocation;
33
+ goBackward(_animated: boolean, cb: (ok: boolean) => void): void;
34
+ goForward(_animated: boolean, cb: (ok: boolean) => void): void;
35
+ get currentLocator(): Locator;
36
+ get viewport(): VisualNavigatorViewport;
37
+ get isScrollStart(): boolean;
38
+ get isScrollEnd(): boolean;
39
+ get canGoBackward(): boolean;
40
+ get canGoForward(): boolean;
41
+ get readingProgression(): ReadingProgression;
42
+ get publication(): Publication;
43
+ private loadLocator;
44
+ go(locator: Locator, _animated: boolean, cb: (ok: boolean) => void): void;
45
+ goLink(link: Link, _animated: boolean, cb: (ok: boolean) => void): void;
46
+ private frameUpdate;
47
+ private createCurrentLocator;
48
+ }
@@ -0,0 +1,3 @@
1
+ export * from "./WebPubNavigator";
2
+ export * from "./WebPubBlobBuilder";
3
+ export * from "./WebPubFrameManager";
@@ -0,0 +1,12 @@
1
+ import { Link, Publication } from "@readium/shared";
2
+ export declare class WebPubBlobBuilder {
3
+ private readonly item;
4
+ private readonly burl;
5
+ private readonly pub;
6
+ constructor(pub: Publication, baseURL: string, item: Link);
7
+ build(): Promise<string>;
8
+ private buildHtmlFrame;
9
+ private hasExecutable;
10
+ private finalizeDOM;
11
+ private serializeAsHTML;
12
+ }
@@ -0,0 +1,20 @@
1
+ import { Loader, ModuleName } from "@readium/navigator-html-injectables";
2
+ import { FrameComms } from "../epub/frame/FrameComms";
3
+ export declare class WebPubFrameManager {
4
+ private frame;
5
+ private loader;
6
+ readonly source: string;
7
+ private comms;
8
+ private destroyed;
9
+ private currModules;
10
+ constructor(source: string);
11
+ load(modules?: ModuleName[]): Promise<Window>;
12
+ destroy(): Promise<void>;
13
+ hide(): Promise<void>;
14
+ show(atProgress?: number): Promise<void>;
15
+ get iframe(): HTMLIFrameElement;
16
+ get realSize(): DOMRect;
17
+ get window(): Window;
18
+ get msg(): FrameComms | undefined;
19
+ get ldr(): Loader<ModuleName> | undefined;
20
+ }
@@ -0,0 +1,16 @@
1
+ import { ModuleName } from "@readium/navigator-html-injectables";
2
+ import { Locator, Publication } from "@readium/shared";
3
+ import { WebPubFrameManager } from "./WebPubFrameManager";
4
+ export declare class WebPubFramePoolManager {
5
+ private readonly container;
6
+ private _currentFrame;
7
+ private readonly pool;
8
+ private readonly blobs;
9
+ private readonly inprogress;
10
+ private currentBaseURL;
11
+ constructor(container: HTMLElement);
12
+ destroy(): Promise<void>;
13
+ update(pub: Publication, locator: Locator, modules: ModuleName[]): Promise<void>;
14
+ get currentFrames(): (WebPubFrameManager | undefined)[];
15
+ get currentBounds(): DOMRect;
16
+ }
@@ -0,0 +1,50 @@
1
+ import { Link, Locator, Publication, ReadingProgression } from "@readium/shared";
2
+ import { VisualNavigator, VisualNavigatorViewport } from "../Navigator";
3
+ import { BasicTextSelection, CommsEventKey, FrameClickEvent } from "@readium/navigator-html-injectables";
4
+ import { ManagerEventKey } from "../epub/EpubNavigator";
5
+ export interface WebPubNavigatorListeners {
6
+ frameLoaded: (wnd: Window) => void;
7
+ positionChanged: (locator: Locator) => void;
8
+ tap: (e: FrameClickEvent) => boolean;
9
+ click: (e: FrameClickEvent) => boolean;
10
+ zoom: (scale: number) => void;
11
+ scroll: (delta: number) => void;
12
+ customEvent: (key: string, data: unknown) => void;
13
+ handleLocator: (locator: Locator) => boolean;
14
+ textSelected: (selection: BasicTextSelection) => void;
15
+ }
16
+ declare class WebPubNavigator extends VisualNavigator {
17
+ private readonly pub;
18
+ private readonly container;
19
+ private readonly listeners;
20
+ private framePool;
21
+ private currentIndex;
22
+ private currentLocation;
23
+ private webViewport;
24
+ constructor(container: HTMLElement, pub: Publication, listeners: WebPubNavigatorListeners, initialPosition?: Locator | undefined);
25
+ load(): Promise<void>;
26
+ eventListener(key: CommsEventKey | ManagerEventKey, data: unknown): void;
27
+ private determineModules;
28
+ private attachListener;
29
+ private apply;
30
+ destroy(): Promise<void>;
31
+ private changeResource;
32
+ private updateViewport;
33
+ private syncLocation;
34
+ goBackward(_animated: boolean, cb: (ok: boolean) => void): void;
35
+ goForward(_animated: boolean, cb: (ok: boolean) => void): void;
36
+ get currentLocator(): Locator;
37
+ get viewport(): VisualNavigatorViewport;
38
+ get isScrollStart(): boolean;
39
+ get isScrollEnd(): boolean;
40
+ get canGoBackward(): boolean;
41
+ get canGoForward(): boolean;
42
+ get readingProgression(): ReadingProgression;
43
+ get publication(): Publication;
44
+ private loadLocator;
45
+ go(locator: Locator, _: boolean, cb: (ok: boolean) => void): void;
46
+ goLink(link: Link, animated: boolean, cb: (ok: boolean) => void): void;
47
+ private createCurrentLocator;
48
+ }
49
+ export declare const ExperimentalWebPubNavigator: typeof WebPubNavigator;
50
+ export {};
@@ -0,0 +1,4 @@
1
+ export * from "./WebPubNavigator";
2
+ export * from "./WebPubBlobBuilder";
3
+ export * from "./WebPubFrameManager";
4
+ export * from "./WebPubFramePoolManager";