Browse Source

debug

master
morethanwords 4 years ago
parent
commit
357ff5ffef
  1. 5
      src/components/wrappers.ts
  2. 8
      src/lib/logger.ts
  3. 269
      src/lib/mediaPlayer.ts
  4. 47
      src/lib/mtproto/mtproto.service.ts
  5. 8
      src/lib/mtproto/mtprotoworker.ts

5
src/components/wrappers.ts

@ -123,6 +123,11 @@ export function wrapVideo({doc, container, message, boxWidth, boxHeight, withTai
}, {once: true}); */ }, {once: true}); */
await promise; await promise;
} else if(doc.supportsStreaming) {
preloader = new ProgressivePreloader(container, false);
video.addEventListener('canplay', () => {
preloader.detach();
}, {once: true});
} }
if(middleware && !middleware()) { if(middleware && !middleware()) {

8
src/lib/logger.ts

@ -16,6 +16,8 @@ export function logger(prefix: string, level = LogLevels.log | LogLevels.warn |
level = LogLevels.error; level = LogLevels.error;
} }
level = LogLevels.log | LogLevels.warn | LogLevels.error | LogLevels.debug
function Log(...args: any[]) { function Log(...args: any[]) {
return level & LogLevels.log && console.log(dT(), '[' + prefix + ']:', ...args); return level & LogLevels.log && console.log(dT(), '[' + prefix + ']:', ...args);
} }
@ -37,8 +39,12 @@ export function logger(prefix: string, level = LogLevels.log | LogLevels.warn |
}; };
Log.debug = function(...args: any[]) { Log.debug = function(...args: any[]) {
return level & LogLevels.debug && console.debug(dT(), '[' + prefix + ']:', ...args); return level & LogLevels.debug && console.log(dT(), '[' + prefix + ']:', ...args);
}; };
/* Log.debug = function(...args: any[]) {
return level & LogLevels.debug && console.debug(dT(), '[' + prefix + ']:', ...args);
}; */
return Log; return Log;
}; };

269
src/lib/mediaPlayer.ts

@ -1,82 +1,109 @@
export class MediaProgressLine { export class ProgressLine {
public container: HTMLDivElement; public container: HTMLDivElement;
private filled: HTMLDivElement; protected filled: HTMLDivElement;
private filledLoad: HTMLDivElement; protected seek: HTMLInputElement;
private seek: HTMLInputElement;
private duration = 0; protected duration = 100;
private mousedown = false; protected mousedown = false;
private stopAndScrubTimeout = 0;
private progressRAF = 0;
public onSeek: (time: number) => void; private events: Partial<{
//onMouseMove: ProgressLine['onMouseMove'],
onMouseDown: ProgressLine['onMouseDown'],
onMouseUp: ProgressLine['onMouseUp'],
onScrub: (scrubTime: number) => void
}> = {};
constructor(private media: HTMLAudioElement | HTMLVideoElement, private streamable = false) { constructor() {
this.container = document.createElement('div'); this.container = document.createElement('div');
this.container.classList.add('media-progress'); this.container.classList.add('media-progress');
this.filled = document.createElement('div'); this.filled = document.createElement('div');
this.filled.classList.add('media-progress__filled'); this.filled.classList.add('media-progress__filled');
if(streamable) { const seek = this.seek = document.createElement('input');
this.filledLoad = document.createElement('div');
this.filledLoad.classList.add('media-progress__filled', 'media-progress__loaded');
this.container.append(this.filledLoad);
//this.setLoadProgress();
}
let seek = this.seek = document.createElement('input');
seek.classList.add('media-progress__seek'); seek.classList.add('media-progress__seek');
seek.value = '0'; seek.value = '0';
seek.setAttribute('min', '0'); seek.setAttribute('min', '0');
seek.setAttribute('max', '0'); seek.setAttribute('max', '0');
seek.type = 'range'; seek.type = 'range';
seek.step = '0.1'; seek.step = '0.1';
seek.max = '' + (this.duration * 1000);
this.setSeekMax(); //this.setListeners();
this.setListeners();
if(!media.paused || media.currentTime > 0) { this.container.append(this.filled, seek);
this.onPlay();
} }
this.container.append(this.filled, seek); public setHandlers(events: ProgressLine['events']) {
this.events = events;
} }
onLoadedData = () => { onMouseMove = (e: MouseEvent) => {
this.duration = this.media.duration; this.mousedown && this.scrub(e);
this.seek.setAttribute('max', '' + this.duration * 1000);
}; };
onEnded = () => { onMouseDown = (e: MouseEvent) => {
this.setProgress(); this.scrub(e);
this.mousedown = true;
this.events?.onMouseDown(e);
}; };
onPlay = () => { onMouseUp = (e: MouseEvent) => {
let r = () => { this.mousedown = false;
this.setProgress(); this.events?.onMouseUp(e);
this.progressRAF = this.media.paused ? 0 : window.requestAnimationFrame(r);
}; };
if(this.progressRAF) { protected setListeners() {
window.cancelAnimationFrame(this.progressRAF); this.container.addEventListener('mousemove', this.onMouseMove);
this.container.addEventListener('mousedown', this.onMouseDown);
this.container.addEventListener('mouseup', this.onMouseUp);
} }
if(this.streamable) { protected scrub(e: MouseEvent) {
this.setLoadProgress(); const scrubTime = e.offsetX / this.container.offsetWidth * this.duration;
let scaleX = scrubTime / this.duration;
scaleX = Math.max(0, Math.min(1, scaleX));
this.filled.style.transform = 'scaleX(' + scaleX + ')';
//this.events?.onScrub(scrubTime);
return scrubTime;
} }
this.progressRAF = window.requestAnimationFrame(r); public removeListeners() {
}; this.container.removeEventListener('mousemove', this.onMouseMove);
this.container.removeEventListener('mousedown', this.onMouseDown);
this.container.removeEventListener('mouseup', this.onMouseUp);
onMouseMove = (e: MouseEvent) => { this.events = {};
this.mousedown && this.scrub(e); }
}; }
onMouseDown = (e: MouseEvent) => { export class MediaProgressLine extends ProgressLine {
this.media.pause(); private filledLoad: HTMLDivElement;
this.scrub(e);
private stopAndScrubTimeout = 0;
private progressRAF = 0;
constructor(private media: HTMLAudioElement | HTMLVideoElement, private streamable = false) {
super();
if(streamable) {
this.filledLoad = document.createElement('div');
this.filledLoad.classList.add('media-progress__filled', 'media-progress__loaded');
this.container.prepend(this.filledLoad);
//this.setLoadProgress();
}
if(!media.paused || media.currentTime > 0) {
this.onPlay();
}
this.setSeekMax();
this.setListeners();
this.setHandlers({
onMouseDown: (e: MouseEvent) => {
//super.onMouseDown(e);
//Таймер для того, чтобы стопать видео, если зажал мышку и не отпустил клик //Таймер для того, чтобы стопать видео, если зажал мышку и не отпустил клик
if(this.stopAndScrubTimeout) { // возможно лишнее if(this.stopAndScrubTimeout) { // возможно лишнее
@ -87,25 +114,59 @@ export class MediaProgressLine {
!this.media.paused && this.media.pause(); !this.media.paused && this.media.pause();
this.stopAndScrubTimeout = 0; this.stopAndScrubTimeout = 0;
}, 150); }, 150);
},
this.mousedown = true; onMouseUp: (e: MouseEvent) => {
}; //super.onMouseUp(e);
onMouseUp = (e: MouseEvent) => {
if(this.stopAndScrubTimeout) { if(this.stopAndScrubTimeout) {
clearTimeout(this.stopAndScrubTimeout); clearTimeout(this.stopAndScrubTimeout);
this.stopAndScrubTimeout = 0; this.stopAndScrubTimeout = 0;
} }
this.media.paused && this.media.play(); this.media.paused && this.media.play();
this.mousedown = false; }
})
}
onLoadedData = () => {
this.duration = this.media.duration;
this.seek.setAttribute('max', '' + this.duration * 1000);
};
onEnded = () => {
this.setProgress();
};
onPlay = () => {
let r = () => {
this.setProgress();
this.progressRAF = this.media.paused ? 0 : window.requestAnimationFrame(r);
};
if(this.progressRAF) {
window.cancelAnimationFrame(this.progressRAF);
}
if(this.streamable) {
this.setLoadProgress();
}
this.progressRAF = window.requestAnimationFrame(r);
}; };
onProgress = (e: Event) => { onProgress = (e: Event) => {
this.setLoadProgress(); this.setLoadProgress();
}; };
private setLoadProgress() { protected scrub(e: MouseEvent) {
const scrubTime = super.scrub(e);
this.media.currentTime = scrubTime;
return scrubTime;
};
protected setLoadProgress() {
const buf = this.media.buffered; const buf = this.media.buffered;
const numRanges = buf.length; const numRanges = buf.length;
@ -127,7 +188,7 @@ export class MediaProgressLine {
this.filledLoad.style.transform = 'scaleX(' + percents + ')'; this.filledLoad.style.transform = 'scaleX(' + percents + ')';
} }
private setSeekMax() { protected setSeekMax() {
this.duration = this.media.duration; this.duration = this.media.duration;
if(this.duration > 0) { if(this.duration > 0) {
this.onLoadedData(); this.onLoadedData();
@ -136,7 +197,7 @@ export class MediaProgressLine {
} }
} }
private setProgress() { protected setProgress() {
const currentTime = this.media.currentTime; const currentTime = this.media.currentTime;
const scaleX = (currentTime / this.duration); const scaleX = (currentTime / this.duration);
@ -144,41 +205,21 @@ export class MediaProgressLine {
this.seek.value = '' + currentTime * 1000; this.seek.value = '' + currentTime * 1000;
} }
private setListeners() { protected setListeners() {
super.setListeners();
this.media.addEventListener('ended', this.onEnded); this.media.addEventListener('ended', this.onEnded);
this.media.addEventListener('play', this.onPlay); this.media.addEventListener('play', this.onPlay);
this.streamable && this.media.addEventListener('progress', this.onProgress); this.streamable && this.media.addEventListener('progress', this.onProgress);
this.container.addEventListener('mousemove', this.onMouseMove);
this.container.addEventListener('mousedown', this.onMouseDown);
this.container.addEventListener('mouseup', this.onMouseUp);
}
private scrub(e: MouseEvent) {
const scrubTime = e.offsetX / this.container.offsetWidth * this.duration;
this.media.currentTime = scrubTime;
if(this.onSeek) {
this.onSeek(scrubTime);
}
let scaleX = scrubTime / this.duration;
scaleX = Math.max(0, Math.min(1, scaleX));
this.filled.style.transform = 'scaleX(' + scaleX + ')';
} }
public removeListeners() { public removeListeners() {
super.removeListeners();
this.media.removeEventListener('loadeddata', this.onLoadedData); this.media.removeEventListener('loadeddata', this.onLoadedData);
this.media.removeEventListener('ended', this.onEnded); this.media.removeEventListener('ended', this.onEnded);
this.media.removeEventListener('play', this.onPlay); this.media.removeEventListener('play', this.onPlay);
this.streamable && this.media.removeEventListener('progress', this.onProgress); this.streamable && this.media.removeEventListener('progress', this.onProgress);
this.container.removeEventListener('mousemove', this.onMouseMove);
this.container.removeEventListener('mousedown', this.onMouseDown);
this.container.removeEventListener('mouseup', this.onMouseUp);
this.onSeek = null;
if(this.stopAndScrubTimeout) { if(this.stopAndScrubTimeout) {
clearTimeout(this.stopAndScrubTimeout); clearTimeout(this.stopAndScrubTimeout);
} }
@ -217,21 +258,19 @@ export default class VideoPlayer {
} }
private stylePlayer() { private stylePlayer() {
let player = this.wrapper; const {wrapper: player, video, skin} = this;
let video = this.video;
let skin = this.skin;
player.classList.add(skin); player.classList.add(skin);
let html = this.buildControls(); const html = this.buildControls();
player.insertAdjacentHTML('beforeend', html); player.insertAdjacentHTML('beforeend', html);
let updateInterval = 0; let updateInterval = 0;
let elapsed = 0; let elapsed = 0;
let prevTime = 0; let prevTime = 0;
if(skin === 'default') { if(skin === 'default') {
var toggle = player.querySelectorAll('.toggle') as NodeListOf<HTMLElement>; const toggle = player.querySelectorAll('.toggle') as NodeListOf<HTMLElement>;
var fullScreenButton = player.querySelector('.fullscreen') as HTMLElement; const fullScreenButton = player.querySelector('.fullscreen') as HTMLElement;
var timeElapsed = player.querySelector('#time-elapsed'); var timeElapsed = player.querySelector('#time-elapsed');
var timeDuration = player.querySelector('#time-duration') as HTMLElement; var timeDuration = player.querySelector('#time-duration') as HTMLElement;
timeDuration.innerHTML = String(video.duration | 0).toHHMMSS(); timeDuration.innerHTML = String(video.duration | 0).toHHMMSS();
@ -263,23 +302,20 @@ export default class VideoPlayer {
return this.toggleFullScreen(fullScreenButton); return this.toggleFullScreen(fullScreenButton);
}); });
let b = () => this.onFullScreen();
'webkitfullscreenchange mozfullscreenchange fullscreenchange MSFullscreenChange'.split(' ').forEach(eventName => { 'webkitfullscreenchange mozfullscreenchange fullscreenchange MSFullscreenChange'.split(' ').forEach(eventName => {
player.addEventListener(eventName, b, false); player.addEventListener(eventName, this.onFullScreen, false);
}); });
} } else if(skin === 'circle') {
const wrapper = document.createElement('div');
if(skin === 'circle') {
let wrapper = document.createElement('div');
wrapper.classList.add('circle-time-left'); wrapper.classList.add('circle-time-left');
video.parentNode.insertBefore(wrapper, video); video.parentNode.insertBefore(wrapper, video);
wrapper.innerHTML = '<div class="circle-time"></div><div class="iconVolume tgico-nosound"></div>'; wrapper.innerHTML = '<div class="circle-time"></div><div class="iconVolume tgico-nosound"></div>';
var circle = player.querySelector('.progress-ring__circle') as SVGCircleElement; var circle = player.querySelector('.progress-ring__circle') as SVGCircleElement;
var radius = circle.r.baseVal.value; const radius = circle.r.baseVal.value;
var circumference = 2 * Math.PI * radius; var circumference = 2 * Math.PI * radius;
var timeDuration = player.querySelector('.circle-time') as HTMLElement; var timeDuration = player.querySelector('.circle-time') as HTMLElement;
var iconVolume = player.querySelector('.iconVolume') as HTMLDivElement; const iconVolume = player.querySelector('.iconVolume') as HTMLDivElement;
circle.style.strokeDasharray = circumference + ' ' + circumference; circle.style.strokeDasharray = circumference + ' ' + circumference;
circle.style.strokeDashoffset = '' + circumference; circle.style.strokeDashoffset = '' + circumference;
circle.addEventListener('click', () => { circle.addEventListener('click', () => {
@ -295,7 +331,7 @@ export default class VideoPlayer {
prevTime = video.currentTime; prevTime = video.currentTime;
} }
let offset = circumference - elapsed / video.duration * circumference; const offset = circumference - elapsed / video.duration * circumference;
circle.style.strokeDashoffset = '' + offset; circle.style.strokeDashoffset = '' + offset;
if(video.paused) clearInterval(updateInterval); if(video.paused) clearInterval(updateInterval);
}, 20); }, 20);
@ -339,8 +375,7 @@ export default class VideoPlayer {
} }
private handleProgress(timeDuration: HTMLElement, circumference: number, circle: SVGCircleElement, updateInterval: number) { private handleProgress(timeDuration: HTMLElement, circumference: number, circle: SVGCircleElement, updateInterval: number) {
let video = this.video; const {video, skin} = this;
let skin = this.skin;
clearInterval(updateInterval); clearInterval(updateInterval);
let elapsed = 0; let elapsed = 0;
@ -352,12 +387,13 @@ export default class VideoPlayer {
elapsed = video.currentTime; // Update if getCurrentTime was changed elapsed = video.currentTime; // Update if getCurrentTime was changed
prevTime = video.currentTime; prevTime = video.currentTime;
} }
let offset = circumference - elapsed / video.duration * circumference;
const offset = circumference - elapsed / video.duration * circumference;
circle.style.strokeDashoffset = '' + offset; circle.style.strokeDashoffset = '' + offset;
if(video.paused) clearInterval(updateInterval); if(video.paused) clearInterval(updateInterval);
}, 20); }, 20);
let timeLeft = String((video.duration - video.currentTime) | 0).toHHMMSS(); const timeLeft = String((video.duration - video.currentTime) | 0).toHHMMSS();
if(timeLeft != '0') timeDuration.innerHTML = timeLeft; if(timeLeft != '0') timeDuration.innerHTML = timeLeft;
return updateInterval; return updateInterval;
@ -365,22 +401,27 @@ export default class VideoPlayer {
} }
private buildControls() { private buildControls() {
let skin = this.skin; const skin = this.skin;
let html = []; const html: string[] = [];
if(skin === 'default') { if(skin === 'default') {
html.push('<button class="' + skin + '__button--big toggle tgico-largeplay" title="Toggle Play"></button>'); html.push(`
html.push('<div class="' + skin + '__gradient-bottom ckin__controls"></div>'); <button class="${skin}__button--big toggle tgico-largeplay" title="Toggle Play"></button>
html.push('<div class="' + skin + '__controls ckin__controls">'); <div class="${skin}__gradient-bottom ckin__controls"></div>
html.push('<div class="bottom-controls">', <div class="${skin}__controls ckin__controls">
'<div class="left-controls"><button class="' + skin + '__button toggle tgico-play" title="Toggle Video"></button>', <div class="bottom-controls">
'<div class="time">', <div class="left-controls">
'<time id="time-elapsed">0:00</time>', <button class="${skin}__button toggle tgico-play" title="Toggle Video"></button>
'<span> / </span>', <div class="time">
'<time id="time-duration">0:00</time>', <time id="time-elapsed">0:00</time>
'</div>', <span> / </span>
'</div>', <time id="time-duration">0:00</time>
'<div class="right-controls"><button class="' + skin + '__button fullscreen tgico-fullscreen" title="Full Screen"></button></div></div>'); </div>
html.push('</div>'); </div>
<div class="right-controls">
<button class="${skin}__button fullscreen tgico-fullscreen" title="Full Screen"></button>
</div>
</div>
</div>`);
} else if(skin === 'circle') { } else if(skin === 'circle') {
html.push('<svg class="progress-ring" width="200px" height="200px">', html.push('<svg class="progress-ring" width="200px" height="200px">',
'<circle class="progress-ring__circle" stroke="white" stroke-opacity="0.3" stroke-width="3.5" cx="100" cy="100" r="93" fill="transparent" transform="rotate(-90, 100, 100)"/>', '<circle class="progress-ring__circle" stroke="white" stroke-opacity="0.3" stroke-width="3.5" cx="100" cy="100" r="93" fill="transparent" transform="rotate(-90, 100, 100)"/>',
@ -391,7 +432,7 @@ export default class VideoPlayer {
} }
public updateButton(toggle: NodeListOf<HTMLElement>) { public updateButton(toggle: NodeListOf<HTMLElement>) {
let icon = this.video.paused ? 'tgico-play' : 'tgico-pause'; const icon = this.video.paused ? 'tgico-play' : 'tgico-pause';
Array.from(toggle).forEach((button) => { Array.from(toggle).forEach((button) => {
button.classList.remove('tgico-play', 'tgico-pause'); button.classList.remove('tgico-play', 'tgico-pause');
button.classList.add(icon); button.classList.add(icon);
@ -452,12 +493,12 @@ export default class VideoPlayer {
} }
} }
public onFullScreen() { onFullScreen = () => {
// @ts-ignore // @ts-ignore
let isFullscreenNow = document.webkitFullscreenElement !== null; const isFullscreenNow = document.webkitFullscreenElement !== null;
if(!isFullscreenNow) { if(!isFullscreenNow) {
this.wrapper.classList.remove('ckin__fullscreen'); this.wrapper.classList.remove('ckin__fullscreen');
} else { } else {
} }
} };
} }

47
src/lib/mtproto/mtproto.service.ts

@ -17,9 +17,9 @@ const ctx = self as any as ServiceWorkerGlobalScope;
//console.error('INCLUDE !!!', new Error().stack); //console.error('INCLUDE !!!', new Error().stack);
function isObject(object: any) { /* function isObject(object: any) {
return typeof(object) === 'object' && object !== null; return typeof(object) === 'object' && object !== null;
} } */
/* function fillTransfer(transfer: any, obj: any) { /* function fillTransfer(transfer: any, obj: any) {
if(!obj) return; if(!obj) return;
@ -79,6 +79,7 @@ networkerFactory.setUpdatesProcessor((obj, bool) => {
}); });
const onMessage = async(e: ExtendableMessageEvent) => { const onMessage = async(e: ExtendableMessageEvent) => {
try {
const taskID = e.data.taskID; const taskID = e.data.taskID;
log.debug('got message:', taskID, e, e.data); log.debug('got message:', taskID, e, e.data);
@ -139,9 +140,10 @@ const onMessage = async(e: ExtendableMessageEvent) => {
//throw new Error('Unknown task: ' + e.data.task); //throw new Error('Unknown task: ' + e.data.task);
} }
} }
}; } catch(err) {
ctx.onmessage = onMessage; }
};
/** /**
* Service Worker Installation * Service Worker Installation
@ -201,7 +203,21 @@ ctx.onerror = (error) => {
log.error('error:', error); log.error('error:', error);
}; };
ctx.onunhandledrejection = (error) => {
log.error('onunhandledrejection:', error);
};
const onChangeState = () => {
ctx.onmessage = onMessage;
ctx.onfetch = onFetch;
};
onChangeState();
ctx.onoffline = ctx.ononline = onChangeState;
const onFetch = (event: FetchEvent): void => { const onFetch = (event: FetchEvent): void => {
try {
const [, url, scope, params] = /http[:s]+\/\/.*?(\/(.*?)(?:$|\/(.*)$))/.exec(event.request.url) || []; const [, url, scope, params] = /http[:s]+\/\/.*?(\/(.*?)(?:$|\/(.*)$))/.exec(event.request.url) || [];
log.debug('[fetch]:', event); log.debug('[fetch]:', event);
@ -439,19 +455,22 @@ const onFetch = (event: FetchEvent): void => {
if (url && url.endsWith('.tgs')) event.respondWith(fetchTGS(url)); if (url && url.endsWith('.tgs')) event.respondWith(fetchTGS(url));
else event.respondWith(fetch(event.request.url)); */ else event.respondWith(fetch(event.request.url)); */
} }
} catch(err) {
event.respondWith(new Response('', {
status: 500,
statusText: 'Internal Server Error',
}));
}
}; };
/**
* Fetch requests
*/
//ctx.addEventListener('fetch', );
ctx.onfetch = onFetch;
const DOWNLOAD_CHUNK_LIMIT = 512 * 1024; const DOWNLOAD_CHUNK_LIMIT = 512 * 1024;
//const STREAM_CHUNK_UPPER_LIMIT = 256 * 1024;
//const SMALLEST_CHUNK_LIMIT = 256 * 4; /* const STREAM_CHUNK_UPPER_LIMIT = 256 * 1024;
const STREAM_CHUNK_UPPER_LIMIT = 1024 * 1024; const SMALLEST_CHUNK_LIMIT = 256 * 4; */
const SMALLEST_CHUNK_LIMIT = 1024 * 4; /* const STREAM_CHUNK_UPPER_LIMIT = 1024 * 1024;
const SMALLEST_CHUNK_LIMIT = 1024 * 4; */
const STREAM_CHUNK_UPPER_LIMIT = 512 * 1024;
const SMALLEST_CHUNK_LIMIT = 512 * 4;
function parseRange(header: string): [number, number] { function parseRange(header: string): [number, number] {
if(!header) return [0, 0]; if(!header) return [0, 0];

8
src/lib/mtproto/mtprotoworker.ts

@ -81,10 +81,14 @@ class ApiManagerProxy extends CryptoWorkerMethods {
this.finalizeTask(e.data.taskID, e.data.result, e.data.error); this.finalizeTask(e.data.taskID, e.data.result, e.data.error);
} }
}); });
navigator.serviceWorker.addEventListener('messageerror', (e) => {
this.log.error('SW messageerror:', e);
});
} }
private finalizeTask(taskID: number, result: any, error: any) { private finalizeTask(taskID: number, result: any, error: any) {
let deferred = this.awaiting[taskID]; const deferred = this.awaiting[taskID];
if(deferred !== undefined) { if(deferred !== undefined) {
this.log.debug('done', deferred.taskName, result, error); this.log.debug('done', deferred.taskName, result, error);
result === undefined ? deferred.reject(error) : deferred.resolve(result); result === undefined ? deferred.reject(error) : deferred.resolve(result);
@ -113,10 +117,12 @@ class ApiManagerProxy extends CryptoWorkerMethods {
private releasePending() { private releasePending() {
if(navigator.serviceWorker.controller) { if(navigator.serviceWorker.controller) {
this.log.debug('releasing tasks, length:', this.pending.length);
this.pending.forEach(pending => { this.pending.forEach(pending => {
navigator.serviceWorker.controller.postMessage(pending); navigator.serviceWorker.controller.postMessage(pending);
}); });
this.log.debug('released tasks');
this.pending.length = 0; this.pending.length = 0;
} }
} }

Loading…
Cancel
Save