-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathbigsdb_downloader.py
executable file
·408 lines (369 loc) · 13.7 KB
/
bigsdb_downloader.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
#!/usr/bin/env python3
# Script to download authenticated resources from PubMLST and BIGSdb Pasteur
# via their REST interfaces.
# Written by Keith Jolley
# Copyright (c) 2024-2025, University of Oxford
# E-mail: [email protected]
#
# BIGSdb_downloader is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# BIGSdb_downloader is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
# Version 20250225
import argparse
import os
import stat
import re
import configparser
import sys
import json
from urllib.parse import parse_qs
from pathlib import Path
from rauth import OAuth1Service, OAuth1Session
BASE_WEB = {
"PubMLST": "https://pubmlst.org/bigsdb",
"Pasteur": "https://bigsdb.pasteur.fr/cgi-bin/bigsdb/bigsdb.pl",
}
BASE_API = {
"PubMLST": "https://rest.pubmlst.org",
"Pasteur": "https://bigsdb.pasteur.fr/api",
}
parser = argparse.ArgumentParser()
parser.add_argument(
"--cron",
action="store_true",
help="Script is being run as a CRON job or non-interactively.",
)
parser.add_argument(
"--db", required=False, help="Database config - only needed for setup."
)
parser.add_argument(
"--json_body",
required=False,
help="JSON body to be included in a POST call. If this is longer than "
"the command line limit (probably about 128kb) then you will need to "
"save the JSON payload to a file and use --json_body_file",
)
parser.add_argument(
"--json_body_file",
required=False,
help="File containing JSON to use in the body of a POST call.",
)
parser.add_argument(
"--key_name",
required=True,
help="Name of API key - use a different name for each site.",
)
parser.add_argument(
"--method",
required=False,
choices=["GET", "POST"],
default="GET",
help="HTTP method",
)
parser.add_argument(
"--output_file",
required=False,
help="Path and filename of saved file. Output sent to STDOUT if not specified.",
)
parser.add_argument(
"--setup", action="store_true", help="Initial setup to obtain access token."
)
parser.add_argument("--site", required=False, choices=["PubMLST", "Pasteur"])
parser.add_argument(
"--token_dir",
required=False,
default="./.bigsdb_tokens",
help="Directory into which keys and tokens will be saved.",
)
parser.add_argument("--url", required=False, help="URL for API call.")
args = parser.parse_args()
def main():
check_required_args(args)
check_dir(args.token_dir)
if args.setup:
(access_token, access_secret) = get_new_access_token()
if not access_token or not access_secret:
raise PermissionError("Cannot get new access token.")
(token, secret) = retrieve_token("session")
if not token or not secret:
(token, secret) = get_new_session_token()
if not args.setup:
get_route(args.url, token, secret)
def check_required_args(args):
if args.setup:
if not args.site:
parser.error("--site is required for setup")
if not args.db:
parser.error("--db is required for setup")
else:
if not args.url:
parser.error("--url is required")
if args.json_body:
if args.method != "POST":
parser.error("You cannot use --json_body with --method=GET")
if args.json_body_file:
parser.error("You cannot use both --json_body and --json_body_file")
if args.json_body_file:
if args.method != "POST":
parser.error("You cannot use --json_body_file with --method=GET")
def is_valid_json(json_string):
try:
json.loads(json_string)
return True
except ValueError:
return False
def trim_url_args(url):
if not "?" in url:
return url, {}
trimmed_url, param_string = url.split("?")
params = parse_qs(param_string)
processed_params = {}
for k, v in params.items():
try:
processed_params[k] = int(v[0])
except ValueError:
processed_params[k] = v[0] # Keep the original value if it's not an integer
return trimmed_url, processed_params
def get_route(url, token, secret):
(client_key, client_secret) = get_client_credentials()
session = OAuth1Session(
client_key, client_secret, access_token=token, access_token_secret=secret
)
trimmed_url, request_params = trim_url_args(url)
if args.method == "GET":
r = session.get(
trimmed_url,
params=request_params,
headers={"User-Agent": "BIGSdb downloader"},
)
else:
json_body = "{}"
if args.json_body:
json_body = args.json_body
elif args.json_body_file:
with open(args.json_body_file, "r") as file:
json_body = file.read()
if not is_valid_json(json_body):
parser.error("Body does not contain valid JSON")
r = session.post(
trimmed_url,
params=request_params,
data=json_body,
headers={
"Content-Type": "application/json",
"User-Agent": "BIGSdb downloader",
},
header_auth=True,
)
if r.status_code == 200 or r.status_code == 201:
if args.output_file:
try:
with open(args.output_file, "w") as file:
if re.search("json", r.headers["content-type"], flags=0):
file.write(json.dumps(r.json()))
else:
file.write(r.text)
except IOError as e:
sys.stderr.write(f"An error occurred while writing to the file: {e}\n")
else:
if re.search("json", r.headers["content-type"], flags=0):
print(json.dumps(r.json()))
else:
print(r.text)
elif r.status_code == 400:
sys.stderr.write("Bad request - " + r.json()["message"])
sys.exit(1)
elif r.status_code == 401:
if re.search("unauthorized", r.json()["message"]):
sys.stderr.write("Access denied - client is unauthorized\n")
sys.exit(1)
else:
sys.stderr.write(r.json()["message"] + "\n")
sys.stderr.write("Invalid session token, requesting new one...\n")
(token, secret) = get_new_session_token()
get_route(url, token, secret)
else:
sys.stderr.write(f"Error: {r.text}\n")
sys.exit(1)
def check_dir(directory):
if os.path.isdir(directory):
if os.access(directory, os.W_OK):
return
else:
raise PermissionError(
f"The token directory '{directory}' exists but is not writable."
)
else:
try:
os.makedirs(directory)
os.chmod(directory, stat.S_IRWXU) # Set permissions to 0700
except OSError as e:
raise PermissionError(
f"Failed to create token directory '{directory}': {e}"
)
def retrieve_token(token_type):
file_path = Path(f"{args.token_dir}/{token_type}_tokens")
if file_path.is_file():
config = configparser.ConfigParser(interpolation=None)
config.read(file_path)
if config.has_section(args.key_name):
token = config[args.key_name]["token"]
secret = config[args.key_name]["secret"]
return (token, secret)
return (None, None)
def get_new_session_token():
file_path = Path(f"{args.token_dir}/session_tokens")
(access_token, access_secret) = retrieve_token("access")
if not access_token or not access_secret:
(access_token, access_secret) = get_new_access_token()
service = get_service()
(client_key, client_secret) = get_client_credentials()
db = get_db_value()
url = f"{BASE_API[args.site]}/db/{db}/oauth/get_session_token"
session_request = OAuth1Session(
client_key,
client_secret,
access_token=access_token,
access_token_secret=access_secret,
)
r = session_request.get(url, headers={"User-Agent": "BIGSdb downloader"})
if r.status_code == 200:
token = r.json()["oauth_token"]
secret = r.json()["oauth_token_secret"]
config = configparser.ConfigParser(interpolation=None)
if file_path.is_file():
config.read(file_path)
config[args.key_name] = {"token": token, "secret": secret}
with open(file_path, "w") as configfile:
config.write(configfile)
return (token, secret)
else:
sys.stderr.write(
"Failed to get new session token. " + r.json()["message"] + "\n"
)
if args.cron:
sys.stderr.write("Run interactively to fix.\n")
if re.search("verification", r.json()["message"]) or re.search(
"Invalid access token", r.json()["message"]
):
sys.stderr.write("New access token required - removing old one.\n")
config = configparser.ConfigParser(interpolation=None)
file_path = Path(f"{args.token_dir}/access_tokens")
if file_path.is_file():
config.read(file_path)
config.remove_section(args.key_name)
with open(file_path, "w") as configfile:
config.write(configfile)
sys.exit(1)
def get_service():
db = get_db_value()
(client_key, client_secret) = get_client_credentials()
request_token_url = f"{BASE_API[args.site]}/db/{db}/oauth/get_request_token"
access_token_url = f"{BASE_API[args.site]}/db/{db}/oauth/get_access_token"
return OAuth1Service(
name="BIGSdb_downloader",
consumer_key=client_key,
consumer_secret=client_secret,
request_token_url=request_token_url,
access_token_url=access_token_url,
base_url=BASE_API[args.site],
)
def get_new_access_token():
if args.cron:
sys.stderr.write(f"No access token saved for {args.key_name}.\n")
sys.stderr.write("Run interactively to set.\n")
sys.exit(1)
file_path = Path(f"{args.token_dir}/access_tokens")
(request_token, request_secret) = get_new_request_token()
db = get_db_value()
print(
"Please log in using your user account at "
f"{BASE_WEB[args.site]}?db={db}&page=authorizeClient&oauth_token={request_token} "
"using a web browser to obtain a verification code."
)
verifier = input("Please enter verification code: ")
service = get_service()
r = service.get_raw_access_token(
request_token,
request_secret,
params={"oauth_verifier": verifier},
headers={"User-Agent": "BIGSdb downloader"},
)
if r.status_code == 200:
token = r.json()["oauth_token"]
secret = r.json()["oauth_token_secret"]
file_path = Path(f"{args.token_dir}/access_tokens")
print("Access Token: " + token)
print("Access Token Secret: " + secret + "\n")
print(
"This access token will not expire but may be revoked by the \n"
f"user or the service provider. It will be saved to \n{file_path}."
)
config = configparser.ConfigParser(interpolation=None)
if file_path.is_file():
config.read(file_path)
config[args.key_name] = {"token": token, "secret": secret}
with open(file_path, "w") as configfile:
config.write(configfile)
return (token, secret)
else:
sys.stderr.write("Failed to get new access token." + r.json()["message"])
sys.exit(1)
def get_db_value():
if args.db:
db = args.db
elif args.url:
match = re.search(r"/db/([^/]+)", args.url)
if match:
db = match.group(1)
else:
raiseValueError("No db value found in the URL.")
return db
def get_new_request_token():
(client_key, client_secret) = get_client_credentials()
db = get_db_value()
service = get_service()
r = service.get_raw_request_token(
params={"oauth_callback": "oob"}, headers={"User-Agent": "BIGSdb downloader"}
)
if r.status_code == 200:
token = r.json()["oauth_token"]
secret = r.json()["oauth_token_secret"]
return (token, secret)
else:
sys.stderr.write("Failed to get new request token." + r.json()["message"])
sys.exit(1)
def get_client_credentials():
config = configparser.ConfigParser(interpolation=None)
file_path = Path(f"{args.token_dir}/client_credentials")
client_id = None
if file_path.is_file():
config.read(file_path)
if config.has_section(args.key_name):
client_id = config[args.key_name]["client_id"]
client_secret = config[args.key_name]["client_secret"]
if not client_id:
if args.cron:
sys.stderr.write(f"No client credentials saved for {args.key_name}.\n")
sys.stderr.write("Run interactively to set.\n")
sys.exit(1)
client_id = input("Enter client id: ").strip()
while len(client_id) != 24:
print("Client ids are exactly 24 characters long.")
client_id = input("Enter client id: ").strip()
client_secret = input("Enter client secret: ").strip()
while len(client_secret) != 42:
print("Client secrets are exactly 42 characters long.")
client_secret = input("Enter client secret: ").strip()
config[args.key_name] = {"client_id": client_id, "client_secret": client_secret}
with open(file_path, "w") as configfile:
config.write(configfile)
return client_id, client_secret
if __name__ == "__main__":
main()