-
Notifications
You must be signed in to change notification settings - Fork 0
/
fetch_citations.py
executable file
·168 lines (132 loc) · 5.5 KB
/
fetch_citations.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
#!/usr/bin/env python3
import argparse
import json
import re
from datetime import datetime
from pathlib import Path
import requests
import structlog
resources_url = 'https://data.isimip.org/api/v1/resources/?page_size=1000'
datacite_url = 'https://api.datacite.org/dois/'
crossref_url = 'https://api.crossref.org/works/'
datacite_headers = crossref_headers = {
'User-Agent': 'isimip-citations/1.0 (https://www.isimip.org; mailto:[email protected])'
}
citations = {}
metadata = {}
logger = structlog.get_logger()
def main():
parser = argparse.ArgumentParser()
parser.add_argument('doi', nargs='*', type=parse_doi, default=None, help='Process only one DOI')
parser.add_argument('-a', dest='all', action='store_true', help='Process older DOI as well')
parser.add_argument('-o', dest='output_path', default='resources.json', type=Path)
args = parser.parse_args()
# fetch DOI from data.isimip.org
resources = fetch_resources(resources_url)
# load old DOI from json file
with open('legacy.json') as fp:
resources += json.load(fp)
output_resources = []
for resource in resources:
if (args.doi and resource['doi'] not in args.doi) or (not args.all and resource.get('new_version')):
continue
versions = get_versions(resources, resource)
resource_citation_dois = set()
for doi in versions:
if doi not in citations:
citations[doi] = fetch_datacite_citations(doi)
resource_citation_dois.update(citations[doi])
resource_citations = []
for doi in resource_citation_dois:
if doi not in metadata:
metadata[doi] = fetch_crossref_metadata(doi)
if metadata[doi]:
resource_citations.append(metadata[doi])
output_resource = {
key: resource[key] for key in resource if key in [
'doi',
'doi_url',
'creators_str',
'title',
'title_with_version',
'publication_date',
'publication_year',
'publisher',
'citation'
]
}
output_resource['citations'] = sorted(resource_citations, key=lambda c: c['publication_date'], reverse=True)
output_resource['citations_count'] = len(resource_citations)
output_resources.append(output_resource)
args.output_path.parent.mkdir(exist_ok=True, parents=True)
with open(args.output_path, 'w') as fp:
json.dump(output_resources, fp, indent=2, ensure_ascii=False)
def fetch_resources(url):
logger.info('querying isimip-data', url=url)
response = requests.get(url)
response.raise_for_status()
data = response.json()
if data['next']:
return data['results'] + fetch_resources(data['next'])
else:
return data['results']
def get_versions(resources, resource, versions=[]):
previous_version = resource.get('previous_version')
if previous_version:
previous_resource = next(iter(r for r in resources if r['doi'] == previous_version), None)
if previous_resource:
return [resource['doi'], *get_versions(resources, previous_resource, versions)]
return [resource['doi']]
def parse_doi(string):
match = re.search(r'10\.\d{5}\/ISIMIP\.\d{6}\.*\d*$', string)
if match:
return match.group(0)
def fetch_datacite_citations(doi):
url = datacite_url + doi
logger.info('querying datacite', url=url)
datacite_response = requests.get(url, headers=datacite_headers)
datacite_response.raise_for_status()
datacite_data = datacite_response.json().get('data', {})
datacite_related_identifiers = {
related_identifier.get('relatedIdentifier') for related_identifier in
datacite_data.get('attributes', {}).get('relatedIdentifiers', [])
}
datacite_citations = {
citation.get('id') for citation in
datacite_data.get('relationships', {}).get('citations', {}).get('data', [])
}
return (datacite_citations - datacite_related_identifiers)
def fetch_crossref_metadata(doi):
url = crossref_url + doi
logger.info('querying crossref', url=url)
try:
crossref_response = requests.get(crossref_url + doi, headers=crossref_headers)
crossref_response.raise_for_status()
crossref_data = crossref_response.json().get('message', {})
except requests.exceptions.HTTPError:
logger.error('error with crossref api', doi=doi, status=crossref_response.status_code)
return None
doi_url = f'https://doi.org/{doi}'
timestamp = crossref_data.get('created', {}).get('timestamp')
publication_date = str(datetime.fromtimestamp(timestamp / 1e3).date()) if timestamp else None
publication_year = str(datetime.fromtimestamp(timestamp / 1e3).year) if timestamp else None
creators_str = ', '.join([
'{given} {family}'.format(**author)
for author in crossref_data.get('author', [])
])
title = crossref_data.get('title')[0]
journal = next(iter(crossref_data.get('container-title')), None)
publisher = crossref_data.get('publisher')
return {
'doi': doi,
'doi_url': doi_url,
'creators_str': creators_str,
'title': title,
'publication_date': publication_date,
'publication_year': publication_year,
'journal': journal,
'publisher': publisher,
'citation': f'{creators_str} ({publication_year}): {title}. {publisher}. {doi_url}'
}
if __name__ == '__main__':
main()