-
Notifications
You must be signed in to change notification settings - Fork 9
/
auto-cite.py
279 lines (221 loc) · 7.43 KB
/
auto-cite.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
# import packages
import sys
import os
import json
import yaml
import subprocess
from datetime import datetime
from yaml.loader import SafeLoader
####################
# settings
####################
# filename for input sources
sources_file = "_data/sources.yaml"
# filename for output citations
citations_file = "_data/citations.yaml"
# fallback year, month, day
default_date = [1900, 1, 1]
####################
# util
####################
# colored logging
def error(message): print(f"\033[91m{message}\033[0m"); sys.exit(1) # red
def warning(message): print(f"\033[93m{message}\033[0m") # yellow
def success(message): print(f"\033[92m{message}\033[0m") # green
def info(message): print(f"\033[94m{message}\033[0m") # blue
# log a section divider
def section():
print("")
print("------------------------------------------------------------")
print("")
# yaml loader with line numbering
# https://stackoverflow.com/questions/13319067/parsing-yaml-return-with-line-number
class SafeLineLoader(SafeLoader):
def construct_mapping(self, node, deep=False):
mapping = super().construct_mapping(node, deep=deep)
if node.start_mark.column == 2:
mapping["_line_"] = node.start_mark.line + 1
return mapping
# current working directory
directory = os.path.dirname(os.path.realpath(__file__))
# read file as yaml
def read_yaml(filename):
# full file path
path = os.path.join(directory, filename)
# check if file exists
if not os.path.isfile(path):
raise Exception("Can't find file")
# try to open file
try:
file = open(path, encoding="utf8")
except Exception as message:
raise Exception(message or "Can't open file")
# try to parse as yaml
try:
with file:
return yaml.load(file, Loader=SafeLineLoader)
except Exception:
raise Exception("Can't parse file. Make sure it's valid YAML.")
# write yaml data to file
def write_yaml(filename, data):
# full file path
path = os.path.join(directory, filename)
# try to open file
try:
file = open(path, mode="w")
except Exception:
raise Exception("Can't open file for writing")
# try to save data as yaml
try:
with file:
yaml.dump(data, file, default_flow_style=False, sort_keys=False)
except Exception:
raise Exception(f"Can't dump as YAML")
# write warning note to top of file
note = "# GENERATED AUTOMATICALLY, DO NOT EDIT"
try:
with open(path, 'r') as file:
data = file.read()
with open(path, 'w') as file:
file.write(f"{note}\n\n{data}")
except Exception:
raise Exception(f"Can't write to file")
# find item in list that matches entry by id
def find_match(entry, list):
for item in list:
if type(item) == dict and item.get("id") == entry.get("id"):
return item
return {}
# get date parts from Manubot citation
def date_part(citation, index):
try:
return citation.get("issued").get("date-parts")[0][index]
except Exception:
return default_date[index]
# format date string with leading 0's
def clean_date(date):
try:
return datetime.strptime(date, "%Y-%m-%d").strftime("%Y-%m-%d")
except Exception:
return "-".join(str(part) for part in default_date)
####################
# load and parse
####################
section()
# load sources
print(f"Loading {sources_file}")
try:
sources = read_yaml(sources_file)
# is top level array
if type(sources) != list:
raise Exception ("Top level is not a list")
except Exception as message:
error(message)
# load citations
print(f"Loading {citations_file}")
try:
citations = read_yaml(citations_file)
# is top level array
if type(citations) != list:
raise Exception ("Top level is not a list")
except Exception as message:
warning(message)
print("Starting from scratch")
citations = []
####################
# generate citations
####################
# list of new citations to overwrite existing citations
new_citations = []
# source ids already found
ids = []
# go through input sources
for index, source in enumerate(sources):
try:
section()
# show progress
print(f"Source {index + 1} of {len(sources)}")
# is entry a dictionary
if type(source) != dict:
print("")
raise Exception("Entry is not a dictionary")
# show line number in yaml for reference
print(f"Line number {source.get('_line_', '???')}")
print("")
# source id
source_id = source.get("id")
# does entry have an id field
if not source_id:
raise Exception("Entry has no id field")
# is entry a duplicate
if source_id in ids:
raise Exception("Entry is a duplicate")
# add source id to found list
ids.append(source_id)
# find same source in existing citations
cached = find_match(source, citations)
if cached:
# use existing citation to save time
info("Using existing citation")
new_citations.append(cached)
else:
# run Manubot to get citation info
print("Running Manubot to generate citation")
# run Manubot and get results as json
try:
commands = ["manubot", "cite", source_id, '--log-level=ERROR']
output = subprocess.Popen(commands, stdout=subprocess.PIPE)
manubot = json.loads(output.communicate()[0])[0]
except Exception:
raise Exception("Manubot could not generate citation")
# new citation info, with only needed info from Manubot
citation = {}
# original id
citation["id"] = source_id
# title
citation["title"] = manubot.get("title", "")
# authors
citation["authors"] = []
for author in manubot.get("author", []):
given = author.get("given", "")
family = author.get("family", "")
citation["authors"].append(given + " " + family)
# publisher
container = manubot.get("container-title", "")
collection = manubot.get("collection-title", "")
publisher = manubot.get("publisher", "")
citation["publisher"] = container or publisher or collection
# date
year = date_part(manubot, 0)
month = date_part(manubot, 1)
day = date_part(manubot, 2)
citation["date"] = f"{year}-{month}-{day}"
# link
citation["link"] = manubot.get("URL", "")
# add new citation to list
new_citations.append(citation)
success("Citation generated")
# catch any errors and exit
except Exception as message:
error(message)
####################
# finish up
####################
section()
# go through new citations
for citation in new_citations:
# merge in properties from input source
citation.update(find_match(citation, sources))
# delete line number field
del citation["_line_"]
# ensure date in proper format for correct date sorting
citation["date"] = clean_date(citation.get("date"))
# save new citations
print(f"Saving {citations_file}")
try:
write_yaml(citations_file, new_citations)
except Exception as message:
error(message)
section()
# done
success("Done!")