-
Notifications
You must be signed in to change notification settings - Fork 5
/
tflex.py
1711 lines (1477 loc) · 50.7 KB
/
tflex.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
import tensorflow as tf
import numpy as np
from glob import glob
import os
import re
from tensorflow.python import pywrap_tensorflow
import tqdm
import h5py
import shutil
import tempfile
import traceback
import time
import threading
from tensorflow.python.framework import dtypes
from tensorflow.python.framework import ops
from tensorflow.python.distribute.cluster_resolver import TPUClusterResolver as BaseTPUClusterResolver
from tensorflow.python.training import server_lib
from tensorflow.python.ops import init_ops
from tensorflow.python.ops import variable_scope
from tensorflow.python.ops import variables
from tensorflow.core.protobuf import rewriter_config_pb2
from tensorflow.contrib import tpu
from tensorflow.contrib.tpu.python.tpu import tpu_function
import importlib
from pprint import pprint as pp
def prn(x):
pp(x);
return x
def reload():
os.system("git pull")
module = importlib.import_module("tflex")
importlib.reload(module)
class _DefaultState(threading.local):
def __init__(self, **kws):
super(_DefaultState, self).__init__()
for k, v in kws.items():
setattr(self, k, v)
def save(self):
return [(k, v) for k, v in self.__dict__.items()]
def restore(self, state):
for k, v in state:
setattr(self, k, v)
local = _DefaultState()
lock = threading.RLock()
def with_defaults(thunk):
with lock:
state = local.save()
session = tf.get_default_session() or get_default_session()
graph = tf.get_default_graph() or get_default_graph()
def f(*args, **kws):
with lock:
local.restore(state)
lock.acquire()
with session.as_default() if session else nullcontext():
with graph.as_default() if graph else nullcontext():
lock.release()
result = thunk(*args, **kws)
lock.acquire()
lock.release()
return result
return f
def get_default(name, required=True):
with lock:
value = getattr(local, name) if hasattr(local, name) else None
if required:
assert value is not None
return value
def set_default(name, value):
with lock:
setattr(local, name, value)
def ensure_default(name, value):
with lock:
current = get_default(name, required=False)
if current is None:
set_default(name, value)
return value
def get_default_session(required=False):
result = get_default('session', required=required)
if result is None:
result = tf.get_default_session()
#assert result is not None
return result
def get_default_graph(required=False):
result = get_default('graph', required=required)
if result is None:
result = tf.get_default_graph()
assert result is not None
return result
class Future(object):
def __init__(self, dependencies, thunk, *args, **kws):
if isinstance(dependencies, Future):
dependencies = [dependencies]
self.dependencies = [defer(_) if callable(_) else _ for _ in dependencies]
if thunk is None:
thunk = lambda: None
self.thunk = thunk
self.args = args
self.kws = kws
self.result = None
self.complete = False
self.thread = None
self.daemon = True
self.error = None
def run(self):
try:
self.result = self.thunk(*self.args, **self.kws)
except Exception as e:
traceback.print_exc()
self.error = e
self.complete = True
def run_async(self):
assert self.thread is None
def thunk():
[_.join() for _ in self.dependencies]
self.run()
self.thread = threading.Thread(target=with_defaults(thunk), daemon=self.daemon)
self.thread.start()
def join(self):
if not self.complete:
assert self.thread
while not self.complete:
time.sleep(1.0)
return self.result
def defer(thunk, *args, **kws):
dependencies = []
if 'dependencies' in kws:
dependencies = kws.pop('dependencies')
future = Future(dependencies=dependencies, thunk=thunk, *args, **kws)
future.run_async()
return future
def parallelize(xs, thunk, *args, daemon=True):
threads = []
for x in xs:
thread = threading.Thread(target=with_defaults(thunk), args=(x, *args), daemon=daemon)
thread.start()
threads.append(thread)
return threads
def parallelize_verbose(label, xs, thunk, *args, daemon=True):
xs = [x for x in xs]
with tqdm.tqdm(total=len(xs)) as pbar:
pbar.set_description(label)
def run(*args, **kws):
try:
return thunk(*args, **kws)
finally:
pbar.update(1)
return parallelize(xs, run, *args, daemon=daemon)
def parallelize_verbose(label, xs, thunk, *args, daemon=True, synchronous=False):
xs = [x for x in xs]
if synchronous:
for i in tqdm.trange(len(xs), desc=label):
x = xs[i]
thunk(x, *args)
else:
with tqdm.tqdm(total=len(xs)) as pbar:
pbar.set_description(label)
threads = parallelize(xs, thunk, *args, daemon=daemon)
while len(threads) > 0:
for i in range(len(threads)):
if not threads[i].is_alive():
pbar.update(1)
threads.remove(threads[i])
break
time.sleep(0.1)
# http://stackoverflow.com/questions/1624883/alternative-way-to-split-a-list-into-groups-of-n
import itertools
def group(n, iterable, fillvalue=None):
"group(3, 'ABCDEFG', 'x') --> ABC DEF Gxx"
args = [iter(iterable)] * n
return itertools.zip_longest(*args, fillvalue=fillvalue)
def tuples(*args, **kws):
return [x for x in group(*args, **kws)]
class Namespace(object):
pass
if 'state' not in globals():
state = Namespace()
if not hasattr(state, 'noisy'):
state.noisy = 'NOISY' in os.environ
if not hasattr(state, 'debug'):
state.debug = 'DEBUG' in os.environ
if not hasattr(state, 'noisy_backtrace'):
state.noisy_backtrace = 'NOISY_BACKTRACE' in os.environ
if not hasattr(state, 'break_next_run'):
state.break_next_run = False
def reroute(addr, host=None):
if host is None or host is False:
return addr
if addr.startswith('grpc://'):
return 'grpc://' + reroute(addr[len('grpc://'):], host=host)
if not re.match('[0-9]+[.][0-9]+[.][0-9]+[.][0-9]+[:]8470', addr):
return addr
if not addr.endswith(':8470'):
return addr
a, b, c, d = [int(x) for x in addr.split(':')[0].split('.')]
if a == 10 and b in [48, 49]:
assert (d == 2)
port = b * 1000 + c
elif a == 10 and b in range(2, 66) and c == 0:
port = b * 1000 + d
else:
return addr
return host + ':' + str(port)
class TPUClusterResolver(BaseTPUClusterResolver):
def __init__(self, *args, host=None, node_count=None, node_offset=None, **kws):
super(TPUClusterResolver, self).__init__(*args, **kws)
if host is None:
if 'TPU_HOST' in os.environ:
host = os.environ['TPU_HOST']
self._host = host
if node_count is None:
if 'TPU_NODE_COUNT' in os.environ:
node_count = int(os.environ['TPU_NODE_COUNT'])
self._node_count = node_count
if node_offset is None:
if 'TPU_NODE_OFFSET' in os.environ:
node_offset = int(os.environ['TPU_NODE_OFFSET'])
self._node_offset = node_offset
def master(self, *args, **kws):
ip = super(TPUClusterResolver, self).master(*args, **kws)
return reroute(ip, host=self._host)
def cluster_spec(self):
spec = super(TPUClusterResolver, self).cluster_spec()
r = dict()
for k, v in spec.as_dict().items():
r[k] = [reroute(ip, host=self._host) for ip in v]
i = self._node_count or len(r['worker'])
j = self._node_offset or 0
r['worker'] = [r['worker'][0]] + r['worker'][(j+1):(j+1)+(i-1)]
spec2 = server_lib.ClusterSpec(r)
print(spec2.as_cluster_def())
return spec2
if not hasattr(state, 'timeout_in_ms'):
state.timeout_in_ms = 5 * 60 * 1000 # no TPU operation should last more than 5 minutes
def get_session_timeout_in_ms(timeout_in_ms=None):
if timeout_in_ms is None:
timeout_in_ms = state.timeout_in_ms
return timeout_in_ms
def init_tpu_config(name=None, host=None, timeout_in_ms=None):
if name is None:
name = os.environ['TPU_NAME']
timeout_in_ms = get_session_timeout_in_ms(timeout_in_ms)
cluster_resolver = TPUClusterResolver(name, host=host)
config = tf.ConfigProto(operation_timeout_in_ms=timeout_in_ms,
graph_options=tf.GraphOptions(
rewrite_options=rewriter_config_pb2.RewriterConfig(
disable_meta_optimizer=True)),
isolate_session_state=True)
cluster_spec = cluster_resolver.cluster_spec()
if cluster_spec:
config.cluster_def.CopyFrom(cluster_spec.as_cluster_def())
master = cluster_resolver.get_master()
return master, config
class CountingSessionCreator(object):
"""A creator that counts the number of created sessions."""
def __init__(self):
self._create_session_calls = 0
@property
def number_of_sessions_created(self):
return self._create_session_calls
def create_session(self):
self._create_session_calls += 1
return self.creator()
class TPUSessionCreator(CountingSessionCreator):
"""A creator that counts the number of created sessions."""
def __init__(self, *args, **kws):
super(TPUSessionCreator, self).__init__()
self._args = args
self._kws = kws
def creator(self):
sess, resolver = init_tpu(*self._args, **self._kws)
sess._tflex_resolver = resolver
return sess
from tensorflow.python.training import monitored_session
class TPUSession(monitored_session._RecoverableSession):
def __init__(self, name, host=None, timeout_in_ms=None, interactive=False, graph=None, initialize=True):
super(TPUSession, self).__init__(TPUSessionCreator(name=name, host=host, timeout_in_ms=timeout_in_ms, interactive=interactive, graph=graph, initialize=initialize))
def list_devices(self):
return self._sess.list_devices()
def init_tpu(name, host=None, timeout_in_ms=None, interactive=False, graph=None, initialize=True):
timeout_in_ms = get_session_timeout_in_ms(timeout_in_ms)
cluster_resolver = TPUClusterResolver(name, host=host)
graph = get_graph(graph)
config = tf.ConfigProto(operation_timeout_in_ms=timeout_in_ms,
graph_options=tf.GraphOptions(
rewrite_options=rewriter_config_pb2.RewriterConfig(
disable_meta_optimizer=True)),
isolate_session_state=True)
cluster_spec = cluster_resolver.cluster_spec()
if cluster_spec:
config.cluster_def.CopyFrom(cluster_spec.as_cluster_def())
init_sess = (tf.InteractiveSession if interactive else tf.Session)(cluster_resolver.get_master(), config=config, graph=graph)
if initialize:
with graph.as_default():
with absolute_name_scope('tflex'):
tpu_init = [op for op in get_graph().get_operations() if op.name == 'ConfigureDistributedTPU']
if len(tpu_init) <= 0:
tpu_init = [tpu.initialize_system()]
init_sess.run(tpu_init)
return init_sess, cluster_resolver
def get_graph(graph=None):
if graph is None:
graph = get_default_graph()
return graph
def get_session(session=None):
if session is None:
session = get_default_session()
return session
from natsort import natsorted
def sort_devices(devices):
return list(natsorted(devices, key=lambda x: x.name))
def get_devices(session=None):
session = get_session(session)
if hasattr(session, '_cached_devices'):
devices = session._cached_devices
else:
devices = session._cached_devices = sort_devices(session.list_devices())
return devices
def has_gpu(session=None):
session = get_session(session)
if hasattr(session, '_has_gpu'):
result = session._has_gpu
else:
devices = get_devices(session=session)
result = session._has_gpu = len([x for x in devices if ':GPU:' in x.name]) > 0
return result
def has_tpu(session=None):
session = get_session(session)
if hasattr(session, '_has_tpu'):
result = session._has_tpu
else:
devices = get_devices(session=session)
result = session._has_tpu = len([x for x in devices if ':TPU:' in x.name]) > 0
return result
def get_cores_from_devices(devices):
cores = [x for x in devices if ':TPU:' in x.name]
if len(cores) <= 0:
cores = [x for x in devices if ':GPU:' in x.name]
if len(cores) <= 0:
cores = [x for x in devices if ':CPU:' in x.name]
#return sort_devices(cores) # TODO: assert sorted order
return cores
def get_cores(session=None, devices=None):
if devices is None:
devices = get_devices(session=session)
return get_cores_from_devices(devices)
def get_cpus(session=None, devices=None):
if devices is None:
devices = get_devices(session=session)
cpus = [x for x in devices if ':CPU:' in x.name]
return cpus
def get_tpu_resolver(tpu_name='auto'):
# Get the TPU's location
if tpu_name != 'auto':
return TPUClusterResolver(tpu_name)
elif 'COLAB_TPU_ADDR' in os.environ:
return TPUClusterResolver()
elif 'TPU_NAME' in os.environ:
return TPUClusterResolver(os.environ['TPU_NAME'])
def pretty(x, ellipsize=120):
r = str(x)
if len(r) > ellipsize:
return r[0:ellipsize - 3] + '...'
return r
def print_backtrace():
try:
raise Exception("Printing traceback...")
except:
import traceback
traceback.print_exc()
class Session(tf.Session):
def __init__(self, target='auto', graph=None, config=None, id=None, timeout_in_ms=None):
if config is None:
timeout_in_ms = get_session_timeout_in_ms(timeout_in_ms)
config = tf.ConfigProto(operation_timeout_in_ms=timeout_in_ms,
graph_options=tf.GraphOptions(
rewrite_options=rewriter_config_pb2.RewriterConfig(
disable_meta_optimizer=True)),
isolate_session_state=True)
config.isolate_session_state = True
resolver = get_tpu_resolver(target)
if resolver is not None:
target = resolver.get_master()
cluster_spec = resolver.cluster_spec()
if cluster_spec:
config.cluster_def.CopyFrom(cluster_spec.as_cluster_def())
else:
if target == 'auto':
target = None
super().__init__(target, graph=graph, config=config)
self.id = id
self._tflex_resolver = resolver
self._tflex_target = target
self._tflex_config = config
ensure_default('session', self)
ensure_default('devices', self.list_devices())
ensure_default('graph', self.graph)
@property
def _spec(self):
return '#%d' % self.id if self.id is not None else ''
def run(self, *args, **kws):
if state.break_next_run:
import pdb; pdb.set_trace()
if state.debug:
check_commands()
if state.noisy:
print(self._spec, 'Session.run', *[pretty(x) for x in args], *[pretty(k)+'='+pretty(v) for k, v in kws.items()])
if state.noisy_backtrace:
print_backtrace()
with with_elapsed(super(Session, self).run, *args, **kws) as (elapsed, result):
if state.noisy:
print(self._spec, 'Session.run (finished in %.2fs)' % elapsed, pretty(result), *[pretty(x) for x in args], *[pretty(k)+'='+pretty(v) for k, v in kws.items()])
if state.noisy_backtrace:
print_backtrace()
return result
def split_by_params(vs, n=None, f=None):
if n is None:
#n = 2e6
n = 1
if f is None:
f = lambda x: np.prod(x.shape.as_list())
i = 0
xs = []
for variable in vs:
xs.append(variable)
count = f(variable)
i += count
if i >= n:
yield xs
xs = []
i = 0
yield xs
def latest_checkpoint(checkpoint_dir, latest_filename=None):
paths = [x for x in glob(os.path.join(checkpoint_dir, 'model-*.*')) if not x.endswith(".tmp")]
ctrs = np.array([[int(y) for y in re.findall(r'model-([0-9]+)(?:-[0-9]+)?[.](?:npy|hdf5)', x)] for x in paths]).flatten()
if len(ctrs) <= 0:
ckpt = tf.train.latest_checkpoint(checkpoint_dir, latest_filename=latest_filename)
return ckpt
ctr = ctrs.max()
return os.path.join(checkpoint_dir, 'model-{}').format(ctr)
def checkpoint_step(ckpt):
found = re.findall('-([0-9]+)$', ckpt)
if len(found) > 0:
assert len(found) == 1
step = int(found[0])
return step
def truncate_value(variable, value, reshape=True):
if not reshape:
return value
shape = variable.shape.as_list()
params = np.prod(shape)
params2 = np.prod(value.shape)
if params == params2:
return value
print('Truncating {} from shape {} to shape {}'.format(variable.name, value.shape, shape))
value = np.array(value)
value = value.reshape([-1])
value = value[0:params]
value = value.reshape(shape)
return value
from tensorflow.core.protobuf import config_pb2
def initialize_tpu(session=None, timeout_in_ms=None):
session = session or get_default_session()
with session.as_default():
op = tpu.initialize_system()
options = None
if timeout_in_ms:
options=config_pb2.RunOptions(timeout_in_ms=timeout_in_ms)
return session.run(op, options=options)
def load(variable, value, session=None, timeout_in_ms=None):
session = session or get_default_session()
ops = variable.initializer
vals = dict([(variable.initializer.inputs[1], value)])
#for x, (k, v) in zip(variables, vals.items()):
# print(x.name, x.shape.as_list(), k, v.shape)
options = None
if timeout_in_ms:
options=config_pb2.RunOptions(timeout_in_ms=timeout_in_ms)
return session.run(ops, vals, options=options)
def eval(variable, session=None, timeout_in_ms=None):
session = session or get_default_session()
options = None
if timeout_in_ms:
options=config_pb2.RunOptions(timeout_in_ms=timeout_in_ms)
return session.run(variable, options=options)
def grab_values(variables, reader, reshape=False):
for variable in variables:
name = variable_name(variable).split(':')[0]
value = reader.get_tensor(name)
value = truncate_value(variable, value, reshape=reshape)
yield variable, value
import collections
def is_list(x):
return isinstance(x, collections.Sequence)
def element_count(x):
if is_list(x):
return sum([element_count(v) for v in x])
if hasattr(x, 'shape'):
x = x.shape
if hasattr(x, 'as_list'):
x = x.as_list()
return int(np.prod(x))
from contextlib import contextmanager
@contextmanager
def with_elapsed(thunk, *args, **kws):
start = time.time()
result = thunk(*args, **kws)
elapsed = time.time() - start
yield elapsed, result
@contextmanager
def on_elapsed(callback):
start = time.time()
result = yield
if callback is not None:
elapsed = time.time() - start
callback(elapsed)
return result
def assign_values(variables, values, session=None, timeout_in_ms=600000):
session = session or get_default_session()
variables = [x for x in variables]
values = [x for x in values]
ops = [x.initializer for x in variables]
vals = dict([(x.initializer.inputs[1], value.value() if isinstance(value, tf.Variable) else value) for x, value in zip(variables, values)]) # TODO: bfloat16 support
#for x, (k, v) in zip(variables, vals.items()):
# print(x.name, x.shape.as_list(), k, v.shape)
options = None
if timeout_in_ms:
options=config_pb2.RunOptions(timeout_in_ms=timeout_in_ms)
tf.logging.info('Loading %s elements to TPU', num(element_count(variables)))
with with_elapsed(session.run, ops, vals, options=options) as (elapsed, result):
tf.logging.info('Loaded %s elements to TPU in %.2fs', num(element_count(variables)), elapsed)
def load_snapshot(ckpt, session=None, var_list=None, reshape=False):
session = session or get_default_session()
reader = pywrap_tensorflow.NewCheckpointReader(ckpt)
vs = var_list or tf.trainable_variables()
for variables in tqdm.tqdm(list(split_by_params(vs))):
values = [value for variable, value in grab_values(variables, reader, reshape=reshape)]
assign_values(variables, values, session=session)
def get_variable(name, var_list=None):
name, num = name.split(':') if ':' in name else (name, '0')
num = int(num)
name = os.path.join(tf.get_variable_scope().name, name)
vs = var_list or tf.trainable_variables()
for x in vs:
if x.name.startswith(name + ':%d' % num):
return x
def load_weights(ckpt, session=None, var_list=None, reshape=False):
session = session or get_default_session()
vs = var_list or tf.trainable_variables()
files = list(sorted(glob(ckpt + '-*.npy')))
for out in tqdm.tqdm(files):
for name, value in np.load(out, allow_pickle=True):
variable = get_variable(name)
if variable is None:
print('Warning: variable %s not loaded' % name)
else:
value = truncate_value(variable, value, reshape=reshape)
variable.load(value, session)
def get_values(variables, f, reshape=False, ignore_missing=False):
for x in variables:
k = variable_name(x)
if ignore_missing:
try:
value = f[k]
except KeyError:
print('Ignoring missing variable {}'.format(k))
continue
else:
value = f[k]
yield truncate_value(x, value, reshape=reshape)
def load_variables(ckpt, session=None, var_list=None, reshape=False, ignore_missing=False):
session = session or get_default_session()
vs = var_list or tf.trainable_variables()
with h5py.File(ckpt, "r") as f:
for variables in tqdm.tqdm(list(split_by_params(vs))):
values = get_values(variables, f, reshape=reshape, ignore_missing=ignore_missing)
assign_values(variables, values, session=session)
def maketree(path):
try:
os.makedirs(path)
except:
pass
state.cache_ops = {}
def cast_variables(variables, graph=None, cache_ops=None):
if graph is None:
graph = get_default_graph()
if cache_ops is None:
cache_ops = state.cache_ops
if graph not in cache_ops:
cache_ops[graph] = {}
cache = cache_ops[graph]
ops = []
for variable in variables:
if variable in cache:
op = cache[variable]
elif variable.dtype == dtypes.bfloat16_ref or variable.dtype == tf.bfloat16:
op = tf.cast(variable, tf.float32)
else:
op = variable
cache[variable] = op
ops.append(op)
return ops
import re
def variable_name(variable):
if re.match(r'core[0-9]+/', variable.name):
return variable.name.split('/', 1)[-1]
return variable.name
def save_variables(ckpt, session=None, var_list=None):
session = session or get_default_session()
vs = var_list or tf.trainable_variables()
maketree(os.path.dirname(ckpt))
fname = ckpt+'.tmp'
with h5py.File(fname, "w") as f:
for variables in tqdm.tqdm(list(split_by_params(vs))):
ops = cast_variables(variables)
values = session.run(ops)
for value, variable in zip(values, variables):
name = variable_name(variable)
shape = variable.shape.as_list()
dtype = variable.dtype
dset = f.create_dataset(name, shape, dtype=np.float32)
dset[:] = value
print('Writing snapshot %s' % ckpt)
os.rename(ckpt+'.tmp', ckpt)
def fetch_variables(session=None, var_list=None):
session = session or get_default_session()
vs = var_list or tf.trainable_variables()
for variables in tqdm.tqdm(list(split_by_params(vs))):
values = session.run(variables)
yield variables, values
def partition_variables(session=None, var_list=None):
session = session or get_default_session()
vs = var_list or tf.trainable_variables()
for variables in tqdm.tqdm(list(split_by_params(vs))):
yield variables
class Saver(object):
def __init__(
self,
var_list=None,
reshape=False,
sharded=False,
max_to_keep=5,
keep_checkpoint_every_n_hours=10000.0,
name=None,
restore_sequentially=False,
saver_def=None,
builder=None,
defer_build=False,
allow_empty=False,
write_version=tf.train.SaverDef.V2,
pad_step_number=False,
save_relative_paths=False,
filename=None):
self.var_list = var_list
self.reshape = reshape
self.sharded = sharded
self.max_to_keep = max_to_keep
self.keep_checkpoint_every_n_hours = keep_checkpoint_every_n_hours
self.name = name
self.restore_sequentially = restore_sequentially
self.saver_def = saver_def
self.builder = builder
self.defer_build = defer_build
self.allow_empty = allow_empty
self.write_version = write_version
self.pad_step_number = pad_step_number
self.save_relative_paths = save_relative_paths
self.filename = filename
self.checkpoints = []
def restore(self, sess, save_path, ignore_missing=False):
if save_path.endswith('.ckpt'):
load_snapshot(save_path, session=sess, var_list=self.var_list, reshape=self.reshape)
elif save_path.endswith('.hdf5'):
load_variables(save_path, session=sess, var_list=self.var_list, reshape=self.reshape, ignore_missing=ignore_missing)
elif os.path.exists(save_path + '.npy') or os.path.exists(save_path + '-0.npy'):
load_weights(save_path, session=sess, var_list=self.var_list, reshape=self.reshape)
elif os.path.exists(save_path + '.hdf5'):
load_variables(save_path + '.hdf5', session=sess, var_list=self.var_list, reshape=self.reshape, ignore_missing=ignore_missing)
else:
raise Exception("Can't load checkpoint %s" % save_path)
def save(self,
sess,
save_path,
global_step=None,
latest_filename=None,
meta_graph_suffix="meta",
write_meta_graph=True,
write_state=True,
strip_default_attrs=False,
save_debug_info=False):
if global_step is not None:
name = '%s-%d.hdf5' % (save_path, global_step)
else:
name = '%s.hdf5' % save_path
save_variables(name, session=sess, var_list=self.var_list)
self.checkpoints.append(name)
if self.max_to_keep > 0:
while len(self.checkpoints) > self.max_to_keep:
fname = self.checkpoints[0]
if fname != name:
print('Truncating %s' % fname)
try:
with open(fname, "wb") as f:
pass
except:
print('Failed to truncate %s' % fname)
self.checkpoints = self.checkpoints[1:]
def fetch(self, sess, var_list=None):
if var_list == None:
var_list = self.var_list
for variables, values in fetch_variables(session=sess, var_list=var_list):
yield variables, values
def variables(self, sess, var_list=None):
if var_list == None:
var_list = self.var_list
for variables in partition_variables(session=sess, var_list=var_list):
yield variables
def assign(self, sess, variables, values):
return assign_values(variables, values, session=sess)
class Commands(object):
def __init__(self, path='commands'):
self.path = path
self.commands = []
self.args = []
self.keys = {}
self.frozen = False
def has(self, name, **keys):
if 'action' in keys:
action = keys.pop('action')
for name1, action1 in self.commands:
if name == name1 and action1 == action:
return True
else:
for name1, action1 in self.commands:
if name == name1:
return True
return False
def add(self, name, action=None):
if not self.has(name=name, action=action):
self.commands.append((name, action))
full = self.full_path(name)
maketree(full)
def full_path(self, name):
return os.path.join(self.path, name)
def check(self, *args, **keys):
if not self.frozen:
heartbeat()
ops = []
seen = set()
for name, action in self.commands:
full = self.full_path(name)
if not os.path.isdir(full):
if name not in seen:
seen.add(name)
ops.append(name)
for op in ops:
self.run(op, *args, **keys)
return ops
def run(self, op):
ran = False
for name, action in self.commands:
if name == op:
print('Running command', name, action)
if not ran:
full = self.full_path(op)
maketree(full)
ran = True
if action:
action()
if not ran:
raise Exception('Commands.execute failed: no such command: {}'.format(op))
def run_with_args(self, op, *args, **keys):
with CommandArgs(*args, **keys):
return self.run(op)
commander = None
def commands(**keys):
global commander
if commander is None:
commander = Commands()
cmds = keys.pop('commands') if 'commands' in keys else None
if cmds is not None:
for cmd in cmds:
action = None
if isinstance(cmd, str):
name = cmd
elif len(cmd) >= 2:
name, action = cmd
elif len(cmd) >= 1:
name = cmd[0]
else:
continue
commander.add(name=name, action=action)
return commander
class CommandArgs(object):
def __init__(self, *args, **keys):
self.args = list(args)
self.keys = keys.copy()
self.cmdr = commands()
def __enter__(self):
self.args_prev = self.cmdr.args
self.keys_prev = self.cmdr.keys
self.cmdr.args = self.args
self.cmdr.keys = self.keys
def __exit__(self, *excinfo):
self.cmdr.args = self.args_prev
self.cmdr.keys = self.keys_prev
def check_commands():
try:
cmdr = commands()
return cmdr.check()
except:
traceback.print_exc()
def check_commands_with_args(*args, **keys):
try:
cmdr = commands()
with CommandArgs(*args, **keys):
return cmdr.check()
except:
traceback.print_exc()
def add_command(name, action=None, **keys):
cmdr = commands()
return cmdr.add(name=name, action=action)
def register_command(*args, **keys):
fn = args[0]
if isinstance(fn, str):
add_command(fn)
else:
name = fn.__qualname__
name = name.replace('.<locals>.', '_command_')
if name.endswith('_command_save'):
name = 'save'
name = name.replace('___', '/')
action = fn
print(name, action)
add_command(name, action)
return fn
def has_command(name):
cmdr = commands()
return cmdr.has(name)
def run_command(command_name):
cmdr = commands()
return cmdr.run(command_name)
def run_command_with_args(command_name, *args, **keys):
cmdr = commands()
return cmdr.run_with_args(command_name, *args, **keys)
def command_arg(x, unset=None):
cmdr = commands()
if isinstance(x, int):
try:
return cmdr.args[x]
except:
return unset
else:
if x in cmdr.keys:
return cmdr.keys[x]
return unset
def command_args():
cmdr = commands()
return cmdr.args, cmdr.keys
@register_command
def attach_debugger():
import pdb
pdb.set_trace()
from pprint import pprint
@register_command
def print_status():
args, props = command_args()
for k, v in enumerate(args):
pprint(v)
for k, v in props.items():
pprint({k: v})
#
# return current UTC timestamp.
#
def utc():
from datetime import datetime