@internetarchive/bookreader 5.0.0-90 → 5.0.0-91

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.
@@ -1,6 +1,6 @@
1
1
  /* global br */
2
2
  import { isChrome, isFirefox } from '../../util/browserSniffing.js';
3
- import { isAndroid } from './utils.js';
3
+ import { isAndroid, DEBUG_READ_ALOUD } from './utils.js';
4
4
  import { promisifyEvent, sleep } from '../../BookReader/utils.js';
5
5
  import AbstractTTSEngine from './AbstractTTSEngine.js';
6
6
  /** @typedef {import("./AbstractTTSEngine.js").PageChunk} PageChunk */
@@ -13,7 +13,7 @@ import AbstractTTSEngine from './AbstractTTSEngine.js';
13
13
  **/
14
14
  export default class WebTTSEngine extends AbstractTTSEngine {
15
15
  static isSupported() {
16
- return typeof(window.speechSynthesis) !== 'undefined' && !/samsungbrowser/i.test(navigator.userAgent);
16
+ return typeof(window.speechSynthesis) !== 'undefined';
17
17
  }
18
18
 
19
19
  /** @param {TTSEngineOptions} options */
@@ -48,6 +48,10 @@ export default class WebTTSEngine extends AbstractTTSEngine {
48
48
  ],
49
49
  });
50
50
 
51
+ navigator.mediaSession.setPositionState({
52
+ duration: Infinity,
53
+ });
54
+
51
55
  navigator.mediaSession.setActionHandler('play', () => {
52
56
  audio.play();
53
57
  this.resume();
@@ -147,12 +151,12 @@ export class WebTTSSound {
147
151
  this.utterance.rate = this.rate;
148
152
 
149
153
  // Useful for debugging things
150
- if (location.toString().indexOf('_debugReadAloud=true') != -1) {
154
+ if (DEBUG_READ_ALOUD) {
151
155
  this.utterance.addEventListener('pause', () => console.log('pause'));
152
156
  this.utterance.addEventListener('resume', () => console.log('resume'));
153
157
  this.utterance.addEventListener('start', () => console.log('start'));
154
158
  this.utterance.addEventListener('end', () => console.log('end'));
155
- this.utterance.addEventListener('error', () => console.log('error'));
159
+ this.utterance.addEventListener('error', ev => console.log('error', ev));
156
160
  this.utterance.addEventListener('boundary', () => console.log('boundary'));
157
161
  this.utterance.addEventListener('mark', () => console.log('mark'));
158
162
  this.utterance.addEventListener('finish', () => console.log('finish'));
@@ -260,24 +264,25 @@ export class WebTTSSound {
260
264
  // 2. Pause doesn't work and doesn't fire
261
265
  // 3. Pause works but doesn't fire
262
266
  const pauseMightNotWork = (isFirefox() && isAndroid());
263
- const pauseMightNotFire = isChrome() || pauseMightNotWork;
264
267
 
265
- if (pauseMightNotFire) {
266
- // wait for it just in case
267
- const timeoutPromise = sleep(100).then(() => 'timeout');
268
- const result = await Promise.race([pausePromise, timeoutPromise]);
269
- // We got our pause event; nothing to do!
270
- if (result != 'timeout') return;
268
+ // Pause sometimes works, but doesn't fire the event, so wait to see if it fires
269
+ const winner = await Promise.race([pausePromise, sleep(100).then(() => 'timeout')]);
271
270
 
272
- this.utterance.dispatchEvent(new CustomEvent('pause', this._lastEvents.start));
271
+ // We got our pause event; nothing to do!
272
+ if (winner != 'timeout') return;
273
273
 
274
- // if pause might not work, then we'll stop entirely and restart later
275
- if (pauseMightNotWork) this.stop();
274
+ if (DEBUG_READ_ALOUD) {
275
+ console.log('TTS: Firing pause event manually');
276
276
  }
277
+
278
+ this.utterance.dispatchEvent(new CustomEvent('pause', this._lastEvents.start));
279
+
280
+ // if pause might not work, then we'll stop entirely and restart later
281
+ if (pauseMightNotWork) this.stop();
277
282
  }
278
283
 
279
284
  async resume() {
280
- if (!this.started) {
285
+ if (!this.started || this.stopped) {
281
286
  this.play();
282
287
  return;
283
288
  }
@@ -289,22 +294,24 @@ export class WebTTSSound {
289
294
  // 2. Resume works + doesn't fire (Chrome Desktop)
290
295
  // 3. Resume doesn't work + doesn't fire (Chrome/FF Android)
291
296
  const resumeMightNotWork = (isChrome() && isAndroid()) || (isFirefox() && isAndroid());
292
- const resumeMightNotFire = isChrome() || resumeMightNotWork;
293
297
 
294
298
  // Try resume
295
299
  const resumePromise = promisifyEvent(this.utterance, 'resume');
296
300
  speechSynthesis.resume();
297
301
 
298
- if (resumeMightNotFire) {
299
- const result = await Promise.race([resumePromise, sleep(100).then(() => 'timeout')]);
302
+ const winner = await Promise.race([resumePromise, sleep(100).then(() => 'timeout')]);
303
+ // We got resume! All is good
304
+ if (winner != 'timeout') return;
300
305
 
301
- if (result != 'timeout') return;
306
+ if (DEBUG_READ_ALOUD) {
307
+ console.log('TTS: Firing resume event manually');
308
+ }
302
309
 
303
- this.utterance.dispatchEvent(new CustomEvent('resume', {}));
304
- if (resumeMightNotWork) {
305
- await this.reload();
306
- this.play();
307
- }
310
+ // Fake it
311
+ this.utterance.dispatchEvent(new CustomEvent('resume', {}));
312
+ if (resumeMightNotWork) {
313
+ await this.reload();
314
+ this.play();
308
315
  }
309
316
  }
310
317
 
@@ -326,37 +333,56 @@ export class WebTTSSound {
326
333
  * by pausing after 14 seconds and ~instantly resuming.
327
334
  */
328
335
  async _chromePausingBugFix() {
329
- const timeoutPromise = sleep(14000).then(() => 'timeout');
330
- const pausePromise = promisifyEvent(this.utterance, 'pause').then(() => 'paused');
331
- const endPromise = promisifyEvent(this.utterance, 'end').then(() => 'ended');
332
- const result = await Promise.race([timeoutPromise, pausePromise, endPromise]);
333
- if (location.toString().indexOf('_debugReadAloud=true') != -1) {
336
+ if (DEBUG_READ_ALOUD) {
337
+ console.log('CHROME-PAUSE-HACK: starting');
338
+ }
339
+
340
+ const result = await Promise.race([
341
+ sleep(14000).then(() => 'timeout'),
342
+ promisifyEvent(this.utterance, 'pause').then(() => 'pause'),
343
+ promisifyEvent(this.utterance, 'end').then(() => 'end'),
344
+ // Some browsers (Edge) trigger error when the utterance is interrupted/stopped
345
+ promisifyEvent(this.utterance, 'error').then(() => 'error'),
346
+ ]);
347
+
348
+ if (DEBUG_READ_ALOUD) {
334
349
  console.log(`CHROME-PAUSE-HACK: ${result}`);
335
350
  }
336
- switch (result) {
337
- case 'ended':
351
+ if (result == 'end' || result == 'error') {
338
352
  // audio was stopped/finished; nothing to do
339
- break;
340
- case 'paused':
353
+ if (DEBUG_READ_ALOUD) {
354
+ console.log('CHROME-PAUSE-HACK: stopped (end/error)');
355
+ }
356
+ } else if (result == 'pause') {
341
357
  // audio was paused; wait for resume
342
358
  // Chrome won't let you resume the audio if 14s have passed 🤷‍
343
359
  // We could do the same as before (but resume+pause instead of pause+resume),
344
360
  // but that means we'd _constantly_ be running in the background. So in that
345
361
  // case, let's just restart the chunk
346
- await Promise.race([
347
- promisifyEvent(this.utterance, 'resume'),
362
+ const result2 = await Promise.race([
363
+ promisifyEvent(this.utterance, 'resume').then(() => 'resume'),
348
364
  sleep(14000).then(() => 'timeout'),
349
365
  ]);
350
- result == 'timeout' ? this.reload() : this._chromePausingBugFix();
351
- break;
352
- case 'timeout':
353
- // We hit Chrome's secret cut off time. Pause/resume
354
- // to be able to keep TTS-ing
366
+ if (result2 == 'timeout') {
367
+ if (DEBUG_READ_ALOUD) {
368
+ console.log('CHROME-PAUSE-HACK: stopped (timed out while paused)');
369
+ }
370
+ // We hit Chrome's secret cut off time while paused, and
371
+ // won't be able to resume normally, so trigger a stop.
372
+ this.stop();
373
+ } else {
374
+ // The user resumed before the cut off! Continue as normal
375
+ this._chromePausingBugFix();
376
+ }
377
+ } else if (result == 'timeout') {
378
+ // We hit Chrome's secret cut off time while playing.
379
+ // To be able to keep TTS-ing, quickly pause/resume.
355
380
  speechSynthesis.pause();
356
381
  await sleep(25);
357
382
  speechSynthesis.resume();
383
+
384
+ // Listen for more
358
385
  this._chromePausingBugFix();
359
- break;
360
386
  }
361
387
  }
362
388
  }
@@ -278,10 +278,8 @@ export class TtsPlugin extends BookReaderPlugin {
278
278
  * @param {Number} leafIndex
279
279
  */
280
280
  async maybeFlipToIndex(leafIndex) {
281
- if (this.br.constMode2up != this.br.mode) {
281
+ if (!this.br._isIndexDisplayed(leafIndex)) {
282
282
  this.br.jumpToIndex(leafIndex);
283
- } else {
284
- await this.br._modes.mode2Up.mode2UpLit.jumpToIndex(leafIndex);
285
283
  }
286
284
  }
287
285
 
@@ -79,3 +79,16 @@ export function hasLocalStorage() {
79
79
  return false;
80
80
  }
81
81
  }
82
+
83
+ export const DEBUG_READ_ALOUD = location.toString().indexOf('_debugReadAloud=true') != -1;
84
+
85
+ export async function checkIfFiresPause() {
86
+ // Pick some random text so that if it accidentally speaks, it's not too annoying
87
+ const u = new SpeechSynthesisUtterance("Loading");
88
+ let calledPause = false;
89
+ u.addEventListener('pause', () => calledPause = true);
90
+ speechSynthesis.speak(u);
91
+ await new Promise(res => setTimeout(res, 10));
92
+ speechSynthesis.pause();
93
+ return calledPause;
94
+ }
@@ -7,7 +7,17 @@
7
7
  * @return {boolean}
8
8
  */
9
9
  export function isChrome(userAgent = navigator.userAgent, vendor = navigator.vendor) {
10
- return /chrome/i.test(userAgent) && /google inc/i.test(vendor);
10
+ return /chrome/i.test(userAgent) && /google inc/i.test(vendor) && !isEdge(userAgent);
11
+ }
12
+
13
+ /**
14
+ * Checks whether the current browser is a Edge browser
15
+ * See https://learn.microsoft.com/en-us/microsoft-edge/web-platform/user-agent-guidance
16
+ * @param {string} [userAgent]
17
+ * @return {boolean}
18
+ */
19
+ export function isEdge(userAgent = navigator.userAgent) {
20
+ return /chrome/i.test(userAgent) && /\bEdg(e|A|iOS)?\b/i.test(userAgent);
11
21
  }
12
22
 
13
23
  /**
@@ -191,3 +191,73 @@ describe('`BookReader.prototype.prev`', () => {
191
191
  });
192
192
  });
193
193
 
194
+ describe('`BookReader.prototype.jumpToIndex`', () => {
195
+ /**
196
+ * @param {Partial<BookReaderOptions>} overrides
197
+ */
198
+ function makeFakeBr(overrides = {}) {
199
+ const br = new BookReader({
200
+ data: [
201
+ [
202
+ { index: 0, viewable: true },
203
+ ],
204
+ [
205
+ { index: 1, viewable: false },
206
+ { index: 2, viewable: false },
207
+ ],
208
+ [
209
+ { index: 3, viewable: false },
210
+ { index: 4, viewable: false },
211
+ ],
212
+ [
213
+ { index: 5, viewable: true },
214
+ ],
215
+ ],
216
+ ...overrides,
217
+ });
218
+ br.init();
219
+
220
+ br._modes.mode2Up.jumpToIndex = sinon.fake();
221
+
222
+ expect(br.firstIndex).toBe(0);
223
+ expect(br.mode).toBe(br.constMode2up);
224
+
225
+ return br;
226
+ }
227
+
228
+ test('Jumping into an unviewables range will go to start of range', () => {
229
+ const br = makeFakeBr();
230
+ br.jumpToIndex(3, 0, 0, true);
231
+ expect(br._modes.mode2Up.jumpToIndex.callCount).toBe(1);
232
+ expect(br._modes.mode2Up.jumpToIndex.args[0][0]).toBe(1);
233
+ });
234
+
235
+ test('Trying to jump into unviewables range while in that range, will jump forward', () => {
236
+ const br = makeFakeBr();
237
+ br.displayedIndices = [1, 2];
238
+ br.jumpToIndex(3, 0, 0, true);
239
+ expect(br._modes.mode2Up.jumpToIndex.callCount).toBe(1);
240
+ expect(br._modes.mode2Up.jumpToIndex.args[0][0]).toBe(5);
241
+ });
242
+
243
+ test('Trying to jump into unviewables range while in that range, will do nothing if cannot jump forward', () => {
244
+ const br = makeFakeBr({
245
+ data: [
246
+ [
247
+ { index: 0, viewable: true },
248
+ ],
249
+ [
250
+ { index: 1, viewable: false },
251
+ { index: 2, viewable: false },
252
+ ],
253
+ [
254
+ { index: 3, viewable: false },
255
+ { index: 4, viewable: false },
256
+ ],
257
+ ],
258
+ });
259
+ br.displayedIndices = [1, 2];
260
+ br.jumpToIndex(3, 0, 0, true);
261
+ expect(br._modes.mode2Up.jumpToIndex.callCount).toBe(0);
262
+ });
263
+ });
@@ -1,7 +1,7 @@
1
1
  import sinon from "sinon";
2
2
 
3
- import BookReader from "@/src/BookReader.js";
4
- import "@/src/plugins/plugin.chapters.js";
3
+ import "@/src/BookReader.js";
4
+ import {ChaptersPlugin} from "@/src/plugins/plugin.chapters.js";
5
5
  import { BookModel } from "@/src/BookReader/BookModel";
6
6
  import { deepCopy } from "../utils";
7
7
  /** @typedef {import('@/src/plugins/plugin.chapters').TocEntry} TocEntry */
@@ -68,50 +68,44 @@ afterEach(() => {
68
68
  sinon.restore();
69
69
  });
70
70
 
71
- describe("BRChaptersPlugin", () => {
71
+ describe("ChaptersPlugin", () => {
72
72
  beforeEach(() => {
73
73
  sinon.stub(BookModel.prototype, "getPageIndex").callsFake((str) =>
74
74
  parseFloat(str),
75
75
  );
76
76
  });
77
77
 
78
- describe("_chaptersInit", () => {
79
- test("does not render when no open library record", async () => {
80
- const fakeBR = {
81
- options: {},
82
- getOpenLibraryRecord: async () => null,
83
- _chaptersRender: sinon.stub(),
84
- };
85
- await BookReader.prototype._chapterInit.call(fakeBR);
86
- expect(fakeBR._chaptersRender.callCount).toBe(0);
78
+ describe("init", () => {
79
+ test("does not render when open library has no record", async () => {
80
+ const p = new ChaptersPlugin({ options: { vars: {} } });
81
+ sinon.stub(p, "getOpenLibraryRecord").resolves(null);
82
+ sinon.spy(p, "_render");
83
+ await p.init();
84
+ expect(p._render.callCount).toBe(0);
87
85
  });
88
86
 
89
- test("does not render when open library record with no TOC", async () => {
90
- const fakeBR = {
91
- options: {},
92
- getOpenLibraryRecord: async () => ({ key: "/books/OL1M" }),
93
- _chaptersRender: sinon.stub(),
94
- };
95
- await BookReader.prototype._chapterInit.call(fakeBR);
96
- expect(fakeBR._chaptersRender.callCount).toBe(0);
87
+ test("does not render when open library record has no TOC", async () => {
88
+ const p = new ChaptersPlugin({ options: { vars: {} } });
89
+ sinon.stub(p, "getOpenLibraryRecord").resolves({ key: "/books/OL1M" });
90
+ sinon.spy(p, "_render");
91
+ await p.init();
92
+ expect(p._render.callCount).toBe(0);
97
93
  });
98
94
 
99
95
  test("renders if valid TOC on open library", async () => {
100
96
  const fakeBR = {
101
- options: {},
97
+ options: { vars: {} },
102
98
  bind: sinon.stub(),
103
- book: {
104
- getPageIndex: (str) => parseFloat(str),
105
- },
106
- getOpenLibraryRecord: async () => ({
107
- "title": "The Adventures of Sherlock Holmes",
108
- "table_of_contents": deepCopy(SAMPLE_TOC_OPTION),
109
- "ocaid": "adventureofsherl0000unse",
110
- }),
111
- _chaptersRender: sinon.stub(),
112
99
  };
113
- await BookReader.prototype._chapterInit.call(fakeBR);
114
- expect(fakeBR._chaptersRender.callCount).toBe(1);
100
+ const p = new ChaptersPlugin(fakeBR);
101
+ sinon.stub(p, "getOpenLibraryRecord").resolves({
102
+ "title": "The Adventures of Sherlock Holmes",
103
+ "table_of_contents": deepCopy(SAMPLE_TOC_OPTION),
104
+ "ocaid": "adventureofsherl0000unse",
105
+ });
106
+ sinon.stub(p, "_render");
107
+ await p.init();
108
+ expect(p._render.callCount).toBe(1);
115
109
  });
116
110
 
117
111
  test("does not fetch open library record if table of contents in options", async () => {
@@ -120,12 +114,13 @@ describe("BRChaptersPlugin", () => {
120
114
  table_of_contents: deepCopy(SAMPLE_TOC_UNDEF),
121
115
  },
122
116
  bind: sinon.stub(),
123
- getOpenLibraryRecord: sinon.stub(),
124
- _chaptersRender: sinon.stub(),
125
117
  };
126
- await BookReader.prototype._chapterInit.call(fakeBR);
127
- expect(fakeBR.getOpenLibraryRecord.callCount).toBe(0);
128
- expect(fakeBR._chaptersRender.callCount).toBe(1);
118
+ const p = new ChaptersPlugin(fakeBR);
119
+ sinon.stub(p, "getOpenLibraryRecord");
120
+ sinon.stub(p, "_render");
121
+ await p.init();
122
+ expect(p.getOpenLibraryRecord.callCount).toBe(0);
123
+ expect(p._render.callCount).toBe(1);
129
124
  });
130
125
 
131
126
  test("converts leafs and pagenums to page index", async () => {
@@ -141,55 +136,58 @@ describe("BRChaptersPlugin", () => {
141
136
  leafNumToIndex: (leaf) => leaf + 1,
142
137
  getPageIndex: (str) => parseFloat(str),
143
138
  },
144
- _chaptersRender: sinon.stub(),
145
139
  };
146
- await BookReader.prototype._chapterInit.call(fakeBR);
147
- expect(fakeBR._chaptersRender.callCount).toBe(1);
148
- expect(fakeBR._tocEntries[0].pageIndex).toBe(1);
149
- expect(fakeBR._tocEntries[1].pageIndex).toBe(17);
140
+ const p = new ChaptersPlugin(fakeBR);
141
+ sinon.stub(p, "_render");
142
+ await p.init();
143
+ expect(p._render.callCount).toBe(1);
144
+ expect(p._tocEntries[0].pageIndex).toBe(1);
145
+ expect(p._tocEntries[1].pageIndex).toBe(17);
150
146
  });
151
147
  });
152
148
 
153
- describe('_chaptersRender', () => {
149
+ describe('_render', () => {
154
150
  test('renders markers and panel', () => {
155
151
  const fakeBR = {
156
- _tocEntries: SAMPLE_TOC,
157
- _chaptersRenderMarker: sinon.stub(),
158
152
  shell: {
159
153
  menuProviders: {},
160
154
  addMenuShortcut: sinon.stub(),
161
155
  updateMenuContents: sinon.stub(),
162
156
  },
163
157
  };
164
- BookReader.prototype._chaptersRender.call(fakeBR);
158
+ const p = new ChaptersPlugin(fakeBR);
159
+ sinon.stub(p, '_renderMarker');
160
+ p._tocEntries = deepCopy(SAMPLE_TOC);
161
+ p._render();
165
162
  expect(fakeBR.shell.menuProviders['chapters']).toBeTruthy();
166
163
  expect(fakeBR.shell.addMenuShortcut.callCount).toBe(1);
167
164
  expect(fakeBR.shell.updateMenuContents.callCount).toBe(1);
168
- expect(fakeBR._chaptersRenderMarker.callCount).toBeGreaterThan(1);
165
+ expect(p._renderMarker.callCount).toBeGreaterThan(1);
169
166
  });
170
167
  });
171
168
 
172
- describe('_chaptersUpdateCurrent', () => {
169
+ describe('_updateCurrent', () => {
173
170
  test('highlights the current chapter', () => {
174
171
  const fakeBR = {
175
172
  mode: 2,
176
173
  firstIndex: 16,
177
174
  displayedIndices: [16, 17],
178
- _tocEntries: SAMPLE_TOC,
179
- _chaptersPanel: {
180
- currentChapter: null,
181
- },
182
175
  };
183
- BookReader.prototype._chaptersUpdateCurrent.call(fakeBR);
184
- expect(fakeBR._chaptersPanel.currentChapter).toEqual(SAMPLE_TOC[1]);
176
+ const p = new ChaptersPlugin(fakeBR);
177
+ p._tocEntries = deepCopy(SAMPLE_TOC);
178
+ p._chaptersPanel = {
179
+ currentChapter: null,
180
+ };
181
+ p._updateCurrent();
182
+ expect(p._chaptersPanel.currentChapter).toEqual(SAMPLE_TOC[1]);
185
183
 
186
184
  fakeBR.mode = 1;
187
- BookReader.prototype._chaptersUpdateCurrent.call(fakeBR);
188
- expect(fakeBR._chaptersPanel.currentChapter).toEqual(SAMPLE_TOC[0]);
185
+ p._updateCurrent();
186
+ expect(p._chaptersPanel.currentChapter).toEqual(SAMPLE_TOC[0]);
189
187
 
190
188
  fakeBR.firstIndex = 0;
191
- BookReader.prototype._chaptersUpdateCurrent.call(fakeBR);
192
- expect(fakeBR._chaptersPanel.currentChapter).toBeUndefined();
189
+ p._updateCurrent();
190
+ expect(p._chaptersPanel.currentChapter).toBeUndefined();
193
191
  });
194
192
  });
195
193
  });
@@ -93,51 +93,57 @@ describe('WebTTSSound', () => {
93
93
  });
94
94
 
95
95
  describe('_chromePausingBugFix', () => {
96
+ /** @type {sinon.SinonFakeTimers} */
97
+ let clock = null;
98
+
99
+ beforeEach(() => {
100
+ clock = sinon.useFakeTimers();
101
+ });
102
+
103
+ afterEach(() => {
104
+ clock.restore();
105
+ });
106
+
96
107
  test('if speech less than 15s, nothing special', async () => {
97
- const clock = sinon.useFakeTimers();
98
108
  const sound = new WebTTSSound('hello world foo bar');
99
109
  sound.load();
100
110
  sound.play();
101
111
  sound._chromePausingBugFix();
102
112
  clock.tick(10000);
103
113
  sound.utterance.dispatchEvent('end', {});
104
- clock.restore();
105
114
  await afterEventLoop();
106
115
  expect(speechSynthesis.pause.callCount).toBe(0);
107
116
  });
108
117
 
109
118
  test('if speech greater than 15s, pause called', async () => {
110
- const clock = sinon.useFakeTimers();
111
119
  const sound = new WebTTSSound('foo bah');
112
120
  sound.load();
113
121
  sound.play();
114
122
  sound._chromePausingBugFix();
115
123
  clock.tick(20000);
116
- clock.restore();
117
124
 
118
125
  await afterEventLoop();
119
126
  expect(speechSynthesis.pause.callCount).toBe(1);
120
127
  });
121
128
 
122
- test('on pause reloads if timed out', async () => {
123
- const clock = sinon.useFakeTimers();
129
+ test('on pause, stops sound if timed out', async () => {
124
130
  const sound = new WebTTSSound('foo bah');
125
131
  sound.load();
126
132
  sound.play();
133
+ sound.stop = sinon.stub();
127
134
  sound._chromePausingBugFix();
128
- sound.pause();
129
- clock.tick(2000);
130
- clock.restore();
135
+ clock.tick(5000);
136
+ sound.utterance.dispatchEvent('pause', {});
137
+ await afterEventLoop();
138
+ clock.tick(15000);
131
139
 
132
140
  await afterEventLoop();
133
- expect(speechSynthesis.cancel.callCount).toBe(1);
141
+ expect(sound.stop.callCount).toBe(1);
134
142
  });
135
143
  });
136
144
 
137
145
  test('fire pause if browser does not do it', async () => {
138
146
  const clock = sinon.useFakeTimers();
139
- const languageGetter = jest.spyOn(window.navigator, 'userAgent', 'get');
140
- languageGetter.mockReturnValue('firefox android');
141
147
  const sound = new WebTTSSound('foo bah');
142
148
  sound.load();
143
149
  sound.play();
@@ -1,5 +1,5 @@
1
1
  import {
2
- isChrome, isFirefox, isSafari,
2
+ isChrome, isEdge, isFirefox, isSafari,
3
3
  } from '@/src/util/browserSniffing.js';
4
4
 
5
5
  const TESTS = [
@@ -19,7 +19,13 @@ const TESTS = [
19
19
  name: 'Edge on Windows 10',
20
20
  userAgent: 'Mozilla/5.0 (Windows NT 10.0; Win64; x64; ServiceUI 14) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/70.0.3538.102 Safari/537.36 Edge/18.18362',
21
21
  vendor: '',
22
- machingFn: null,
22
+ machingFn: isEdge,
23
+ },
24
+ {
25
+ name: 'Edge on Windows 11',
26
+ userAgent: 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/134.0.0.0 Safari/537.36 Edg/134.0.0.0',
27
+ vendor: 'Google Inc.',
28
+ machingFn: isEdge,
23
29
  },
24
30
  {
25
31
  name: 'IE11 on Windows 10',
@@ -47,7 +53,7 @@ const TESTS = [
47
53
  },
48
54
  ];
49
55
 
50
- for (const fn of [isChrome, isFirefox, isSafari]) {
56
+ for (const fn of [isChrome, isEdge, isFirefox, isSafari]) {
51
57
  describe(fn.name, () => {
52
58
  for (const { name, userAgent, vendor, machingFn } of TESTS) {
53
59
  test(name, () => expect(fn(userAgent, vendor)).toBe(machingFn == fn));
@@ -1,3 +1,6 @@
1
+ // Keep a copy of this, since it can be overridden by sinon timers.
2
+ const _realTimeout = setTimeout;
3
+
1
4
  /**
2
5
  * Resolves after all enqueued callbacks in the event loop have resolved.
3
6
  * @return {Promise}
@@ -5,7 +8,7 @@
5
8
  export function afterEventLoop() {
6
9
  // Waiting 0 seconds essentially lets us run at the end of the event
7
10
  // loop (i.e. after any promises which aren't _actually_ async have finished)
8
- return new Promise(res => setTimeout(res, 0));
11
+ return new Promise(res => _realTimeout(res, 0));
9
12
  }
10
13
 
11
14
  /**