-
Notifications
You must be signed in to change notification settings - Fork 133
/
_stdio.py
1017 lines (841 loc) · 31.2 KB
/
_stdio.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
# coding: utf-8
# OceanBase Deploy.
# Copyright (C) 2021 OceanBase
#
# This file is part of OceanBase Deploy.
#
# OceanBase Deploy is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# OceanBase Deploy is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with OceanBase Deploy. If not, see <https://www.gnu.org/licenses/>.
from __future__ import absolute_import, division, print_function
import os
import re
import signal
import sys
import fcntl
import traceback
import inspect2
import six
import logging
from copy import deepcopy
from logging import handlers
from enum import Enum
from halo import Halo, cursor
from colorama import Fore
from prettytable import PrettyTable
from progressbar import AdaptiveETA, Bar, SimpleProgress, ETA, FileTransferSpeed, Percentage, ProgressBar
from types import MethodType
from inspect2 import Parameter
from log import Logger
if sys.version_info.major == 3:
raw_input = input
input = lambda msg: int(raw_input(msg))
class BufferIO(object):
def __init__(self, auto_clear=True):
self._buffer = []
self.auto_clear = auto_clear
self.closed = False
def isatty(self):
return False
def writable(self):
return not self.closed
def close(self):
self.closed = True
return self
def open(self):
self.closed = False
self._buffer = []
return self
def __enter__(self):
return self.open()
def __exit__(self, *args, **kwargs):
return self.close()
def write(self, s):
self._buffer.append(s)
def read(self, *args, **kwargs):
s = ''.join(self._buffer)
self.auto_clear and self.clear()
return s
def clear(self):
self._buffer = []
def flush(self):
self.auto_clear and self.clear()
return True
class SetBufferIO(BufferIO):
def write(self, s):
if s not in self._buffer:
return super(SetBufferIO, self).write(s)
class SysStdin(object):
NONBLOCK = False
STATS = None
FD = None
IS_TTY = None
@classmethod
def isatty(cls):
if cls.IS_TTY is None:
cls.IS_TTY = sys.stdin.isatty()
return cls.IS_TTY
@classmethod
def fileno(cls):
if cls.FD is None:
cls.FD = sys.stdin.fileno()
return cls.FD
@classmethod
def stats(cls):
if cls.STATS is None:
cls.STATS = fcntl.fcntl(cls.fileno(), fcntl.F_GETFL)
return cls.STATS
@classmethod
def nonblock(cls):
if cls.NONBLOCK is False:
fcntl.fcntl(cls.fileno(), fcntl.F_SETFL, cls.stats() | os.O_NONBLOCK)
cls.NONBLOCK = True
@classmethod
def block(cls):
if cls.NONBLOCK:
fcntl.fcntl(cls.fileno(), fcntl.F_SETFL, cls.stats())
cls.NONBLOCK = True
@classmethod
def readline(cls, blocked=False):
if blocked:
cls.block()
else:
cls.nonblock()
return cls._readline()
@classmethod
def read(cls, blocked=False):
return ''.join(cls.readlines(blocked=blocked))
@classmethod
def readlines(cls, blocked=False):
if blocked:
cls.block()
else:
cls.nonblock()
return cls._readlines()
@classmethod
def _readline(cls):
if cls.NONBLOCK:
try:
for line in sys.stdin:
return line
return ''
except IOError:
return ''
finally:
cls.block()
else:
return sys.stdin.readline()
@classmethod
def _readlines(cls):
if cls.NONBLOCK:
lines = []
try:
for line in sys.stdin:
lines.append(line)
except IOError:
pass
finally:
cls.block()
return lines
else:
return sys.stdin.readlines()
class FormatText(object):
def __init__(self, text, color):
self.text = text
self.color_text = color + text + Fore.RESET
def format(self, istty=True):
return self.color_text if istty else self.text
def __str__(self):
return self.format()
@staticmethod
def info(text):
return FormatText(text, Fore.BLUE)
@staticmethod
def success(text):
return FormatText(text, Fore.GREEN)
@staticmethod
def warning(text):
return FormatText(text, Fore.YELLOW)
@staticmethod
def error(text):
return FormatText(text, Fore.RED)
class LogSymbols(Enum):
INFO = FormatText.info('!')
SUCCESS = FormatText.success('ok')
WARNING = FormatText.warning('!!')
ERROR = FormatText.error('x')
class IOTable(PrettyTable):
@property
def align(self):
"""Controls alignment of fields
Arguments:
align - alignment, one of "l", "c", or "r" """
return self._align
@align.setter
def align(self, val):
if not self._field_names:
self._align = {}
elif isinstance(val, dict):
val_map = val
for field in self._field_names:
if field in val_map:
val = val_map[field]
self._validate_align(val)
else:
val = 'l'
self._align[field] = val
else:
if val:
self._validate_align(val)
else:
val = 'l'
for field in self._field_names:
self._align[field] = val
class IOHalo(Halo):
def __init__(self, text='', color='cyan', text_color=None, spinner='line', animation=None, placement='right', interval=-1, enabled=True, stream=sys.stdout):
super(IOHalo, self).__init__(text=text, color=color, text_color=text_color, spinner=spinner, animation=animation, placement=placement, interval=interval, enabled=enabled, stream=stream)
def start(self, text=None):
if getattr(self._stream, 'isatty', lambda : False)():
return super(IOHalo, self).start(text=text)
else:
text and self._stream.write(text)
def stop_and_persist(self, symbol=' ', text=None):
if getattr(self._stream, 'isatty', lambda : False)():
return super(IOHalo, self).stop_and_persist(symbol=symbol, text=text)
else:
self._stream.write(' %s\n' % symbol.format(istty=False))
def succeed(self, text=None):
return self.stop_and_persist(symbol=LogSymbols.SUCCESS.value, text=text)
def fail(self, text=None):
return self.stop_and_persist(symbol=LogSymbols.ERROR.value, text=text)
def warn(self, text=None):
return self.stop_and_persist(symbol=LogSymbols.WARNING.value, text=text)
def info(self, text=None):
return self.stop_and_persist(symbol=LogSymbols.INFO.value, text=text)
class IOProgressBar(ProgressBar):
@staticmethod
def _get_widgets(widget_type, text, istty=True):
if istty is False:
return [text]
elif widget_type == 'download':
return ['%s: ' % text, Percentage(), ' ', Bar(marker='#', left='[', right=']'), ' ', ETA(), ' ', FileTransferSpeed()]
elif widget_type == 'timer':
return ['%s: ' % text, Percentage(), ' ', Bar(marker='#', left='[', right=']'), ' ', AdaptiveETA()]
elif widget_type == 'simple_progress':
return ['%s: (' % text, SimpleProgress(sep='/'), ') ', Bar(marker='#', left='[', right=']')]
else:
return ['%s: ' % text, Percentage(), ' ', Bar(marker='#', left='[', right=']')]
def __init__(self, maxval=None, text='', term_width=None, poll=1, left_justify=True, stream=None, widget_type='download'):
self.stream_isatty = getattr(stream, 'isatty', lambda : False)()
super(IOProgressBar, self).__init__(maxval=maxval, widgets=self._get_widgets(widget_type, text, self.stream_isatty), term_width=term_width, poll=poll, left_justify=left_justify, fd=stream)
def start(self):
self._hide_cursor()
return super(IOProgressBar, self).start()
def update(self, value=None):
return super(IOProgressBar, self).update(value=value)
def finish(self):
if self.finished:
return
self.finished = True
self.update(self.maxval)
self._finish()
def interrupt(self):
if self.finished:
return
self._finish()
def _finish(self):
self.finished = True
self.fd.write('\n')
self._show_cursor()
if self.signal_set:
signal.signal(signal.SIGWINCH, signal.SIG_DFL)
def _need_update(self):
return (self.currval == self.maxval or self.currval == 0 or self.stream_isatty) and super(IOProgressBar, self)._need_update()
def _check_stream(self):
if self.fd.closed:
return False
try:
check_stream_writable = self.fd.writable
except AttributeError:
pass
else:
return check_stream_writable()
return True
def _hide_cursor(self):
"""Disable the user's blinking cursor
"""
if self._check_stream() and self.stream_isatty:
cursor.hide(stream=self.fd)
def _show_cursor(self):
"""Re-enable the user's blinking cursor
"""
if self._check_stream() and self.stream_isatty:
cursor.show(stream=self.fd)
class MsgLevel(object):
CRITICAL = 50
FATAL = CRITICAL
ERROR = 40
WARNING = 30
WARN = WARNING
INFO = 20
DEBUG = 10
VERBOSE = DEBUG
NOTSET = 0
class IO(object):
WIDTH = 64
VERBOSE_LEVEL = 0
WARNING_PREV = FormatText.warning('[WARN]')
ERROR_PREV = FormatText.error('[ERROR]')
def __init__(self,
level,
msg_lv=MsgLevel.DEBUG,
use_cache=False,
track_limit=0,
root_io=None,
input_stream=SysStdin,
output_stream=sys.stdout
):
self.level = level
self.msg_lv = msg_lv
self.default_confirm = False
self._log_path = None
self._trace_id = None
self._log_name = 'default'
self._trace_logger = None
self._log_cache = [] if use_cache else None
self._root_io = root_io
self.track_limit = track_limit
self._verbose_prefix = '-' * self.level
self.sync_obj = None
self.input_stream = None
self._out_obj = None
self._cur_out_obj = None
self._before_critical = None
self._exit_msg = ""
self._output_is_tty = False
self._input_is_tty = False
self._exit_buffer = SetBufferIO()
self.set_input_stream(input_stream)
self.set_output_stream(output_stream)
def isatty(self):
if self._root_io:
return self._root_io.isatty()
return self._output_is_tty and self._input_is_tty
def set_input_stream(self, input_stream):
if self._root_io:
return False
self.input_stream = input_stream
self._input_is_tty = input_stream.isatty()
def set_output_stream(self, output_stream):
if self._root_io:
return False
if self._cur_out_obj == self._out_obj:
self._cur_out_obj = output_stream
self._out_obj = output_stream
self._output_is_tty = output_stream.isatty()
return True
def init_trace_logger(self, log_path, log_name=None, trace_id=None, recreate=False):
if self._root_io:
return False
if self._trace_logger is None or recreate:
self._log_path = log_path
if log_name:
self._log_name = log_name
if trace_id:
self._trace_id = trace_id
self._trace_logger = None
return True
return False
def __getstate__(self):
state = {}
for key in self.__dict__:
state[key] = self.__dict__[key]
for key in ['_trace_logger', 'input_stream', 'sync_obj', '_out_obj', '_cur_out_obj', '_before_critical']:
state[key] = None
return state
@property
def trace_logger(self):
if self._root_io:
return self._root_io.trace_logger
if self.log_path and self._trace_logger is None:
self._trace_logger = Logger(self.log_name)
handler = handlers.TimedRotatingFileHandler(self.log_path, when='midnight', interval=1, backupCount=30)
if self.trace_id:
handler.setFormatter(logging.Formatter("[%%(asctime)s.%%(msecs)03d] [%s] [%%(levelname)s] %%(message)s" % self.trace_id, "%Y-%m-%d %H:%M:%S"))
else:
handler.setFormatter(logging.Formatter("[%%(asctime)s.%%(msecs)03d] [%%(levelname)s] %%(message)s", "%Y-%m-%d %H:%M:%S"))
self._trace_logger.addHandler(handler)
return self._trace_logger
@property
def trace_id(self):
if self._root_io:
return self._root_io.trace_id
return self._trace_id
@property
def log_path(self):
if self._root_io:
return self._root_io.log_path
return self._log_path
@property
def log_name(self):
if self._root_io:
return self._root_io.log_name
return self._log_name
@property
def log_cache(self):
if self._root_io:
self._root_io.log_cache
return self._log_cache
def before_close(self):
if self._before_critical:
try:
self._before_critical(self)
except:
pass
@property
def exit_msg(self):
return self._exit_msg
@exit_msg.setter
def exit_msg(self, msg):
self._exit_msg = msg
def _close(self):
self.before_close()
self._flush_cache()
if self.exit_msg:
self.print(self.exit_msg)
self.exit_msg = ""
self._flush_log()
def __del__(self):
self._close()
def exit(self, code):
self._close()
sys.exit(code)
def set_cache(self, status):
if status:
self._cache_on()
def _cache_on(self):
if self._root_io:
return False
if self.log_cache is None:
self._log_cache = []
return True
def _cache_off(self):
if self._root_io:
return False
if self.log_cache is not None:
self._flush_log()
self._log_cache = None
return True
def get_input_stream(self):
if self._root_io:
return self._root_io.get_input_stream()
return self.input_stream
def get_cur_out_obj(self):
if self._root_io:
return self._root_io.get_cur_out_obj()
return self._cur_out_obj
def get_exit_buffer(self):
if self._root_io:
return self._root_io.get_exit_buffer()
return self._exit_buffer
def _start_buffer_io(self):
if self._root_io:
return False
if self._cur_out_obj != self._out_obj:
return False
self._cur_out_obj = BufferIO()
return True
def _stop_buffer_io(self):
if self._root_io:
return False
if self._cur_out_obj == self._out_obj:
return False
text = self._cur_out_obj.read()
self._cur_out_obj = self._out_obj
if text:
self.print(text)
return True
@staticmethod
def set_verbose_level(level):
IO.VERBOSE_LEVEL = level
@property
def syncing(self):
if self._root_io:
return self._root_io.syncing
return self.sync_obj is not None
def _start_sync_obj(self, sync_clz, before_critical, *arg, **kwargs):
if self._root_io:
return self._root_io._start_sync_obj(sync_clz, before_critical, *arg, **kwargs)
if self.sync_obj:
return None
if not self._start_buffer_io():
return None
kwargs['stream'] = self._out_obj
try:
self.sync_obj = sync_clz(*arg, **kwargs)
self._before_critical = before_critical
except Exception as e:
self._stop_buffer_io()
raise e
return self.sync_obj
def _clear_sync_ctx(self):
self._stop_buffer_io()
self.sync_obj = None
self._before_critical = None
def _stop_sync_obj(self, sync_clz, stop_type, *arg, **kwargs):
if self._root_io:
ret = self._root_io._stop_sync_obj(sync_clz, stop_type, *arg, **kwargs)
self._clear_sync_ctx()
else:
if not isinstance(self.sync_obj, sync_clz):
return False
try:
ret = getattr(self.sync_obj, stop_type)(*arg, **kwargs)
except Exception as e:
raise e
finally:
self._clear_sync_ctx()
return ret
def start_loading(self, text, *arg, **kwargs):
if self.sync_obj:
return False
self.sync_obj = self._start_sync_obj(IOHalo, lambda x: x.stop_loading('fail'), *arg, **kwargs)
if self.sync_obj:
self.log(MsgLevel.INFO, text)
return self.sync_obj.start(text)
def stop_loading(self, stop_type, *arg, **kwargs):
if not isinstance(self.sync_obj, IOHalo):
return False
if getattr(self.sync_obj, stop_type, False):
return self._stop_sync_obj(IOHalo, stop_type, *arg, **kwargs)
else:
return self._stop_sync_obj(IOHalo, 'stop')
def update_loading_text(self, text):
if not isinstance(self.sync_obj, IOHalo):
return False
self.log(MsgLevel.VERBOSE, text)
self.sync_obj.text = text
return self.sync_obj
def start_progressbar(self, text, maxval, widget_type='download'):
if self.sync_obj:
return False
self.sync_obj = self._start_sync_obj(IOProgressBar, lambda x: x.finish_progressbar(), text=text, maxval=maxval, widget_type=widget_type)
if self.sync_obj:
self.log(MsgLevel.INFO, text)
return self.sync_obj.start()
def update_progressbar(self, value):
if not isinstance(self.sync_obj, IOProgressBar):
return False
return self.sync_obj.update(value)
def finish_progressbar(self):
if not isinstance(self.sync_obj, IOProgressBar):
return False
return self._stop_sync_obj(IOProgressBar, 'finish')
def interrupt_progressbar(self):
if not isinstance(self.sync_obj, IOProgressBar):
return False
return self._stop_sync_obj(IOProgressBar, 'interrupt')
def sub_io(self, msg_lv=None):
if msg_lv is None:
msg_lv = self.msg_lv
return self.__class__(
self.level + 1,
msg_lv=msg_lv,
track_limit=self.track_limit,
root_io=self._root_io if self._root_io else self
)
def print_list(self, ary, field_names=None, exp=lambda x: x if isinstance(x, (list, tuple)) else [x], show_index=False, start=0, **kwargs):
if not ary:
title = kwargs.get("title", "")
empty_msg = kwargs.get("empty_msg", "{} is empty.".format(title))
if empty_msg:
self.print(empty_msg)
return
show_index = field_names is not None and show_index
if show_index:
show_index.insert(0, 'idx')
table = IOTable(field_names, **kwargs)
for row in ary:
row = exp(row)
if show_index:
row.insert(start)
start += 1
table.add_row(row)
self.print(table)
def read(self, msg='', blocked=False):
if msg:
if self.syncing:
self.verbose(msg, end='')
else:
self._print(MsgLevel.INFO, msg, end='')
return self.get_input_stream().readline(not self.syncing and blocked)
def confirm(self, msg):
if self.default_confirm:
self.verbose("%s and then auto confirm yes" % msg)
return True
msg = '%s [y/n]: ' % msg
self.print(msg, end='')
if self.isatty() and not self.syncing:
while True:
try:
ans = self.get_input_stream().readline(blocked=True).strip().lower()
if ans == 'y':
return True
if ans == 'n':
return False
except Exception as e:
if not e:
return False
self.print(msg, end='')
else:
self.verbose("isatty: %s, syncing: %s, auto confirm: False" % (self.isatty(), self.syncing))
return False
def _format(self, msg, *args):
if args:
msg = msg % args
return msg
def _print(self, msg_lv, msg, *args, **kwargs):
if msg_lv < self.msg_lv:
return
if 'prev_msg' in kwargs:
print_msg = '%s %s' % (kwargs['prev_msg'], msg)
del kwargs['prev_msg']
else:
print_msg = msg
if kwargs.get('_on_exit'):
kwargs['file'] = self.get_exit_buffer()
del kwargs['_on_exit']
else:
kwargs['file'] = self.get_cur_out_obj()
if '_disable_log' in kwargs:
enaable_log = not kwargs['_disable_log']
del kwargs['_disable_log']
else:
enaable_log = True
kwargs['file'] and print(self._format(print_msg, *args), **kwargs)
del kwargs['file']
enaable_log and self.log(msg_lv, msg, *args, **kwargs)
def log(self, levelno, msg, *args, **kwargs):
msg = self.log_masking(msg)
self._cache_log(levelno, msg, *args, **kwargs)
def _cache_log(self, levelno, msg, *args, **kwargs):
if self.trace_logger:
log_cache = self.log_cache
lines = str(msg).split('\n')
for line in lines:
if log_cache is None:
self._log(levelno, line, *args, **kwargs)
else:
log_cache.append((levelno, line, args, kwargs))
def _flush_log(self):
if not self._root_io and self.trace_logger and self._log_cache:
for levelno, line, args, kwargs in self._log_cache:
self.trace_logger.log(levelno, line, *args, **kwargs)
self._log_cache = []
def _log(self, levelno, msg, *args, **kwargs):
if self.trace_logger:
self.trace_logger.log(levelno, msg, *args, **kwargs)
def _flush_cache(self):
if not self._root_io:
text = self._exit_buffer.read()
if text:
self.print(text, _disable_log=True)
def print(self, msg, *args, **kwargs):
self._print(MsgLevel.INFO, msg, *args, **kwargs)
def warn(self, msg, *args, **kwargs):
self._print(MsgLevel.WARN, msg, prev_msg=self.WARNING_PREV.format(self.isatty()), *args, **kwargs)
def error(self, msg, *args, **kwargs):
self._print(MsgLevel.ERROR, msg, prev_msg=self.ERROR_PREV.format(self.isatty()), *args, **kwargs)
def critical(self, msg, *args, **kwargs):
if 'code' in kwargs:
code = kwargs['code']
del kwargs['code']
else:
code = 255
self._print(MsgLevel.CRITICAL, '%s %s' % (self.ERROR_PREV, msg), *args, **kwargs)
if not self._root_io:
self.exit(code)
def contains_keys(self, msg):
keywords = ["IDENTIFIED", "PASSWORD", "CONNECT", "EXECUTER", "CLIENT"]
return any(keyword in msg.upper() for keyword in keywords)
def log_masking(self, msg):
regex = r"(-P\s*\S+\s+.*?-p\s*['\"]?|_PASSWORD\s*(=|to)\s*['\"]*|IDENTIFIED BY \S+.*args:\s*\[['\"]?|_password \S+.*args:\s*\[['\"]?)([^\s'\"']+)(['\"]*)"
pattern = re.compile(regex)
if isinstance(msg, str) and self.contains_keys(msg):
msg = pattern.sub(r"\1******\4", msg)
return msg
def verbose(self, msg, *args, **kwargs):
if self.level > self.VERBOSE_LEVEL:
self.log(MsgLevel.VERBOSE, '%s %s' % (self._verbose_prefix, msg), *args, **kwargs)
return
self._print(MsgLevel.VERBOSE, '%s %s' % (self._verbose_prefix, msg), *args, **kwargs)
if sys.version_info.major == 2:
def exception(self, msg='', *args, **kwargs):
import linecache
exception_msg = []
ei = sys.exc_info()
exception_msg.append('Traceback (most recent call last):')
stack = traceback.extract_stack()[self.track_limit:-2]
tb = ei[2]
while tb is not None:
f = tb.tb_frame
lineno = tb.tb_lineno
co = f.f_code
filename = co.co_filename
name = co.co_name
linecache.checkcache(filename)
line = linecache.getline(filename, lineno, f.f_globals)
tb = tb.tb_next
stack.append((filename, lineno, name, line))
for line in stack:
exception_msg.append(' File "%s", line %d, in %s' % line[:3])
if line[3]: exception_msg.append(' ' + line[3].strip())
lines = []
for line in traceback.format_exception_only(ei[0], ei[1]):
lines.append(line)
if lines:
exception_msg.append(''.join(lines))
if self.level <= self.VERBOSE_LEVEL:
print_stack = lambda m: self._print(MsgLevel.ERROR, m)
else:
print_stack = lambda m: self.log(MsgLevel.ERROR, m)
msg and self.error(msg)
print_stack('\n'.join(exception_msg))
else:
def exception(self, msg='', *args, **kwargs):
ei = sys.exc_info()
traceback_e = traceback.TracebackException(type(ei[1]), ei[1], ei[2], limit=None)
pre_stach = traceback.extract_stack()[self.track_limit:-2]
pre_stach.reverse()
for summary in pre_stach:
traceback_e.stack.insert(0, summary)
lines = []
for line in traceback_e.format(chain=True):
lines.append(line)
if self.level <= self.VERBOSE_LEVEL:
print_stack = lambda m: self._print(MsgLevel.ERROR, m)
else:
print_stack = lambda m: self.log(MsgLevel.ERROR, m)
msg and self.error(msg)
print_stack(''.join(lines))
class _Empty(object):
pass
EMPTY = _Empty()
del _Empty
class FakeReturn(object):
def __call__(self, *args, **kwargs):
return None
def __len__(self):
return 0
FAKE_RETURN = FakeReturn()
class StdIO(object):
def __init__(self, io=None):
self.io = io
self._attrs = {}
self._warn_func = getattr(self.io, "warn", print)
def __getattr__(self, item):
if item.startswith('__'):
return super(StdIO, self).__getattribute__(item)
if self.io is None:
if item == 'sub_io':
return self
else:
return FAKE_RETURN
if item not in self._attrs:
attr = getattr(self.io, item, EMPTY)
if attr is not EMPTY:
self._attrs[item] = attr
else:
is_tty = getattr(self._stream, 'isatty', lambda : False)()
self._warn_func(FormatText.warning("WARNING: {} has no attribute '{}'".format(self.io, item)).format(is_tty))
self._attrs[item] = FAKE_RETURN
return self._attrs[item]
FAKE_IO = StdIO()
def get_stdio(io_obj):
if io_obj is None:
return FAKE_IO
elif isinstance(io_obj, StdIO):
return io_obj
else:
return StdIO(io_obj)
def safe_stdio_decorator(default_stdio=None):
def decorated(func):
is_bond_method = False
_type = None
if isinstance(func, (staticmethod, classmethod)):
is_bond_method = True
_type = type(func)
func = func.__func__
all_parameters = inspect2.signature(func).parameters
if "stdio" in all_parameters:
default_stdio_in_params = all_parameters["stdio"].default
if not isinstance(default_stdio_in_params, Parameter.empty):
_default_stdio = default_stdio_in_params or default_stdio
def func_wrapper(*args, **kwargs):
_params_keys = list(all_parameters.keys())
_index = _params_keys.index("stdio")
if "stdio" not in kwargs and len(args) > _index:
stdio = get_stdio(args[_index])
tmp_args = list(args)
tmp_args[_index] = stdio
args = tuple(tmp_args)
else:
stdio = get_stdio(kwargs.get("stdio", _default_stdio))
kwargs["stdio"] = stdio
return func(*args, **kwargs)
return _type(func_wrapper) if is_bond_method else func_wrapper
else:
return _type(func) if is_bond_method else func
return decorated
class SafeStdioMeta(type):
@staticmethod
def _init_wrapper_func(func):
def wrapper(*args, **kwargs):
setattr(args[0], "_wrapper_func", {})
safe_stdio_decorator(FAKE_IO)(func)(*args, **kwargs)
if "stdio" in args[0].__dict__:
args[0].__dict__["stdio"] = get_stdio(args[0].__dict__["stdio"])
if func.__name__ != wrapper.__name__:
return wrapper
else:
return func
def __new__(mcs, name, bases, attrs):
for key, attr in attrs.items():
if key.startswith("__") and key.endswith("__"):
continue
if isinstance(attr, (staticmethod, classmethod)):
attrs[key] = safe_stdio_decorator()(attr)
cls = type.__new__(mcs, name, bases, attrs)
cls.__init__ = mcs._init_wrapper_func(cls.__init__)
return cls
class _StayTheSame(object):
pass
STAY_THE_SAME = _StayTheSame()
class SafeStdio(six.with_metaclass(SafeStdioMeta)):
_wrapper_func = {}
def __getattribute__(self, item):