-
Notifications
You must be signed in to change notification settings - Fork 35
/
Copy pathfeedsource.py
242 lines (199 loc) · 7.42 KB
/
feedsource.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
"""Feed source class to be used in tests."""
import json
from datetime import datetime, timedelta
from functools import cached_property
from pathlib import Path
from typing import Any
import yaml
from constants import (
DATA_PATH,
DATE_FORMAT,
DEFAULT_EXCLUSIONS,
DEFAULT_INCLUSIONS,
TEST_HASS_PATH,
)
yaml.Dumper.ignore_aliases = lambda *args: True # type: ignore[method-assign] # noqa: ARG005, E501
class FeedSource:
"""Feed source."""
feed_storage = DATA_PATH
def __init__(self: "FeedSource", data: dict) -> None:
"""Initialize."""
self.raw = data
def __repr__(self: "FeedSource") -> str:
"""Return representation."""
return f"<FeedSource {self.name}>"
@property
def sensor_config(self: "FeedSource") -> "FeedConfig":
"""Return sensor_config."""
return FeedConfig(self.raw["sensor_config"])
@property
def name(self: "FeedSource") -> str:
"""Return name."""
return self.sensor_config.name
@property
def url(self: "FeedSource") -> str:
"""Return url."""
return self.sensor_config.url
@property
def path(self: "FeedSource") -> Path:
"""Return path of the RSS feed file in a XML format."""
return self.feed_storage / f"{self.name}.xml"
@property
def metadata_path(self: "FeedSource") -> Path:
"""Return metadata path."""
return self.feed_storage / f"{self.name}.json"
@cached_property
def metadata(self: "FeedSource") -> dict:
"""Return metadata."""
return json.loads(self.metadata_path.read_text())
@property
def text(self: "FeedSource") -> str:
"""Return text."""
return self.path.read_text()
@property
def download_date(self: "FeedSource") -> datetime:
"""Return download date."""
try:
return datetime.fromisoformat(self.metadata["download_date"])
except KeyError as ke:
msg = (
f"download_date not found in {self.metadata_path}. "
"Is feed metadata downloaded?"
)
raise KeyError(
msg,
) from ke
@property
def has_images(self: "FeedSource") -> bool:
"""Return has_images."""
return self.metadata.get("has_images", False)
@property
def all_entries_have_images(self: "FeedSource") -> bool:
"""Return all_entries_have_images."""
return self.metadata.get("all_entries_have_images", True)
@property
def all_entries_have_summary(self: "FeedSource") -> bool:
"""Return all_entries_have_summary."""
return self.metadata.get("all_entries_have_summary", True)
@property
def has_unique_links(self: "FeedSource") -> bool:
"""Return has_unique_links."""
return self.metadata.get("has_unique_links", True)
@property
def has_unique_titles(self: "FeedSource") -> bool:
"""Return has_unique_titles."""
return self.metadata.get("has_unique_titles", True)
@property
def has_unique_images(self: "FeedSource") -> bool:
"""Return has_unique_images."""
return self.metadata.get("has_unique_images", True)
@property
def has_unique_dates(self: "FeedSource") -> bool:
"""Return has_unique_dates."""
return self.metadata.get("has_unique_dates", True)
@property
def has_images_in_summary(self: "FeedSource") -> bool:
"""Return has_images_in_summary."""
return self.metadata.get("has_images_in_summary", False)
@property
def _common_config(self: "FeedSource") -> dict[str, str | int | bool | list[str]]:
"""Return common config."""
return {
"name": self.name,
"date_format": self.sensor_config.date_format,
"show_topn": self.sensor_config.show_topn,
"remove_summary_image": self.sensor_config.remove_summary_image,
"inclusions": self.sensor_config.inclusions,
"exclusions": self.sensor_config.exclusions,
"local_time": self.sensor_config.local_time,
}
@property
def feed_parser_sensor_config(
self: "FeedSource",
) -> dict[str, str | int | bool | list[str]]:
"""Generate sensor config for the FeedParserSensor constructor."""
return self._common_config | {
"feed": self.url,
"scan_interval": self.sensor_config.scan_interval,
}
@property
def sensor_config_local_feed(
self: "FeedSource",
) -> dict[str, str | int | bool | list[str]]:
"""Gen. sensor config for the FeedParserSensor constructor with local feed."""
return self.feed_parser_sensor_config | {"feed": self.path.absolute().as_uri()}
@property
def ha_config_entry(self: "FeedSource") -> dict[str, Any]:
"""Generate HA config entry."""
return self._common_config | {
"platform": "feedparser",
"feed_url": self.url,
"scan_interval": {"seconds": self.sensor_config.scan_interval},
}
@classmethod
def gen_ha_sensors_yml_config(
cls: type["FeedSource"],
sensors: list["FeedSource"],
) -> str:
"""Generate HA "sensors" config."""
return yaml.dump([s.ha_config_entry for s in sensors])
@classmethod
def create_ha_sensors_config_file(
cls: type["FeedSource"],
sensors: list["FeedSource"],
) -> None:
"""Create HA "sensors" config file."""
sensors_yml = TEST_HASS_PATH / "sensors.yaml"
sensors_yml.write_text(cls.gen_ha_sensors_yml_config(sensors))
class FeedConfig:
"""Feed config class to be used in tests."""
def __init__(self: "FeedConfig", data: dict) -> None:
"""Initialize."""
self.raw = data
def __repr__(self: "FeedConfig") -> str:
"""Return representation."""
return f"<FeedConfig {self.name}>"
@property
def name(self: "FeedConfig") -> str:
"""Return name."""
return self.raw["name"]
@property
def url(self: "FeedConfig") -> str:
"""Return url."""
return self.raw["feed_url"]
@property
def date_format(self: "FeedConfig") -> str:
"""Return date_format."""
return self.raw.get("date_format", DATE_FORMAT)
@property
def show_topn(self: "FeedConfig") -> int:
"""Return show_topn."""
return self.raw.get("show_topn", 9999)
@property
def remove_summary_image(self: "FeedConfig") -> bool:
"""Return remove_summary_image."""
return self.raw.get("remove_summary_image", False)
@property
def scan_interval(self: "FeedConfig") -> int:
"""Return scan_interval in seconds."""
return int(self.scan_interval_timedelta.total_seconds())
@property
def scan_interval_timedelta(self: "FeedConfig") -> timedelta:
"""Return scan_interval as timedelta."""
if scan_interval := self.raw.get("scan_interval"):
td = timedelta(**scan_interval)
else:
td = timedelta(hours=1)
return td
@property
def inclusions(self: "FeedConfig") -> list:
"""Return inclusions."""
return self.raw.get("inclusions", DEFAULT_INCLUSIONS)
@property
def exclusions(self: "FeedConfig") -> list:
"""Return exclusions."""
return self.raw.get("exclusions", DEFAULT_EXCLUSIONS)
@property
def local_time(self: "FeedConfig") -> bool:
"""Return local_time."""
return self.raw.get("local_time", False)