-
Notifications
You must be signed in to change notification settings - Fork 3.4k
/
Copy pathfile_packager.py
executable file
·1140 lines (993 loc) · 42.2 KB
/
file_packager.py
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
#!/usr/bin/env python3
# Copyright 2012 The Emscripten Authors. All rights reserved.
# Emscripten is available under two separate licenses, the MIT license and the
# University of Illinois/NCSA Open Source License. Both these licenses can be
# found in the LICENSE file.
"""A tool that generates FS API calls to generate a filesystem, and packages the files
to work with that.
This is called by emcc. You can also call it yourself.
You can split your files into "asset bundles", and create each bundle separately
with this tool. Then just include the generated js for each and they will load
the data and prepare it accordingly. This allows you to share assets and reduce
data downloads.
* If you run this yourself, separately/standalone from emcc, then the main program
compiled by emcc must be built with filesystem support. You can do that with
-sFORCE_FILESYSTEM (if you forget that, an unoptimized build or one with
ASSERTIONS enabled will show an error suggesting you use that flag).
Usage:
file_packager TARGET [--preload A [B..]] [--embed C [D..]] [--exclude E [F..]]] [--js-output=OUTPUT.js] [--no-force] [--use-preload-cache] [--indexedDB-name=EM_PRELOAD_CACHE] [--separate-metadata] [--lz4] [--use-preload-plugins] [--no-node]
--preload ,
--embed See emcc --help for more details on those options.
--exclude E [F..] Specifies filename pattern matches to use for excluding given files from being added to the package.
See https://docs.python.org/2/library/fnmatch.html for syntax.
--from-emcc Indicate that `file_packager` was called from `emcc` and will be further processed by it, so some code generation can be skipped here
--js-output=FILE Writes output in FILE, if not specified, standard output is used.
--obj-output=FILE create an object file from embedded files, for direct linking into a wasm binary.
--depfile=FILE Writes a dependency list containing the list of directories and files walked, compatible with Make, Ninja, CMake, etc.
--wasm64 When used with `--obj-output` create a wasm64 object file
--export-name=EXPORT_NAME Use custom export name (default is `Module`)
--no-force Don't create output if no valid input file is specified.
--use-preload-cache Stores package in IndexedDB so that subsequent loads don't need to do XHR. Checks package version.
--indexedDB-name Use specified IndexedDB database name (Default: 'EM_PRELOAD_CACHE')
--separate-metadata Stores package metadata separately. Only applicable when preloading and js-output file is specified.
--lz4 Uses LZ4. This compresses the data using LZ4 when this utility is run, then the client decompresses chunks on the fly, avoiding storing
the entire decompressed data in memory at once. See LZ4 in src/settings.js, you must build the main program with that flag.
--use-preload-plugins Tells the file packager to run preload plugins on the files as they are loaded. This performs tasks like decoding images
and audio using the browser's codecs.
--no-node Whether to support Node.js. By default we do, which emits some extra code.
Notes:
* The file packager generates unix-style file paths. So if you are on windows and a file is accessed at
subdir\file, in JS it will be subdir/file. For simplicity we treat the web platform as a *NIX.
"""
import base64
import ctypes
import fnmatch
import hashlib
import json
import os
import posixpath
import random
import shutil
import sys
from subprocess import PIPE
from textwrap import dedent
from typing import List
__scriptdir__ = os.path.dirname(os.path.abspath(__file__))
__rootdir__ = os.path.dirname(__scriptdir__)
sys.path.insert(0, __rootdir__)
from tools import shared, utils, js_manipulation
DEBUG = os.environ.get('EMCC_DEBUG')
IMAGE_SUFFIXES = ('.jpg', '.png', '.bmp')
AUDIO_SUFFIXES = ('.ogg', '.wav', '.mp3')
AUDIO_MIMETYPES = {'ogg': 'audio/ogg', 'wav': 'audio/wav', 'mp3': 'audio/mpeg'}
DDS_HEADER_SIZE = 128
# Set to 1 to randomize file order and add some padding,
# to work around silly av false positives
AV_WORKAROUND = 0
excluded_patterns: List[str] = []
new_data_files = []
walked = []
class Options:
def __init__(self):
self.export_name = 'Module'
self.has_preloaded = False
self.has_embedded = False
self.jsoutput = None
self.obj_output = None
self.depfile = None
self.from_emcc = False
self.force = True
# If set to True, IndexedDB (IDBFS in library_idbfs.js) is used to locally
# cache VFS XHR so that subsequent page loads can read the data from the
# offline cache instead.
self.use_preload_cache = False
self.indexeddb_name = 'EM_PRELOAD_CACHE'
# If set to True, the package metadata is stored separately from js-output
# file which makes js-output file immutable to the package content changes.
# If set to False, the package metadata is stored inside the js-output file
# which makes js-output file to mutate on each invocation of this packager tool.
self.separate_metadata = False
self.lz4 = False
self.use_preload_plugins = False
self.support_node = True
self.wasm64 = False
class DataFile:
def __init__(self, srcpath, dstpath, mode, explicit_dst_path):
self.srcpath = srcpath
self.dstpath = dstpath
self.mode = mode
self.explicit_dst_path = explicit_dst_path
options = Options()
def err(*args):
print(*args, file=sys.stderr)
def to_unix_path(p):
return p.replace(os.path.sep, '/')
def base64_encode(b):
b64 = base64.b64encode(b)
return b64.decode('ascii')
def has_hidden_attribute(filepath):
"""Win32 code to test whether the given file has the hidden property set."""
if sys.platform != 'win32':
return False
try:
attrs = ctypes.windll.kernel32.GetFileAttributesW(
u'%s' % filepath)
assert attrs != -1
result = bool(attrs & 2)
except Exception:
result = False
return result
def should_ignore(fullname):
"""The packager should never preload/embed files if the file
is hidden (Win32) or it matches any pattern specified in --exclude"""
if has_hidden_attribute(fullname):
return True
for p in excluded_patterns:
if fnmatch.fnmatch(fullname, p):
return True
return False
def add(mode, rootpathsrc, rootpathdst):
"""Expand directories into individual files
rootpathsrc: The path name of the root directory on the local FS we are
adding to emscripten virtual FS.
rootpathdst: The name we want to make the source path available on the
emscripten virtual FS.
"""
walked.append(rootpathsrc)
for dirpath, dirnames, filenames in os.walk(rootpathsrc):
new_dirnames = []
for name in dirnames:
fullname = os.path.join(dirpath, name)
if not should_ignore(fullname):
walked.append(fullname)
new_dirnames.append(name)
elif DEBUG:
err('Skipping directory "%s" from inclusion in the emscripten '
'virtual file system.' % fullname)
for name in filenames:
fullname = os.path.join(dirpath, name)
if not should_ignore(fullname):
walked.append(fullname)
# Convert source filename relative to root directory of target FS.
dstpath = os.path.join(rootpathdst,
os.path.relpath(fullname, rootpathsrc))
new_data_files.append(DataFile(srcpath=fullname, dstpath=dstpath,
mode=mode, explicit_dst_path=True))
elif DEBUG:
err('Skipping file "%s" from inclusion in the emscripten '
'virtual file system.' % fullname)
dirnames.clear()
dirnames.extend(new_dirnames)
def to_asm_string(string):
"""Convert a python string to string suitable for including in an
assembly file using the `.asciz` directive.
The result will be an UTF-8 encoded string in the data section.
"""
# See MCAsmStreamer::PrintQuotedString in llvm/lib/MC/MCAsmStreamer.cpp
# And isPrint in llvm/include/llvm/ADT/StringExtras.h
def is_print(c):
return c >= 0x20 and c <= 0x7E
def escape(c):
if is_print(c):
return chr(c)
escape_chars = {
'\b': '\\b',
'\f': '\\f',
'\n': '\\n',
'\r': '\\r',
'\t': '\\t',
}
if c in escape_chars:
return escape_chars[c]
# Enscode all other chars are three octal digits(!)
return '\\%s%s%s' % (oct(c >> 6), oct(c >> 3), oct(c >> 0))
return ''.join(escape(c) for c in string.encode('utf-8'))
def to_c_symbol(filename, used):
"""Convert a filename (python string) to a legal C symbols, avoiding collisions."""
def escape(c):
if c.isalnum():
return c
else:
return '_'
c_symbol = ''.join(escape(c) for c in filename)
# Handle collisions
if c_symbol in used:
counter = 2
while c_symbol + str(counter) in used:
counter = counter + 1
c_symbol = c_symbol + str(counter)
used.add(c_symbol)
return c_symbol
def generate_object_file(data_files):
embed_files = [f for f in data_files if f.mode == 'embed']
assert embed_files
asm_file = shared.replace_suffix(options.obj_output, '.s')
used = set()
for f in embed_files:
f.c_symbol_name = '__em_file_data_%s' % to_c_symbol(f.dstpath, used)
with open(asm_file, 'w') as out:
out.write('# Emscripten embedded file data, generated by tools/file_packager.py\n')
for f in embed_files:
if DEBUG:
err('embedding %s at %s' % (f.srcpath, f.dstpath))
size = os.path.getsize(f.srcpath)
dstpath = to_asm_string(f.dstpath)
srcpath = to_unix_path(f.srcpath)
out.write(dedent(f'''
.section .rodata.{f.c_symbol_name},"",@
# The name of file
{f.c_symbol_name}_name:
.asciz "{dstpath}"
.size {f.c_symbol_name}_name, {len(dstpath)+1}
# The size of the file followed by the content itself
{f.c_symbol_name}:
.incbin "{srcpath}"
.size {f.c_symbol_name}, {size}
'''))
if options.wasm64:
align = 3
ptr_type = 'i64'
bits = 64
else:
align = 2
ptr_type = 'i32'
bits = 32
out.write(dedent(f'''
.functype _emscripten_fs_load_embedded_files ({ptr_type}) -> ()
.section .text,"",@
init_file_data:
.functype init_file_data () -> ()
global.get __emscripten_embedded_file_data@GOT
call _emscripten_fs_load_embedded_files
end_function
# Run init_file_data on startup.
# See system/lib/README.md for ordering of system constructors.
.section .init_array.49,"",@
.p2align {align}
.int{bits} init_file_data
# A list of triples of:
# (file_name_ptr, file_data_size, file_data_ptr)
# The list in null terminate with a single 0
.globl __emscripten_embedded_file_data
.export_name __emscripten_embedded_file_data, __emscripten_embedded_file_data
.section .rodata.__emscripten_embedded_file_data,"",@
__emscripten_embedded_file_data:
.p2align {align}
'''))
for f in embed_files:
# The `.dc.a` directive gives us a pointer (address) sized entry.
# See https://sourceware.org/binutils/docs/as/Dc.html
out.write(dedent(f'''\
.p2align %s
.dc.a {f.c_symbol_name}_name
.p2align %s
.int32 {os.path.getsize(f.srcpath)}
.p2align %s
.dc.a {f.c_symbol_name}
''' % (align, align, align)))
ptr_size = 4
elem_size = (2 * ptr_size) + 4
total_size = len(embed_files) * elem_size + 4
out.write(dedent(f'''\
.dc.a 0
.size __emscripten_embedded_file_data, {total_size}
'''))
if options.wasm64:
target = 'wasm64-unknown-emscripten'
else:
target = 'wasm32-unknown-emscripten'
shared.check_call([shared.EMCC,
'-c',
'--target=' + target,
'-o', options.obj_output,
asm_file])
def main():
if len(sys.argv) == 1:
err('''Usage: file_packager TARGET [--preload A [B..]] [--embed C [D..]] [--exclude E [F..]]] [--js-output=OUTPUT.js] [--no-force] [--use-preload-cache] [--indexedDB-name=EM_PRELOAD_CACHE] [--separate-metadata] [--lz4] [--use-preload-plugins]
See the source for more details.''')
return 1
data_target = sys.argv[1]
data_files = []
plugins = []
leading = ''
for arg in sys.argv[2:]:
if arg == '--preload':
leading = 'preload'
elif arg == '--embed':
leading = 'embed'
elif arg == '--exclude':
leading = 'exclude'
elif arg == '--no-force':
options.force = False
leading = ''
elif arg == '--use-preload-cache':
options.use_preload_cache = True
leading = ''
elif arg.startswith('--indexedDB-name'):
options.indexeddb_name = arg.split('=', 1)[1] if '=' in arg else None
leading = ''
elif arg == '--no-heap-copy':
err('ignoring legacy flag --no-heap-copy (that is the only mode supported now)')
leading = ''
elif arg == '--separate-metadata':
options.separate_metadata = True
leading = ''
elif arg == '--lz4':
options.lz4 = True
leading = ''
elif arg == '--use-preload-plugins':
options.use_preload_plugins = True
leading = ''
elif arg == '--no-node':
options.support_node = False
leading = ''
elif arg.startswith('--js-output'):
options.jsoutput = arg.split('=', 1)[1] if '=' in arg else None
leading = ''
elif arg.startswith('--obj-output'):
options.obj_output = arg.split('=', 1)[1] if '=' in arg else None
leading = ''
elif arg.startswith('--depfile'):
options.depfile = arg.split('=', 1)[1] if '=' in arg else None
leading = ''
elif arg == '--wasm64':
options.wasm64 = True
elif arg.startswith('--export-name'):
if '=' in arg:
options.export_name = arg.split('=', 1)[1]
leading = ''
elif arg.startswith('--from-emcc'):
options.from_emcc = True
leading = ''
elif arg.startswith('--plugin'):
plugin = utils.read_file(arg.split('=', 1)[1])
eval(plugin) # should append itself to plugins
leading = ''
elif leading == 'preload' or leading == 'embed':
mode = leading
# position of @ if we're doing 'src@dst'. '__' is used to keep the index
# same with the original if they escaped with '@@'.
at_position = arg.replace('@@', '__').find('@')
# '@@' in input string means there is an actual @ character, a single '@'
# means the 'src@dst' notation.
uses_at_notation = (at_position != -1)
if uses_at_notation:
srcpath = arg[0:at_position].replace('@@', '@') # split around the @
dstpath = arg[at_position + 1:].replace('@@', '@')
else:
# Use source path as destination path.
srcpath = dstpath = arg.replace('@@', '@')
if os.path.isfile(srcpath) or os.path.isdir(srcpath):
data_files.append(DataFile(srcpath=srcpath, dstpath=dstpath, mode=mode,
explicit_dst_path=uses_at_notation))
else:
err('error: ' + arg + ' does not exist')
return 1
elif leading == 'exclude':
excluded_patterns.append(arg)
else:
err('Unknown parameter:', arg)
return 1
options.has_preloaded = any(f.mode == 'preload' for f in data_files)
options.has_embedded = any(f.mode == 'embed' for f in data_files)
if options.separate_metadata:
if not options.has_preloaded or not options.jsoutput:
err('cannot separate-metadata without both --preloaded files '
'and a specified --js-output')
return 1
if not options.from_emcc:
err('Remember to build the main file with `-sFORCE_FILESYSTEM` '
'so that it includes support for loading this file package')
if options.jsoutput and os.path.abspath(options.jsoutput) == os.path.abspath(data_target):
err('error: TARGET should not be the same value of --js-output')
return 1
walked.append(__file__)
for file_ in data_files:
if not should_ignore(file_.srcpath):
if os.path.isdir(file_.srcpath):
add(file_.mode, file_.srcpath, file_.dstpath)
else:
walked.append(file_.srcpath)
new_data_files.append(file_)
data_files = [file_ for file_ in new_data_files
if not os.path.isdir(file_.srcpath)]
if len(data_files) == 0:
err('Nothing to do!')
sys.exit(1)
# Absolutize paths, and check that they make sense
# os.getcwd() always returns the hard path with any symbolic links resolved,
# even if we cd'd into a symbolic link.
curr_abspath = os.path.abspath(os.getcwd())
for file_ in data_files:
if not file_.explicit_dst_path:
# This file was not defined with src@dst, so we inferred the destination
# from the source. In that case, we require that the destination be
# within the current working directory.
path = file_.dstpath
# Use os.path.realpath to resolve any symbolic links to hard paths,
# to match the structure in curr_abspath.
abspath = os.path.realpath(os.path.abspath(path))
if DEBUG:
err(path, abspath, curr_abspath)
if not abspath.startswith(curr_abspath):
err('Error: Embedding "%s" which is not contained within the current directory '
'"%s". This is invalid since the current directory becomes the '
'root that the generated code will see. To include files outside of the current '
'working directoty you can use the `--preload-file srcpath@dstpath` syntax to '
'explicitly specify the target location.' % (path, curr_abspath))
sys.exit(1)
file_.dstpath = abspath[len(curr_abspath) + 1:]
if os.path.isabs(path):
err('Warning: Embedding an absolute file/directory name "%s" to the '
'virtual filesystem. The file will be made available in the '
'relative path "%s". You can use the `--preload-file srcpath@dstpath` '
'syntax to explicitly specify the target location the absolute source '
'path should be directed to.' % (path, file_.dstpath))
for file_ in data_files:
# name in the filesystem, native and emulated
file_.dstpath = to_unix_path(file_.dstpath)
# If user has submitted a directory name as the destination but omitted
# the destination filename, use the filename from source file
if file_.dstpath.endswith('/'):
file_.dstpath = file_.dstpath + os.path.basename(file_.srcpath)
# make destination path always relative to the root
file_.dstpath = posixpath.normpath(os.path.join('/', file_.dstpath))
if DEBUG:
err('Packaging file "%s" to VFS in path "%s".' % (file_.srcpath, file_.dstpath))
# Remove duplicates (can occur naively, for example preload dir/, preload dir/subdir/)
seen = set()
def was_seen(name):
if name in seen:
return True
seen.add(name)
return False
# The files are sorted by the dstpath to make the order of files reproducible
# across file systems / operating systems (os.walk does not produce the same
# file order on different file systems / operating systems)
data_files = sorted(data_files, key=lambda file_: file_.dstpath)
data_files = [file_ for file_ in data_files if not was_seen(file_.dstpath)]
if AV_WORKAROUND:
random.shuffle(data_files)
# Apply plugins
for file_ in data_files:
for plugin in plugins:
plugin(file_)
metadata = {'files': []}
if options.obj_output:
if not options.has_embedded:
err('--obj-output is only applicable when embedding files')
return 1
generate_object_file(data_files)
if not options.has_preloaded:
return 0
ret = generate_js(data_target, data_files, metadata)
if options.force or len(data_files):
if options.jsoutput is None:
print(ret)
else:
# Overwrite the old jsoutput file (if exists) only when its content
# differs from the current generated one, otherwise leave the file
# untouched preserving its old timestamp
if os.path.isfile(options.jsoutput):
old = utils.read_file(options.jsoutput)
if old != ret:
utils.write_file(options.jsoutput, ret)
else:
utils.write_file(options.jsoutput, ret)
if options.separate_metadata:
utils.write_file(options.jsoutput + '.metadata', json.dumps(metadata, separators=(',', ':')))
if options.depfile:
with open(options.depfile, 'w') as f:
for target in [data_target, options.jsoutput]:
if target:
f.write(escape_for_makefile(target))
f.write(' \\\n')
f.write(': \\\n')
for dependency in walked:
f.write(escape_for_makefile(dependency))
f.write(' \\\n')
return 0
def escape_for_makefile(fpath):
# Escapes for CMake's "pathname" grammar as described here:
# https://cmake.org/cmake/help/latest/command/add_custom_command.html#grammar-token-depfile-pathname
# Which is congruent with how Ninja and GNU Make expect characters escaped.
return fpath.replace('$', '$$').replace('#', '\\#').replace(' ', '\\ ')
def generate_js(data_target, data_files, metadata):
# emcc will add this to the output itself, so it is only needed for
# standalone calls
if options.from_emcc:
ret = ''
else:
ret = '''
var Module = typeof %(EXPORT_NAME)s !== 'undefined' ? %(EXPORT_NAME)s : {};\n''' % {"EXPORT_NAME": options.export_name}
ret += '''
if (!Module.expectedDataFileDownloads) {
Module.expectedDataFileDownloads = 0;
}
Module.expectedDataFileDownloads++;
(function() {
// Do not attempt to redownload the virtual filesystem data when in a pthread or a Wasm Worker context.
if (Module['ENVIRONMENT_IS_PTHREAD'] || Module['$ww']) return;
var loadPackage = function(metadata) {\n'''
code = '''
function assert(check, msg) {
if (!check) throw msg + new Error().stack;
}\n'''
# Set up folders
partial_dirs = []
for file_ in data_files:
dirname = os.path.dirname(file_.dstpath)
dirname = dirname.lstrip('/') # absolute paths start with '/', remove that
if dirname != '':
parts = dirname.split('/')
for i in range(len(parts)):
partial = '/'.join(parts[:i + 1])
if partial not in partial_dirs:
code += ('''Module['FS_createPath'](%s, %s, true, true);\n'''
% (json.dumps('/' + '/'.join(parts[:i])), json.dumps(parts[i])))
partial_dirs.append(partial)
if options.has_preloaded:
# Bundle all datafiles into one archive. Avoids doing lots of simultaneous
# XHRs which has overhead.
start = 0
with open(data_target, 'wb') as data:
for file_ in data_files:
file_.data_start = start
curr = utils.read_binary(file_.srcpath)
file_.data_end = start + len(curr)
if AV_WORKAROUND:
curr += '\x00'
start += len(curr)
data.write(curr)
if start > 256 * 1024 * 1024:
err('warning: file packager is creating an asset bundle of %d MB. '
'this is very large, and browsers might have trouble loading it. '
'see https://hacks.mozilla.org/2015/02/synchronous-execution-and-filesystem-access-in-emscripten/'
% (start / (1024 * 1024)))
create_preloaded = '''
Module['FS_createPreloadedFile'](this.name, null, byteArray, true, true, function() {
Module['removeRunDependency'](`fp ${that.name}`);
}, function() {
err(`Preloading file ${that.name} failed`);
}, false, true); // canOwn this data in the filesystem, it is a slide into the heap that will never change\n'''
create_data = '''// canOwn this data in the filesystem, it is a slide into the heap that will never change
Module['FS_createDataFile'](this.name, null, byteArray, true, true, true);
Module['removeRunDependency'](`fp ${that.name}`);'''
if not options.lz4:
# Data requests - for getting a block of data out of the big archive - have
# a similar API to XHRs
code += '''
/** @constructor */
function DataRequest(start, end, audio) {
this.start = start;
this.end = end;
this.audio = audio;
}
DataRequest.prototype = {
requests: {},
open: function(mode, name) {
this.name = name;
this.requests[name] = this;
Module['addRunDependency'](`fp ${this.name}`);
},
send: function() {},
onload: function() {
var byteArray = this.byteArray.subarray(this.start, this.end);
this.finish(byteArray);
},
finish: function(byteArray) {
var that = this;
%s
this.requests[this.name] = null;
}
};
var files = metadata['files'];
for (var i = 0; i < files.length; ++i) {
new DataRequest(files[i]['start'], files[i]['end'], files[i]['audio'] || 0).open('GET', files[i]['filename']);
}\n''' % (create_preloaded if options.use_preload_plugins else create_data)
if options.has_embedded and not options.obj_output:
err('--obj-output is recommended when using --embed. This outputs an object file for linking directly into your application is more effecient than JS encoding')
for counter, file_ in enumerate(data_files):
filename = file_.dstpath
dirname = os.path.dirname(filename)
basename = os.path.basename(filename)
if file_.mode == 'embed':
if not options.obj_output:
# Embed (only needed when not generating object file output)
data = base64_encode(utils.read_binary(file_.srcpath))
code += " var fileData%d = '%s';\n" % (counter, data)
# canOwn this data in the filesystem (i.e. there is no need to create a copy in the FS layer).
code += (" Module['FS_createDataFile']('%s', '%s', atob(fileData%d), true, true, true);\n"
% (dirname, basename, counter))
elif file_.mode == 'preload':
# Preload
metadata_el = {
'filename': file_.dstpath,
'start': file_.data_start,
'end': file_.data_end,
}
if filename[-4:] in AUDIO_SUFFIXES:
metadata_el['audio'] = 1
metadata['files'].append(metadata_el)
else:
assert 0
if options.has_preloaded:
if not options.lz4:
# Get the big archive and split it up
use_data = '''// Reuse the bytearray from the XHR as the source for file reads.
DataRequest.prototype.byteArray = byteArray;
var files = metadata['files'];
for (var i = 0; i < files.length; ++i) {
DataRequest.prototype.requests[files[i].filename].onload();
}'''
use_data += (" Module['removeRunDependency']('datafile_%s');\n"
% js_manipulation.escape_for_js_string(data_target))
else:
# LZ4FS usage
temp = data_target + '.orig'
shutil.move(data_target, temp)
meta = shared.run_js_tool(utils.path_from_root('tools/lz4-compress.js'),
[utils.path_from_root('third_party/mini-lz4.js'),
temp, data_target], stdout=PIPE)
os.unlink(temp)
use_data = '''var compressedData = %s;
compressedData['data'] = byteArray;
assert(typeof Module['LZ4'] === 'object', 'LZ4 not present - was your app build with -sLZ4?');
Module['LZ4'].loadPackage({ 'metadata': metadata, 'compressedData': compressedData }, %s);
Module['removeRunDependency']('datafile_%s');''' % (meta, "true" if options.use_preload_plugins else "false", js_manipulation.escape_for_js_string(data_target))
package_name = data_target
remote_package_size = os.path.getsize(package_name)
remote_package_name = os.path.basename(package_name)
ret += '''
var PACKAGE_PATH = '';
if (typeof window === 'object') {
PACKAGE_PATH = window['encodeURIComponent'](window.location.pathname.toString().substring(0, window.location.pathname.toString().lastIndexOf('/')) + '/');
} else if (typeof process === 'undefined' && typeof location !== 'undefined') {
// web worker
PACKAGE_PATH = encodeURIComponent(location.pathname.toString().substring(0, location.pathname.toString().lastIndexOf('/')) + '/');
}
var PACKAGE_NAME = '%s';
var REMOTE_PACKAGE_BASE = '%s';
if (typeof Module['locateFilePackage'] === 'function' && !Module['locateFile']) {
Module['locateFile'] = Module['locateFilePackage'];
err('warning: you defined Module.locateFilePackage, that has been renamed to Module.locateFile (using your locateFilePackage for now)');
}
var REMOTE_PACKAGE_NAME = Module['locateFile'] ? Module['locateFile'](REMOTE_PACKAGE_BASE, '') : REMOTE_PACKAGE_BASE;\n''' % (js_manipulation.escape_for_js_string(data_target), js_manipulation.escape_for_js_string(remote_package_name))
metadata['remote_package_size'] = remote_package_size
ret += '''var REMOTE_PACKAGE_SIZE = metadata['remote_package_size'];\n'''
if options.use_preload_cache:
# Set the id to a hash of the preloaded data, so that caches survive over multiple builds
# if the data has not changed.
data = utils.read_binary(data_target)
package_uuid = 'sha256-' + hashlib.sha256(data).hexdigest()
metadata['package_uuid'] = str(package_uuid)
code += r'''
var PACKAGE_UUID = metadata['package_uuid'];
var indexedDB;
if (typeof window === 'object') {
indexedDB = window.indexedDB || window.mozIndexedDB || window.webkitIndexedDB || window.msIndexedDB;
} else if (typeof location !== 'undefined') {
// worker
indexedDB = self.indexedDB;
} else {
throw 'using IndexedDB to cache data can only be done on a web page or in a web worker';
}
var IDB_RO = "readonly";
var IDB_RW = "readwrite";
var DB_NAME = "''' + options.indexeddb_name + '''";
var DB_VERSION = 1;
var METADATA_STORE_NAME = 'METADATA';
var PACKAGE_STORE_NAME = 'PACKAGES';
function openDatabase(callback, errback) {
try {
var openRequest = indexedDB.open(DB_NAME, DB_VERSION);
} catch (e) {
return errback(e);
}
openRequest.onupgradeneeded = function(event) {
var db = /** @type {IDBDatabase} */ (event.target.result);
if (db.objectStoreNames.contains(PACKAGE_STORE_NAME)) {
db.deleteObjectStore(PACKAGE_STORE_NAME);
}
var packages = db.createObjectStore(PACKAGE_STORE_NAME);
if (db.objectStoreNames.contains(METADATA_STORE_NAME)) {
db.deleteObjectStore(METADATA_STORE_NAME);
}
var metadata = db.createObjectStore(METADATA_STORE_NAME);
};
openRequest.onsuccess = function(event) {
var db = /** @type {IDBDatabase} */ (event.target.result);
callback(db);
};
openRequest.onerror = function(error) {
errback(error);
};
};
// This is needed as chromium has a limit on per-entry files in IndexedDB
// https://cs.chromium.org/chromium/src/content/renderer/indexed_db/webidbdatabase_impl.cc?type=cs&sq=package:chromium&g=0&l=177
// https://cs.chromium.org/chromium/src/out/Debug/gen/third_party/blink/public/mojom/indexeddb/indexeddb.mojom.h?type=cs&sq=package:chromium&g=0&l=60
// We set the chunk size to 64MB to stay well-below the limit
var CHUNK_SIZE = 64 * 1024 * 1024;
function cacheRemotePackage(
db,
packageName,
packageData,
packageMeta,
callback,
errback
) {
var transactionPackages = db.transaction([PACKAGE_STORE_NAME], IDB_RW);
var packages = transactionPackages.objectStore(PACKAGE_STORE_NAME);
var chunkSliceStart = 0;
var nextChunkSliceStart = 0;
var chunkCount = Math.ceil(packageData.byteLength / CHUNK_SIZE);
var finishedChunks = 0;
for (var chunkId = 0; chunkId < chunkCount; chunkId++) {
nextChunkSliceStart += CHUNK_SIZE;
var putPackageRequest = packages.put(
packageData.slice(chunkSliceStart, nextChunkSliceStart),
`package/${packageName}/${chunkId}`
);
chunkSliceStart = nextChunkSliceStart;
putPackageRequest.onsuccess = function(event) {
finishedChunks++;
if (finishedChunks == chunkCount) {
var transaction_metadata = db.transaction(
[METADATA_STORE_NAME],
IDB_RW
);
var metadata = transaction_metadata.objectStore(METADATA_STORE_NAME);
var putMetadataRequest = metadata.put(
{
'uuid': packageMeta.uuid,
'chunkCount': chunkCount
},
`metadata/${packageName}`
);
putMetadataRequest.onsuccess = function(event) {
callback(packageData);
};
putMetadataRequest.onerror = function(error) {
errback(error);
};
}
};
putPackageRequest.onerror = function(error) {
errback(error);
};
}
}
/* Check if there's a cached package, and if so whether it's the latest available */
function checkCachedPackage(db, packageName, callback, errback) {
var transaction = db.transaction([METADATA_STORE_NAME], IDB_RO);
var metadata = transaction.objectStore(METADATA_STORE_NAME);
var getRequest = metadata.get(`metadata/${packageName}`);
getRequest.onsuccess = function(event) {
var result = event.target.result;
if (!result) {
return callback(false, null);
} else {
return callback(PACKAGE_UUID === result['uuid'], result);
}
};
getRequest.onerror = function(error) {
errback(error);
};
}
function fetchCachedPackage(db, packageName, metadata, callback, errback) {
var transaction = db.transaction([PACKAGE_STORE_NAME], IDB_RO);
var packages = transaction.objectStore(PACKAGE_STORE_NAME);
var chunksDone = 0;
var totalSize = 0;
var chunkCount = metadata['chunkCount'];
var chunks = new Array(chunkCount);
for (var chunkId = 0; chunkId < chunkCount; chunkId++) {
var getRequest = packages.get(`package/${packageName}/${chunkId}`);
getRequest.onsuccess = function(event) {
// If there's only 1 chunk, there's nothing to concatenate it with so we can just return it now
if (chunkCount == 1) {
callback(event.target.result);
} else {
chunksDone++;
totalSize += event.target.result.byteLength;
chunks.push(event.target.result);
if (chunksDone == chunkCount) {
if (chunksDone == 1) {
callback(event.target.result);
} else {
var tempTyped = new Uint8Array(totalSize);
var byteOffset = 0;
for (var chunkId in chunks) {
var buffer = chunks[chunkId];
tempTyped.set(new Uint8Array(buffer), byteOffset);
byteOffset += buffer.byteLength;
buffer = undefined;
}
chunks = undefined;
callback(tempTyped.buffer);
tempTyped = undefined;
}
}
}
};
getRequest.onerror = function(error) {
errback(error);
};
}
}\n'''
# add Node.js support code, if necessary
node_support_code = ''
if options.support_node:
node_support_code = '''
if (typeof process === 'object' && typeof process.versions === 'object' && typeof process.versions.node === 'string') {
require('fs').readFile(packageName, function(err, contents) {
if (err) {
errback(err);
} else {
callback(contents.buffer);
}
});
return;
}'''.strip()
ret += '''
function fetchRemotePackage(packageName, packageSize, callback, errback) {
%(node_support_code)s
var xhr = new XMLHttpRequest();
xhr.open('GET', packageName, true);
xhr.responseType = 'arraybuffer';
xhr.onprogress = function(event) {
var url = packageName;
var size = packageSize;
if (event.total) size = event.total;
if (event.loaded) {
if (!xhr.addedTotal) {
xhr.addedTotal = true;
if (!Module.dataFileDownloads) Module.dataFileDownloads = {};
Module.dataFileDownloads[url] = {
loaded: event.loaded,
total: size
};
} else {
Module.dataFileDownloads[url].loaded = event.loaded;
}
var total = 0;
var loaded = 0;
var num = 0;
for (var download in Module.dataFileDownloads) {
var data = Module.dataFileDownloads[download];
total += data.total;
loaded += data.loaded;
num++;
}
total = Math.ceil(total * Module.expectedDataFileDownloads/num);
if (Module['setStatus']) Module['setStatus'](`Downloading data... (${loaded}/${total})`);
} else if (!Module.dataFileDownloads) {
if (Module['setStatus']) Module['setStatus']('Downloading data...');
}
};
xhr.onerror = function(event) {
throw new Error("NetworkError for: " + packageName);
}