-
Notifications
You must be signed in to change notification settings - Fork 457
Expand file tree
/
Copy pathhelpers.py
More file actions
1061 lines (862 loc) · 32.1 KB
/
helpers.py
File metadata and controls
1061 lines (862 loc) · 32.1 KB
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
"""
General utility helper functions.
Common functions for interfacing with python primitives and directories/files.
"""
import contextlib
import errno
import fnmatch
import glob
import importlib.metadata
import importlib.util
import json
import os
import re
import sys
import tarfile
import warnings
from collections import OrderedDict
from io import BytesIO
from pathlib import Path
from typing import Any, Callable, Dict, Iterable, List, Tuple, Union
from urllib.parse import urlparse
import numpy
import torch
from compressed_tensors.quantization import disable_quantization, enable_quantization
from loguru import logger
from transformers import PreTrainedModel
__all__ = [
"ALL_TOKEN",
"ALL_PRUNABLE_TOKEN",
"FROM_PARAM_TOKEN",
"RECIPE_METADATA_KEY",
"FRAMEWORK_METADATA_KEY",
"ROOT_PATH",
"flatten_iterable",
"convert_to_bool",
"validate_str_iterable",
"bucket_iterable",
"INTERPOLATION_FUNCS",
"interpolate",
"interpolate_list_linear",
"interpolated_integral",
"clean_path",
"create_dirs",
"create_parent_dirs",
"create_unique_dir",
"path_file_count",
"path_file_size",
"is_url",
"NDARRAY_KEY",
"load_numpy",
"save_numpy",
"load_labeled_data",
"NumpyArrayBatcher",
"tensor_export",
"tensors_export",
"json_to_jsonl",
"deprecation_warning",
"is_package_available",
"import_from_path",
"getattr_chain",
"DisableKVCache",
"DisableQuantization",
"eval_context",
"calibration_forward_context",
"preserve_attr",
]
ALL_TOKEN = "__ALL__"
ALL_PRUNABLE_TOKEN = "__ALL_PRUNABLE__"
FROM_PARAM_TOKEN = "__FROM_PARAM__"
RECIPE_METADATA_KEY = "__metadata__"
FRAMEWORK_METADATA_KEY = "framework_metadata"
ROOT_PATH = Path(__file__).resolve().parents[1]
##############################
#
# general python helper functions
#
##############################
def flatten_iterable(li: Iterable):
"""
:param li: a possibly nested iterable of items to be flattened
:return: a flattened version of the list where all elements are in a single list
flattened in a depth first pattern
"""
def _flatten_gen(_li):
for el in _li:
if isinstance(el, Iterable) and not isinstance(el, (str, bytes)):
yield from _flatten_gen(el)
else:
yield el
return list(_flatten_gen(li))
def convert_to_bool(val: Any):
"""
:param val: the value to be converted to a bool,
supports logical values as strings ie True, t, false, 0
:return: the boolean representation of the value, if it can't be determined,
falls back on returning True
"""
return (
bool(val)
if not isinstance(val, str)
else bool(val) and "f" not in val.lower() and "0" not in val.lower()
)
def validate_str_iterable(
val: Union[str, Iterable[str]], error_desc: str = ""
) -> Union[str, Iterable[str]]:
"""
:param val: the value to validate, check that it is a list (and flattens it),
otherwise checks that it's an __ALL__ or __ALL_PRUNABLE__ string,
otherwise raises a ValueError
:param error_desc: the description to raise an error with in the event that
the val wasn't valid
:return: the validated version of the param
"""
if isinstance(val, str):
if val.upper() != ALL_TOKEN and val.upper() != ALL_PRUNABLE_TOKEN:
raise ValueError(
"unsupported string ({}) given in {}".format(val, error_desc)
)
return val.upper()
if isinstance(val, Iterable):
return flatten_iterable(val)
raise ValueError("unsupported type ({}) given in {}".format(val, error_desc))
def bucket_iterable(
val: Iterable[Any],
num_buckets: int = 3,
edge_percent: float = 0.05,
sort_highest: bool = True,
sort_key: Callable[[Any], Any] = None,
) -> List[Tuple[int, Any]]:
"""
Bucket iterable into subarray consisting of the first top percentage
followed by the rest of the iterable sliced into equal sliced groups.
:param val: The iterable to bucket
:param num_buckets: The number of buckets to group the iterable into,
does not include the top bucket
:param edge_percent: Group the first percent into its own bucket.
If sort_highest, then this is the top percent, else bottom percent.
If <= 0, then will not create an edge bucket
:param sort_highest: True to sort such that the highest percent is first
and will create buckets in descending order.
False to sort so lowest is first and create buckets in ascending order.
:param sort_key: The sort_key, if any, to use for sorting the iterable
after converting it to a list
:return: a list of each value mapped to the bucket it was sorted into
"""
val_list = [v for v in val]
val_list.sort(key=sort_key, reverse=sort_highest)
bucketed_values = []
edge_count = round(edge_percent * len(val_list))
if edge_count > 0:
bucketed_values.extend([(-1, val) for val in val_list[:edge_count]])
val_list = val_list[edge_count:]
buckets_count = round(len(val_list) / float(num_buckets))
for bucket in range(num_buckets):
add_vals = val_list[:buckets_count] if bucket < num_buckets - 1 else val_list
val_list = val_list[buckets_count:] if bucket < num_buckets - 1 else []
bucketed_values.extend([(bucket, val) for val in add_vals])
return bucketed_values
INTERPOLATION_FUNCS = ["linear", "cubic", "inverse_cubic"]
def interpolate(
x_cur: float, x0: float, x1: float, y0: Any, y1: Any, inter_func: str = "linear"
) -> Any:
"""
note, caps values at their min of x0 and max x1,
designed to not work outside of that range for implementation reasons
:param x_cur: the current value for x, should be between x0 and x1
:param x0: the minimum for x to interpolate between
:param x1: the maximum for x to interpolate between
:param y0: the minimum for y to interpolate between
:param y1: the maximum for y to interpolate between
:param inter_func: the type of function to interpolate with:
linear, cubic, inverse_cubic
:return: the interpolated value projecting x into y for the given
interpolation function
"""
if inter_func not in INTERPOLATION_FUNCS:
raise ValueError(
"unsupported inter_func given of {} must be one of {}".format(
inter_func, INTERPOLATION_FUNCS
)
)
# convert our x to 0-1 range since equations are designed to fit in
# (0,0)-(1,1) space
x_per = (x_cur - x0) / (x1 - x0)
# map x to y using the desired function in (0,0)-(1,1) space
if inter_func == "linear":
y_per = x_per
elif inter_func == "cubic":
# https://www.wolframalpha.com/input/?i=1-(1-x)%5E3+from+0+to+1
y_per = 1 - (1 - x_per) ** 3
elif inter_func == "inverse_cubic":
# https://www.wolframalpha.com/input/?i=1-(1-x)%5E(1%2F3)+from+0+to+1
y_per = 1 - (1 - x_per) ** (1 / 3)
else:
raise ValueError(
"unsupported inter_func given of {} in interpolate".format(inter_func)
)
if y_per <= 0.0 + sys.float_info.epsilon:
return y0
if y_per >= 1.0 - sys.float_info.epsilon:
return y1
# scale the threshold based on what we want the current to be
return y_per * (y1 - y0) + y0
def interpolate_list_linear(
measurements: List[Tuple[float, float]], x_val: Union[float, List[float]]
) -> List[Tuple[float, float]]:
"""
interpolate for input values within a list of measurements linearly
:param measurements: the measurements to interpolate the output value between
:param x_val: the target values to interpolate to the second dimension
:return: a list of tuples containing the target values, interpolated values
"""
assert len(measurements) > 1
measurements.sort(key=lambda v: v[0])
x_vals = [x_val] if isinstance(x_val, float) else x_val
x_vals.sort()
interpolated = []
lower_index = 0
higher_index = 1
for x_val in x_vals:
while (
x_val > measurements[higher_index][0]
and higher_index < len(measurements) - 1
):
lower_index += 1
higher_index += 1
x0, y0 = measurements[lower_index]
x1, y1 = measurements[higher_index]
y_val = y0 + (x_val - x0) * ((y1 - y0) / (x1 - x0))
interpolated.append((x_val, y_val))
return interpolated
def interpolated_integral(measurements: List[Tuple[float, float]]):
"""
Calculate the interpolated integal for a group of measurements of the form
[(x0, y0), (x1, y1), ...]
:param measurements: the measurements to calculate the integral for
:return: the integral or area under the curve for the measurements given
"""
if len(measurements) < 1:
return 0.0
if len(measurements) == 1:
return measurements[0][1]
measurements.sort(key=lambda v: v[0])
integral = 0.0
for index, (x_val, y_val) in enumerate(measurements):
if index >= len(measurements) - 1:
continue
x_next, y_next = measurements[index + 1]
x_dist = x_next - x_val
area = y_val * x_dist + (y_next - y_val) * x_dist / 2.0
integral += area
return integral
def clean_path(path: str) -> str:
"""
:param path: the directory or file path to clean
:return: a cleaned version that expands the user path and creates an absolute path
"""
return os.path.abspath(os.path.expanduser(path))
def create_dirs(path: str):
"""
:param path: the directory path to try and create
"""
path = clean_path(path)
try:
os.makedirs(path)
except OSError as e:
if e.errno == errno.EEXIST:
pass
else:
# Unexpected OSError, re-raise.
raise
def create_parent_dirs(path: str):
"""
:param path: the file path to try to create the parent directories for
"""
parent = os.path.dirname(path)
create_dirs(parent)
def create_unique_dir(path: str, check_number: int = 0) -> str:
"""
:param path: the file path to create a unique version of
(append numbers until one doesn't exist)
:param check_number: the number to begin checking for unique versions at
:return: the unique directory path
"""
check_path = clean_path("{}-{:04d}".format(path, check_number))
if not os.path.exists(check_path):
return check_path
return create_unique_dir(path, check_number + 1)
def path_file_count(path: str, pattern: str = "*") -> int:
"""
Return the number of files that match the given pattern under the given path
:param path: the path to the directory to look for files under
:param pattern: the pattern the files must match to be counted
:return: the number of files matching the pattern under the directory
"""
path = clean_path(path)
return len(fnmatch.filter(os.listdir(path), pattern))
def path_file_size(path: str) -> int:
"""
Return the total size, in bytes, for a path on the file system
:param path: the path (directory or file) to get the size for
:return: the size of the path, in bytes, as stored on disk
"""
if not os.path.isdir(path):
stat = os.stat(path)
return stat.st_size
total_size = 0
seen = {}
for dir_path, dir_names, filenames in os.walk(path):
for file in filenames:
file_path = os.path.join(dir_path, file)
try:
stat = os.stat(file_path)
except OSError:
continue
try:
seen[stat.st_ino]
except KeyError:
seen[stat.st_ino] = True
else:
continue
total_size += stat.st_size
return total_size
def is_url(val: str):
"""
:param val: value to check if it is a url or not
:return: True if value is a URL, False otherwise
"""
try:
result = urlparse(val)
return all([result.scheme, result.netloc])
except ValueError:
return False
##############################
#
# numpy helper functions
#
##############################
NDARRAY_KEY = "ndarray"
def load_numpy(file_path: str) -> Union[numpy.ndarray, Dict[str, numpy.ndarray]]:
"""
Load a numpy file into either an ndarray or an OrderedDict representing what
was in the npz file
:param file_path: the file_path to load
:return: the loaded values from the file
"""
file_path = clean_path(file_path)
array = numpy.load(file_path)
if not isinstance(array, numpy.ndarray):
tmp_arrray = array
array = OrderedDict()
for key, val in tmp_arrray.items():
array[key] = val
return array
def save_numpy(
array: Union[numpy.ndarray, Dict[str, numpy.ndarray], Iterable[numpy.ndarray]],
export_dir: str,
name: str,
npz: bool = True,
):
"""
Save a numpy array or collection of numpy arrays to disk
:param array: the array or collection of arrays to save
:param export_dir: the directory to export the numpy file into
:param name: the name of the file to export to (without extension)
:param npz: True to save as an npz compressed file, False for standard npy.
Note, npy can only be used for single numpy arrays
:return: the saved path
"""
create_dirs(export_dir)
export_path = os.path.join(
export_dir, "{}.{}".format(name, "npz" if npz else "npy")
)
if isinstance(array, numpy.ndarray) and npz:
numpy.savez_compressed(export_path, array)
elif isinstance(array, numpy.ndarray):
numpy.save(export_path, array)
elif isinstance(array, Dict) and npz:
numpy.savez_compressed(export_path, **array)
elif isinstance(array, Dict):
raise ValueError("Dict can only be exported to an npz file")
elif isinstance(array, Iterable) and npz:
numpy.savez_compressed(export_path, *[val for val in array])
elif isinstance(array, Iterable):
raise ValueError("Iterable can only be exported to an npz file")
else:
raise ValueError("Unrecognized type given for array {}".format(array))
return export_path
def _fix_loaded_numpy(array) -> Union[numpy.ndarray, Dict[str, numpy.ndarray]]:
if not isinstance(array, numpy.ndarray):
tmp_arrray = array
array = OrderedDict()
for key, val in tmp_arrray.items():
array[key] = val
return array
def load_numpy_from_tar(
path: str,
) -> List[Union[numpy.ndarray, Dict[str, numpy.ndarray]]]:
"""
Load numpy data into a list from a tar file.
All files contained in the tar are expected to be the numpy files.
:param path: path to the tarfile to load the numpy data from
:return: the list of loaded numpy data, either arrays or ordereddicts of arrays
"""
tar = tarfile.open(path, "r")
files = tar.getmembers()
files = sorted([file.name for file in files])
data = []
for file in files:
extracted = BytesIO()
extracted.write(tar.extractfile(file).read())
extracted.seek(0)
array = numpy.load(extracted)
data.append(_fix_loaded_numpy(array))
return data
def load_numpy_list(
data: Union[str, Iterable[Union[str, numpy.ndarray, Dict[str, numpy.ndarray]]]],
) -> List[Union[numpy.ndarray, Dict[str, numpy.ndarray]]]:
"""
Load numpy data into a list
:param data: the data to load, one of:
[folder path, iterable of file paths, iterable of numpy arrays]
:return: the list of loaded data items
"""
loaded = []
if isinstance(data, str):
if os.path.isfile(data) and tarfile.is_tarfile(data):
data = load_numpy_from_tar(data)
elif os.path.isfile(data) and ".np" in data:
# treat as a numpy file to load from
data = [load_numpy(data)]
else:
# load from directory or glob
glob_path = os.path.join(data, "*") if os.path.isdir(data) else data
data = sorted(glob.glob(glob_path))
for dat in data:
if isinstance(dat, str):
dat = load_numpy(dat)
loaded.append(dat)
return loaded
def load_labeled_data(
data: Union[str, Iterable[Union[str, numpy.ndarray, Dict[str, numpy.ndarray]]]],
labels: Union[
None, str, Iterable[Union[str, numpy.ndarray, Dict[str, numpy.ndarray]]]
],
raise_on_error: bool = True,
) -> List[
Tuple[
Union[numpy.ndarray, Dict[str, numpy.ndarray]],
Union[None, numpy.ndarray, Dict[str, numpy.ndarray]],
]
]:
"""
Load labels and data from disk or from memory and group them together.
Assumes sorted ordering for on disk. Will match between when a file glob is passed
for either data and/or labels.
:param data: the file glob, file path to numpy data tar ball, or list of arrays to
use for data
:param labels: the file glob, file path to numpy data tar ball, or list of arrays
to use for labels, if any
:param raise_on_error: True to raise on any error that occurs;
False to log a warning, ignore, and continue
:return: a list containing tuples of the data, labels. If labels was passed in
as None, will now contain a None for the second index in each tuple
"""
if isinstance(data, str):
data = load_numpy_list(data)
if labels is None:
labels = [None for _ in range(len(data))]
elif isinstance(labels, str):
labels = load_numpy_list(labels)
if len(data) != len(labels) and labels:
# always raise this error, lengths must match
raise ValueError(
"len(data) given of {} does not match len(labels) given of {}".format(
len(data), len(labels)
)
)
labeled_data = []
for dat, lab in zip(data, labels):
try:
if isinstance(dat, str):
dat = load_numpy(dat)
if lab is not None and isinstance(lab, str):
lab = load_numpy(lab)
labeled_data.append((dat, lab))
except Exception as err:
if raise_on_error:
raise err
else:
logger.error("Error creating labeled data: {}".format(err))
return labeled_data
class NumpyArrayBatcher(object):
"""
Batcher instance to handle taking in dictionaries of numpy arrays,
appending multiple items to them to increase their batch size,
and then stack them into a single batched numpy array for all keys in the dicts.
"""
def __init__(self):
self._items = OrderedDict() # type: Dict[str, List[numpy.ndarray]]
def __len__(self):
if len(self._items) == 0:
return 0
return len(self._items[list(self._items.keys())[0]])
def append(self, item: Union[numpy.ndarray, Dict[str, numpy.ndarray]]):
"""
Append a new item into the current batch.
All keys and shapes must match the current state.
:param item: the item to add for batching
"""
if len(self) < 1 and isinstance(item, numpy.ndarray):
self._items[NDARRAY_KEY] = [item]
elif len(self) < 1:
for key, val in item.items():
self._items[key] = [val]
elif isinstance(item, numpy.ndarray):
if NDARRAY_KEY not in self._items:
raise ValueError(
"numpy ndarray passed for item, but prev_batch does not contain one"
)
if item.shape != self._items[NDARRAY_KEY][0].shape:
raise ValueError(
(
"item of numpy ndarray of shape {} does not "
"match the current batch shape of {}".format(
item.shape, self._items[NDARRAY_KEY][0].shape
)
)
)
self._items[NDARRAY_KEY].append(item)
else:
diff_keys = list(set(item.keys()) - set(self._items.keys()))
if len(diff_keys) > 0:
raise ValueError(
(
"numpy dict passed for item, not all keys match "
"with the prev_batch. difference: {}"
).format(diff_keys)
)
for key, val in item.items():
if val.shape != self._items[key][0].shape:
raise ValueError(
(
"item with key {} of shape {} does not "
"match the current batch shape of {}".format(
key, val.shape, self._items[key][0].shape
)
)
)
self._items[key].append(val)
def stack(self) -> Dict[str, numpy.ndarray]:
"""
Stack the current items into a batch along a new, zeroed dimension
:return: the stacked items
"""
batch_dict = OrderedDict()
for key, val in self._items.items():
batch_dict[key] = numpy.stack(self._items[key])
return batch_dict
def tensor_export(
tensor: Union[numpy.ndarray, Dict[str, numpy.ndarray], Iterable[numpy.ndarray]],
export_dir: str,
name: str,
npz: bool = True,
) -> str:
"""
:param tensor: tensor to export to a saved numpy array file
:param export_dir: the directory to export the file in
:param name: the name of the file, .npy will be appended to it
:param npz: True to export as an npz file, False otherwise
:return: the path of the numpy file the tensor was exported to
"""
create_dirs(export_dir)
export_path = os.path.join(
export_dir, "{}.{}".format(name, "npz" if npz else "npy")
)
if isinstance(tensor, numpy.ndarray) and npz:
numpy.savez_compressed(export_path, tensor)
elif isinstance(tensor, numpy.ndarray):
numpy.save(export_path, tensor)
elif isinstance(tensor, Dict) and npz:
numpy.savez_compressed(export_path, **tensor)
elif isinstance(tensor, Dict):
raise ValueError("tensor dictionaries can only be saved as npz")
elif isinstance(tensor, Iterable) and npz:
numpy.savez_compressed(export_path, *tensor)
elif isinstance(tensor, Iterable):
raise ValueError("tensor iterables can only be saved as npz")
else:
raise ValueError("unknown type give for tensor {}".format(tensor))
return export_path
def tensors_export(
tensors: Union[numpy.ndarray, Dict[str, numpy.ndarray], Iterable[numpy.ndarray]],
export_dir: str,
name_prefix: str,
counter: int = 0,
break_batch: bool = False,
) -> List[str]:
"""
:param tensors: the tensors to export to a saved numpy array file
:param export_dir: the directory to export the files in
:param name_prefix: the prefix name for the tensors to save as, will append
info about the position of the tensor in a list or dict in addition
to the .npy file format
:param counter: the current counter to save the tensor at
:param break_batch: treat the tensor as a batch and break apart into
multiple tensors
:return: the exported paths
"""
create_dirs(export_dir)
exported_paths = []
if break_batch:
_tensors_export_batch(tensors, export_dir, name_prefix, counter, exported_paths)
else:
_tensors_export_recursive(
tensors, export_dir, name_prefix, counter, exported_paths
)
return exported_paths
def _tensors_export_recursive(
tensors: Union[numpy.ndarray, Iterable[numpy.ndarray]],
export_dir: str,
name_prefix: str,
counter: int,
exported_paths: List[str],
):
if isinstance(tensors, numpy.ndarray):
exported_paths.append(
tensor_export(tensors, export_dir, "{}-{:04d}".format(name_prefix, counter))
)
return
if isinstance(tensors, Dict):
raise ValueError("tensors dictionary is not supported for non batch export")
if isinstance(tensors, Iterable):
for index, tens in enumerate(tensors):
_tensors_export_recursive(
tens,
export_dir,
name_prefix,
counter + index,
exported_paths,
)
return
raise ValueError(
"unrecognized type for tensors given of {}".format(tensors.__class__.__name__)
)
def _tensors_export_batch(
tensors: Union[numpy.ndarray, Dict[str, numpy.ndarray], Iterable[numpy.ndarray]],
export_dir: str,
name_prefix: str,
counter: int,
exported_paths: List[str],
):
if isinstance(tensors, numpy.ndarray):
for index, tens in enumerate(tensors):
exported_paths.append(
tensor_export(
tens, export_dir, "{}-{:04d}".format(name_prefix, counter + index)
)
)
return
if isinstance(tensors, Dict):
tensors = OrderedDict([(key, val) for key, val in tensors.items()])
keys = [key for key in tensors.keys()]
for index, tens in enumerate(zip(*tensors.values())):
tens = OrderedDict([(key, val) for key, val in zip(keys, tens)])
exported_paths.append(
tensor_export(
tens, export_dir, "{}-{:04d}".format(name_prefix, counter + index)
)
)
return
if isinstance(tensors, Iterable):
for index, tens in enumerate(zip(*tensors)):
exported_paths.append(
tensor_export(
tens, export_dir, "{}-{:04d}".format(name_prefix, counter + index)
)
)
return
raise ValueError(
"unrecognized type for tensors given of {}".format(tensors.__class__.__name__)
)
def json_to_jsonl(json_file_path: str, overwrite: bool = True):
"""
Converts a json list file to jsonl file format (used for sharding efficienty)
e.x.
[{"a": 1}, {"a": 1}]
would convert to:
{"a": 1}
{"a": 1}
:param json_file_path: file path to a json file path containing a json list
of objects
:param overwrite: If True, the existing json file will be overwritten, if False,
the file will have the same name but with a .jsonl extension
"""
if not json_file_path.endswith(".json"):
raise ValueError("json file must have .json extension")
with open(json_file_path) as json_file:
json_data = json.load(json_file)
if not isinstance(json_data, List):
raise ValueError(
"Json data must be a list to conver to jsonl format. "
f"found {type(json_data)}"
)
jsonl_file_path = json_file_path + ("" if overwrite else "l")
with open(jsonl_file_path, "w") as jsonl_file:
for json_line in json_data:
json.dump(json_line, jsonl_file) # append json line
jsonl_file.write("\n") # newline
def deprecation_warning(message: str):
warnings.simplefilter("always", DeprecationWarning)
warnings.warn(
message,
category=DeprecationWarning,
stacklevel=2,
)
def is_package_available(
package_name: str,
return_version: bool = False,
) -> Union[Tuple[bool, str], bool]:
"""
A helper function to check if a package is available
and optionally return its version. This function enforces
a check that the package is available and is not
just a directory/file with the same name as the package.
inspired from:
https://github.com/huggingface/transformers/blob/965cf677695dd363285831afca8cf479cf0c600c/src/transformers/utils/import_utils.py#L41
:param package_name: The package name to check for
:param return_version: True to return the version of
the package if available
:return: True if the package is available, False otherwise or a tuple of
(bool, version) if return_version is True
"""
package_exists = importlib.util.find_spec(package_name) is not None
package_version = "N/A"
if package_exists:
try:
package_version = importlib.metadata.version(package_name)
package_exists = True
except importlib.metadata.PackageNotFoundError:
package_exists = False
logger.debug(f"Detected {package_name} version {package_version}")
if return_version:
return package_exists, package_version
else:
return package_exists
def import_from_path(path: str) -> str:
"""
Import the module and the name of the function/class separated by :
Examples:
path = "/path/to/file.py:func_or_class_name"
path = "/path/to/file:focn"
path = "path.to.file:focn"
:param path: path including the file path and object name
:return Function or class object
"""
original_path, class_name = path.split(":")
_path = original_path
path = original_path.split(".py")[0]
path = re.sub(r"/+", ".", path)
try:
module = importlib.import_module(path)
except ImportError:
raise ImportError(f"Cannot find module with path {_path}")
try:
return getattr(module, class_name)
except AttributeError:
raise AttributeError(f"Cannot find {class_name} in {_path}")
def getattr_chain(obj: Any, chain_str: str, *args, **kwargs) -> Any:
"""
Chain multiple getattr calls, separated by `.`
:param obj: base object whose attributes are being retrieved
:param chain_str: attribute names separated by `.`
:param default: default value, throw error otherwise
"""
if len(args) >= 1:
has_default = True
default = args[0]
elif "default" in kwargs:
has_default = True
default = kwargs["default"]
else:
has_default = False
attr_names = chain_str.split(".")
res = obj
for attr_name in attr_names:
if not hasattr(res, attr_name):
if has_default:
return default
else:
raise AttributeError(f"{res} object has no attribute {attr_name}")
res = getattr(res, attr_name)
return res
class DisableKVCache:
"""
Temporarily disable the key-value cache for transformer models. Used to prevent
excess memory use in one-shot cases where the model only performs the prefill
phase and not the generation phase.
Example:
>>> model = AutoModel.from_pretrained("TinyLlama/TinyLlama-1.1B-Chat-v1.0")
>>> input = torch.randint(0, 32, size=(1, 32))
>>> with DisableKVCache(model):
... output = model(input)
"""
def __init__(self, model: PreTrainedModel):
if hasattr(model.config, "use_cache"):
self.config = model.config
# MllamaConfig
elif hasattr(model.config, "text_config") and hasattr(
model.config.text_config, "use_cache"
):
self.config = model.config.text_config
# unknown config structure
else: