-
Notifications
You must be signed in to change notification settings - Fork 46
/
app.py
executable file
·695 lines (597 loc) · 25.6 KB
/
app.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
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
#!/usr/bin/env python3
import os
import subprocess
import json
import pathlib
import shutil
import glob
import time
import fcntl
import base64
import hashlib
from distutils.dir_util import copy_tree
from flask import Flask, render_template, request, send_from_directory, render_template_string, jsonify, redirect
from threading import Thread, Lock
import sys
import re
import requests
from logging.config import dictConfig
dictConfig({
'version': 1,
'formatters': {'default': {
'format': '[%(asctime)s] %(levelname)s in %(module)s: %(message)s',
}},
'handlers': {'wsgi': {
'class': 'logging.StreamHandler',
'stream': 'ext://flask.logging.wsgi_errors_stream',
'formatter': 'default'
}},
'root': {
'level': 'INFO',
'handlers': ['wsgi']
}
})
import ap_git
import metadata_manager
# run at lower priority
os.nice(20)
import optparse
parser = optparse.OptionParser("app.py")
parser.add_option("", "--basedir", type="string",
default=os.path.abspath(os.path.join(os.path.dirname(__file__),"..","base")),
help="base directory")
cmd_opts, cmd_args = parser.parse_args()
# define directories
basedir = os.path.abspath(cmd_opts.basedir)
sourcedir = os.path.join(basedir, 'ardupilot')
outdir_parent = os.path.join(basedir, 'builds')
tmpdir_parent = os.path.join(basedir, 'tmp')
appdir = os.path.dirname(__file__)
builds_dict = {}
REMOTES = None
# LOCKS
queue_lock = Lock()
try:
repo = ap_git.GitRepo(sourcedir)
except FileNotFoundError:
repo = ap_git.GitRepo.clone(
source="https://github.com/ardupilot/ardupilot.git",
dest=sourcedir,
recurse_submodules=True,
)
ap_src_metadata_fetcher = metadata_manager.APSourceMetadataFetcher(
ap_repo_path=sourcedir
)
versions_fetcher = metadata_manager.VersionsFetcher(
remotes_json_path=os.path.join(basedir, 'configs', 'remotes.json')
)
def load_remotes():
versions_fetcher.reload_remotes_json()
added_remotes = 0
for remote_info in versions_fetcher.get_all_remotes_info():
try:
repo.remote_add(remote=remote_info.name, url=remote_info.url)
except ap_git.DuplicateRemoteError:
app.logger.info(
f"Remote '{remote_info.name}' already exists. "
f"Updating url to '{remote_info.url}'."
)
repo.remote_set_url(remote=remote_info.name, url=remote_info.url)
added_remotes += 1
app.logger.info(f"{added_remotes} remotes added to base repo")
def remove_directory_recursive(dirname):
'''remove a directory recursively'''
app.logger.info('Removing directory ' + dirname)
if not os.path.exists(dirname):
return
f = pathlib.Path(dirname)
if f.is_file():
f.unlink()
else:
shutil.rmtree(f, True)
def create_directory(dir_path):
'''create a directory, don't fail if it exists'''
app.logger.info('Creating ' + dir_path)
pathlib.Path(dir_path).mkdir(parents=True, exist_ok=True)
def run_build(task, tmpdir, outdir, logpath):
'''run a build with parameters from task'''
remove_directory_recursive(tmpdir_parent)
create_directory(tmpdir)
tmp_src_dir = os.path.join(tmpdir, 'build_src')
source_repo = ap_git.GitRepo.shallow_clone_at_commit_from_local(
source=sourcedir,
remote=task['remote'],
commit_ref=task['git_hash_short'],
dest=tmp_src_dir
)
# update submodules in temporary source directory
source_repo.submodule_update(init=True, recursive=True, force=True)
# checkout to the commit pointing to the requested commit
source_repo.checkout_remote_commit_ref(
remote=task['remote'],
commit_ref=task['git_hash_short'],
force=True,
hard_reset=True,
clean_working_tree=True
)
if not os.path.isfile(os.path.join(outdir, 'extra_hwdef.dat')):
app.logger.error('Build aborted, missing extra_hwdef.dat')
app.logger.info('Appending to build.log')
with open(logpath, 'a') as log:
log.write('Setting vehicle to: ' + task['vehicle'].capitalize() + '\n')
log.flush()
# setup PATH to point at our compiler
env = os.environ.copy()
bindir1 = os.path.abspath(os.path.join(appdir, "..", "bin"))
bindir2 = os.path.abspath(os.path.join(appdir, "..", "gcc", "bin"))
cachedir = os.path.abspath(os.path.join(appdir, "..", "cache"))
env["PATH"] = bindir1 + ":" + bindir2 + ":" + env["PATH"]
env['CCACHE_DIR'] = cachedir
app.logger.info('Running waf configure')
log.write('Running waf configure\n')
log.flush()
subprocess.run(['python3', './waf', 'configure',
'--board', task['board'],
'--out', tmpdir,
'--extra-hwdef', task['extra_hwdef']],
cwd = tmp_src_dir,
env=env,
stdout=log, stderr=log, shell=False)
app.logger.info('Running clean')
log.write('Running clean\n')
log.flush()
subprocess.run(['python3', './waf', 'clean'],
cwd = tmp_src_dir,
env=env,
stdout=log, stderr=log, shell=False)
app.logger.info('Running build')
log.write('Running build\n')
log.flush()
subprocess.run(['python3', './waf', task['vehicle']],
cwd = tmp_src_dir,
env=env,
stdout=log, stderr=log, shell=False)
log.write('done build\n')
log.flush()
def sort_json_files(reverse=False):
json_files = list(filter(os.path.isfile,
glob.glob(os.path.join(outdir_parent,
'*', 'q.json'))))
json_files.sort(key=lambda x: os.path.getmtime(x), reverse=reverse)
return json_files
def check_queue():
'''thread to continuously run queued builds'''
queue_lock.acquire()
json_files = sort_json_files()
queue_lock.release()
if len(json_files) == 0:
return
# remove multiple build requests from same ip address (keep newest)
queue_lock.acquire()
ip_list = []
for f in json_files:
file = json.loads(open(f).read())
ip_list.append(file['ip'])
seen = set()
ip_list.reverse()
for index, value in enumerate(ip_list):
if value in seen:
file = json.loads(open(json_files[-index-1]).read())
outdir_to_delete = os.path.join(outdir_parent, file['token'])
remove_directory_recursive(outdir_to_delete)
else:
seen.add(value)
queue_lock.release()
if len(json_files) == 0:
return
# open oldest q.json file
json_files = sort_json_files()
taskfile = json_files[0]
app.logger.info('Opening ' + taskfile)
task = json.loads(open(taskfile).read())
app.logger.info('Removing ' + taskfile)
os.remove(taskfile)
outdir = os.path.join(outdir_parent, task['token'])
tmpdir = os.path.join(tmpdir_parent, task['token'])
logpath = os.path.abspath(os.path.join(outdir, 'build.log'))
app.logger.info("LOGPATH: %s" % logpath)
try:
# run build and rename build directory
app.logger.info('MIR: Running build ' + str(task))
run_build(task, tmpdir, outdir, logpath)
app.logger.info('Copying build files from %s to %s',
os.path.join(tmpdir, task['board']),
outdir)
copy_tree(os.path.join(tmpdir, task['board'], 'bin'), outdir)
app.logger.info('Build successful!')
remove_directory_recursive(tmpdir)
except Exception as ex:
app.logger.info('Build failed: ', ex)
pass
open(logpath,'a').write("\nBUILD_FINISHED\n")
def file_age(fname):
'''return file age in seconds'''
return time.time() - os.stat(fname).st_mtime
def remove_old_builds():
'''as a cleanup, remove any builds older than 24H'''
for f in os.listdir(outdir_parent):
bdir = os.path.join(outdir_parent, f)
if os.path.isdir(bdir) and file_age(bdir) > 24 * 60 * 60:
remove_directory_recursive(bdir)
time.sleep(5)
def queue_thread():
while True:
try:
check_queue()
remove_old_builds()
except Exception as ex:
app.logger.error('Failed queue: ', ex)
pass
def get_build_progress(build_id, build_status):
'''return build progress on scale of 0 to 100'''
if build_status in ['Pending', 'Error']:
return 0
if build_status == 'Finished':
return 100
log_file_path = os.path.join(outdir_parent,build_id,'build.log')
app.logger.info('Opening ' + log_file_path)
build_log = open(log_file_path, encoding='utf-8').read()
compiled_regex = re.compile(r'(\[\D*(\d+)\D*\/\D*(\d+)\D*\])')
all_matches = compiled_regex.findall(build_log)
if (len(all_matches) < 1):
return 0
completed_steps, total_steps = all_matches[-1][1:]
if (int(total_steps) < 20):
# these steps are just little compilation and linking that happen at initialisation
# these do not contribute significant percentage to overall build progress
return 1
if (int(total_steps) < 200):
# these steps are for building the OS
# we give this phase 4% weight in the whole build progress
return (int(completed_steps) * 4 // int(total_steps)) + 1
# these steps are the major part of the build process
# we give 95% of weight to these
return (int(completed_steps) * 95 // int(total_steps)) + 5
def get_build_status(build_id):
build_id_split = build_id.split(':')
if len(build_id_split) < 2:
raise Exception('Invalid build id')
if os.path.exists(os.path.join(outdir_parent,build_id,'q.json')):
status = "Pending"
elif not os.path.exists(os.path.join(outdir_parent,build_id,'build.log')):
status = "Error"
else:
log_file_path = os.path.join(outdir_parent,build_id,'build.log')
app.logger.info('Opening ' + log_file_path)
build_log = open(log_file_path, encoding='utf-8').read()
if build_log.find("'%s' finished successfully" % build_id_split[0].lower()) != -1:
status = "Finished"
elif build_log.find('The configuration failed') != -1 or build_log.find('Build failed') != -1 or build_log.find('compilation terminated') != -1:
status = "Failed"
elif build_log.find('BUILD_FINISHED') == -1:
status = "Running"
else:
status = "Failed"
return status
def update_build_dict():
'''update the build_dict dictionary which keeps track of status of all builds'''
global builds_dict
# get list of directories
blist = []
for b in os.listdir(outdir_parent):
if os.path.isdir(os.path.join(outdir_parent,b)):
blist.append(b)
#remove deleted builds from build_dict
for build in builds_dict:
if build not in blist:
builds_dict.pop(build, None)
for b in blist:
build_id_split = b.split(':')
if len(build_id_split) < 2:
continue
build_info = builds_dict.get(b, None)
# add an entry for the build in build_dict if not exists
if (build_info is None):
build_info = {}
build_info['vehicle'] = build_id_split[0].capitalize()
build_info['board'] = build_id_split[1]
feature_file = os.path.join(outdir_parent, b, 'selected_features.json')
app.logger.info('Opening ' + feature_file)
selected_features_dict = json.loads(open(feature_file).read())
selected_features = selected_features_dict['selected_features']
build_info['git_hash_short'] = selected_features_dict['git_hash_short']
features = ''
for feature in selected_features:
if features == '':
features = features + feature
else:
features = features + ", " + feature
build_info['features'] = features
age_min = int(file_age(os.path.join(outdir_parent,b))/60.0)
build_info['age'] = "%u:%02u" % ((age_min // 60), age_min % 60)
# refresh build status only if it was pending, running or not initialised
if (build_info.get('status', None) in ['Pending', 'Running', None]):
build_info['status'] = get_build_status(b)
build_info['progress'] = get_build_progress(b, build_info['status'])
# update dictionary entry
builds_dict[b] = build_info
temp_list = sorted(list(builds_dict.items()), key=lambda x: os.path.getmtime(os.path.join(outdir_parent,x[0])), reverse=True)
builds_dict = {ele[0] : ele[1] for ele in temp_list}
def create_status():
'''create status.json'''
global builds_dict
update_build_dict()
tmpfile = os.path.join(outdir_parent, "status.tmp")
statusfile = os.path.join(outdir_parent, "status.json")
json_object = json.dumps(builds_dict)
with open(tmpfile, "w") as outfile:
outfile.write(json_object)
os.replace(tmpfile, statusfile)
def status_thread():
while True:
try:
create_status()
except Exception as ex:
app.logger.info(ex)
pass
time.sleep(3)
app = Flask(__name__, template_folder='templates')
if not os.path.isdir(outdir_parent):
create_directory(outdir_parent)
try:
lock_file = open(os.path.join(basedir, "queue.lck"), "w")
fcntl.flock(lock_file, fcntl.LOCK_EX | fcntl.LOCK_NB)
app.logger.info("Got queue lock")
# we only want one set of threads
thread = Thread(target=queue_thread, args=())
thread.daemon = True
thread.start()
status_thread = Thread(target=status_thread, args=())
status_thread.daemon = True
status_thread.start()
except IOError:
app.logger.info("No queue lock")
load_remotes()
app.logger.info('Python version is: %s' % sys.version)
def get_auth_token():
try:
# try to read the secret token from the file
with open(os.path.join(basedir, 'secrets', 'reload_token'), 'r') as file:
token = file.read().strip()
return token
except (FileNotFoundError, PermissionError):
app.logger.error("Couldn't open token file. Checking environment for token.")
# if the file does not exist, check the environment variable
return os.getenv('CBS_REMOTES_RELOAD_TOKEN')
@app.route('/refresh_remotes', methods=['POST'])
def refresh_remotes():
auth_token = get_auth_token()
if auth_token is None:
app.logger.error("Couldn't retrieve authorization token")
return "Internal Server Error", 500
token = request.get_json().get('token')
if not token or token != auth_token:
return "Unauthorized", 401
load_remotes()
return "Successfully refreshed remotes", 200
@app.route('/generate', methods=['GET', 'POST'])
def generate():
try:
chosen_version = request.form['version']
chosen_remote, chosen_commit_reference = chosen_version.split('/', 1)
chosen_vehicle = request.form['vehicle']
chosen_version_info = versions_fetcher.get_version_info(
vehicle=chosen_vehicle,
remote=chosen_remote,
commit_ref=chosen_commit_reference
)
if chosen_version_info is None:
raise Exception("Commit reference invalid or not listed to be built for given vehicle for remote")
chosen_board = request.form['board']
boards_at_commit, _ = ap_src_metadata_fetcher.get_boards_at_commit(
remote=chosen_remote,
commit_ref=chosen_commit_reference
)
if chosen_board not in boards_at_commit:
raise Exception("bad board")
#ToDo - maybe have the if-statement to check if it's changed.
build_options = ap_src_metadata_fetcher.get_build_options_at_commit(
remote=chosen_remote,
commit_ref=chosen_commit_reference
)
# fetch features from user input
extra_hwdef = []
feature_list = []
selected_features = []
app.logger.info('Fetching features from user input')
# add all undefs at the start
for f in build_options:
extra_hwdef.append('undef %s' % f.define)
for f in build_options:
if f.label not in request.form or request.form[f.label] != '1':
extra_hwdef.append('define %s 0' % f.define)
else:
extra_hwdef.append('define %s 1' % f.define)
feature_list.append(f.description)
selected_features.append(f.label)
extra_hwdef = '\n'.join(extra_hwdef)
spaces = '\n'
feature_list = spaces.join(feature_list)
selected_features_dict = {}
selected_features_dict['selected_features'] = selected_features
queue_lock.acquire()
# create extra_hwdef.dat file and obtain md5sum
app.logger.info('Creating ' +
os.path.join(outdir_parent, 'extra_hwdef.dat'))
file = open(os.path.join(outdir_parent, 'extra_hwdef.dat'), 'w')
app.logger.info('Writing\n' + extra_hwdef)
file.write(extra_hwdef)
file.close()
extra_hwdef_md5sum = hashlib.md5(extra_hwdef.encode('utf-8')).hexdigest()
app.logger.info('Removing ' +
os.path.join(outdir_parent, 'extra_hwdef.dat'))
os.remove(os.path.join(outdir_parent, 'extra_hwdef.dat'))
new_git_hash = repo.commit_id_for_remote_ref(
remote=chosen_remote,
commit_ref=chosen_commit_reference
)
git_hash_short = new_git_hash[:10]
app.logger.info('Git hash = ' + new_git_hash)
selected_features_dict['git_hash_short'] = git_hash_short
# create directories using concatenated token
# of vehicle, board, git-hash of source, and md5sum of hwdef
token = chosen_vehicle.lower() + ':' + chosen_board + ':' + new_git_hash + ':' + extra_hwdef_md5sum
app.logger.info('token = ' + token)
outdir = os.path.join(outdir_parent, token)
if os.path.isdir(outdir):
app.logger.info('Build already exists')
else:
create_directory(outdir)
# create build.log
build_log_info = ('Vehicle: ' + chosen_vehicle +
'\nBoard: ' + chosen_board +
'\nRemote: ' + chosen_remote +
'\ngit-sha: ' + git_hash_short +
'\nVersion: ' + chosen_version_info.release_type + '-' + chosen_version_info.version_number +
'\nSelected Features:\n' + feature_list +
'\n\nWaiting for build to start...\n\n')
app.logger.info('Creating build.log')
build_log = open(os.path.join(outdir, 'build.log'), 'w')
build_log.write(build_log_info)
build_log.close()
# create hwdef.dat
app.logger.info('Opening ' +
os.path.join(outdir, 'extra_hwdef.dat'))
file = open(os.path.join(outdir, 'extra_hwdef.dat'),'w')
app.logger.info('Writing\n' + extra_hwdef)
file.write(extra_hwdef)
file.close()
# fill dictionary of variables and create json file
task = {}
task['token'] = token
task['remote'] = chosen_remote
task['git_hash_short'] = git_hash_short
task['version'] = chosen_version_info.release_type + '-' + chosen_version_info.version_number
task['extra_hwdef'] = os.path.join(outdir, 'extra_hwdef.dat')
task['vehicle'] = chosen_vehicle.lower()
task['board'] = chosen_board
task['ip'] = request.remote_addr
app.logger.info('Opening ' + os.path.join(outdir, 'q.json'))
jfile = open(os.path.join(outdir, 'q.json'), 'w')
app.logger.info('Writing task file to ' +
os.path.join(outdir, 'q.json'))
jfile.write(json.dumps(task, separators=(',\n', ': ')))
jfile.close()
# create selected_features.dat for status table
feature_file = open(os.path.join(outdir, 'selected_features.json'), 'w')
app.logger.info('Writing\n' + os.path.join(outdir, 'selected_features.json'))
feature_file.write(json.dumps(selected_features_dict))
feature_file.close()
queue_lock.release()
base_url = request.url_root
app.logger.info(base_url)
app.logger.info('Redirecting to /viewlog')
return redirect('/viewlog/'+token)
except Exception as ex:
app.logger.error(ex)
return render_template('error.html', ex=ex)
@app.route('/add_build')
def add_build():
app.logger.info('Rendering add_build.html')
return render_template('add_build.html')
def filter_build_options_by_category(build_options, category):
return sorted([f for f in build_options if f.category == category], key=lambda x: x.description.lower())
def parse_build_categories(build_options):
return sorted(list(set([f.category for f in build_options])))
@app.route('/', defaults={'token': None}, methods=['GET'])
@app.route('/viewlog/<token>', methods=['GET'])
def home(token):
if token:
app.logger.info("Showing log for build id " + token)
app.logger.info('Rendering index.html')
return render_template('index.html', token=token)
@app.route("/builds/<path:name>")
def download_file(name):
app.logger.info('Downloading %s' % name)
return send_from_directory(os.path.join(basedir,'builds'), name, as_attachment=False)
@app.route("/boards_and_features/<string:vehicle_name>/<string:remote_name>/<string:commit_reference>", methods=['GET'])
def boards_and_features(vehicle_name, remote_name, commit_reference):
commit_reference = base64.urlsafe_b64decode(commit_reference).decode()
if not versions_fetcher.is_version_listed(vehicle=vehicle_name, remote=remote_name, commit_ref=commit_reference):
return "Bad request. Commit reference not allowed to build for the vehicle.", 400
app.logger.info('Board list and build options requested for %s %s %s' % (vehicle_name, remote_name, commit_reference))
# getting board list for the branch
with repo.get_checkout_lock():
(boards, default_board) = ap_src_metadata_fetcher.get_boards_at_commit(
remote=remote_name,
commit_ref=commit_reference
)
options = ap_src_metadata_fetcher.get_build_options_at_commit(
remote=remote_name,
commit_ref=commit_reference
) # this is a list of Feature() objects defined in build_options.py
# parse the set of categories from these objects
categories = parse_build_categories(options)
features = []
for category in categories:
filtered_options = filter_build_options_by_category(options, category)
category_options = [] # options belonging to a given category
for option in filtered_options:
category_options.append({
'label' : option.label,
'description' : option.description,
'default' : option.default,
'define' : option.define,
'dependency' : option.dependency,
})
features.append({
'name' : category,
'options' : category_options,
})
# creating result dictionary
result = {
'boards' : boards,
'default_board' : default_board,
'features' : features,
}
# return jsonified result dict
return jsonify(result)
@app.route("/get_versions/<string:vehicle_name>", methods=['GET'])
def get_versions(vehicle_name):
versions = list()
for version_info in versions_fetcher.get_versions_for_vehicle(vehicle_name=vehicle_name):
if version_info.release_type == "latest":
title = f"Latest ({version_info.remote})"
else:
title = f"{version_info.release_type} {version_info.version_number} ({version_info.remote})"
id = f"{version_info.remote}/{version_info.commit_ref}"
versions.append({
"title" : title,
"id" : id,
})
return jsonify(sorted(versions, key=lambda x: x['title']))
@app.route("/get_vehicles")
def get_vehicles():
return jsonify(versions_fetcher.get_all_vehicles_sorted_uniq())
@app.route("/get_defaults/<string:vehicle_name>/<string:remote_name>/<string:commit_reference>/<string:board_name>", methods = ['GET'])
def get_deafults(vehicle_name, remote_name, commit_reference, board_name):
# Heli is built on copter
if vehicle_name == "Heli":
vehicle_name = "Copter"
commit_reference = base64.urlsafe_b64decode(commit_reference).decode()
version_info = versions_fetcher.get_version_info(vehicle=vehicle_name, remote=remote_name, commit_ref=commit_reference)
if version_info is None:
return "Bad request. Commit reference %s is not allowed for builds for the %s for %s remote." % (commit_reference, vehicle_name, remote_name), 400
artifacts_dir = version_info.ap_build_artifacts_url
if artifacts_dir is None:
return "Couldn't find artifacts for requested release/branch/commit on ardupilot server", 404
url_to_features_txt = artifacts_dir + '/' + board_name + '/features.txt'
response = requests.get(url_to_features_txt, timeout=30)
if not response.status_code == 200:
return ("Could not retrieve features.txt for given vehicle, version and board combination (Status Code: %d, url: %s)" % (response.status_code, url_to_features_txt), response.status_code)
# split response by new line character to get a list of defines
result = response.text.split('\n')
# omit the last two elements as they are always blank
return jsonify(result[:-2])
if __name__ == '__main__':
app.run()