-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathkkpyutil.py
executable file
·3064 lines (2651 loc) · 112 KB
/
kkpyutil.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 python
"""
Utility lib for personal projects, supports py3 only.
Covering areas:
- Logging;
- Config save/load;
- Decoupled parameter server-client arch;
"""
import ast
import cProfile as profile
# Import std-modules.
import collections
import concurrent.futures
import configparser
import copy
import csv
import datetime
import difflib
import fnmatch
import functools
import gettext
import glob
import hashlib
import importlib
import json
import linecache
import locale
import logging
import logging.config
import math
import multiprocessing
import operator
import os
import os.path as osp
import platform
import plistlib
import pprint as pp
import pstats
import queue
import re
import shutil
import signal
import string
import subprocess
import sys
import tempfile
import threading
import time
import tokenize
import traceback
import types
import typing
import urllib.parse
import urllib.request
import uuid
import warnings
from types import SimpleNamespace
# region globals
_script_dir = osp.abspath(osp.dirname(__file__))
TXT_CODEC = 'utf-8' # Importable.
LOCALE_CODEC = locale.getpreferredencoding()
MAIN_CFG_FILENAME = 'app.json'
DEFAULT_CFG_FILENAME = 'default.json'
PLATFORM = platform.system()
if PLATFORM == 'Windows':
import winreg
# endregion
# region classes
class ClassicSingleton:
_instances = {}
@classmethod
def instance(cls, *args, **kwargs):
if cls not in cls._instances:
# Create instance using `object.__new__` directly to avoid triggering overridden `__new__`
cls._instances[cls] = object.__new__(cls)
cls._instances[cls].__init__(*args, **kwargs)
return cls._instances[cls]
def __new__(cls, *args, **kwargs):
if cls in cls._instances:
# Allow the instance to exist if already created
return cls._instances[cls]
# Otherwise, raise error if someone tries to use `cls()` directly
raise RuntimeError("Use `cls.instance()` to access the singleton instance.")
class MetaSingleton(type):
"""
- usage: class MyClass(metaclass=MetaSingleton)
"""
_instances = {}
def __call__(cls, *args, **kwargs):
if cls not in cls._instances:
cls._instances[cls] = super(MetaSingleton, cls).__call__(*args, **kwargs)
return cls._instances[cls]
class BorgSingleton:
"""
- Borg pattern: all instances share the same state, but not the same identity
- override _shared_borg_state to avoid child polluting states of parent instances
- ref: https://www.geeksforgeeks.org/singleton-pattern-in-python-a-complete-guide/
"""
_shared_borg_state = {}
def __new__(cls, *args, **kwargs):
obj = super(BorgSingleton, cls).__new__(cls, *args, **kwargs)
obj.__dict__ = cls._shared_borg_state
return obj
class SingletonDecorator:
"""
- Decorator to build Singleton class, single-inheritance only.
- Usage:
class MyClass: ...
myobj = SingletonDecorator(MyClass, args, kwargs)
"""
def __init__(self, klass, *args, **kwargs):
self.klass = klass
self.instance = None
def __call__(self, *args, **kwargs):
if self.instance is None:
self.instance = self.klass(*args, **kwargs)
return self.instance
class ExceptableThread(threading.Thread):
def __init__(self, *args, **kwargs):
super().__init__(*args, **kwargs)
self.exception = None
def run(self):
try:
if self._target:
self._target(*self._args, **self._kwargs)
except Exception as e:
self.exception = e
def join(self, *args, **kwargs):
super().join(*args, **kwargs)
if self.exception:
raise self.exception
class LowPassLogFilter(object):
"""
Logging filter: Show log messages below input level.
- CRITICAL = 50
- FATAL = CRITICAL
- ERROR = 40
- WARNING = 30
- WARN = WARNING
- INFO = 20
- DEBUG = 10
- NOTSET = 0
"""
def __init__(self, level):
self.__level = level
def filter(self, log):
return log.levelno <= self.__level
class HighPassLogFilter(object):
"""Logging filter: Show log messages above input level."""
def __init__(self, level):
self.__level = level
def filter(self, log):
return log.levelno >= self.__level
class BandPassLogFilter(object):
def __init__(self, levelbounds):
self.__levelbounds = levelbounds
def filter(self, log):
return self.__levelbounds[0] <= log.levelno <= self.__levelbounds[1]
class OfflineJSON:
def __init__(self, file_path):
self.path = file_path
def exists(self):
return osp.isfile(self.path)
def load(self):
return load_json(self.path) if self.exists() else None
def save(self, data: dict):
save_json(self.path, data)
def merge(self, props: dict):
data = self.load()
if not data:
return self.save(props)
data.update(props)
self.save(data)
return data
def get_platform_tmp_dir():
plat_dir_map = {
'Windows': osp.join(str(os.getenv('LOCALAPPDATA')), 'Temp'),
'Darwin': osp.expanduser('~/Library/Caches'),
'Linux': '/tmp'
}
return plat_dir_map.get(PLATFORM)
class RerunLock:
"""
- Lock process from reentering when seeing lock file on disk
- use semaphore-like behaviour with an instance limit
- Because lockfile is created by pyutil, we also save the occupier pid and .py path (name) in it
- if name is a path, e.g., __file__, then lockfile will be named after its basename
"""
def __init__(self, name, folder=None, logger=None, max_instances=1):
folder = folder or osp.join(get_platform_tmp_dir(), '_util')
filename = f'lock_{extract_path_stem(name)}.{os.getpid()}.lock.json'
self.name = name
self.lockFile = osp.join(folder, filename)
self.nMaxInstances = max_instances
self.logger = logger or glogger
# CAUTION:
# - windows grpc server crashes with signals:
# - ValueError: signal only works in main thread of the main interpreter
# - signals are disabled for windows
if threading.current_thread() is threading.main_thread():
common_sigs = [
signal.SIGABRT,
signal.SIGFPE,
signal.SIGILL,
signal.SIGINT,
signal.SIGSEGV,
signal.SIGTERM,
]
plat_sigs = [
signal.SIGBREAK,
# CAUTION
# - CTRL_C_EVENT, CTRL_BREAK_EVENT not working on Windows
# signal.CTRL_C_EVENT,
# signal.CTRL_BREAK_EVENT,
] if PLATFORM == 'Windows' else [
# CAUTION:
# - SIGCHLD as an alias is safe to ignore
# - SIGKILL must be handled by os.kill()
signal.SIGALRM,
signal.SIGBUS,
# signal.SIGCHLD,
# - SIGCONT: CTRL+Z is allowed for bg process
# signal.SIGCONT,
signal.SIGHUP,
# signal.SIGKILL,
signal.SIGPIPE,
]
for sig in common_sigs + plat_sigs:
signal.signal(sig, self.handle_signal)
# cleanup zombie locks due to runtime exceptions
locks = [osp.basename(lock) for lock in glob.glob(osp.join(osp.dirname(self.lockFile), f'lock_{extract_path_stem(self.name)}.*.lock.json'))]
zombie_locks = [lock for lock in locks if not is_pid_running(int(lock.split(".")[1]))]
for lock in zombie_locks:
safe_remove(osp.join(osp.dirname(self.lockFile), lock))
def lock(self):
locks = [osp.basename(lock) for lock in glob.glob(osp.join(osp.dirname(self.lockFile), f'lock_{extract_path_stem(self.name)}.*.lock.json'))]
is_locked = len(locks) >= self.nMaxInstances
if is_locked:
locker_pids = [int(lock.split(".")[1]) for lock in locks]
self.logger.warning(f'{self.name} is locked by processes: {locker_pids}. Will block new instances until unlocked.')
return False
save_json(self.lockFile, {
'pid': os.getpid(),
'name': self.name,
})
# CAUTION: race condition: saving needs a sec, it's up to application to await lockfile
return True
def unlock(self):
try:
os.remove(self.lockFile)
except FileNotFoundError:
self.logger.warning(f'{self.name} already unlocked. Safely ignored.')
return False
except Exception:
failure = traceback.format_exc()
self.logger.error(f""""\
Failed to unlock {self.name}:
Details:
{failure}
Advice:
- Delete the lock by hand: {self.lockFile}""")
return False
return True
def unlock_all(self):
locks = glob.glob(osp.join(osp.dirname(self.lockFile), f'lock_{osp.basename(self.name)}.*.lock.json'))
for lock in locks:
os.remove(lock)
return True
def is_locked(self):
return osp.isfile(self.lockFile)
def handle_signal(self, sig, frame):
msg = f'Terminated due to signal: {signal.Signals(sig).name}; Will unlock'
self.logger.warning(msg)
self.unlock()
raise RuntimeError(msg)
class Tracer:
"""
- custom module-ignore rules
- trace calls and returns
- exclude first, then include
- usage: use in source code
- tracer = util.Tracer(exclude_funcname_pattern='stop')
- tracer.start()
- # add traceable code here
- tracer.stop()
"""
def __init__(self,
excluded_modules: set[str] = None,
exclude_filename_pattern: str = None,
include_filename_pattern: str = None,
exclude_funcname_pattern: str = None,
include_funcname_pattern: str = None,
trace_func=None,
exclude_builtins=True):
self.exclMods = {'builtins'} if excluded_modules is None else excluded_modules
self.exclFilePatt = re.compile(exclude_filename_pattern) if exclude_filename_pattern else None
self.inclFilePatt = re.compile(include_filename_pattern) if include_filename_pattern else None
self.exclFuncPatt = re.compile(exclude_funcname_pattern) if exclude_funcname_pattern else None
self.inclFuncPatt = re.compile(include_funcname_pattern) if include_funcname_pattern else None
self.traceFunc = trace_func
if exclude_builtins:
self.ignore_stdlibs()
def start(self):
sys.settrace(self.traceFunc or self._trace_calls_and_returns)
@staticmethod
def stop():
sys.settrace(None)
def ignore_stdlibs(self):
def _get_stdlib_module_names():
import distutils.sysconfig
stdlib_dir = distutils.sysconfig.get_python_lib(standard_lib=True)
return {f.replace(".py", "") for f in os.listdir(stdlib_dir)}
py_ver = sys.version_info
std_libs = set(sys.stdlib_module_names) if py_ver.major >= 3 and py_ver.minor >= 10 else _get_stdlib_module_names()
self.exclMods.update(std_libs)
def _trace_calls_and_returns(self, frame, event, arg):
"""
track hook for function calls. Usage:
sys.settrace(trace_calls_and_returns)
"""
if event not in ('call', 'return'):
return
module_name = frame.f_globals.get('__name__')
if module_name is not None and module_name in self.exclMods:
return
filename = frame.f_code.co_filename
if self.exclFilePatt and self.exclFuncPatt.search(filename):
return
if self.inclFilePatt and not self.inclFilePatt.search(filename):
return
func_name = frame.f_code.co_name
if self.exclFuncPatt and self.exclFuncPatt.search(func_name):
return
if self.inclFuncPatt and not self.inclFuncPatt.search(func_name):
return
line_number = frame.f_lineno
line = linecache.getline(filename, line_number).strip()
if event == 'call':
args = ', '.join(f'{arg}={repr(frame.f_locals[arg])}' for arg in frame.f_code.co_varnames[:frame.f_code.co_argcount])
print(f'Call: {module_name}.{func_name}({args}) - {line}')
return self._trace_calls_and_returns
print(f'Call: {module_name}.{func_name} => {arg} - {line}')
class Cache:
"""
cross-session caching: using temp-file to retrieve data based on hash changes
- constraints:
- data retrieval/parsing is expensive
- one cache per data-source
- cache is a mediator b/w app and data-source as a retriever only, cuz user's saving intent is always towards source, no need to cache a saving action
- for cross-session caching, save hash into cache, then when instantiate cache object, always load hash from cache to compare with incoming hash
- app must provide retriever function: retriever(src) -> json_data
- because it'd cost the same to retrieve data from a json-file source as from cache, so no json default is provided
- e.g., loading a complex tree-structure from a file:
- tree_cache = Cache('/path/to/file.tree', lambda: src: load_data(src), '/tmp/my_app')
- # ... later
- cached_tree_data = tree_cache.retrieve()
"""
def __init__(self, data_source, data_retriever, cache_dir=get_platform_tmp_dir(), cache_type='cache', algo='checksum', source_seed='6ba7b810-9dad-11d1-80b4-00c04fd430c8'):
assert algo in ['checksum', 'mtime']
self.srcURL = data_source
self.retriever = data_retriever
# use a fixed namespace for each data-source to ensure inter-session consistency
namespace = uuid.UUID(str(source_seed))
uid = str(uuid.uuid5(namespace, self.srcURL))
self.cacheFile = osp.join(cache_dir, f'{uid}.{cache_type}.json')
self.hashAlgo = algo
# first comparison needs
self.prevSrcHash = load_json(self.cacheFile).get('hash') if osp.isfile(self.cacheFile) else None
def retrieve(self):
if self._compare_hash():
return self.update()
return load_json(self.cacheFile)['data']
def update(self):
"""
- update cache directly
- useful when app needs to force update cache
"""
data = self.retriever(self.srcURL)
container = {
'data': data,
'hash': self.prevSrcHash,
}
save_json(self.cacheFile, container)
return data
def _compare_hash(self):
in_src_hash = self._compute_hash()
if changed := in_src_hash != self.prevSrcHash or self.prevSrcHash is None:
self.prevSrcHash = in_src_hash
return changed
def _compute_hash(self):
hash_algo_map = {
'checksum': self._compute_hash_as_checksum,
'mtime': self._compute_hash_as_modified_time,
}
return hash_algo_map[self.hashAlgo]()
def _compute_hash_as_checksum(self):
return get_md5_checksum(self.srcURL)
def _compute_hash_as_modified_time(self):
try:
return osp.getmtime(self.srcURL)
except FileNotFoundError:
return None
# endregion
# region functions
def get_platform_home_dir():
home_envvar = 'USERPROFILE' if PLATFORM == 'Windows' else 'HOME'
return os.getenv(home_envvar)
def get_platform_appdata_dir(winroam=True):
plat_dir_map = {
'Windows': os.getenv('APPDATA' if winroam else 'LOCALAPPDATA'),
'Darwin': osp.expanduser('~/Library/Application Support'),
'Linux': osp.expanduser('~/.config')
}
return plat_dir_map.get(PLATFORM)
def get_posix_shell_cfgfile():
return os.path.expanduser('~/.bash_profile' if os.getenv('SHELL') == '/bin/bash' else '~/.zshrc')
def build_default_logger(logdir, name=None, verbose=False):
"""
create logger sharing global logging config except log file path
- 'filename' in config is a filename; must prepend folder path to it.
- name is log-id in config, and will get overwritten by subsequent in-process calls; THEREFORE, never build logger with the same name twice!
"""
os.makedirs(logdir, exist_ok=True)
filename = name or osp.basename(osp.basename(logdir.strip('\\/')))
log_path = osp.join(logdir, f'{filename}.log')
logging_config = {
"version": 1,
"disable_existing_loggers": False,
"filters": {
"info_lpf": {
"()": "kkpyutil.LowPassLogFilter",
"level": 10 if verbose else 20,
},
"info_bpf": {
"()": "kkpyutil.BandPassLogFilter",
"levelbounds": [10, 20] if verbose else [20, 20],
},
"warn_hpf": {
"()": "kkpyutil.HighPassLogFilter",
"level": 30
}
},
"formatters": {
"console": {
"format": "%(asctime)s: %(levelname)s: %(module)s: %(lineno)d: \n%(message)s\n"
},
"file": {
"format": "%(asctime)s: %(levelname)s: %(pathname)s: %(lineno)d: \n%(message)s\n"
}
},
"handlers": {
"console": {
"level": "DEBUG" if verbose else "INFO",
"formatter": "console",
"class": "logging.StreamHandler",
"stream": "ext://sys.stdout",
"filters": ["info_bpf"]
},
"console_err": {
"level": "WARN",
"formatter": "console",
"class": "logging.StreamHandler",
"stream": "ext://sys.stderr",
"filters": ["warn_hpf"]
},
# filename gets overwritten every call
"file": {
"level": "DEBUG",
"formatter": "file",
"class": "logging.FileHandler",
"encoding": "utf-8",
"filename": log_path
}
},
"loggers": {
"": {
"handlers": ["console", "console_err", "file"],
"level": "INFO",
"propagate": True
},
# do not show log in parent loggers
"default": {
"handlers": ["console", "console_err", "file"],
"level": "DEBUG",
"propagate": False
}
}
}
if name:
logging_config['loggers'][name] = logging_config['loggers']['default']
logging.config.dictConfig(logging_config)
return logging.getLogger(name or 'default')
def find_log_path(logger):
return next((handler.baseFilename for handler in logger.handlers if isinstance(handler, logging.FileHandler)), None)
glogger = build_default_logger(logdir=osp.join(get_platform_tmp_dir(), '_util'), name='util', verbose=True)
glogger.setLevel(logging.DEBUG)
def catch_unknown_exception(exc_type, exc_value, exc_traceback):
"""Global exception to handle uncaught exceptions"""
exc_info = exc_type, exc_value, exc_traceback
glogger.error('Unhandled exception: ', exc_info=exc_info)
# _logger.exception('Unhandled exception: ') # try-except block only.
# sys.__excepthook__(*exc_info) # Keep commented out to avoid msg dup.
sys.excepthook = catch_unknown_exception
def format_brief(title='', bullets=()):
"""
- create readable brief:
title:
- bullet 1
- bullet 2
- indent: 1 indent = 2 spaces
- if brief is nested, we don't add bullet to title for simplicity
"""
ttl = title if title else ''
if not bullets:
return ttl
lst = '\n'.join([f'- {p}' for p in bullets])
return f"""{ttl}:
{lst}""" if ttl else lst
def indent_lines(lines, indent=1):
"""
- indent: 1 indent = 2 spaces
"""
return [f'{" " * indent}{line}' for line in lines]
def format_log(situation, detail=None, advice=None, reso=None):
"""
generic log message for all error levels
- situation: one sentence about what happened (e.g. 'file not found', 'op completed'), useful for info level if used alone
- detail: usually a list of facts, can be list or brief
- advice: how to fix the problem, useful for warning/error levels
- reso: what program ends up doing to resolve a problem, useful for error level
"""
def _lazy_create_list(atitle, content):
# if content is a list, we first format_brief it, then indent it
if isinstance(content, list):
return format_brief(atitle, content)
# if content is a string, we indent it as lines
le = '\n'
return f"""\
{atitle}:
{le.join(indent_lines(content.splitlines() if isinstance(content, str) else content))}"""
title = situation
body = ''
if detail is not None:
body += f"{_lazy_create_list('Detail', detail)}\n"
if advice is not None:
body += f"{_lazy_create_list('Advice', advice)}\n"
if reso is not None:
body += f"{_lazy_create_list('Done-for-you', reso)}\n"
if body:
title += ':'
return f"""\
{title}
{body}"""
def format_error(expected, got):
"""
- indent by 1 level because titled-diagnostics usually appear below a parent title as part of a detail listing
"""
log_expected = format_brief('Expected', expected if isinstance(expected, list) else [expected])
log_got = format_brief('Got', got if isinstance(got, list) else [got])
return f"""\
{log_expected}
{log_got}"""
def format_xml(elem, indent=' ', encoding='utf-8'):
import xml.etree.ElementTree as ET
from xml.dom import minidom
rough_string = ET.tostring(elem, encoding)
reparsed = minidom.parseString(rough_string)
raw = reparsed.toprettyxml(indent=indent, encoding=encoding).decode(encoding)
lines = raw.split('\n')
non_empty_lines = [line for line in lines if line.strip() != '']
return '\n'.join(non_empty_lines)
def format_callstack():
"""
- traceback in worker thread is hard to propagate to main thread
- so we wrap around inspect.stack() before passing it
"""
import inspect
stack = inspect.stack()
formatted_stack = []
for frame_info in reversed(stack): # Reverse to match traceback's order
filename = frame_info.filename
lineno = frame_info.lineno
function = frame_info.function
code_context = frame_info.code_context[0].strip() if frame_info.code_context else ''
# Format each frame like traceback
formatted_stack.append(f' File "{filename}", line {lineno}, in {function}\n {code_context}\n')
return ''.join(formatted_stack)
def throw(err_cls, detail, advice):
raise err_cls(f"""
{format_brief('Detail', detail if isinstance(detail, list) else [detail])}
{format_brief('Advice', advice if isinstance(advice, list) else [advice])}""")
def is_python3():
return sys.version_info[0] > 2
def load_json(path, as_namespace=False, encoding=TXT_CODEC):
"""
- Load Json configuration file.
- supports UTF-8 only, due to no way to support mixed encodings
- most usecases involve either utf-8 or mixed encodings
- windows users must fix their region and localization setup via control panel
"""
with open(path, 'r', encoding=encoding, errors='backslashreplace', newline=None) as f:
text = f.read()
return json.loads(text) if not as_namespace else json.loads(text, object_hook=lambda d: SimpleNamespace(**d))
def save_json(path, config, encoding=TXT_CODEC):
"""
Use io.open(), aka open() with py3 to produce a file object that encodes
Unicode as you write, then use json.dump() to write to that file.
Validate keys to avoid JSON and program out-of-sync.
"""
dict_config = vars(config) if isinstance(config, types.SimpleNamespace) else config
par_dir = osp.split(path)[0]
os.makedirs(par_dir, exist_ok=True)
with open(path, 'w', encoding=encoding) as f:
return json.dump(dict_config, f, ensure_ascii=False, indent=4)
def get_md5_checksum(file):
"""Compute md5 checksum of a file."""
if not osp.isfile(file):
return None
myhash = hashlib.md5()
with open(file, 'rb') as f:
while True:
b = f.read(8096)
if not b:
break
myhash.update(b)
return myhash.hexdigest()
def logcall(msg='trace', logger=glogger):
"""
decorator for tracing app-domain function calls. Usage
@logcall(msg='my task', logger=my_logger)
def my_func():
...
- only shows enter/exit
- can be interrupted by exceptions
"""
def wrap(function):
@functools.wraps(function)
def wrapper(*args, **kwargs):
logger.debug(f"Enter: '{function.__name__}' <= args={args}, kwargs={kwargs}: {msg}")
ret = function(*args, **kwargs)
logger.debug(f"Exit: '{function.__name__}' => {ret}")
return ret
return wrapper
return wrap
def is_toplevel_function(func):
return func.__qualname__ == func.__name__
def concur_map(worker, coll, worker_count=None, iobound=True, logger=None):
"""
- concurrent version of builtin map()
- due to GIL, threading is only good for io-bound tasks
- map function interface: worker((index, elem)) -> processed_elem
"""
if not iobound:
assert is_toplevel_function(worker), 'must use top-level function as multiprocessing worker'
max_workers = 10 if iobound else multiprocessing.cpu_count() - 1
n_workers = worker_count or max_workers
executor_class = concurrent.futures.ThreadPoolExecutor if iobound else concurrent.futures.ProcessPoolExecutor
if logger:
logger.debug(f'Concurrently run task: {worker.__name__} on collection, using {n_workers} {"threads" if iobound else "processes"} ...')
with executor_class(max_workers=n_workers) as executor:
return list(executor.map(worker, enumerate(coll)))
def profile_runs(funcname, modulefile, nruns=5, outdir=None):
"""
- modulefile: script containing profileable wrapper functions
- funcname: arg-less wrapper function that instantiate modules/functions as the actual profiling target
"""
out_dir = outdir or osp.dirname(modulefile)
module_name = osp.splitext(osp.basename(modulefile))[0]
mod = safe_import_module(module_name, osp.dirname(modulefile))
stats_dir = osp.join(out_dir, 'stats')
os.makedirs(stats_dir, exist_ok=True)
for r in range(nruns):
stats_file = osp.abspath(f'{stats_dir}/profile_{funcname}_{r}.pstats.log')
profile.runctx('import {}; print({}, {}.{}())'.format(module_name, r, module_name, funcname), globals(), locals(), stats_file)
# Read all 5 stats files into a single object
stats = pstats.Stats(osp.abspath(f'{stats_dir}/profile_{funcname}_0.pstats.log'))
for r in range(1, nruns):
stats.add(osp.abspath(f'{stats_dir}/profile_{funcname}_{r}.pstats.log'))
# Clean up filenames for the report
stats.strip_dirs()
# Sort the statistics by the cumulative time spent in the function
stats.sort_stats('cumulative')
stats.print_stats()
return stats
def load_plist(path, binary=False):
fmt = plistlib.FMT_BINARY if binary else plistlib.FMT_XML
with open(path, 'rb') as fp:
return plistlib.load(fp, fmt=fmt)
def save_plist(path, my_map, binary=False):
fmt = plistlib.FMT_BINARY if binary else plistlib.FMT_XML
par_dir = osp.dirname(path)
os.makedirs(par_dir, exist_ok=True)
with open(path, 'wb') as fp:
plistlib.dump(my_map, fp, fmt=fmt)
def substitute_keywords_in_file(file, str_map, useliteral=False, encoding=TXT_CODEC):
with open(file, encoding=encoding) as f:
original = f.read()
updated = substitute_keywords(original, str_map, useliteral)
with open(file, 'w', encoding=encoding) as f:
f.write(updated)
def substitute_keywords(text, str_map, useliteral=False):
if not useliteral:
return text % str_map
updated = text
for src, dest in str_map.items():
updated = updated.replace(src, dest)
return updated
def is_uuid(text, version: int = 0):
try:
uuid_obj = uuid.UUID(text)
except ValueError:
# not an uuid
return False
return uuid_obj.version == version if (any_version := version != 0) else True
def get_uuid_version(text):
try:
uuid_obj = uuid.UUID(text)
except ValueError:
# not an uuid
return None
return uuid_obj.version
def create_guid(uuid_version=4, uuid5_name=None):
if uuid_version not in [1, 4, 5]:
return None
if uuid_version == 5:
if uuid5_name is None:
return None
namespace = uuid.UUID(str(uuid.uuid4()))
uid = uuid.uuid5(namespace, uuid5_name)
return get_guid_from_uuid(uid)
uid = eval(f'uuid.uuid{uuid_version}()')
return get_guid_from_uuid(uid)
def get_guid_from_uuid(uid):
return f'{{{str(uid).upper()}}}'
def get_clipboard_content():
import tkinter as tk
root = tk.Tk()
# keep the window from showing
root.withdraw()
content = root.clipboard_get()
root.quit()
return content
def alert(content, title='Debug', action='Close'):
"""
- on Windows, mshta msgbox does not support custom button text
- so "action" is ignored on windows
- multiline message uses \n as line separator
- mshta (ms html application host) tend to open vbs using text editor; so we use dedicated vbscript cli instead
"""
if PLATFORM == 'Windows':
# vbs uses its own line-end
lines = [f'"{line}"' for line in content.split('\n')]
vbs_lines = ' & vbCrLf & '.join(lines)
# Construct the VBScript command for the message box
vbs_content = f'MsgBox {vbs_lines}, vbOKOnly, "{title}"'
vbs = osp.join(get_platform_tmp_dir(), 'msg.vbs')
save_text(vbs, vbs_content)
cmd = ['cscript', '//Nologo', vbs]
subprocess.run(cmd)
os.remove(vbs)
return cmd
if PLATFORM == 'Darwin':
cmd = ['osascript', '-e', f'display alert "{title}" message "{content}"']
else:
cmd = ['echo', f'{title}: {content}: {action}']
return subprocess.run(cmd)
def confirm(situation, question='Do you want to proceed?', title='Question'):
if PLATFORM == 'Windows':
# Escaping double quotes within the VBScript
escaped_sit = situation.replace('"', '""')
escaped_question = question.replace('"', '""')
escaped_title = title.replace('"', '""')
# PowerShell command to execute VBScript code in-memory
ps_command = (
f"$wshell = New-Object -ComObject WScript.Shell; "
f"$result = $wshell.Popup(\"{escaped_sit}\n\n{escaped_question}\", 0, \"{escaped_title}\", 4); "
f"exit $result"
)
# Running the PowerShell command
try:
result = subprocess.run(["powershell", "-Command", ps_command], capture_output=True, text=True)
# VBScript Popup returns 6 for "Yes" and 7 for "No"
return result.returncode == 6
except subprocess.CalledProcessError:
return False
elif PLATFORM == 'Darwin':
try:
cmd = f'osascript -e \'tell app "System Events" to display dialog "{situation}\n\n{question}" with title "{title}" buttons {{"No", "Yes"}} default button "Yes"\''
result = subprocess.check_output(cmd, shell=True).decode().strip()
return 'Yes' in result # Returns True if 'Yes' was clicked
except subprocess.CalledProcessError:
return False # Handle case where dialog is closed without making a selection
else:
# Other OS implementation (if needed)
pass
def convert_to_wine_path(path, drive=None):
"""
- path is a macOS-style POSIX full path, e.g.
- ~/path/to/file
- /path/to
- on windows, ~/path/to/file is
"""
full_path = osp.expanduser(path)
assert osp.isabs(full_path), f'expected absolute paths, got: {full_path}'
home_folder = os.environ['USERPROFILE'] if PLATFORM == 'Windows' else os.environ['HOME']
if leading_homefolder := full_path.startswith(home_folder):
mapped_drive = drive or 'Y:'
full_path = full_path.removeprefix(home_folder)
else:
mapped_drive = drive or 'Z:'
full_path = full_path.replace('/', '\\')
return mapped_drive + full_path
def convert_from_wine_path(path):
"""
- on windows, we still expand to macOS virtual drive letters
- use POSIX path separator /
"""
path = path.strip()
if path.startswith('Z:') or path.startswith('z:'):
return path[2:].replace('\\', '/') if len(path) > 2 else '/'
elif path.startswith('Y:') or path.startswith('y:'):
home_folder = '~/' if PLATFORM == 'Windows' else os.environ['HOME']
return osp.join(home_folder, path[2:].replace('\\', '/').strip('/'))
return path
def kill_process_by_name(name, forcekill=False):
cmd_map = {
'Windows': {
'softKill': ['taskkill', '/IM', name],
'hardKill': ['wmic', 'process', 'where', f"name='{name}'", 'delete'],
},
"*": {
'softKill': ['pkill', name],
'hardKill': ['pkill', '-9', name],
}
}
return_codes = {
'success': 0,
'procNotFound': 1,
'permissionDenied': 2,
'unknownError': 3, # triggered when softkilling a system process
}
plat = PLATFORM if PLATFORM in cmd_map else '*'
cmd = cmd_map[plat]['hardKill'] if forcekill else cmd_map[plat]['softKill']
if plat == '*':
proc = run_cmd(["pgrep", "-x", name], check=False)
if proc.returncode != 0:
return return_codes['procNotFound']
proc = run_cmd(cmd, check=False)
if 'not permitted' in (err_log := safe_decode_bytes(proc.stderr).lower()):
return return_codes['permissionDenied']