2020-10-20 04:56:57 +00:00
|
|
|
"""
|
|
|
|
Basic example to show how to print an traceback of an exception
|
|
|
|
"""
|
2020-10-23 16:20:05 +00:00
|
|
|
from typing import List, Tuple
|
2022-02-14 10:00:25 +00:00
|
|
|
|
2020-10-20 04:56:57 +00:00
|
|
|
from rich.console import Console
|
|
|
|
|
|
|
|
console = Console()
|
|
|
|
|
|
|
|
|
2020-10-23 16:20:05 +00:00
|
|
|
def divide_by(number: float, divisor: float) -> float:
|
|
|
|
"""Divide any number by zero."""
|
|
|
|
# Will throw a ZeroDivisionError if divisor is 0
|
|
|
|
result = number / divisor
|
2020-10-20 04:56:57 +00:00
|
|
|
return result
|
|
|
|
|
|
|
|
|
2020-10-23 16:20:05 +00:00
|
|
|
def divide_all(divides: List[Tuple[float, float]]) -> None:
|
|
|
|
"""Do something impossible every day."""
|
2021-08-03 16:37:10 +00:00
|
|
|
|
|
|
|
for number, divisor in divides:
|
|
|
|
console.print(f"dividing {number} by {divisor}")
|
|
|
|
try:
|
2020-10-23 16:20:05 +00:00
|
|
|
result = divide_by(number, divisor)
|
2021-08-03 16:37:10 +00:00
|
|
|
except Exception:
|
|
|
|
console.print_exception(extra_lines=8, show_locals=True)
|
|
|
|
else:
|
|
|
|
console.print(f" = {result}")
|
2020-10-23 16:20:05 +00:00
|
|
|
|
|
|
|
|
|
|
|
DIVIDES = [
|
|
|
|
(1000, 200),
|
|
|
|
(10000, 500),
|
2021-08-03 16:37:10 +00:00
|
|
|
(1, 0),
|
2020-10-23 16:20:05 +00:00
|
|
|
(0, 1000000),
|
|
|
|
(3.1427, 2),
|
2021-08-03 16:37:10 +00:00
|
|
|
(888, 0),
|
2022-02-14 10:03:44 +00:00
|
|
|
(2**32, 2**16),
|
2020-10-23 16:20:05 +00:00
|
|
|
]
|
|
|
|
|
2020-10-23 16:40:10 +00:00
|
|
|
divide_all(DIVIDES)
|