-
Notifications
You must be signed in to change notification settings - Fork 15
/
main.py
513 lines (431 loc) · 15.8 KB
/
main.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
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
import os
import re
import sys
import json
import uuid
import random
import itertools
import dataclasses
from dataclasses import dataclass
from typing import Iterator
import requests
import dominate
from dominate.tags import (
div,
h5,
a,
table,
tr,
th,
thead,
tbody,
td,
br,
meta,
link,
h1,
script,
input_,
span,
button,
)
from dominate.svg import svg, path
os.environ["NO_PROXY"] = "bilibili.com"
HEADERS = {
"authority": "api.bilibili.com",
"accept": "application/json, text/plain, */*",
"accept-language": "zh-CN,zh;q=0.9,en;q=0.8,en-GB;q=0.7,en-US;q=0.6",
"origin": "https://space.bilibili.com",
"referer": "https://space.bilibili.com/489667127/channel/collectiondetail?sid=249279",
"sec-ch-ua": '"Chromium";v="106", "Microsoft Edge";v="106", "Not;A=Brand";v="99"',
"sec-ch-ua-mobile": "?0",
"sec-ch-ua-platform": '"Windows"',
"sec-fetch-dest": "empty",
"sec-fetch-mode": "cors",
"sec-fetch-site": "same-site",
"user-agent": "Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/106.0.0.0 Safari/537.36 Edg/106.0.1370.37",
}
COOKIES = {
# 'buvid3': '26D5909F-BF02-AD76-4664-5994706B874C27676infoc'
"buvid3": "{}{:05d}infoc".format(uuid.uuid4(), random.randint(1, 99999))
}
def get_aids() -> Iterator[int]:
"""
获取视频合集内视频的av号
:return: 合集内每个视频的av号
"""
for page_num in itertools.count(1):
params = {
"mid": "489667127",
"season_id": "249279",
"sort_reverse": "false",
"page_num": str(page_num),
"page_size": "30",
}
response = requests.get(
"https://api.bilibili.com/x/polymer/space/seasons_archives_list",
params=params,
headers=HEADERS,
timeout=10,
cookies=COOKIES,
)
response.raise_for_status()
data = response.json()
aids = data["data"]["aids"]
if len(aids) == 0:
break
for aid in aids:
yield aid
def get_top_comment(aid: int) -> str | None:
"""
获取视频的置顶评论,如果没有置顶评论则返回 None
"""
base_url = "http://api.bilibili.com/x/v2/reply/main"
params = {
"type": 1,
"oid": aid,
}
response = requests.get(
url=base_url, params=params, headers=HEADERS, timeout=10, cookies=COOKIES
)
response.raise_for_status()
comment_data = response.json()
top_comment_data = comment_data["data"]["top"]["upper"]
if top_comment_data is None:
# 如果没有置顶评论则查看最上面的一条评论
if comment_data["data"]["replies"][0]["member"]["mid"] == "489667127":
return comment_data["data"]["replies"][0]["content"]["message"]
else:
return None
else:
return top_comment_data["content"]["message"]
@dataclass(frozen=True)
class VideoTime:
minutes: int
seconds: int
@dataclass
class HackerNewsItems:
times: list[VideoTime]
introduces: list[str]
links: list[str | list[str]]
@classmethod
def from_dict(cls, d: dict) -> "HackerNewsItems":
return HackerNewsItems(
[VideoTime(**time) for time in d["times"]],
d["introduces"],
d["links"],
)
def _parse_time_and_intro(
line: str,
matches: list[re.Match],
times: list[VideoTime],
introduces: list[str],
) -> None:
"""解析时间和简介"""
# 一行有可能有不止一个时间,如 https://b23.tv/av1497344798
for match, match_next in itertools.pairwise(matches):
times.append(VideoTime(int(match[1]), int(match[2])))
intro = line[match.end() : match_next.start()].strip()
introduces.append(intro.replace("|", "|"))
match = matches[-1]
times.append(VideoTime(int(match[1]), int(match[2])))
intro = line[match.end() :].strip()
introduces.append(intro.replace("|", "|"))
def parse_top_comment(message: str | None) -> HackerNewsItems:
"""
解析置顶评论,获得每个条目的时间轴、简介、以及链接
"""
times: list[VideoTime] = []
introduces: list[str] = []
links: list[str | list[str]] = []
if message is None:
message = ""
# 一个简单的状态机,解析什么内容取决于当前的状态 state
state: str = "开始"
for line in message.splitlines():
if state == "开始":
match = re.search(r"时间轴", line)
if match is None:
continue
line = line[match.end() :]
state = "时间轴"
if state == "时间轴":
matches = list(re.finditer(r"(\d{1,}):\s*(\d{2})", line, re.ASCII))
if len(matches) > 0:
_parse_time_and_intro(line, matches, times, introduces)
continue
# 这一行里没有找到时间,尝试寻找“链接”二字
match = re.search(r"链接", line)
if match is None:
continue
line = line[match.end() :]
state = "链接"
if state == "链接":
line_links: list[str] = []
# 双引号、空格、左右尖括号、竖线一定不会出现在 URL 中
for match in re.finditer(r'(https?://[^\s"<>|]+)', line, re.ASCII):
line_links.append(match.group())
# 一行里如果有多个链接,那就是同一个条目的链接,如:
# https://b23.tv/av346450481
if len(line_links) <= 1:
links.extend(line_links)
else:
links.append(line_links)
return HackerNewsItems(times, introduces, links)
@dataclass(kw_only=True)
class VideoInfo:
aid: int
hn_items: HackerNewsItems
@classmethod
def from_dict(cls, d: dict) -> "VideoInfo":
return VideoInfo(
aid=d["aid"],
hn_items=HackerNewsItems.from_dict(d["hn_items"]),
)
def load_data_json() -> list[VideoInfo]:
with open("data.json", encoding="utf-8") as f:
data = json.load(f)
return [VideoInfo.from_dict(video_info) for video_info in data]
def save_data_json(video_info_list: list[VideoInfo]) -> None:
data = [dataclasses.asdict(video_info) for video_info in video_info_list]
with open("data.json", "w", encoding="utf-8") as f:
json.dump(data, f, ensure_ascii=False, indent=2)
f.write("\n") # 为文本文件添加行尾换行符
def update_data_json() -> list[VideoInfo]:
"""
更新最新视频数据,解析后保存到 data.json
"""
try:
video_infos = load_data_json()
except FileNotFoundError:
print("没有找到 data.json 文件,将自动重新获取完整数据", file=sys.stderr)
video_infos = []
video_info_dict = {video_info.aid: video_info for video_info in video_infos}
new_video_infos: list[VideoInfo] = []
for aid in get_aids():
# 已经保存在 data.json 中的视频,无需重新获取一遍
video_info = video_info_dict.get(aid)
if video_info is None:
video_info = VideoInfo(
aid=aid,
hn_items=parse_top_comment(get_top_comment(aid)),
)
new_video_infos.append(video_info)
save_data_json(new_video_infos)
return new_video_infos
def generate_md_table(video_info: VideoInfo) -> list[str]:
"""
把解析之后的单个视频置顶评论转换成 markdown 表格形式
"""
aid = video_info.aid
times = video_info.hn_items.times
introduces = video_info.hn_items.introduces
links = video_info.hn_items.links
video_url = f"https://www.bilibili.com/video/av{aid}"
readme: list[str] = []
readme.append(
"\n"
f"## [视频链接]({video_url})\n"
"\n"
"|时间轴|简介|链接|\n"
"|:--:|:--:|:--:|\n"
)
time: VideoTime | None
intro: str | None
link: str | list[str] | None
for time, intro, link in itertools.zip_longest(times, introduces, links):
if time is None:
time_str = " "
else:
m = time.minutes
s = time.seconds
time_str = f"[{m:02d}:{s:02d}]" f"({video_url}?t={m*60 + s})"
intro_str = intro.replace("|", "|") if intro else " "
if link is None:
link_str = " "
elif isinstance(link, list):
link_str = "<br>".join(link)
else:
link_str = link
readme.append(f"|{time_str}|{intro_str}|{link_str}|\n")
return readme
def write_md(video_infos: list[VideoInfo]) -> None:
readme: list[str] = []
readme.append(
"""
# Koala_hacker_news
b站up主[Koala聊开源](https://space.bilibili.com/489667127)的《hacker news 周报》[合集](https://space.bilibili.com/489667127/channel/collectiondetail?sid=249279)的内容总结
官方[网页版](https://koala-oss.app/) (推荐)
自制[网页版](https://zutjoe.github.io/Koala_hacker_news/):
1. 添加黑白切换功能(右上角的控件)
2. 搜索功能(快速定位到相关表格)
"""
)
for video_info in video_infos:
readme.extend(generate_md_table(video_info))
with open("README.md", "w", encoding="utf-8") as f:
f.write("".join(readme))
def generate_html_table(video_info: VideoInfo) -> div:
"""
把解析之后的单个视频置顶评论转换成 html 表格形式
"""
aid = video_info.aid
times = video_info.hn_items.times
introduces = video_info.hn_items.introduces
links = video_info.hn_items.links
video_url = f"https://www.bilibili.com/video/av{aid}"
divv: div = div()
divv.add(h5(a("视频链接", href=f"{video_url}", id=aid)))
tablee: table = divv.add(table(cls="table table-hover text-center align-middle"))
trr = tr()
trr.add(th("时间轴", scope="col", cls="col-1"))
trr.add(th("简介", scope="col", cls="col-2"))
trr.add(th("链接", scope="col", cls="col-2"))
tablee.add(thead(trr))
time: VideoTime | None
intro: str | None
link: str | list[str] | None
with tablee.add(tbody()) as tbodyy:
for time, intro, link in itertools.zip_longest(times, introduces, links):
trr = tr()
td_time = td()
td_link = td()
if time is None:
td_time.add(a(""))
else:
m = time.minutes
s = time.seconds
td_time.add(a(f"{m:02d}:{s:02d}", href=f"{video_url}?t={m*60 + s}"))
intro = intro.replace("|", "|") if intro else " "
td_intro = td(intro)
if link is None:
td_link.add(a(""))
elif isinstance(link, list):
for l in link:
td_link.add(a(f"{l}", href=f"{l}"))
else:
td_link.add(a(f"{link}", href=f"{link}"))
trr.add(td_time)
trr.add(td_intro)
trr.add(td_link)
tbodyy.add(trr)
divv.add(br())
return divv
def write_html(video_infos: list[VideoInfo]) -> None:
doc = dominate.document(title="Koala hacker news")
with doc.head:
meta(
charset="utf-8",
name="viewport",
content="width=device-width, initial-scale=1",
)
link(
href="https://cdn.jsdelivr.net/npm/[email protected]/dist/css/bootstrap.min.css",
rel="stylesheet",
integrity="sha384-Zenh87qX5JnK2Jl0vWa8Ck2rdkQ2Bzep5IDxbcnCeuOxjzrPF/et3URy9Bv1WTRi",
crossorigin="anonymous",
)
link(rel="stylesheet", href="css/index.css")
script(src="js/load.js")
with doc:
with div(cls="widget") as divv:
divv.add(div(cls="light", id="choice"))
with div(
cls="shadow p-3 mt-1 bg-body rounded mx-auto",
id="content",
style="width: 70%",
) as content:
content.add(
h1(
"Koala hacker news",
style="text-align: center; margin-bottom: 50px;",
)
)
content += div(
span(
svg(
path(
d="M11.742 10.344a6.5 6.5 0 1 0-1.397 1.398h-.001c.03.04.062.078.098.115l3.85 3.85a1 1 0 0 0 1.415-1.414l-3.85-3.85a1.007 1.007 0 0 0-.115-.1zM12 6.5a5.5 5.5 0 1 1-11 0 5.5 5.5 0 0 1 11 0z"
),
xmlns="http://www.w3.org/2000/svg",
width="16",
height="16",
fill="currentColor",
cls="bi bi-search",
viewBox="0 0 16 16",
),
cls="input-group-text",
),
input_(
id="search_input",
type="text",
placeholder="Search",
cls="form-control",
onfocus="show_modal()",
),
cls="input-group mb-3",
)
content += div(
div(
div(
div(
h1("Search", cls="modal-title fs-5"),
button(
type="button", cls="btn-close", data_bs_dismiss="modal"
),
cls="modal-header",
),
div(
div(
span(
svg(
path(
d="M11.742 10.344a6.5 6.5 0 1 0-1.397 1.398h-.001c.03.04.062.078.098.115l3.85 3.85a1 1 0 0 0 1.415-1.414l-3.85-3.85a1.007 1.007 0 0 0-.115-.1zM12 6.5a5.5 5.5 0 1 1-11 0 5.5 5.5 0 0 1 11 0z"
),
xmlns="http://www.w3.org/2000/svg",
width="16",
height="16",
fill="currentColor",
cls="bi bi-search",
viewBox="0 0 16 16",
),
cls="input-group-text",
id="inputGroup-sizing-default",
),
input_(
id="fact_search_input",
type="text",
placeholder="Search",
cls="form-control",
),
cls="input-group mb-3",
),
div(cls="list-group", id="search_result"),
cls="modal-body",
id="modal-body",
),
cls="modal-content",
),
cls="modal-dialog modal-lg",
),
cls="modal fade",
id="search_modal",
)
for video_info in video_infos:
content.add(generate_html_table(video_info))
doc.body["id"] = "body"
doc.add(
script(
src="https://cdn.jsdelivr.net/npm/[email protected]/dist/js/bootstrap.bundle.min.js"
)
)
doc.add(script(type="text/javascript", src="js/index.js"))
with open("index.html", "w", encoding="utf-8") as f:
f.write("".join(doc.render()))
def main() -> None:
# video_infos = load_data_json()
video_infos = update_data_json()
write_md(video_infos)
write_html(video_infos)
if __name__ == "__main__":
main()