-
-
Notifications
You must be signed in to change notification settings - Fork 39
/
Copy pathuiUtil.js
1515 lines (1453 loc) · 77 KB
/
uiUtil.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
/**
* uiUtil.js : Utility functions for the User Interface
*
* Copyright 2013-2024 Mossroy, Jaifroid and contributors
* Licence GPL v3:
*
* This file is part of Kiwix.
*
* Kiwix is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public Licence as published by
* the Free Software Foundation, either version 3 of the Licence, or
* (at your option) any later version.
*
* Kiwix is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public Licence for more details.
*
* You should have received a copy of the GNU General Public Licence
* along with Kiwix (file LICENSE-GPLv3.txt). If not, see <http://www.gnu.org/licenses/>
*/
'use strict';
/* eslint-disable no-global-assign, indent */
/* global webpMachine, , params, appstate, Windows */
import util from './util.js';
/**
* Global variables
*/
var itemsCount = false;
// Placeholders for the articleContainer, header and footer
const header = document.getElementById('top');
const footer = document.getElementById('footer');
let articleContainer = document.getElementById('articleContent');
/**
* Hides slide-away UI elements
*/
function hideSlidingUIElements () {
const articleContainer = document.getElementById('articleContent');
const articleElement = document.querySelector('article');
const footerStyles = getComputedStyle(footer);
const footerHeight = parseFloat(footerStyles.height) + parseFloat(footerStyles.marginTop) - 2;
const headerStyles = getComputedStyle(header);
const headerHeight = parseFloat(headerStyles.height) + parseFloat(headerStyles.marginBottom) - 2;
if (params.hideToolbars === true) { // Only hide footer if requested
footer.style.transform = 'translateY(' + footerHeight + 'px)';
}
articleContainer.style.height = window.innerHeight + 'px';
// articleContainer.style.height = document.documentElement.clientHeight + 'px';
header.style.transform = 'translateY(-' + headerHeight + 'px)';
articleElement.style.transform = 'translateY(-' + headerHeight + 'px)';
// Needed by IE11 (only browser that has window.navigator.msSaveBlob)
if (window.navigator && window.navigator.msSaveBlob) articleContainer.style.transform = 'translateY(-' + headerHeight + 'px)';
}
/**
* Restores slide-away UI elements
*/
function showSlidingUIElements () {
const articleContainer = document.getElementById('articleContent');
const articleElement = document.querySelector('article');
const headerStyles = getComputedStyle(document.getElementById('top'));
const headerHeight = parseFloat(headerStyles.height) + parseFloat(headerStyles.marginBottom);
header.style.transform = 'translateY(0)';
// Needed for Windows Mobile to prevent header disappearing beneath iframe
articleElement.style.transform = 'translateY(-1px)';
articleContainer.style.transform = 'translateY(-1px)';
footer.style.transform = 'translateY(0)';
articleContainer.style.height = window.innerHeight + headerHeight + 'px';
// articleContainer.style.height = document.documentElement.clientHeight + 'px';
}
let scrollThrottle = false;
/**
* Launcher for the slide-away function, including a throttle to prevent it being called too often
*/
function scroller (e) {
if (!e) return;
if (scrollThrottle || params.hideToolbars === false) return;
// We have to refresh the articleContainer when the window changes
articleContainer = document.getElementById('articleContent');
// Get the replay_iframe if it exists
var replayIframe = articleContainer.contentWindow ? articleContainer.contentWindow.document ? articleContainer.contentWindow.document.getElementById('replay_iframe') : null : null;
articleContainer = replayIframe || articleContainer;
if (articleContainer.style.display === 'none') return;
// DEV: windowIsScrollable gets set and reset in slideAway()
if (windowIsScrollable && e.type === 'wheel') return;
const newScrollY = articleContainer.contentWindow.pageYOffset;
// If it's a non-scroll event and we're actually scrolling, get out of the way and let the scroll event handle it
if ((/^touch|^wheel|^keydown/.test(e.type)) && newScrollY !== oldScrollY) {
oldScrollY = newScrollY;
return;
}
if (e.type === 'touchstart') {
oldTouchY = e.touches[0].screenY;
return;
}
// Value below is checked in app.js articleLoader() to prevent showing the UI elements if the user has already started scrolling
articleContainer.contentWindow.scrollFired = true;
// console.debug('scrollFired:', articleContainer.id, e.type);
scrollThrottle = true;
// Call the main function
slideAway(e);
// Set timeouts for the throttle
let timeout = 250;
if (/^touch|^keydown/.test(e.type)) {
scrollThrottle = false;
return;
} else if (e.type === 'wheel' && Math.abs(e.deltaY) > 6) {
timeout = 1200;
}
setTimeout(function () {
scrollThrottle = false;
}, timeout);
};
// Edge Legacy requires setting the z-index of the header to prevent it disappearing beneath the iframe
if ('MSBlobBuilder' in window) {
header.style.position = 'relative';
header.style.zIndex = 1;
}
let oldScrollY = 0;
let oldTouchY = 0;
let timeoutResetScrollable;
let windowIsScrollable = false;
// Slides away or restores the header and footer
function slideAway (e) {
const newScrollY = articleContainer.contentWindow.pageYOffset;
let delta;
const visibleState = /\(0p?x?\)/.test(header.style.transform);
// Remove any content warning
hideActiveContentWarning();
// If the search field is focused and elements are not showing, do not slide away
if (document.activeElement === document.getElementById('prefix')) {
if (!visibleState) showSlidingUIElements();
} else if (e.type === 'scroll') {
windowIsScrollable = true;
if (newScrollY === oldScrollY) return;
if (newScrollY < oldScrollY) {
showSlidingUIElements();
} else if (newScrollY - oldScrollY > 30) {
// Hide the toolbars if user has scrolled and not already hidden
hideSlidingUIElements();
}
oldScrollY = newScrollY;
// Debounces the scroll at end of page
const resetScrollable = function () {
windowIsScrollable = false;
};
clearTimeout(timeoutResetScrollable);
timeoutResetScrollable = setTimeout(resetScrollable, 3000);
} else {
let hideOrShow = visibleState ? hideSlidingUIElements : showSlidingUIElements;
if (newScrollY === 0 && windowIsScrollable) {
// If we are at the top of a scrollable page, always restore the UI elements
hideOrShow = showSlidingUIElements;
}
if (e.type === 'touchend') {
delta = Math.abs(oldTouchY - e.changedTouches[0].screenY);
if (delta > articleContainer.contentWindow.innerHeight / 1.5) {
hideOrShow();
}
} else if (e.type === 'wheel') {
delta = Math.abs(e.deltaY);
if (delta > 6) {
hideOrShow();
}
} else if (e.type === 'keydown') {
// IE11 produces Up and Down instead of ArrowUp and ArrowDown
if ((e.ctrlKey || e.metaKey) && /^(Arrow)?(Up|Down)$/.test(e.key)) {
hideOrShow();
}
}
// DEBUG for non-scrolling events events
// console.debug('eventType: ' + e.type + ' oldScrollY: ' + oldScrollY + ' newScrollY: ' + newScrollY + ' windowIsScrollable: ' + windowIsScrollable);
}
}
/**
* Creates either a blob: or data: URI from the given content
* The given attribute of the DOM node (nodeAttribute) is then set to this URI
*
* This is used to inject images (and other dependencies) into the article DOM
*
* @param {Object} node The node to which the URI should be added
* @param {String} nodeAttribute The attribute to set to the URI
* @param {Uint8Array} content The binary content to convert to a URI
* @param {String} mimeType The MIME type of the content
* @param {Boolean} makeDataURI If true, make a data: URI instead of a blob URL
* @param {Function} callback An optional function to call with the URI
*/
function feedNodeWithBlob (node, nodeAttribute, content, mimeType, makeDataURI, callback) {
// Decode WebP data if the browser does not support WebP and the mimeType is webp
if (webpMachine && /image\/webp/i.test(mimeType)) {
// If we're dealing with a dataURI, first convert to Uint8Array (polyfill cannot read data URIs)
if (/^data:/i.test(content)) {
content = util.dataURItoUint8Array(content);
}
// DEV: Note that webpMachine is single threaded and will reject an image if it is busy
// However, the prepareImagesJQuery() function in images.js is sequential (it waits for a callback
// before processing another image) so we do not need to queue WebP images here
webpMachine.decode(content).then(function (uri) {
// DEV: WebpMachine.decode() returns a data: URI
// We callback before the node is set so that we don't incur slow DOM rewrites before processing more images
if (callback) callback(uri);
node.setAttribute(nodeAttribute, uri);
}).catch(function (err) {
console.error('There was an error decoding image in WebpMachine', err);
if (callback) callback();
});
} else {
var url;
if (makeDataURI) {
// Because btoa fails on utf8 strings (in SVGs, for example) we need to use FileReader method
// See https://developer.mozilla.org/en-US/docs/Web/API/WindowBase64/Base64_encoding_and_decoding#The_Unicode_Problem
// url = 'data:' + mimeType + ';base64,' + btoa(util.uintToString(content));
getDataUriFromUint8Array(content, mimeType).then(function (uri) {
node.setAttribute(nodeAttribute, uri);
if (callback) callback(uri);
}).catch(function (err) {
console.error('There was an error converting binary content to data URI', err);
if (callback) callback(null);
});
} else {
var blob = new Blob([content], {
type: mimeType
});
// Establish the current window (avoids having to pass it to this function)
var docWindow = node.ownerDocument.defaultView || node.ownerDocument.parentWindow || window;
url = docWindow.URL.createObjectURL(blob);
if (callback) callback(url);
node.addEventListener('load', function () {
URL.revokeObjectURL(url);
});
node.setAttribute(nodeAttribute, url);
}
}
}
/**
* Creates a data: URI from the given content
* @param {Uint8Array} content The binary content to convert to a URI
* @param {String} mimeType The MIME type of the content
* @returns {Promise<String>} A promise that resolves to the data URI
*/
function getDataUriFromUint8Array (content, mimeType) {
// Use FileReader method because btoa fails on utf8 strings (in SVGs, for example)
// See https://developer.mozilla.org/en-US/docs/Web/API/WindowBase64/Base64_encoding_and_decoding#The_Unicode_Problem
// This native browser method is very fast: see https://stackoverflow.com/a/66046176/9727685
return new Promise((resolve, reject) => {
var myReader = new FileReader();
myReader.onloadend = function () {
var url = myReader.result;
resolve(url);
};
myReader.onerror = function (err) {
reject(err);
};
myReader.readAsDataURL(new Blob([content], { type: mimeType }));
});
}
/**
* Removes parameters and anchors from a URL
* @param {type} url The URL to be processed
* @returns {String} The same URL without its parameters and anchors
*/
function removeUrlParameters (url) {
// Remove any querystring
var strippedUrl = url.replace(/\?[^?]*$/, '');
// Remove any anchor parameters - note that we are deliberately excluding entity references, e.g. '''.
strippedUrl = strippedUrl.replace(/#[^#;]*$/, '');
return strippedUrl;
}
// Transforms an asset (script or link) element string into a usable element containing the given content or a BLOB
// reference to the content
function createNewAssetElement (assetElement, attribute, content) {
var tag = assetElement.match(/^<([^\s]+)/)[1];
var regexpMatchAttr = new RegExp(attribute + '=["\']\\s*([^"\'\\s]+)');
var attrUri = assetElement.match(regexpMatchAttr);
attrUri = attrUri ? attrUri[1] : '';
var mimetype = /type=["']\s*([^"'\s]+)/.exec(assetElement);
mimetype = mimetype ? mimetype[1] : '';
var newAsset;
if (tag === 'link') {
// We use inline style replacements in this case for compatibility with FFOS
// If FFOS is no longer supported, we could use the more generic BLOB replacement below
mimetype = mimetype || 'text/css';
newAsset = '<style data-kiwixsrc="' + attrUri + '" type="' + mimetype + '">' + content + '</style>';
} else {
mimetype = mimetype || (tag === 'script' ? 'text/javascript' : '');
var assetBlob = new Blob([content], { type: mimetype });
var assetUri = URL.createObjectURL(assetBlob);
var refAttribute = tag === 'script' ? 'src' : 'href';
newAsset = assetElement.replace(attribute, refAttribute);
newAsset = newAsset.replace(attrUri, assetUri);
newAsset = newAsset.replace(/>/, ' data-kiwixsrc="' + attrUri + '">');
}
return newAsset;
}
function TableOfContents (articleDoc) {
this.doc = articleDoc;
this.headings = this.doc.querySelectorAll('h1, h2, h3, h4, h5, h6');
this.getHeadingObjects = function () {
var headings = [];
for (var i = 0; i < this.headings.length; i++) {
var element = this.headings[i];
var obj = {};
obj.id = element.id;
var objectId = element.innerHTML.match(/\bid\s*=\s*["']\s*([^"']+?)\s*["']/i);
obj.id = obj.id ? obj.id : objectId && objectId.length > 1 ? objectId[1] : '';
obj.index = i;
obj.textContent = element.textContent;
obj.tagName = element.tagName;
headings.push(obj);
}
return headings;
};
}
function makeReturnLink (title) {
// Abbreviate title if necessary
var shortTitle = title.substring(0, 25);
shortTitle = shortTitle === title ? shortTitle : shortTitle + '...';
var link = '<h4 style="font-size:' + ~~(params.relativeUIFontSize * 1.4 * 0.14) + 'px;"><a href="#"><< Return to ' + shortTitle + '</a></h4>';
var returnDivs = document.getElementsByClassName('returntoArticle');
for (var i = 0; i < returnDivs.length; i++) {
returnDivs[i].innerHTML = link;
}
}
/**
* Displays the operations panel in the footer to show a message with an optional timeout interval. If no timeout is specified, the panel
* will display for 10s before being cleared. If the timeout is set to true, the panel will display indefinitely or until pollOpsPanel
* is called again. If set to false, the panel will be cleared.
* @param {String} msg The message (may be HTML-formatted) to display in the panel, or if empty, the panel will be cleared
* @param {Integer|Boolean} opControl A timeout value, or if true, the panel will display indefinitely
*/
function pollOpsPanel (msg, opControl) {
msg = msg || null;
var footer = document.getElementById('footer');
var opsPanel = document.getElementById('alertBoxFooter');
var navigationButtons = document.getElementById('navigationButtons');
var configuration = document.getElementById('configuration');
var timeout = Number.isFinite(opControl) ? opControl : 10000;
if (msg === null) {
opsPanel.style.display = 'none';
if (configuration.style.display === 'none') {
navigationButtons.style.display = 'block';
footer.style.display = 'block';
} else {
navigationButtons.style.display = 'none';
}
} else {
opsPanel.style.display = 'block';
opsPanel.innerHTML = '<div class="alert alert-info">' + msg + '</div>';
if (configuration.style.display !== 'none') {
footer.style.display = 'block';
navigationButtons.style.display = 'none';
} else {
navigationButtons.style.display = 'block';
}
}
// Close panel after 10s if no timeout specified
clearTimeout(pollOpsPanel);
if (opControl !== true) {
setTimeout(pollOpsPanel, timeout);
}
}
/**
* Starts the spinner, with an optional message and optional timeout interval. If no timeout is specified, the spinner
* will run for 3s before being cleared. If the timeout is set to true, the spinner will run indefinitely or until pollSpinner
* is called again.
* @param {String} msg A message (may be HTML-formatted) to display below the spinner
* @param {Integer|Boolean} noTimeoutOrInterval A timeout value, or if true, the spinner will run indefinitely until pollSpinner is called again
*/
function pollSpinner (msg, noTimeoutOrInterval) {
msg = msg || '';
document.getElementById('searchingArticles').style.display = 'block';
var cachingAssets = document.getElementById('cachingAssets');
cachingAssets.innerHTML = msg;
if (msg) cachingAssets.style.display = 'block';
else cachingAssets.style.display = 'none';
// Never allow spinner to run for more than 3s
clearTimeout(clearSpinner);
if (!noTimeoutOrInterval || noTimeoutOrInterval !== true) {
var interval = noTimeoutOrInterval || 3000;
setTimeout(clearSpinner, interval);
}
}
function clearSpinner () {
document.getElementById('searchingArticles').style.display = 'none';
var cachingAssets = document.getElementById('cachingAssets');
cachingAssets.innerHTML = '';
cachingAssets.style.display = 'none';
}
function printCustomElements (innerDocument) {
// For now, adding a printing stylesheet to a zimit ZIM appears to diasble printing of any images!
if (appstate.wikimediaZimLoaded) {
// Add any missing classes
innerDocument.body.innerHTML = innerDocument.body.innerHTML.replace(/(class\s*=\s*["'][^"']*vcard\b[^>]+>\s*<span)>/ig, '$1 class="map-pin">');
// Remove encapsulated External Links
innerDocument.body.innerHTML = innerDocument.body.innerHTML.replace(/(<details\b(?![^>]"externalLinks"))((?:[^<]|<(?!\/details>))+?['"]external_links['"])/i, '$1 class="externalLinks" $2');
// This is the best we can do for removing External Links if its not encapsulated
innerDocument.body.innerHTML = innerDocument.body.innerHTML.replace(/(<(?:h2|span)\b[^<]+external_links(?:[^<]|<(?!\/div>|\/details>))+?<ul\s*(?!class="externalLinks"))/i, '$1 class="externalLinks" ');
// Further Reading
innerDocument.body.innerHTML = innerDocument.body.innerHTML.replace(/(<details\b(?![^>]"furtherReading"))((?:[^<]|<(?!\/details>))+?['"]further_reading['"])/i, '$1 class="furtherReading" $2');
innerDocument.body.innerHTML = innerDocument.body.innerHTML.replace(/(<(?:h2|span)\b[^<]+further_reading(?:[^<]|<(?!\/div>|\/details>))+?<ul\s*(?!class="furtherReading"))/i, '$1 class="furtherReading" ');
// See Also
innerDocument.body.innerHTML = innerDocument.body.innerHTML.replace(/(<details\b(?![^>]"seeAlso"))((?:[^<]|<(?!\/details>))+?['"]see_also['"])/i, '$1 class="seeAlso" $2');
innerDocument.body.innerHTML = innerDocument.body.innerHTML.replace(/(<(?:h2|span)\b[^<]+see_also(?:[^<]|<(?!\/div>|\/details>))+?<ul\s*(?!class="seeAlso"))/i, '$1 class="seeAlso" ');
// References (this is for details-summary ZIMs only: it gets rid of the title)
innerDocument.body.innerHTML = innerDocument.body.innerHTML.replace(/(<details\b(?![^>]"zimReferences"))((?:[^<]|<(?!\/details>))+?['"]references['"])/i, '$1 class="zimReferences" $2');
// Sources (this is for details-summary ZIMs only: it gets rid of the title)
innerDocument.body.innerHTML = innerDocument.body.innerHTML.replace(/(<details\b(?![^>]"zimSources"))((?:[^<]|<(?!\/details>))+?['"]sources['"])/i, '$1 class="zimSources" $2');
innerDocument.body.innerHTML = innerDocument.body.innerHTML.replace(/(<div\s+)([^>]+>\s+This article is issued from)/i, '$1class="copyLeft" $2');
// Remove openInTab div (we can't do this using DOM methods because it aborts code spawned from onclick event)
innerDocument.body.innerHTML = innerDocument.body.innerHTML.replace(/<div\s(?=[^<]+?openInTab)(?:[^<]|<(?!\/div>))+<\/div>\s*/, '');
// Add an @media print conditional stylesheet
var printOptions = innerDocument.getElementById('printOptions');
// If there is no printOptions style block in the iframe, create it
if (!printOptions) {
var printStyle = innerDocument.createElement('style');
printStyle.id = 'printOptions';
innerDocument.head.appendChild(printStyle);
printOptions = innerDocument.getElementById('printOptions');
}
var printStyleInnerHTML = '@media print { ';
printStyleInnerHTML += document.getElementById('printNavBoxCheck').checked ? '' : '.navbox, .vertical-navbox { display: none; } ';
printStyleInnerHTML += document.getElementById('printEndNoteCheck').checked ? '' : '.reflist, div[class*=references], .zimReferences, .zimSources { display: none; } ';
printStyleInnerHTML += document.getElementById('externalLinkCheck').checked ? '' : '.externalLinks, .furtherReading { display: none; } ';
printStyleInnerHTML += document.getElementById('seeAlsoLinkCheck').checked ? '' : '.seeAlso { display: none; } ';
printStyleInnerHTML += document.getElementById('printInfoboxCheck').checked ? '' : '.mw-stack, .infobox, .infobox_v2, .infobox_v3, .qbRight, .qbRightDiv, .wv-quickbar, .wikitable { display: none; } ';
// printStyleInnerHTML += document.getElementById("printImageCheck").checked ? "" : "img, .gallery { display: none; } ";
printStyleInnerHTML += '.copyLeft { display: none } ';
printStyleInnerHTML += '.map-pin { display: none } ';
printStyleInnerHTML += '.external { padding-right: 0 !important } ';
}
if (/gutenberg/i.test(appstate.selectedArchive.file.name)) {
// Remove any blocks with classnames zim_info, zim_epub and zim_up
var elementsToRemove = innerDocument.body.querySelectorAll('.zim_info, .zim_epub, .zim_up');
if (elementsToRemove) {
for (var i = 0; i < elementsToRemove.length; i++) {
elementsToRemove[i].parentNode.removeChild(elementsToRemove[i]);
}
params.printInterception = true;
}
}
// Using @media print on images doesn't get rid of them all, so use brute force
if (!document.getElementById('printImageCheck').checked) {
innerDocument.body.innerHTML = innerDocument.body.innerHTML.replace(/<img\b[^>]*>\s*/ig, '');
} else if (/id="breakoutLink"/.test(innerDocument.body.innerHTML)) {
// Remove any breakout link
innerDocument.body.innerHTML = innerDocument.body.innerHTML.replace(/<img\b[^>]+id="breakoutLink"[^>]*>\s*/, '');
}
var sliderVal = document.getElementById('documentZoomSlider').value;
sliderVal = ~~sliderVal;
sliderVal = Math.floor(sliderVal * (Math.max(window.screen.width, window.screen.height) / 1440));
if (appstate.wikimediaZimLoaded) {
printStyleInnerHTML += 'body { font-size: ' + sliderVal + '% !important; } ';
printStyleInnerHTML += '}';
printOptions.innerHTML = printStyleInnerHTML;
} else {
innerDocument.body.style.setProperty('font-size', sliderVal + '%', 'important');
}
}
function downloadBlobUWP (blob, filename, message) {
// Copy BLOB to downloads folder and launch from there in Edge
// First create an empty file in the folder
Windows.Storage.DownloadsFolder.createFileAsync(filename, Windows.Storage.CreationCollisionOption.generateUniqueName)
.then(function (file) {
// Open the returned dummy file in order to copy the data into it
file.openAsync(Windows.Storage.FileAccessMode.readWrite).then(function (output) {
// Get the InputStream stream from the blob object
var input = blob.msDetachStream();
// Copy the stream from the blob to the File stream
Windows.Storage.Streams.RandomAccessStream.copyAsync(input, output).then(function () {
output.flushAsync().done(function () {
input.close();
output.close();
// Finally, tell the system to open the file if it's not a subtitle file
if (!/\.(?:ttml|ssa|ass|srt|idx|sub|vtt)$/i.test(filename)) Windows.System.Launcher.launchFileAsync(file);
if (file.isAvailable) {
var fileLink = file.path.replace(/\\/g, '/');
fileLink = fileLink.replace(/^([^:]+:\/(?:[^/]+\/)*)(.*)/, function (p0, p1, p2) {
return 'file:///' + p1 + encodeURIComponent(p2);
});
if (message) {
message.innerHTML = '<strong>Download:</strong> Your file was saved as <a href="' +
fileLink + '" target="_blank" class="alert-link">' + file.path + '</a>';
}
// window.open(fileLink, null, "msHideView=no");
}
});
});
});
});
}
/**
* Derives the URL.pathname from a relative or semi-relative URL using the given base ZIM URL
*
* @param {String} url The (URI-encoded) URL to convert (e.g. "Einstein", "../Einstein",
* "../../I/im%C3%A1gen.png", "-/s/style.css", "/A/Einstein.html", "../static/bootstrap/css/bootstrap.min.css")
* @param {String} base The base ZIM URL of the currently loaded article (e.g. "A/", "A/subdir1/subdir2/", "C/Singapore/")
* @returns {String} The derived ZIM URL in decoded form (e.g. "A/Einstein", "I/imágen.png", "C/")
*/
function deriveZimUrlFromRelativeUrl (url, base) {
// We use a dummy domain because URL API requires a valid URI
var dummy = 'http://d/';
var deriveZimUrl = function (url, base) {
if (typeof URL === 'function') return new URL(url, base);
// IE11 lacks URL API: workaround adapted from https://stackoverflow.com/a/28183162/9727685
var d = document.implementation.createHTMLDocument('t');
// innerHTML required as string contains HTML tags
d.head.innerHTML = '<base href="' + base + '">';
var a = d.createElement('a');
a.href = url;
return { pathname: a.href.replace(dummy, '') };
};
var zimUrl = deriveZimUrl(url, dummy + base);
return decodeURIComponent(zimUrl.pathname.replace(/^\//, ''));
}
/**
* Inserts a new link element into the document header
* @param {Element} doc The document to which to attach the new element
* @param {String} cssContent The content to insert as an inline stylesheet
* @param {String} id An optional id to add to the style element
*/
function insertLinkElement (doc, cssContent, id) {
var cssElement = document.createElement('style');
if (id) {
cssElement.id = id;
}
if (cssElement.styleSheet) {
cssElement.styleSheet.cssText = cssContent;
} else {
cssElement.appendChild(document.createTextNode(cssContent));
}
doc.head.appendChild(cssElement);
}
/**
* Walk up the DOM tree to find the closest element where the tagname matches the supplied regular expression
*
* @param {Element} el The starting DOM element
* @param {RegExp} rgx A regular expression to match the element's tagname
* @returns {Element|null} The matching element or null if no match was found
*/
function getClosestMatchForTagname (el, rgx) {
do {
if (rgx.test(el.tagName)) return el;
el = el.parentElement || el.parentNode;
} while (el !== null && el.nodeType === 1);
return null;
}
/**
* Displays a Bootstrap warning alert with information about how to access content in a ZIM with unsupported active UI
* @param {String} type The ZIM archive type ('open', 'zimit', or 'legacy')
*/
function displayActiveContentWarning (type) {
// We have to add the alert box in code, because Bootstrap removes it completely from the DOM when the user dismisses it
var alertHTML = '';
if (params.contentInjectionMode === 'jquery' && type === 'open') {
alertHTML = '<div id="activeContent" class="alert alert-warning alert-dismissible fade in" style="margin-bottom: 0;">' +
'<a href="#" id="activeContentClose" class="close" data-dismiss="alert" aria-label="close">×</a>' +
'<strong>Unable to display active content:</strong> To use <b>Archive Index</b> type a <b><i>space</i></b>, or for <b>URL Index</b> type ' +
'<b><i>space / </i></b>, or else <a id="swModeLink" href="#contentInjectionModeDiv" class="alert-link">switch to Service Worker mode</a> ' +
'if your platform supports it. [<a id="stop" href="#expertSettingsDiv" class="alert-link">Permanently hide</a>]' +
'</div>';
} else if (params.contentInjectionMode === 'serviceworker' && type === 'legacy') {
alertHTML = '<div id="activeContent" class="alert alert-warning alert-dismissible fade in" style="margin-bottom: 0;">' +
'<a href="#" id="activeContentClose" class="close" data-dismiss="alert" aria-label="close">×</a>' +
'<strong>Legacy ZIM type!</strong> To display content correctly from this historical ZIM, ' +
'please <a id="jqModeLink" href="#contentInjectionModeDiv" class="alert-link">switch to the legacy Restricted mode</a>. ' +
'You may need to increase font size with zoom buttons at bottom of screen. [<a id="stop" href="#expertSettingsDiv" class="alert-link">Permanently hide</a>]' +
'</div>';
} else if (type === 'zimit') {
alertHTML =
'<div id="activeContent" class="alert alert-warning alert-dismissible fade in" style="margin-bottom: 0;">' +
'<a href="#" id="activeContentClose" class="close" data-dismiss="alert" aria-label="close">×</a>' +
// '<strong>' + (params.contentInjectionMode === 'jquery' ? 'Limited Zimit' : 'Experimental') + ' support:</strong> ' +
(params.contentInjectionMode === 'jquery' ? '<b>Limited Zimit support!</b> Please <a id="swModeLink" href="#contentInjectionModeDiv" ' +
'class="alert-link">switch to Service Worker mode</a> if your platform supports it.<br />'
: 'Legacy support for <b>Zimit classic</b> archives. Audio/video and some dynamic content may fail.<br />') +
'Start search with <b>.*</b> to match part of a title, type <b><i>space</i></b> for the ZIM Archive Index, or ' +
'<b><i>space / </i></b> for the URL Index. [<a id="stop" href="#expertSettingsDiv" class="alert-link">Permanently hide</a>]' +
'</div>';
} else if (params.contentInjectionMode === 'serviceworker' && (params.manipulateImages || (params.displayHiddenBlockElements === true) || params.allowHTMLExtraction)) {
alertHTML =
'<div id="activeContent" class="alert alert-warning alert-dismissible fade in" style="margin-bottom: 0;">' +
'<a href="#" id="activeContentClose" class="close" data-dismiss="alert" aria-label="close">×</a>' +
'<strong>Active content may not work correctly:</strong> Please ' + (params.displayHiddenBlockElements
? '<a id="hbeModeLink" href="#displayHiddenBlockElementsDiv" class="alert-link">disable Display hidden block elements</a> '
: params.manipulateImages ? '<a id="imModeLink" href="#imageManipulationDiv" class="alert-link">disable Image manipulation</a> ' : '') +
(params.allowHTMLExtraction ? (params.displayHiddenBlockElements || params.manipulateImages ? 'and ' : '') +
'disable Breakout icon ' : '') + 'for this content to work properly. To use Archive Index type a <b><i>space</i></b> ' +
'in the box above, or <b><i>space / </i></b> for URL Index. [<a id="stop" href="#expertSettingsDiv" class="alert-link">Permanently hide</a>]' +
'</div>';
} else {
// There is nothing to display
return;
}
const alertBoxHeader = document.getElementById('alertBoxHeader');
alertBoxHeader.innerHTML = alertHTML;
alertBoxHeader.style.display = 'block';
document.getElementById('activeContentClose').addEventListener('click', function () {
hideActiveContentWarning();
});
['swModeLink', 'jqModeLink', 'imModeLink', 'hbeModeLink', 'stop'].forEach(function (id) {
// Define event listeners for both hyperlinks in alert box: these take the user to the Config tab and highlight
// the options that the user needs to select
var modeLink = document.getElementById(id);
if (modeLink) {
modeLink.addEventListener('click', function () {
var elementID = id === 'stop' ? 'hideActiveContentWarningCheck'
: id === 'swModeLink' ? 'serviceworkerModeRadio'
: id === 'jqModeLink' ? 'jQueryModeRadio'
: id === 'imModeLink' ? 'manipulateImagesCheck' : 'displayHiddenBlockElementsCheck';
var thisLabel = document.getElementById(elementID).parentNode;
thisLabel.style.borderColor = 'red';
thisLabel.style.borderStyle = 'solid';
// Make sure the container is visible
var container = thisLabel.parentNode;
if (!/panel-body/.test(container.className)) {
container = container.parentNode;
}
container.style.display = 'block';
container.previousElementSibling.innerHTML = container.previousElementSibling.innerHTML.replace(/▶/, '▼');
var btnHome = document.getElementById('btnHome');
[thisLabel, btnHome].forEach(function (ele) {
// Define event listeners to cancel the highlighting both on the highlighted element and on the Home tab
ele.addEventListener('mousedown', function () {
thisLabel.style.borderColor = '';
thisLabel.style.borderStyle = '';
});
});
alertBoxHeader.style.display = 'none';
document.getElementById('btnConfigure').click();
});
}
});
}
/**
* Hides the active content warning alert box with a fade-out effect
*/
function hideActiveContentWarning () {
const alertBoxHeader = document.getElementById('alertBoxHeader');
if (alertBoxHeader.style.display === 'none') return;
alertBoxHeader.style.opacity = 0;
alertBoxHeader.style.maxHeight = 0;
setTimeout(function () {
alertBoxHeader.style.display = 'none';
alertBoxHeader.style.opacity = 1;
alertBoxHeader.style.maxHeight = '';
}, 500);
}
/**
* Displays a Bootstrap alert box at the foot of the page to enable saving the content of the given title to the device's filesystem
* and initiates download/save process if this is supported by the OS or Browser
*
* @param {String} title The path and filename to the file to be extracted
* @param {Boolean|String} download A Bolean value that will trigger download of title, or the filename that should
* be used to save the file in local FS
* @param {String} contentType The mimetype of the downloadable file, if known
* @param {Uint8Array} content The binary-format content of the downloadable file
* @param {Boolean} autoDismiss If true, dismiss the alert programmatically
*/
function displayFileDownloadAlert (title, download, contentType, content, autoDismiss) {
// We have to create the alert box in code, because Bootstrap removes it completely from the DOM when the user dismisses it
document.getElementById('alertBoxFooter').innerHTML =
'<div id="downloadAlert" class="alert alert-info alert-dismissible">' +
' <a href="#" id="downloaAlertClose" class="close" data-dismiss="alert" aria-label="close">×</a>' +
' <span id="alertMessage"></span>' +
'</div>';
// Download code adapted from https://stackoverflow.com/a/19230668/9727685
if (!contentType || /application.download/i.test(contentType)) {
// DEV: Add more contentTypes here for downloadable files
contentType =
/\.epub([?#]|$)/i.test(title) ? 'application/epub+zip'
: /\.pdf([?#]|$)/i.test(title) ? 'application/pdf'
: /\.zip([?#]|$)/i.test(title) ? 'application/zip'
: /\.png([?#]|$)/i.test(title) ? 'image/png'
: /\.jpe?g([?#]|$)/i.test(title) ? 'image/jpeg'
: /\.webp([?#]|$)/i.test(title) ? 'image/webp'
: /\.svg([?#]|$)/i.test(title) ? 'image/svg+xml'
: /\.gif([?#]|$)/i.test(title) ? 'image/gif'
: /\.tiff([?#]|$)/i.test(title) ? 'image/tiff'
: /\.mp4([?#]|$)/i.test(title) ? 'video/mp4'
: /\.(webm)([?#]|$)/i.test(title) ? 'video/webm'
: /\.mpeg([?#]|$)/i.test(title) ? 'video/mpeg'
: /\.mp3([?#]|$)/i.test(title) ? 'audio/mpeg'
// Default contentType if no match:
: 'application/octet-stream';
}
var a = document.createElement('a');
var blob = new Blob([content], { type: contentType });
// If the filename to use for saving has not been specified, construct it from title
var filename = (typeof download !== 'string') ? title.replace(/^.*\/([^\\/?#&]*).*$/, '$1') : download;
// If not match was possible from the title, give it a generic name
if (filename === title || !filename) filename = 'downloadfile';
// Make filename safe
filename = filename.replace(/[/\\:*?"<>|#&]/g, '_');
// If the file doesn't have an extension, add one for compatibility with older browsers
if (!/\.(epub|pdf|odt|zip|png|jpe?g|webp|svg|gif|tiff|mp4|webm|mpe?g|mp3)([?#]|$)/i.test(filename)) {
var extension =
/epub/i.test(contentType) ? '.epub'
: /pdf/i.test(contentType) ? '.pdf'
: /opendument/i.test(contentType) ? '.odt'
: /\/zip$/i.test(contentType) ? '.zip'
: /png/i.test(contentType) ? '.png'
: /jpeg/i.test(contentType) ? '.jpeg'
: /webp/i.test(contentType) ? '.webp'
: /svg/i.test(contentType) ? '.svg'
: /gif/i.test(contentType) ? '.gif'
: /tiff/i.test(contentType) ? '.tiff'
: /mp4/i.test(contentType) ? '.mp4'
: /webm/i.test(contentType) ? '.webm'
: /mpeg/i.test(contentType) ? '.mpeg'
: /mp3/i.test(contentType) ? '.mp3' : '';
filename = filename.replace(/^(.*?)([#?]|$)/, '$1' + extension);
}
a.href = window.URL.createObjectURL(blob);
a.target = '_blank';
a.type = contentType;
a.download = filename;
a.classList.add('alert-link');
a.innerHTML = filename;
var alertMessage = document.getElementById('alertMessage');
alertMessage.innerHTML = download !== false ? '<strong>Download</strong> If the download does not start, please tap the following link: '
: '<strong>Download</strong> To download the contents, please tap the following link: ';
// We have to add the anchor to a UI element for Firefox to be able to click it programmatically: see https://stackoverflow.com/a/27280611/9727685
alertMessage.appendChild(a);
var downloadAlert = document.getElementById('downloadAlert');
// For IE11 we need to force use of the saveBlob method with the onclick event
if (window.navigator && window.navigator.msSaveBlob) {
a.addEventListener('click', function (e) {
window.navigator.msSaveBlob(blob, filename);
e.preventDefault();
});
}
document.getElementById('downloaAlertClose').addEventListener('click', function () {
downloadAlert.style.display = 'none';
});
if (download !== false) {
try {
a.click();
// Following line should run only if there was no error, leaving the alert showing in case of error
if (autoDismiss && downloadAlert) downloadAlert.style.display = 'none';
return;
} catch (err) {
// Edge will error out unless there is a download added but Chrome works better without the attribute
a.download = filename;
}
try {
a.click();
// Following line should run only if there was no error, leaving the alert showing in case of error
if (autoDismiss && downloadAlert) downloadAlert.style.display = 'none';
} catch (err) {
// And try to launch through UWP download
if (typeof Windows !== 'undefined' && Windows.Storage) {
downloadBlobUWP(blob, filename, alertMessage);
if (autoDismiss && downloadAlert) downloadAlert.style.display = 'none';
} else {
// Last gasp attempt to open automatically
window.open(a.href);
}
}
}
}
/**
* Initiates XMLHttpRequest
* Can be used for loading local files; CSP may restrict access to remote files due to CORS
*
* @param {URL} url The Uniform Resource Locator to be read
* @param {String} responseType The response type to return (arraybuffer|blob|document|json|text);
* (passing an empty or null string defaults to text)
* @param {Function} callback The function to call with the result: data, mimetype, and status or error code
*/
function XHR (url, responseType, callback) {
var xhr = new XMLHttpRequest();
xhr.onreadystatechange = function (e) {
if (this.readyState === 4) {
callback(this.response, this.response.type, this.status);
}
};
var err = false;
try {
xhr.open('GET', url, true);
if (responseType) xhr.responseType = responseType;
} catch (e) {
console.log('Exception during GET request: ' + e);
err = true;
}
if (!err) {
xhr.send();
} else {
callback('Error', null, 500);
}
}
/**
* Inserts a link to break the article out to a new browser tab
*
* @param {String} mode The app mode to use for the breakoutLink icon (light|dark)
*/
function insertBreakoutLink (mode) {
var desc = 'Open article in new tab or window';
var iframe = document.getElementById('articleContent').contentDocument;
// This code provides an absolute link, removing the file and any query string from href (we need this because of SW mode)
var prefix = (window.location.protocol + '//' + window.location.host + window.location.pathname).replace(/\/[^/]*$/, '');
var div = document.createElement('div');
div.style.cssText = 'top: 10px; right: 25px; position: relative; z-index: 2; float: right;';
div.id = 'openInTab';
div.innerHTML = '<a href="#"><img id="breakoutLink" src="' + prefix + '/img/icons/' + (mode === 'light' ? 'new_window.svg' : 'new_window_lb.svg') + '" width="30" height="30" alt="' + desc + '" title="' + desc + '"></a>';
iframe.body.insertBefore(div, iframe.body.firstChild);
var openInTab = iframe.getElementById('openInTab');
openInTab.addEventListener('click', function (e) {
e.preventDefault();
itemsCount = false;
params.preloadingAllImages = false;
extractHTML();
});
}
/**
* Extracts self-contained HTML from the iframe DOM, transforming BLOB references to dataURIs
*/
function extractHTML () {
if (params.preloadingAllImages !== true) {
params.preloadAllImages();
return;
}
var iframe = document.getElementById('articleContent').contentDocument;
// Store the html for the head section, to restore later (in SW mode, stylesheets will be transformed to dataURI links,
// which only work from file:/// URL, due to CORS, so they have to be restored)
var headHtml = iframe.head.innerHTML;
var title = iframe.title;
if (itemsCount === false) {
// Establish the source items that need to be extracted to self-contained URIs
// DEV: Add any further sources to the querySelector below
var items = iframe.querySelectorAll('img[src],link[href][rel="stylesheet"]');
itemsCount = items.length;
Array.prototype.slice.call(items).forEach(function (item) {
// Extract the BLOB itself from the URL (even if it's a blob: URL)
var itemUrl = item.href || item.src;
XHR(itemUrl, 'blob', function (response, mimetype, status) {
if (status === 500) {
itemsCount--;
return;
}
// Pure SVG images may be missing the mimetype
if (!mimetype) mimetype = /\.svg$/i.test(itemUrl) ? 'image/svg+xml' : '';
// Now read the data from the extracted blob
var myReader = new FileReader();
myReader.addEventListener('loadend', function () {
if (myReader.result) {
var dataURL = myReader.result.replace(/data:;/, 'data:' + mimetype + ';');
if (item.href) {
try { item.href = dataURL; } catch (err) { null; }
}
if (item.src) {
try { item.src = dataURL; } catch (err) { null; }
}
}
itemsCount--;
if (itemsCount === 0) extractHTML();
});
// Start the reading process.
myReader.readAsDataURL(response);
});
});
}
if (itemsCount > 0) return; // Ensures function stops if we are still extracting images or css
// Construct filename (forbidden characters will be removed in the download function)
var filename = title.replace(/(\.html?)*$/i, '.html');
var html = iframe.documentElement.outerHTML;
// Remove openInTab div (we can't do this using DOM methods because it aborts code spawned from onclick event)
html = html.replace(/<div\s(?=[^<]+?openInTab)(?:[^<]|<(?!\/div>))+<\/div>\s*/, '');
var blob = new Blob([html], { type: 'text/html' });
// We can't use window.open() because pop-up blockers block it, so use explicit BLOB download
displayFileDownloadAlert(title, filename, 'text/html', blob, true);
// Restore original head section (to restore any transformed stylesheets)
iframe.head.innerHTML = headHtml;
itemsCount = false;
params.preloadingAllImages = false;
clearSpinner();
}
/**
* Displays a Bootstrap alert or confirm dialog box depending on the options provided
*
* @param {String} message The alert message(can be formatted using HTML) to display in the body of the modal.
* @param {String} label The modal's label or title which appears in the header (optional, Default = "Confirmation" or "Message")
* @param {Boolean} isConfirm If true, the modal will be a confirm dialog box, otherwise it will be a simple alert message
* @param {String} declineConfirmLabel The text to display on the decline confirmation button (optional, Default = "Cancel")
* @param {String} approveConfirmLabel The text to display on the approve confirmation button (optional, Default = "Confirm")
* @param {String} closeMessageLabel The text to display on the close alert message button (optional, Default = "Okay")
* @param {String} alertModal The modal to display (optional)
* @returns {Promise<Boolean>} A promise which resolves to true if the user clicked Confirm, false if the user clicked Cancel/Okay, backdrop or the cross(x) button
*/
function systemAlert (message, label, isConfirm, declineConfirmLabel, approveConfirmLabel, closeMessageLabel, alertModal) {
alertModal = alertModal || 'alertModal';
var prfx = alertModal === 'myModal' ? 'my' : alertModal === 'printModal' ? 'print' : '';
declineConfirmLabel = declineConfirmLabel || 'Cancel';
approveConfirmLabel = approveConfirmLabel || 'Confirm';
closeMessageLabel = closeMessageLabel || 'Okay';
label = label || (isConfirm ? 'Confirmation' : 'Message');
return util.PromiseQueue.enqueue(function () {
return new Promise(function (resolve, reject) {
if (!message) reject(new Error('Missing body message'));
// Set the text to the modal and its buttons
document.getElementById('approveConfirm').textContent = approveConfirmLabel;
document.getElementById('declineConfirm').textContent = declineConfirmLabel;
document.getElementById('closeMessage').textContent = closeMessageLabel;
document.getElementById('modalLabel').textContent = label;
// Using innerHTML to set the message to allow HTML formatting
document.getElementById('modalText').innerHTML = message;
// Display buttons acc to the type of alert
document.getElementById('approveConfirm').style.display = isConfirm ? 'inline' : 'none';
document.getElementById('declineConfirm').style.display = isConfirm ? 'inline' : 'none';
document.getElementById('closeMessage').style.display = isConfirm ? 'none' : 'inline';
// Display the modal
const modal = document.getElementById(alertModal);
const backdrop = document.createElement('div');
backdrop.classList.add('modal-backdrop');
backdrop.style.opacity = '0.3';
document.body.appendChild(backdrop);
// Show the modal
document.body.classList.add('modal-open');
modal.classList.add('show');
modal.style.display = 'block';
backdrop.classList.add('show');
// Set the ARIA attributes for the modal
modal.setAttribute('aria-hidden', 'false');
modal.setAttribute('aria-modal', 'true');
modal.setAttribute('role', 'dialog');
// Get elements to which we will attach event listeners
var modalCloseBtn = document.getElementById(prfx + 'modalCloseBtn')
var declineConfirm = document.getElementById(prfx + 'declineConfirm');
var closeMessage = document.getElementById(prfx + 'closeMessage');
var approveConfirm = document.getElementById(prfx + 'approveConfirm');
// Hide modal handlers
var closeModalHandler = function () {
document.body.classList.remove('modal-open');
modal.classList.remove('show');
modal.style.display = 'none';
backdrop.classList.remove('show');
if (Array.from(document.body.children).indexOf(backdrop) >= 0) {
document.body.removeChild(backdrop);
}
// remove event listeners
if (modalCloseBtn) modalCloseBtn.removeEventListener('click', close);
if (declineConfirm) declineConfirm.removeEventListener('click', close);
if (closeMessage) closeMessage.removeEventListener('click', close);
if (approveConfirm) approveConfirm.removeEventListener('click', closeConfirm);
modal.removeEventListener('click', close);
document.getElementsByClassName('modal-dialog')[0].removeEventListener('click', stopOutsideModalClick);
modal.removeEventListener('keyup', keyHandler);
};
// function to call when modal is closed
var close = function (e) {
// If user clicked on the backdrop, close the modal
if (e.target.id === alertModal || /close|decline/i.test(e.target.id)) {
closeModalHandler();
resolve(false);
}
};
var closeConfirm = function () {
closeModalHandler();
resolve(true);
};
var stopOutsideModalClick = function (e) {
e.stopPropagation();