Spaces:
Sleeping
Sleeping
File size: 8,601 Bytes
5ac1897 |
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 |
import time
import atexit
import inspect
import torch
from typing import Optional, Union, List
from pathlib import Path
from concurrent.futures import ThreadPoolExecutor
def fold_path(fn:str):
''' Fold a path like `from/to/file.py` to relative `f/t/file.py`. '''
return '/'.join([p[:1] for p in fn.split('/')[:-1]]) + '/' + fn.split('/')[-1]
def summary_frame_info(frame:inspect.FrameInfo):
''' Convert a FrameInfo object to a summary string. '''
return f'{frame.function} @ {fold_path(frame.filename)}:{frame.lineno}'
class TimeMonitorDisabled:
def foo(self, *args, **kwargs):
return
def __init__(self, log_folder:Optional[Union[str, Path]]=None, record_birth_block:bool=False):
self.tick = self.foo
self.report = self.foo
self.clear = self.foo
self.dump_statistics = self.foo
def __call__(self, *args, **kwargs):
return self
def __enter__(self):
return self
def __exit__(self, exc_type, exc_val, exc_tb):
return
class TimeMonitor:
'''
It is supposed to be used like this:
time_monitor = TimeMonitor()
with time_monitor('test_block', 'Block that does something.') as tm:
do_something()
time_monitor.report()
'''
def __init__(self, log_folder:Optional[Union[str, Path]]=None, record_birth_block:bool=False):
if log_folder is not None:
self.log_folder = Path(log_folder) if isinstance(log_folder, str) else log_folder
self.log_folder.mkdir(parents=True, exist_ok=True)
log_fn = self.log_folder / 'readable.log'
self.log_fh = open(log_fn, 'w') # Log file handler.
self.log_fh.write('=== New Exp ===\n')
else:
self.log_folder = None
self.clear()
self.current_block_uid_stack : List = [] # Unique block id stack for recording.
self.current_block_aid_stack : List = [] # Block id stack for accumulated cost analysis.
# Specially add a global start and end block.
self.record_birth_block = record_birth_block and log_folder is not None
if self.record_birth_block:
self.__call__('monitor_birth', 'Since the monitor is constructed.')
self.__enter__()
# Register the exit hook to dump the data safely.
atexit.register(self._die_hook)
def __call__(self, block_name:str, block_desc:Optional[str]=None):
''' Set up the name of the context for a block. '''
# 1. Format the block name.
block_name = block_name.replace('/', '-').replace(' ', '-')
block_name_recursive = '/'.join([s.split('/')[-1] for s in self.current_block_aid_stack] + [block_name]) # Tree structure block name.
# 2. Get a unique name for the block record.
block_postfixed = 0
while f'{block_name_recursive}_{block_postfixed}' in self.block_info:
block_postfixed += 1
# 3. Get the caller frame information.
caller_frame = inspect.stack()[1]
block_position = summary_frame_info(caller_frame)
# 4. Initialize the block information.
self.current_block_uid_stack.append(f'{block_name_recursive}_{block_postfixed}')
self.current_block_aid_stack.append(block_name)
self.block_info[self.current_block_uid_stack[-1]] = {
'records' : [],
'position' : block_position,
'desc' : block_desc,
}
return self
def __enter__(self):
caller_frame = inspect.stack()[1]
record = self._tick_record(caller_frame, 'Start of the block.')
self.block_info[self.current_block_uid_stack[-1]]['records'].append(record)
return self
def __exit__(self, exc_type, exc_val, exc_tb):
caller_frame = inspect.stack()[1]
record = self._tick_record(caller_frame, 'End of the block.')
self.block_info[self.current_block_uid_stack[-1]]['records'].append(record)
# Finish one block.
curr_block_uid = self.current_block_uid_stack.pop()
curr_block_aid = '/'.join(self.current_block_aid_stack)
self.current_block_aid_stack.pop()
self.finished_blocks.append(curr_block_uid)
elapsed = self.block_info[curr_block_uid]['records'][-1]['timestamp'] \
- self.block_info[curr_block_uid]['records'][0]['timestamp']
self.block_cost[curr_block_aid] = self.block_cost.get(curr_block_aid, 0) + elapsed
if hasattr(self, 'dump_thread'):
self.dump_thread.result()
with ThreadPoolExecutor() as executor:
self.dump_thread = executor.submit(self.dump_statistics)
def tick(self, desc:str=''):
'''
Record a intermediate timestamp. These records are only for in-block analysis,
and will be ignored when analyzing in global view.
'''
caller_frame = inspect.stack()[1]
record = self._tick_record(caller_frame, desc)
self.block_info[self.current_block_uid_stack[-1]]['records'].append(record)
return
def report(self, level:Union[str, List[str]]='global'):
import rich
caller_frame = inspect.stack()[1]
caller_info = summary_frame_info(caller_frame)
if isinstance(level, str):
level = [level]
for lv in level: # To make sure we can output in order.
if lv == 'block':
rich.print(f'[bold underline][EA-B][/bold underline] {caller_info} -> blocks level records:')
for block_name in self.finished_blocks:
msg = '\t' + self._generate_block_msg(block_name).replace('\n\t', '\n\t\t')
rich.print(msg)
elif lv == 'global':
rich.print(f'[bold underline][EA-G][/bold underline] {caller_info} -> global efficiency analysis:')
for block_name, cost in self.block_cost.items():
rich.print(f'\t{block_name}: {cost:.2f} sec')
def clear(self):
self.finished_blocks = []
self.block_info = {}
self.block_cost = {}
def dump_statistics(self):
''' Dump the logging raw data for post analysis. '''
if self.log_folder is None:
return
dump_fn = self.log_folder / 'statistics.pkl'
with open(dump_fn, 'wb') as f:
import pickle
pickle.dump({
'finished_blocks' : self.finished_blocks,
'block_info' : self.block_info,
'block_cost' : self.block_cost,
'curr_aid_stack' : self.current_block_aid_stack, # nonempty when when errors happen inside a block
}, f)
# TODO: Draw a graph to visualize the time consumption.
def _tick_record(self, caller_frame, desc:Optional[str]=''):
# 1. Generate the record.
torch.cuda.synchronize()
timestamp = time.time()
readable_time = time.strftime('%Y-%m-%d %H:%M:%S', time.localtime(timestamp))
position = summary_frame_info(caller_frame)
record = {
'time' : readable_time,
'timestamp' : timestamp,
'position' : position,
'desc' : desc,
}
# 2. Log the record.
if self.log_folder is not None:
block_uid = self.current_block_uid_stack[-1]
log_msg = f'[{readable_time}] ποΈ {block_uid} π {desc} π {position}'
self.log_fh.write(log_msg + '\n')
return record
def _generate_block_msg(self, block_name):
block_info = self.block_info[block_name]
block_position = block_info['position']
block_desc = block_info['desc']
records = block_info['records']
msg = f'ποΈ {block_name} π {block_desc} π {block_position}'
for rid, record in enumerate(records):
readable_time = record['time']
tick_desc = record['desc']
tick_position = record['position']
if rid > 0:
prev_record = records[rid-1]
tick_elapsed = record['timestamp'] - prev_record['timestamp']
tick_elapsed = f'{tick_elapsed:.2f} s'
else:
tick_elapsed = 'N/A'
msg += f'\n\t[{readable_time}] β³ {tick_elapsed} π {tick_desc} π {tick_position}'
return msg
def _die_hook(self):
if self.record_birth_block:
self.__exit__(None, None, None)
self.dump_statistics()
if self.log_folder is not None:
self.log_fh.close() |