-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathgenerate.py
286 lines (240 loc) · 8.59 KB
/
generate.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
#!/usr/bin/env python
"""Renders my blog."""
import glob
import os
import re
import shutil
from datetime import datetime
from os.path import join
from typing import NotRequired, TypedDict
import mako.template
import mako.lookup
import markdown
# Default to my blog configuration, but let env vars override
SITE_AUTHOR = os.environ.get("SITE_AUTHOR", "Peter Parente")
SITE_NAME = os.environ.get("SITE_NAME", "parente.dev")
SITE_ROOT = os.environ.get("SITE_ROOT", "")
SITE_DOMAIN = os.environ.get("SITE_DOMAIN", "blog.parente.dev")
# Constants
STATIC_DIR = "static"
TEMPLATES_DIR = "templates"
PAGES_DIR = "pages"
OUT_DIR = "_output"
# Configure mako to look in the templates directory
TMPL_LOOKUP = mako.lookup.TemplateLookup(
directories=[join(".", TEMPLATES_DIR)],
output_encoding="utf-8",
encoding_errors="replace",
)
class Page(TypedDict):
"""A page on the site.
Reminder: All types are parsed as strings by python-markdown.
"""
# Allow comments on the page
allow_comments: NotRequired[str | bool]
# Author of the page, if different from SITE_AUTHOR
author: NotRequired[str]
# Brief introductory comment above the start of a page *in HTML*
author_comment: NotRequired[str]
# YYYY-MM-DD date of the page
date: NotRequired[str]
# A brief summary of the page
excerpt: str
# The rendered HTML of the page
html: NotRequired[str]
# The next page in chronological series of pages
next: "Page"
# Flag to skip rendering the page
skip: NotRequired[str | bool]
# The URL slug of the page
slug: str
# The path containing the source document of the page
src: str
# The template to use to render the page
template: NotRequired[str]
# The title of the page
title: str
def copyinto(src: str, dst: str, symlinks=False, ignore=None):
"""
Copy files and subdirectories from src into dst.
http://stackoverflow.com/questions/1868714/how-do-i-copy-an-entire-directory-of-files-into-an-existing-directory-using-pyth
"""
for item in os.listdir(src):
s = os.path.join(src, item)
d = os.path.join(dst, item)
if os.path.isdir(s):
shutil.copytree(s, d, symlinks, ignore)
else:
shutil.copy2(s, d)
def save_rss(pages: list[Page]):
"""Save a RSS document listing all of the pages."""
rss_tmpl = TMPL_LOOKUP.get_template("rss.mako")
xml = rss_tmpl.render(
site_domain=f"https://{SITE_DOMAIN}",
site_name=SITE_NAME,
site_root=SITE_ROOT,
latest_pages=[page for page in pages[:10] if "date" in page],
)
os.mkdir(join(OUT_DIR, "feed"))
with open(join(OUT_DIR, "feed", "index.xml"), "wb") as f:
f.write(xml)
def save_atom(pages: list[Page]):
"""Save an Atom document listing of all of the pages."""
atom_tmpl = TMPL_LOOKUP.get_template("atom.mako")
xml = atom_tmpl.render(
site_author=SITE_AUTHOR,
site_domain=f"https://{SITE_DOMAIN}",
site_name=SITE_NAME,
site_root=SITE_ROOT,
latest_pages=[page for page in pages[:10] if "date" in page],
)
os.makedirs(join(OUT_DIR, "feed", "atom"))
with open(join(OUT_DIR, "feed", "atom", "index.xml"), "wb") as f:
f.write(xml)
def save_archive(pages: list[Page]):
"""Save an HTML document listing all of the pages."""
archive_tmpl = TMPL_LOOKUP.get_template("archive.mako")
html = archive_tmpl.render(site_name=SITE_NAME, site_root="..", all_pages=pages)
os.makedirs(join(OUT_DIR, "posts"))
with open(join(OUT_DIR, "posts", "index.html"), "wb") as f:
f.write(html)
def save_latest(pages: list[Page]):
"""Save the latest page as index.html."""
page = pages[0]
tmpl_name = page.get("template", "page.mako")
page_tmpl = TMPL_LOOKUP.get_template(tmpl_name)
html = page_tmpl.render(
site_name=SITE_NAME, site_root=".", page=page, all_pages=pages
)
in_tree = page["src"]
print("Saving", in_tree, "as latest")
copyinto(in_tree, OUT_DIR)
with open(join(OUT_DIR, "index.html"), "wb") as f:
f.write(html)
def save_html(pages: list[Page]):
"""Save every page as an HTML document."""
for page in pages:
in_tree = page["src"]
out_tree = join(OUT_DIR, page["slug"])
print("Saving", out_tree)
tmpl_name = page.get("template", "page.mako")
page_tmpl = TMPL_LOOKUP.get_template(tmpl_name)
html = page_tmpl.render(
site_name=SITE_NAME, site_root="..", page=page, all_pages=pages
)
shutil.copytree(in_tree, out_tree)
with open(join(out_tree, "index.html"), "wb") as f:
f.write(html)
def org_pages(pages: list[Page]):
"""Sort pages from newest to oldest.
Use the `date` key for sorting. Add a `next` key to link one page to the next.
"""
for page in pages:
if "date" in page:
page["date"] = datetime.strptime(page["date"], "%Y-%m-%d")
pages.sort(key=lambda page: page.get("date", datetime(1900, 1, 1)), reverse=True)
for i, page in enumerate(pages):
try:
page["next"] = pages[i + 1]
except IndexError:
pass
class MarkdownParser:
def __init__(self):
self.md = markdown.Markdown(
extensions=[
"meta",
"fenced_code",
"codehilite",
"footnotes",
"sane_lists",
],
output_format="html",
)
def execute(self, path: str, page: Page):
"""Parse an md file in the path and update the page with its HTML rendered content and
metadata."""
# Don't leave conversion state across pages (e.g., footnotes)
self.md.reset()
fn = join(path, "index.md")
if not os.path.isfile(fn):
return
with open(fn) as f:
print("Processing", path, "as Markdown")
text = f.read()
html = self.md.convert(text)
meta = self.md.Meta
for key, value in meta.items():
meta[key] = " ".join(value)
page.update(meta)
# Populate fields expected by the templates
if "author" not in page:
page["author"] = SITE_AUTHOR
if "excerpt" not in page:
page["excerpt"] = self._build_excerpt(text)
if "allow_comments" not in page:
page["allow_comments"] = True
else:
page["allow_comments"] = page["allow_comments"].lower() in (
"true",
"yes",
"1",
)
page["src"] = path
page["slug"] = self._build_page_slug(page)
page["html"] = html
def _build_page_slug(self, page: Page):
"""Build a slug for the page using the non-date portion of the subdirector."""
slug = os.path.basename(page["src"])
return m.group(1) if (m := re.match(r"\d{8}-(.*)", slug)) is not None else slug
def _build_excerpt(self, text: str):
"""Build an excerpt from the first non-blank line after the first blank line separating the
metadata from the content of the doc."""
lines = []
prior = None
for line in text.split("\n"):
line = line.strip()
if line != prior or line != "":
lines.append(line)
prior = line
start = lines.index("")
try:
end = lines.index("", start + 1)
except ValueError:
end = None
return self.md.convert("\n".join(lines[start + 1 : end]))
def load_pages():
"""Parse data and metadata for all pages.
Iterate over the page directories. Pass the page source document and in-memory page
representation to all parsers. Raise a RuntimeError if no parser emits HTML for the page.
"""
pages = []
handlers = [MarkdownParser()]
for path in glob.glob(join(PAGES_DIR, "*")):
page: Page = {}
for handler in handlers:
handler.execute(path, page)
if "skip" in page:
continue
elif "html" not in page:
raise RuntimeError("Nothing rendered HTML for " + path)
pages.append(page)
return pages
def save_static():
"""Duplicate the static directory in the output directory."""
shutil.copytree(STATIC_DIR, join(OUT_DIR, STATIC_DIR))
def clean():
"""Remove the output directory."""
shutil.rmtree(OUT_DIR, True)
def main():
"""Clean and build the blog site in the output directory."""
clean()
save_static()
pages = load_pages()
org_pages(pages)
save_html(pages)
save_latest(pages)
save_archive(pages)
save_rss(pages)
save_atom(pages)
if __name__ == "__main__":
main()