-
Notifications
You must be signed in to change notification settings - Fork 9
/
datacentral.py
420 lines (373 loc) · 16 KB
/
datacentral.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
#!/usr/bin/env python
# -*- coding: utf-8 -*-
'''
Options:
-c Clear local repos and clone everything again
-o Offline, don't clone or pull remote repos
TODO:
- read scripts/ dir and run the preparation scripts
'''
try:
from configparser import SafeConfigParser
except ImportError:
from ConfigParser import SafeConfigParser
import jinja2
import git
import sys
import os
import shutil
import markdown
import json
import codecs
import click
import zipfile
import glob
import time
from utils import csv2json, download_file, fetch_data_package
from zenlog import log
CONFIG_FILE = "settings.conf"
OUTPUT_DIR = "_output"
REPO_DIR = "repos"
datasets_dir = "datasets"
files_dir = "download"
THEMES_DIR = "themes"
# init global vars
env = None
packages = []
# set logging level
log.level('info')
def local_and_remote_are_at_same_commit(repo, remote):
local_commit = repo.commit()
remote_commit = remote.fetch()[0].commit
return local_commit.hexsha == remote_commit.hexsha
def create_index_page(packages, output_dir):
'''Generates the index page with the list of available packages.
Accepts a list of pkg_info dicts, which are generated with the
process_datapackage function.'''
template = env.get_template("list.html")
target = "index.html"
context = {"datapackages": packages,
"welcome_text": markdown.markdown(codecs.open("content/welcome_text.md", 'r', 'utf-8').read(), output_format="html5", encoding="UTF-8"),
}
contents = template.render(**context)
f = codecs.open(os.path.join(output_dir, target), 'w', 'utf-8')
f.write(contents)
f.close()
log.debug("Created index.html.")
def create_contact_page(output_dir, contact_email=""):
'''Creates a contact form page.'''
template = env.get_template("contact.html")
target_dir = os.path.join(output_dir, "contact/")
if not os.path.exists(target_dir):
os.makedirs(target_dir)
target = os.path.join(target_dir, "index.html")
context = {}
context["contact_email"] = contact_email
contents = template.render(**context)
f = codecs.open(target, 'w', 'utf-8')
f.write(contents)
f.close()
log.debug("Created contact page.")
def create_static_pages(output_dir):
'''Generates a static page from each of the files contained in
`content/pages/`.'''
template = env.get_template("page.html")
for f in glob.glob("content/pages/*.md"):
page_name = f.split("/")[-1].replace(".md", "")
target_dir = os.path.join(output_dir, "%s/" % page_name)
if not os.path.exists(target_dir):
os.makedirs(target_dir)
target = os.path.join(target_dir, "index.html")
context = {}
md_content = codecs.open(f, 'r', 'utf-8').read()
context["content"] = markdown.markdown(md_content, output_format="html5", encoding="UTF-8")
contents = template.render(**context)
f = codecs.open(target, 'w', 'utf-8')
f.write(contents)
f.close()
log.debug("Created static page '%s'." % page_name)
# Content images
if os.path.exists("content/media"):
media_dir = os.path.join(output_dir, "media")
if os.path.exists(media_dir):
shutil.rmtree(media_dir)
shutil.copytree("content/media", media_dir)
def create_api(packages, output_dir, repo_dir):
'''Generates a static API containing all the datapackage.json of the containing datasets.
Accepts a list of pkg_info dicts, which are generated with the
process_datapackage function.'''
all_metadata = []
for pkg_info in packages:
pkg_dir = os.path.join(repo_dir, pkg_info['name'])
all_metadata.append(json.loads(open(os.path.join(pkg_dir, "datapackage.json")).read()))
with open(os.path.join(output_dir, 'api.json'), 'w') as api_file:
json.dump(all_metadata, api_file)
log.debug("Created api.json.")
def create_dataset_page(pkg_info, output_dir):
'''Generate a single dataset page.'''
template = env.get_template("dataset.html")
name = pkg_info["name"]
if not os.path.exists(os.path.join(output_dir, name)):
os.makedirs(os.path.join(output_dir, name))
target = "%s/index.html" % (name)
context = {"datapkg": pkg_info}
context['welcome_text'] = markdown.markdown(codecs.open("content/welcome_text.md", 'r', 'utf-8').read(), output_format="html5", encoding="UTF-8")
contents = template.render(**context)
f = codecs.open(os.path.join(output_dir, target), 'w', 'utf-8')
f.write(contents)
f.close()
log.debug("Created %s." % target)
class ParseException(Exception):
pass
def process_datapackage(pkg_name, repo_dir, repo_url):
'''Reads a data package and returns a dict with its metadata. The
items in the dict are:
- name
- title
- license
- description
- sources
- readme: in HTML, processed with python-markdown from README.md,
empty if README.md does not exist)
- datafiles: a dict that contains the contents of the "resources"
attribute. Each resource also contains the "basename" property,
which is the resource base filename (without preceding
directory)
'''
pkg_dir = os.path.join(repo_dir, pkg_name)
pkg_info = {}
try:
metadata = json.loads(open(os.path.join(pkg_dir, "datapackage.json")).read())
except IOError:
raise ParseException("datapackage.json not found")
# get main attributes
pkg_info['name'] = pkg_name
pkg_info['homepage'] = repo_url
pkg_info['original_name'] = metadata['name']
pkg_info['title'] = metadata['title']
pkg_info['license'] = metadata.get('license')
if pkg_info['license'] and 'title' in pkg_info['license']:
pkg_info['license'] = pkg_info['license']['title']
if not 'description' in metadata:
pkg_info['description'] = ""
else:
pkg_info['description'] = metadata['description']
pkg_info['sources'] = metadata.get('sources') or []
# process README
readme = ""
readme_path = os.path.join(pkg_dir, "README.md")
if not os.path.exists(readme_path):
readme_path = os.path.join(pkg_dir, "README.markdown")
if not os.path.exists(readme_path):
if len(pkg_info['description']) > 140:
readme = markdown.markdown(pkg_info['description'], output_format="html5", encoding="UTF-8")
pkg_info['description'] = ""
else:
log.warn("No README.md or description found in the data package.")
else:
pkg_info['readme_path'] = readme_path
contents = codecs.open(readme_path, 'r', 'utf-8').read()
try:
readme = markdown.markdown(contents, output_format="html5", encoding="UTF-8")
except UnicodeDecodeError:
raise ParseException("README.md has invalid encoding, maybe the datapackage is not UTF-8?")
pkg_info['readme'] = readme
# process resource/datafiles list
for r in metadata['resources']:
if not r.get('schema'):
log.warn("Schema missing in resource, adding blank")
r['schema'] = { 'fields': [] }
if not r.get('path'):
r['path'] = 'data/%s' % r['url'].split('/')[-1]
r['basename'] = os.path.basename(r['path'])
if not r.get('title'):
if r.get('name'):
title = os.path.basename(r['name'])
else:
# no resource name, use capitalised filename
title = os.path.basename(r['path']).split('.')[0]
title = title[:1].upper() + title[1:]
r['title'] = title
pkg_info['datafiles'] = metadata['resources']
return pkg_info
def generate(offline=False,
fetch_only=False,
output_dir=OUTPUT_DIR,
theme_dir=os.path.join(THEMES_DIR, 'centraldedados'),
repo_dir=REPO_DIR,
config_file=CONFIG_FILE):
'''Main function that takes care of the whole process.'''
global env, packages
# Read the config file
parser = SafeConfigParser()
parser.read(config_file)
# Load the theme and set up Jinja
theme_name = parser.get('ui', 'theme')
theme_dir = os.path.join(THEMES_DIR, theme_name)
template_dir = os.path.join(theme_dir, "templates")
env = jinja2.Environment(loader=jinja2.FileSystemLoader([template_dir]))
# Set up the output directory
if not os.path.exists(output_dir):
os.mkdir(output_dir)
# Set up the dir for storing repositories
if not os.path.exists(repo_dir):
log.debug("Directory %s doesn't exist, creating it." % repo_dir)
os.mkdir(repo_dir)
# Copy htaccess file
shutil.copyfile(os.path.join(theme_dir, 'static/htaccess'), os.path.join(output_dir, ".htaccess"))
# Create static dirs
# TODO: only update changed files -- right now we regenerate the whole static dir
# Static CSS files
css_dir = os.path.join(output_dir, "css")
if os.path.exists(css_dir):
shutil.rmtree(css_dir)
shutil.copytree(os.path.join(theme_dir, "static/css"), css_dir)
# Static JavaScript files
js_dir = os.path.join(output_dir, "js")
if os.path.exists(js_dir):
shutil.rmtree(js_dir)
shutil.copytree(os.path.join(theme_dir, "static/js"), js_dir)
# Theme images
img_dir = os.path.join(output_dir, "img")
if os.path.exists(img_dir):
shutil.rmtree(img_dir)
shutil.copytree(os.path.join(theme_dir, "static/img"), img_dir)
# Fonts
fonts_dir = os.path.join(output_dir, "fonts")
if os.path.exists(fonts_dir):
shutil.rmtree(fonts_dir)
shutil.copytree(os.path.join(theme_dir, "static/fonts"), fonts_dir)
if not parser.items('repositories'):
log.critical('No repository data in settings.conf (does it even exist?). Cannot proceed :(')
sys.exit()
# go through each specified dataset
for r in parser.items('repositories'):
name, url = r
dir_name = os.path.join(repo_dir, name)
repo = None
# do we have a local copy?
if os.path.isdir(dir_name):
if not os.path.isdir(os.path.join(dir_name, '.git')):
if url.endswith(".json"):
log.info("%s: Data package, refreshing" % name)
updated = fetch_data_package(url, dir_name)
else:
log.info('%s: Unsupported repo, skipping update' % name)
continue
elif not offline:
repo = git.Repo(dir_name)
origin = repo.remotes.origin
try:
origin.fetch()
except AssertionError:
# usually this fails on the first run, try again
origin.fetch()
except git.exc.GitCommandError:
log.critical("%s: Fetch error, this dataset will be left out." % name)
continue
# see if we have updates
if not local_and_remote_are_at_same_commit(repo, origin):
log.debug("%s: Repo has new commits, updating local copy." % name)
updated = True
# connection errors can also happen if fetch succeeds but pull fails
try:
result = origin.pull()[0]
except git.exc.GitCommandError:
log.critical("%s: Pull error, this dataset will be left out." % name)
continue
if result.flags & result.ERROR:
log.error("%s: Pull error, but going ahead." % name)
updated = False
else:
log.info("%s: No changes." % name)
updated = False
else:
log.debug("%s: Offline mode, using cached version." % name)
# we set updated to True in order to re-generate everything
# FIXME: See checksum of CSV files to make sure they're new before
# marking updated as true
updated = True
repo = git.Repo(dir_name)
if fetch_only:
# if the --fetch-only flag was set, skip to the next dataset
continue
else:
if offline:
log.warn("%s: No local cache, skipping." % name)
continue
else:
if url.endswith(".git"):
# Handle GIT Repository URL
log.info("%s: New repo, cloning." % name)
try:
repo = git.Repo.clone_from(url, dir_name)
# For faster checkouts, one file at a time:
#repo = git.Repo.clone_from(url, dir_name, n=True, depth=1)
#repo.git.checkout("HEAD", "datapackage.json")
except git.exc.GitCommandError as inst:
log.warn("%s: skipping %s" % (inst, name))
continue
updated = True
elif url.endswith(".json"):
# Handle Data Package URL
log.info("%s: New data package, fetching." % name)
updated = fetch_data_package(url, dir_name)
else:
log.warn("Unsupported repository: %s" % url)
# get datapackage metadata
try:
pkg_info = process_datapackage(name, repo_dir, url)
except ParseException as inst:
log.warn("%s: skipping %s" % (inst, name))
continue
# set last updated time based on last commit, comes in Unix timestamp format so we convert
import datetime
if repo is not None:
d = repo.head.commit.committed_date
else:
d = int(time.mktime(time.localtime()))
last_updated = datetime.datetime.fromtimestamp(int(d)).strftime('%Y-%m-%d %H:%M:%S')
pkg_info['last_updated'] = last_updated
# add it to the packages list for index page generation after the loop ends
packages.append(pkg_info)
# re-generate the dataset HTML pages
create_dataset_page(pkg_info, output_dir)
# if repo was updated, copy over CSV/JSON/* and ZIP files to the download dir
# (we always generate them if offline)
if updated or offline:
create_dataset_page(pkg_info, output_dir)
datafiles = pkg_info['datafiles']
zipf = zipfile.ZipFile(os.path.join(output_dir, name + '.zip'), 'w')
for d in datafiles:
log.info("Copying %s" % d['path'])
# copy file
target = os.path.join(output_dir, os.path.basename(d['path']))
shutil.copyfile(os.path.join(dir_name, d['path']), target)
# generate JSON version of CSV
# if target.endswith('.csv'):
# csv2json(target, target.replace(".csv", ".json"))
# make zip file
zipf.write(os.path.join(dir_name, d['path']), d['basename'], compress_type=zipfile.ZIP_DEFLATED)
if 'readme_path' in pkg_info:
try:
zipf.write(pkg_info['readme_path'], 'README.md')
except OSError:
pass
zipf.close()
# HTML index with the list of available packages
create_index_page(packages, output_dir)
# Static JSON API of the data packages
create_api(packages, output_dir, repo_dir)
# Static pages
create_static_pages(output_dir)
# Contact page
create_contact_page(output_dir, parser.get('credentials', 'contact_email'))
log.info("All static content is ready inside '%s'." % OUTPUT_DIR)
@click.command()
@click.option('-f', '--fetch-only', help='Only clone or pull repos, do not generate HTML output.', is_flag=True, default=False)
@click.option('-x', '--offline', help='Offline mode, do not clone or pull.', is_flag=True, default=False)
@click.option('-o', '--output-dir', help='Output directory (default is _output)', type=click.Path(), default=OUTPUT_DIR)
def main(offline, fetch_only, output_dir):
generate(offline, fetch_only, output_dir)
if __name__ == "__main__":
main()