-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathlogging_config.py
67 lines (53 loc) · 2.02 KB
/
logging_config.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
import logging
from functools import wraps
import os
def setup_logging(log_dir='logs', level=None, file_level=None, console_level=None):
if not os.path.exists(log_dir):
os.makedirs(log_dir)
log_file = os.path.join(log_dir, 'simulation.log')
# If old-style 'level' is provided, use it for both file and console
if level is not None:
file_level = file_level or level
console_level = console_level or level
else:
# Default levels if not specified
file_level = file_level or logging.DEBUG
console_level = console_level or logging.WARNING
# Create a logger
logger = logging.getLogger()
logger.setLevel(logging.DEBUG) # Set to lowest level to capture all logs
# Create file handler which logs even debug messages
fh = logging.FileHandler(log_file)
fh.setLevel(file_level)
# Create console handler with a higher log level
ch = logging.StreamHandler()
ch.setLevel(console_level)
# Create formatter and add it to the handlers
file_formatter = logging.Formatter('%(asctime)s - %(name)s - %(levelname)s - %(message)s')
console_formatter = logging.Formatter('%(name)s - %(levelname)s - %(message)s')
fh.setFormatter(file_formatter)
ch.setFormatter(console_formatter)
# Add the handlers to the logger
logger.addHandler(fh)
logger.addHandler(ch)
return logger
def get_logger(name):
return logging.getLogger(name)
def log_exceptions(func):
@wraps(func)
def wrapper(*args, **kwargs):
try:
return func(*args, **kwargs)
except Exception as e:
logging.exception(f"Exception occurred in {func.__name__}: {str(e)}")
raise
return wrapper
class SimulationError(Exception):
"""Base class for simulation-specific exceptions."""
pass
class WeatherError(SimulationError):
"""Raised when there's an issue with weather data."""
pass
class EnergyError(SimulationError):
"""Raised when there's an issue with energy calculations."""
pass