-
Notifications
You must be signed in to change notification settings - Fork 7
/
generate_link_lists.py
428 lines (358 loc) · 15.4 KB
/
generate_link_lists.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
def main():
"""
When called from the terminal, this script goes through our yml files and generates .md files.
This is done in the github CI before the website is regenerated, after every modification on the main branch.
"""
import os
from datetime import datetime
directory_path = 'resources/'
toc_file = "docs/_toc.yml"
readme_file = "docs/readme.md"
MINIMUM_ITEM_COUNT = 5
# Iterate over all files in the directory and accumulate content
content = all_content(directory_path)
# Go through all supported content types and generate corresponding markdown files
all_content_types = collect_all(content, "type")
type_toc = ""
for supported_type in sorted(list(all_content_types.keys())):
count = all_content_types[supported_type]
if count >= MINIMUM_ITEM_COUNT:
all = find_type(content, supported_type)
filename = "content_types/" + supported_type
write_md(all, supported_type, "docs/" + filename + ".md")
type_toc = type_toc + " - file: " + filename + "\n"
replace_in_file(toc_file, "{type_toc}", type_toc)
# go through all tags and generate corresponding markdown files
all_tag_counts = collect_all(content, "tags")
tag_toc = ""
for tag in sorted(list(all_tag_counts.keys())):
count = all_tag_counts[tag]
if count >= MINIMUM_ITEM_COUNT:
selected_content = find_tag(content, tag)
filename = "tags/" + tag.replace(" ", "_")
write_md(selected_content, tag, "docs/" + filename + ".md")
tag_toc += " - file: " + filename + "\n"
replace_in_file(toc_file, "{tag_toc}", tag_toc)
# go through all licenses and generate corresponding markdown files
all_license_counts = collect_all(content, "license")
license_toc = ""
for license in sorted(list(all_license_counts.keys())):
count = all_license_counts[license]
if count >= MINIMUM_ITEM_COUNT:
selected_content = find_license(content, license)
filename = "licenses/" + license.replace(" ", "_")
write_md(selected_content, license, "docs/" + filename + ".md")
license_toc += " - file: " + filename + "\n"
replace_in_file(toc_file, "{license_toc}", license_toc)
# go through all authors and generate corresponding markdown files
all_author_counts = collect_all(content, "authors")
author_toc = ""
for author in sorted(list(all_author_counts.keys())):
count = all_author_counts[author]
print("AAACC", author, count)
if count >= MINIMUM_ITEM_COUNT:
selected_content = find_author(content, author)
filename = "authors/" + author.replace(" ", "_")
write_md(selected_content, author, "docs/" + filename + ".md")
author_toc += " - file: " + filename + "\n"
replace_in_file(toc_file, "{author_toc}", author_toc)
# go through all urls and detect duplicates
all_urls = collect_all(content, "url")
duplicate_found = False
for url, count in all_urls.items():
if count > 1:
print(f"Duplicate entry detected: {url}")
duplicate_found = True
if duplicate_found:
raise KeyError(f"Duplicate entries detected! Remove them and rebuild the index.")
# Put summary statistics in the main page
last_updated = datetime.now().strftime('%Y-%m-%d')
number_of_links = len(content['resources'])
replace_in_file(readme_file, "{last_updated}", str(last_updated))
replace_in_file(readme_file, "{number_of_links}", str(number_of_links))
def all_content(directory_path):
"""
Go through all folders and yml files, and collect all content in a list of dictionaries.
"""
import os
content = {'resources':[]}
for filename in os.listdir(directory_path):
if filename.endswith('.yml'):
print("Adding", filename)
new_content = read_yaml_file(directory_path + filename)
content['resources'] = content['resources'] + new_content['resources']
# print(content.keys())
return content
def load_dataframe(directory_path):
"""
Returns all contents (collected from all yml files) in a pandas DataFrame
"""
import pandas as pd
content = all_content(directory_path)
return pd.DataFrame(content['resources'])
def replace_in_file(filename, to_replace, replacement):
"""
Opens a file, searches for some text, replaces it as specified and saves the file again.
This is helpful to replace placeholders with text, e.g. the number of entries in our resource.
"""
with open(filename, 'r') as file:
file_contents = file.read()
file_contents = file_contents.replace(to_replace, replacement)
with open(filename, 'w') as file:
file.write(file_contents)
def read_yaml_file(filename):
"""Read a yaml file and return the content as dictionary of dictionaries"""
import yaml
with open(filename, 'r', encoding="utf8") as file:
data = yaml.safe_load(file)
if "url" in data.keys() and "zenodo" in str(data["url"]).lower():
data["tags"].append("zenodo")
return data
def write_yaml_file(file_path, data):
"""Saves data as yaml file to disk"""
import yaml
with open(file_path, 'w') as file:
yaml.dump(data, file)
def update_all_yaml_files(directory_path, use_github=False, use_zenodo=False):
"""
Go through all yml files and check their content regarding consistency.
Updates the files if necessary.
"""
import os
for filename in os.listdir(directory_path):
if filename.endswith('.yml'):
print("updating", filename)
update_yaml_file(directory_path + filename)
def update_yaml_file(yaml_filename, use_github=True, use_zenodo=True):
"""
Update the specified yml file with Zenodo metadata and statistics.
E.g. if a document description is given on zenodo, replace ours with theirs.
Also take the license as specified on zenodo and replace ours.
Parameters:
- yaml_filename : str
The filename of the YAML file.
"""
# Read the content from the YAML file
content = read_yaml_file(yaml_filename)
entries = content['resources']
# Iterate over each entry in the YAML file
for entry in entries:
urls = entry['url']
if not type(urls) is list:
urls = [urls]
# Check each URL and extract the Zenodo and DOI URLs
doi_url = None
zenodo_url = None
github_url = None
for url in urls:
url = url.strip()
if url.startswith('https://zenodo.org/'):
zenodo_url = url
if url.startswith('https://doi.org/'):
doi_url = url
if url.startswith('https://github.com/'):
github_url = url
# If Zenodo URL is found, fetch the metadata and update the entry
if zenodo_url is not None and use_zenodo:
zenodo_data = read_zenodo(zenodo_url)
if 'doi_url' in zenodo_data.keys():
doi_url = zenodo_data['doi_url']
# Add DOI URL to the URLs list if it's not already there
if doi_url not in urls:
urls.append(doi_url)
entry['url'] = urls
if 'metadata' in zenodo_data.keys():
metadata = zenodo_data['metadata']
# Update entry with Zenodo metadata and statistics
entry['name'] = metadata['title']
if 'publication_date' in metadata.keys():
entry['publication_date'] = metadata['publication_date']
if 'description' in metadata.keys():
entry['description'] = remove_html_tags(metadata['description'])
if 'creators' in metadata.keys():
creators = metadata['creators']
entry['authors'] = ", ".join([c['name'] for c in creators])
if 'license' in metadata.keys():
entry['license'] = metadata['license']['id']
if 'stats' in zenodo_data.keys():
entry['num_downloads'] = zenodo_data['stats']['downloads']
if github_url is not None and use_github:
license = read_github_license(github_url)
if license is not None:
entry['license'] = license
if 'license' in entry.keys():
entry['license'] = clean_license(entry['license'])
# Write the modified content back to the YAML file
write_yaml_file(yaml_filename, content)
def clean_license(license):
"""
Standardize license names.
"""
if license == "CC BY 4.0":
return "cc-by-4.0"
if license == "CC BY SA 4.0":
return "cc-by-sa-4.0"
if license == "CC BY NC 4.0":
return "cc-by-nc-4.0"
if license == "CC BY ND 4.0":
return "cc-by-nd-4.0"
if license == "CC BY NC SA 4.0":
return "cc-by-nd-sa-4.0"
if license == "CC BY NC ND 4.0":
return "cc-by-nd-nd-4.0"
return license
def read_doi(doi):
"""
Read meta-data of a given DOI from doi.org
"""
import requests
import json
doi = doi.replace("https://doi.org/", "")
url = "https://doi.org/api/handles/" + doi
# Download the file
response = requests.get(url)
data = response.json()
return data
def read_github_license(github_url):
"""
Uses the github API to retrieve the license from a given project url.
"""
import requests
import os
import json
temp = github_url.split("/")
organization = temp[3]
repository = temp[4]
url = f"https://api.github.com/repos/{organization}/{repository}/license"
GITHUB_API_KEY = os.environ.get('GITHUB_API_KEY')
# Set up authentication headers to have a higher API rate limit
headers = {
"Accept": "application/vnd.github.v3+json",
"Authorization": f"Bearer {GITHUB_API_KEY}",
"X-GitHub-Api-Version": "2022-11-28"
}
response = requests.get(url, headers=headers)
data = response.json()
if 'license' in data.keys():
license = data['license']['key']
if "other" not in license:
return license
def read_zenodo(record):
"""
Retrieves meta-data from zenodo.org of a specified record.
"""
import requests
import json
record = record.replace("https://zenodo.org/", "")
record = record.replace("record/", "records/")
url = "https://zenodo.org/api/" + record
print(url)
# Download the file
response = requests.get(url)
data = response.json()
return data
def remove_html_tags(text):
"""
Clean HTML code and turn it into plain text.
"""
import re
cleaned_text = re.sub('<.*?>', '', text)
return cleaned_text
def collect_all(content, what_to_collect):
"""
Searches for all contents of a given type and returns them as a list of dictionaries.
"""
all_tags = {}
for c in content['resources']:
if what_to_collect in c:
tags = c[what_to_collect]
if type(tags) is not list and "," in tags:
tags = tags.split(",")
tags = [t.strip() for t in tags]
if type(tags) is not list:
tags = [tags]
for tag in tags:
tag = tag.lower().strip()
if tag not in all_tags.keys():
all_tags[tag] = 1
else:
all_tags[tag] += 1
return all_tags
def find_author(content, author):
"""Takes a dictionary of resources, searches for resources of a given author and returns them as new dictionary."""
return find_anything(content, "authors", author)
def find_license(content, license):
"""Takes a dictionary of resources, searches for resources of a given license and returns them as new dictionary."""
return find_anything(content, "license", license)
def find_type(content, content_type):
"""Takes a dictionary of resources, searches for resources of a given type and returns them as new dictionary."""
return find_anything(content, "type", content_type)
def find_tag(content, tag):
"""Takes a dictionary of resources, searches for resources which have a given tag and returns them as new dictionary."""
return find_anything(content, "tags", tag)
def find_anything(content, what_to_look_in, what_to_find):
"""
Goes through our content (list of dictionaries) and searches for specified entries, e.g. a specified license.
"""
result = {}
print("Searching for", what_to_look_in, "=", what_to_find)
for c in content['resources']:
if what_to_look_in in c:
try:
list_to_look_at = c[what_to_look_in]
if type(list_to_look_at) is not list and "," in list_to_look_at:
list_to_look_at = list_to_look_at.split(",")
list_to_look_at = [t.strip() for t in list_to_look_at]
if type(list_to_look_at) is not list:
list_to_look_at = [list_to_look_at]
list_to_look_at = [str(i).lower().strip() for i in list_to_look_at]
if what_to_find in list_to_look_at:
print("* listing", c['name'])
result[c['name']] = c
except:
raise Exception("Error parsing " + str(c))
return result
def write_md(resources, title, filename):
"""Turns a list of resources into a markdown file that can be parsed by Jupyter Book"""
with open(filename, 'w', encoding='utf-8') as file:
print("Printing items of ", title)
num_items = len(resources.keys())
title = title[0].upper() + title[1:]
file.write(f"# {title} ({num_items})\n")
for name in sorted(list(resources.keys())):
properties = resources[name]
print("* ", name)
file.write("## " + name + '\n')
if 'authors' in properties:
authors = properties['authors']
file.write(f"\n{authors}\n")
if 'publication_date' in properties:
publication_date = properties['publication_date']
file.write(f"\nPublished {publication_date}\n")
if 'license' in properties:
license = properties['license']
file.write(f"\nLicensed {license}\n")
file.write("\n\n")
if 'description' in properties:
description = properties['description']
file.write(f"\n{description}\n")
if 'tags' in properties:
tags = properties['tags']
if type(tags) is list:
tags = ", ".join(tags)
file.write(f"\nTags: {tags}\n")
if 'type' in properties:
content_type = properties['type']
if type(content_type) is list:
content_type = ", ".join(content_type)
file.write(f"\nContent type: {content_type}\n")
if 'url' in properties:
url = properties['url']
if type(url) is list:
for u in url:
file.write(f"\n[{u}]({u})\n")
else:
file.write(f"\n[{url}]({url})\n")
file.write(f"\n\n---\n\n")
if __name__ == "__main__":
main()