-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathfunction_status.py
459 lines (310 loc) · 13.6 KB
/
function_status.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
import textwrap
import time
import traceback
import shutil
import sys
from threading import Thread
from io import StringIO
from typing import Optional, Literal, List, NoReturn
from decorations import Colorize
class FunctionStatus:
"""
Represents the status of a function's execution and provides visualization tools.
The `FunctionStatus` class offers multiple ways to visualize or track the status
of a function's execution:
1. **Manual Usage**: For maximum customization, you can use the class directly
and call the methods in sequence:
- open: To open the status. Returns the formatted string.
- wrap: To wrap text inside the status. Returns the wrapped text as a string.
- close: To close the status. Returns the closed status string.
These methods return formatted strings, which can be particularly useful when
`print_out` is set to `False`, allowing manual handling and printing of the strings.
Example:
fs = FunctionStatus(name="Test")
status_open = fs.open
wrapped_text = fs.wrap("Function started...")
status_close = fs.close
2. **Context Manager**: For simplicity with limited customization, you can use
the class within a `with` statement. This ensures the correct order of operations
(`open`, `wrap`, `close`):
Example:
fs = FunctionStatus(name="Test")
with fs:
fs.wrap("Processing...")
3. **Decorator**: The decorator provides a way to wrap entire functions and capture
their stdout. It uses threading to maintain responsiveness and automatically
manages the opening, wrapping, and closing of the status:
@function_status(name = "some function")
def some_function():
pass
Attributes:
- name: A string representing the name of the function.
- width: An optional integer specifying the width of the status display.
If not provided, the default width is set to the width of the terminal.
- style: A string that can be either "line" or "box", determining the
style of the status display.
- status: An optional string representing the current status of the function.
- print_out: An optional boolean indicating whether to print the status
to the standard output. If set to `True`, the status will be printed
automatically; if `False`, the formatted status strings can be retrieved
and handled manually.
"""
def __init__(self,
name: str,
width: Optional[int] = None,
style: Literal["line", "box"] = "line",
status: Optional[str] = "PROCESSING",
print_out: Optional[bool] = True):
self._name = name
self._status = status
self._width = width if width else shutil.get_terminal_size().columns
self._style = style
self._print = print_out
self._state = "not_opened" # "not_opened", "opened", "text_wrapped", "closed"
def __enter__(self):
if not self._print:
raise ValueError("FunctionStatus context manager requires the 'print_out' attribute to be set to True")
self.open
def __exit__(self, exc_type, exc_value, exc_traceback):
if exc_type:
error_message = traceback.format_tb(exc_traceback, limit = 2)
for line in error_message:
self.wrap(line)
self._status = "ERROR"
elif self._status == "PROCESSING":
self._status = "SUCCESS"
self.close
return True
@property
def open(self) -> str:
if self._state != "not_opened":
raise RuntimeError("Object can't be opened again without closing.")
self._state = "opened"
if self._style == "line":
current_status = self._simple_line() + "\r"
else:
current_status = self._box_opening() + "\n" + self._box_closing() + "\r"
if self._print:
sys.stdout.write(current_status)
return current_status
def wrap(self, text):
if self._state not in ["opened", "wrapping"]:
raise RuntimeError("Object needs to be opened before wrapping.")
self._state = "wrapping"
current_status = ""
if self._style == "line":
self._style = "box"
current_status += self._box_opening() + "\n"
current_status += self._box_wrap(text) + "\n" + self._box_closing() + "\r"
if self._print:
sys.stdout.write(current_status)
return current_status
@property
def close(self):
if self._state not in ["opened", "wrapping"]:
raise RuntimeError("Object can't be closed without being opened.")
self._state = "closed"
current_status = self._simple_line() + "\n" if self._style == "line" else self._box_closing() + "\n"
if self._print:
sys.stdout.write(current_status)
return current_status
def set_status(self, new_status: str) -> NoReturn:
self._status = new_status
def _simple_line(self) -> str:
'''
dots amaount:
2 spaces around dots +
2 spaces in brackets +
brackets around status = 6
'''
error_line = "It's too tight, sempai"
base_string = "\r{name} {dots} [ {status} ]"
dots_amount = self._width - len(self._name) - len(self._status) - 6
line = base_string.format(
name = self._name,
dots = "." * dots_amount,
status = self._status)
return line if dots_amount > 5 else error_line
def _box_opening(self) -> str:
base_line = "\r┌ {name} {dashes}┐"
dashes_amount = self._width - len(self._name) - 4
line = base_line.format(
name = self._name,
dashes = "─" * dashes_amount)
return line
def _box_closing(self) -> str:
base_line = "\r└{dashes} [ {status} ] ┘"
dashes_amount = self._width - len(self._status) - 8
line = base_line.format(
status = self._status,
dashes = '─' * dashes_amount)
return line
def _box_wrap(self, text) -> str:
boxed_lines = []
lines = text.splitlines()
boxed_space = self._width - 4
for line in lines:
if not line.strip():
boxed_lines.append(f"│ {''.ljust(boxed_space)} │")
else:
wrapped_text = textwrap.fill(line, boxed_space)
for wrapped_line in wrapped_text.splitlines():
boxed_lines.append(f"│ {wrapped_line.ljust(boxed_space)} │")
return "\r" + "\n".join(boxed_lines)
def function_status(name: Optional[str] = None,
width: Optional[int] = None,
catch_interruption: Optional[bool] = False,
catch_exceptions: Optional[bool] = False,
colorize: Optional[bool] = True):
"""
A decorator that wraps a function to provide a real-time visual status of its execution.
This decorator captures the standard output (stdout) of the decorated function and
displays its execution status using the `FunctionStatus` class. It visually
represents the function's progress, providing real-time feedback to users about ongoing operations.
Utilizing threading, the decorator ensures that the decorated function runs without interruption,
while concurrently updating its status. This is especially beneficial for long-running functions where
real-time feedback is crucial.
The decorator also redirects the stdout of the function. Hence, any print statements or other outputs
from the function will be encapsulated and displayed within the status visualization class.
Parameters:
- name (str, optional): Specifies the name of the function. Defaults to the decorated function's name.
- width (int, optional): Sets the width of the status display. By default, it adjusts to the terminal's width.
- catch_interruption (bool, optional): Determines if the decorator should catch and handle keyboard
interruptions (KeyboardInterrupt). Defaults to False.
- catch_exceptions (bool, optional): Determines if the decorator should catch and display general exceptions
without halting the program. Defaults to False.
- colorize (bool, optional): If set to True, the status messages will be colorized for better visual feedback.
Defaults to True.
Returns:
- Callable: The decorated function, wrapped with real-time status visualization.
Example:
@function_status(name="Processing Data", width=50)
def process_data():
# function logic here
...
"""
...
def first_layer(func):
def second_layer(*args, **kwargs):
nonlocal name, width, catch_interruption, catch_exceptions
name = name if name else func.__name__
main_function_processing = True
func_result = None
error_message = None
def checking_thread():
while main_function_processing:
check_prints()
time.sleep(0.1)
def check_prints():
text = buffer.getvalue()
if text:
buffer.truncate(0)
buffer.seek(0)
wrapped_text = current_status.wrap(text)
original_stdout.write(wrapped_text)
current_status = FunctionStatus(name = name, width = width, print_out = False)
# Catching text output stream
original_stdout = sys.stdout
sys.stdout = buffer = StringIO()
original_stdout.write(current_status.open)
thread = Thread(target = checking_thread)
thread.start()
try:
func_result = func(*args, **kwargs)
new_status = Colorize(text = "SUCCESS", color = "green") if colorize else "SUCCESS"
current_status.set_status(new_status)
except SystemExit as e:
new_status = Colorize(text = "EXIT", color = "red", bold = True) if colorize else "EXIT"
current_status.set_status(new_status)
if str(e):
error_message = str(e)
raise
except KeyboardInterrupt as e:
new_status = Colorize(text = "ABORTED", color = "yellow") if colorize else "ABORTED"
current_status.set_status(new_status)
if str(e) != "KeyboardInterrupt":
error_message = str(e)
if not catch_interruption:
raise e from e
except Exception as e:
new_status = Colorize(text = "ERROR", color = "red") if colorize else "ERROR"
current_status.set_status(new_status)
if not catch_exceptions:
raise e from e
else:
error_message = traceback.format_exc(limit = -1)
finally:
main_function_processing = False
thread.join()
check_prints()
if error_message:
error_message = current_status.wrap(error_message)
original_stdout.write(error_message)
original_stdout.write(current_status.close)
# restoring text current_status stream
sys.stdout = original_stdout
buffer.close()
del(current_status)
return func_result
return second_layer
return first_layer
if __name__ == "__main__":
@function_status(name = "Basic line test")
def line_text():
pass
line_text()
@function_status()
def no_arguments_test():
pass
no_arguments_test()
@function_status(name = "Line error test")
def error_in_line():
1/0
try:
error_in_line()
except ZeroDivisionError as e:
pass
@function_status(name = "Catching error test", catch_exceptions = True)
def error_in_box():
print("Here must be this line, empty line, traceback for zero devision error", end = "\n\n")
1/0
error_in_box()
@function_status(name = "Text formatting test")
def formatting_test():
print("Testing multiple lines of text\n" * 3)
print("\tTesting tab character.")
print("Testing \tsplit tab characters.")
print("Testing carriage return: ABC\rXYZ")
print("Mixing\ttabs and\nnewlines.")
formatting_test()
@function_status(name = "Long Text Test")
def long_text_test():
for i in range(5):
print(f"This is a long line of text number {i}. " * 10)
time.sleep(0.2)
long_text_test()
@function_status(name = "Interrupt Test", catch_interruption = True)
def interruption_test():
print("Simulating a keyboard interrupt...")
raise KeyboardInterrupt
interruption_test()
@function_status(name = "Custom width line test", width = 60)
def custom_width_line():
pass
custom_width_line()
@function_status(name = "Custom wifth box test", width = 60)
def custom_width_box():
for i in range(5):
print(f"Intermittent print {i}")
time.sleep(0.5)
custom_width_box()
@function_status(name = "INTERRUPT ME", catch_interruption = True)
def long_function():
time.sleep(10)
print("text")
long_function()
@function_status(name = "Print & SystemExit")
def print_and_raise_error_function():
print("This function is printing this text and then raise the systemexit error")
raise SystemExit
print_and_raise_error_function()