forked from xingkeyu/byte_of_python
-
Notifications
You must be signed in to change notification settings - Fork 0
/
fabfile.py
395 lines (308 loc) · 13.1 KB
/
fabfile.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
#!/usr/bin/env python
from __future__ import print_function
##### Configuration ##############################
import json
CONFIG = json.load(open('config.json'))
## NOTES
## 1. This assumes that you have already created the S3 bucket whose name
## is stored in AWS_S3_BUCKET_NAME environment variable.
## 2. Under that S3 bucket, you have created a folder whose name is stored
## above as SHORT_PROJECT_NAME.
## 3. Under that S3 bucket, you have created a folder whose name is stored as
## SHORT_PROJECT_NAME/assets.
##### Imports ####################################
import os
import datetime
import subprocess
import copy
from xmlrpclib import ServerProxy
import boto
import boto.s3.bucket
import boto.s3.key
from bs4 import BeautifulSoup
from fabric.api import task, local
##### Start with checks ##########################
for chapter in CONFIG['MARKDOWN_FILES']:
assert (chapter['slug'].lower() == chapter['slug']), \
"Slug must be lower case : {}".format(chapter['slug'])
if str(os.environ.get('AWS_ENABLED')).lower() == 'false':
AWS_ENABLED = False
elif os.environ.get('AWS_ACCESS_KEY_ID') is not None \
and len(os.environ['AWS_ACCESS_KEY_ID']) > 0 \
and os.environ.get('AWS_SECRET_ACCESS_KEY') is not None \
and len(os.environ['AWS_SECRET_ACCESS_KEY']) > 0 \
and os.environ.get('AWS_S3_BUCKET_NAME') is not None \
and len(os.environ['AWS_S3_BUCKET_NAME']) > 0:
AWS_ENABLED = True
else:
AWS_ENABLED = False
print("NOTE: S3 uploading is disabled because of missing " +
"AWS key environment variables.")
# In my case, they are the same - 'files.swaroopch.com'
# http://docs.amazonwebservices.com/AmazonS3/latest/dev/VirtualHosting.html#VirtualHostingCustomURLs
if AWS_ENABLED:
S3_PUBLIC_URL = os.environ['AWS_S3_BUCKET_NAME']
#else
#S3_PUBLIC_URL = 's3.amazonaws.com/{}'.format(
#os.environ['AWS_S3_BUCKET_NAME'])
if os.environ.get('WORDPRESS_RPC_URL') is not None \
and len(os.environ['WORDPRESS_RPC_URL']) > 0 \
and os.environ.get('WORDPRESS_BASE_URL') is not None \
and len(os.environ['WORDPRESS_BASE_URL']) > 0 \
and os.environ.get('WORDPRESS_BLOG_ID') is not None \
and len(os.environ['WORDPRESS_BLOG_ID']) > 0 \
and os.environ.get('WORDPRESS_USERNAME') is not None \
and len(os.environ['WORDPRESS_USERNAME']) > 0 \
and os.environ.get('WORDPRESS_PASSWORD') is not None \
and len(os.environ['WORDPRESS_PASSWORD']) > 0 \
and os.environ.get('WORDPRESS_PARENT_PAGE_ID') is not None \
and len(os.environ['WORDPRESS_PARENT_PAGE_ID']) > 0 \
and os.environ.get('WORDPRESS_PARENT_PAGE_SLUG') is not None \
and len(os.environ['WORDPRESS_PARENT_PAGE_SLUG']) > 0:
WORDPRESS_ENABLED = True
else:
WORDPRESS_ENABLED = False
print("NOTE: Wordpress uploading is disabled because of " +
"missing environment variables.")
##### Helper methods #############################
def _upload_to_s3(filename, key):
"""http://docs.pythonboto.org/en/latest/s3_tut.html#storing-data"""
conn = boto.connect_s3()
b = boto.s3.bucket.Bucket(conn, os.environ['AWS_S3_BUCKET_NAME'])
k = boto.s3.key.Key(b)
k.key = key
k.set_contents_from_filename(filename)
k.set_acl('public-read')
url = 'http://{}/{}'.format(S3_PUBLIC_URL, key)
print("Uploaded to S3 : {}".format(url))
return url
def upload_output_to_s3(filename):
key = "{}/{}".format(CONFIG['SHORT_PROJECT_NAME'],
filename.split('/')[-1])
return _upload_to_s3(filename, key)
def upload_asset_to_s3(filename):
key = "{}/assets/{}".format(CONFIG['SHORT_PROJECT_NAME'],
filename.split('/')[-1])
return _upload_to_s3(filename, key)
def replace_images_with_s3_urls(text):
"""http://www.crummy.com/software/BeautifulSoup/bs4/doc/"""
soup = BeautifulSoup(text)
for image in soup.find_all('img'):
image['src'] = upload_asset_to_s3(image['src'])
return unicode(soup)
def markdown_to_html(source_text, upload_assets_to_s3=False):
"""Convert from Markdown to HTML; optional: upload images, etc. to S3."""
args = ['pandoc',
'-f', 'markdown',
'-t', 'html5']
p = subprocess.Popen(args, stdin=subprocess.PIPE, stdout=subprocess.PIPE)
output = p.communicate(source_text)[0]
# http://wordpress.org/extend/plugins/raw-html/
output = '<!--raw-->\n' + output + '\n<!--/raw-->'
# NOTE: Also assumes that you have added the CSS from
# `pandoc -S -t html5` to the `style.css` of your active Wordpress theme.
if upload_assets_to_s3:
output = replace_images_with_s3_urls(output)
return output
def _wordpress_get_pages():
server = ServerProxy(os.environ['WORDPRESS_RPC_URL'])
print("Fetching list of pages from WordPress")
return server.wp.getPosts(os.environ['WORDPRESS_BLOG_ID'],
os.environ['WORDPRESS_USERNAME'],
os.environ['WORDPRESS_PASSWORD'],
{
'post_type': 'page',
'number': pow(10, 5),
})
def wordpress_new_page(slug, title, content):
"""Create a new Wordpress page.
https://codex.wordpress.org/XML-RPC_WordPress_API/Posts#wp.newPost
https://codex.wordpress.org/Function_Reference/wp_insert_post
http://docs.python.org/library/xmlrpclib.html
"""
server = ServerProxy(os.environ['WORDPRESS_RPC_URL'])
return server.wp.newPost(os.environ['WORDPRESS_BLOG_ID'],
os.environ['WORDPRESS_USERNAME'],
os.environ['WORDPRESS_PASSWORD'],
{
'post_name': slug,
'post_content': content,
'post_title': title,
'post_parent':
os.environ['WORDPRESS_PARENT_PAGE_ID'],
'post_type': 'page',
'post_status': 'publish',
'comment_status': 'closed',
'ping_status': 'closed',
})
def wordpress_edit_page(post_id, title, content):
"""Edit a Wordpress page.
https://codex.wordpress.org/XML-RPC_WordPress_API/Posts#wp.editPost
https://codex.wordpress.org/Function_Reference/wp_insert_post
http://docs.python.org/library/xmlrpclib.html
"""
server = ServerProxy(os.environ['WORDPRESS_RPC_URL'])
return server.wp.editPost(os.environ['WORDPRESS_BLOG_ID'],
os.environ['WORDPRESS_USERNAME'],
os.environ['WORDPRESS_PASSWORD'],
post_id,
{
'post_content': content,
'post_title': title,
})
def collect_header_anchors(chapter, i, all_headers):
soup = BeautifulSoup(chapter['html'])
for header in soup.find_all(['h1', 'h2', 'h3', 'h4', 'h5', 'h6']):
if 'id' in header.attrs:
all_headers[header['id']] = i
def fix_links_to_other_chapters(chapter, chapters, all_headers):
"""Fix links to other sections with Wordpress page URL."""
soup = BeautifulSoup(chapter['html'])
for link in soup.find_all('a'):
if 'href' in link.attrs:
if link['href'].startswith('#'):
header_id = link['href'][1:]
assert header_id in all_headers, \
"#{} does not exist, referred in {}".format(
header_id, chapter['file'])
other_chapter = chapters[all_headers[header_id]]
link['href'] = '{}#{}'.format(
other_chapter['link'],
header_id)
chapter['html'] = unicode(soup)
def add_previous_next_links(chapter, i, chapters):
previous_link = None
if i > 0:
previous_link = chapters[i - 1]['link']
next_link = None
if i < len(chapters) - 1:
next_link = chapters[i + 1]['link']
if previous_link is not None or next_link is not None:
chapter['html'] += "\n"
if previous_link is not None:
chapter['html'] += """\
<a href="{}">⇐ Previous chapter</a>\
""".format(previous_link)
if previous_link is not None and next_link is not None:
chapter['html'] += ' ' * 5
if next_link is not None:
chapter['html'] += """\
<a href="{}">Next chapter ⇒</a>\
""".format(next_link)
##### Tasks ######################################
@task
def prepare():
frontpage = CONFIG['MARKDOWN_FILES'][0]
content = open(frontpage['file']).read()
# TODO Can I make this always go change the third line instead?
# TODO And then go back and change it to "$$date$$" so that it
# is not inadvertently committed to the git repo.
content = content.replace("$$date$$",
datetime.datetime.now().strftime("%d %b %Y"))
with open(frontpage['file'], 'w') as output:
output.write(content)
@task
def wp():
"""https://codex.wordpress.org/XML-RPC_WordPress_API/Posts"""
if WORDPRESS_ENABLED:
prepare()
chapters = copy.deepcopy(CONFIG['MARKDOWN_FILES'])
# header anchor id -> index in MARKDOWN_FILES
all_headers = {}
# Render html
print("Rendering html")
for (i, chapter) in enumerate(chapters):
chapter['html'] = markdown_to_html(open(chapter['file']).read(),
upload_assets_to_s3=AWS_ENABLED)
collect_header_anchors(chapter, i, all_headers)
chapter['link'] = "{}/{}/{}".format(
os.environ['WORDPRESS_BASE_URL'],
os.environ['WORDPRESS_PARENT_PAGE_SLUG'],
chapter['slug'])
# Fix cross-links
for chapter in chapters:
fix_links_to_other_chapters(chapter, chapters, all_headers)
# Add previous and next links at end of html
for (i, chapter) in enumerate(chapters):
add_previous_next_links(chapter, i, chapters)
# Fetch list of pages on the server and determine which already exist
existing_pages = _wordpress_get_pages()
existing_page_slugs = [i.get('post_name') for i in existing_pages]
def page_slug_to_id(slug):
pages = [i for i in existing_pages if i.get('post_name') == slug]
page = pages[0]
return page['post_id']
for chapter in chapters:
if chapter['slug'] in existing_page_slugs:
chapter['page_id'] = page_slug_to_id(chapter['slug'])
# Send to WP
print("Uploading to WordPress")
for chapter in chapters:
if chapter['slug'] in existing_page_slugs:
print("Existing page: {}".format(chapter['link']))
assert wordpress_edit_page(chapter['page_id'],
chapter['title'],
chapter['html'])
else:
print("New page: {}".format(chapter['link']))
assert wordpress_new_page(chapter['slug'],
chapter['title'],
chapter['html'])
@task
def html():
"""HTML5 output."""
prepare()
args = ['pandoc',
'-f', 'markdown',
'-t', 'html5',
'-o', '{}.html'.format(CONFIG['FULL_PROJECT_NAME']),
'-s',
'--toc'] + [i['file'] for i in CONFIG['MARKDOWN_FILES']]
local(' '.join(args))
local('open {}.html'.format(CONFIG['FULL_PROJECT_NAME']))
@task
def epub():
"""http://johnmacfarlane.net/pandoc/epub.html"""
prepare()
args = ['pandoc',
'-f', 'markdown',
'-t', 'epub',
'-o', '{}.epub'.format(CONFIG['FULL_PROJECT_NAME'])] + \
[i['file'] for i in CONFIG['MARKDOWN_FILES']]
# TODO --epub-cover-image
# TODO --epub-metadata
# TODO --epub-stylesheet
local(' '.join(args))
if AWS_ENABLED:
upload_output_to_s3('{}.epub'.format(CONFIG['FULL_PROJECT_NAME']))
@task
def pdf():
"""http://johnmacfarlane.net/pandoc/README.html#creating-a-pdf"""
prepare()
args = ['pandoc',
'-f', 'markdown',
# https://github.com/jgm/pandoc/issues/571
#'-t', 'pdf',
'-o', '{}.pdf'.format(CONFIG['FULL_PROJECT_NAME']),
'-N',
'--toc'] + [i['file'] for i in CONFIG['MARKDOWN_FILES']]
local(' '.join(args))
if AWS_ENABLED:
upload_output_to_s3('{}.pdf'.format(CONFIG['FULL_PROJECT_NAME']))
@task
def push():
wp()
epub()
pdf()
@task
def clean():
"""Remove generated output files"""
possible_outputs = (
'{}.html'.format(CONFIG['FULL_PROJECT_NAME']),
'{}.epub'.format(CONFIG['FULL_PROJECT_NAME']),
'{}.pdf'.format(CONFIG['FULL_PROJECT_NAME']),
)
for filename in possible_outputs:
if os.path.exists(filename):
os.remove(filename)
print("Removed {}".format(filename))