1 """Collecting Day and date-related items."""
2 from __future__ import annotations
3 from datetime import datetime, timedelta
4 from plomtask.exceptions import BadFormatException, NotFoundException
5 from plomtask.db import DatabaseConnection, BaseModel
7 DATE_FORMAT = '%Y-%m-%d'
10 def valid_date(date_str: str) -> str:
11 """Validate date against DATE_FORMAT or 'today', return in DATE_FORMAT."""
12 if date_str == 'today':
13 date_str = todays_date()
15 dt = datetime.strptime(date_str, DATE_FORMAT)
16 except (ValueError, TypeError) as e:
17 msg = f'Given date of wrong format: {date_str}'
18 raise BadFormatException(msg) from e
19 return dt.strftime(DATE_FORMAT)
22 def todays_date() -> str:
23 """Return current date in DATE_FORMAT."""
24 return datetime.now().strftime(DATE_FORMAT)
27 class Day(BaseModel[str]):
28 """Individual days defined by their dates."""
33 def __init__(self, date: str, comment: str = '') -> None:
34 self.id_: str = valid_date(date)
35 self.datetime = datetime.strptime(self.date, DATE_FORMAT)
36 self.comment = comment
38 def __eq__(self, other: object) -> bool:
39 return isinstance(other, self.__class__) and self.date == other.date
41 def __lt__(self, other: Day) -> bool:
42 return self.date < other.date
45 def all(cls, db_conn: DatabaseConnection,
46 date_range: tuple[str, str] = ('', ''),
47 fill_gaps: bool = False) -> list[Day]:
48 """Return list of Days in database within date_range."""
49 min_date = '2024-01-01'
50 max_date = '2030-12-31'
51 start_date = valid_date(date_range[0] if date_range[0] else min_date)
52 end_date = valid_date(date_range[1] if date_range[1] else max_date)
54 sql = 'SELECT id FROM days WHERE id >= ? AND id <= ?'
55 for row in db_conn.exec(sql, (start_date, end_date)):
56 days += [cls.by_id(db_conn, row[0])]
58 if fill_gaps and len(days) > 1:
60 for i, day in enumerate(days):
63 while day.next_date != days[i+1].date:
64 day = Day(day.next_date)
70 def by_id(cls, db_conn: DatabaseConnection,
71 date: str, create: bool = False) -> Day:
72 """Retrieve Day by date if in DB (prefer cache), else return None."""
73 day, _ = super()._by_id(db_conn, date)
75 assert isinstance(day, Day)
78 raise NotFoundException(f'Day not found for date: {date}')
81 assert isinstance(day, Day)
85 def date(self) -> str:
86 """Return self.id_ under the assumption it's a date string."""
90 def weekday(self) -> str:
91 """Return what weekday matches self.date."""
92 return self.datetime.strftime('%A')
95 def prev_date(self) -> str:
96 """Return date preceding date of this Day."""
97 prev_datetime = self.datetime - timedelta(days=1)
98 return prev_datetime.strftime(DATE_FORMAT)
101 def next_date(self) -> str:
102 """Return date succeeding date of this Day."""
103 next_datetime = self.datetime + timedelta(days=1)
104 return next_datetime.strftime(DATE_FORMAT)
106 def save(self, db_conn: DatabaseConnection) -> None:
107 """Add (or re-write) self to DB and cache."""
108 self.save_core(db_conn, update_with_lastrowid=False)