-
Notifications
You must be signed in to change notification settings - Fork 14
/
Copy pathupload_form.py
1288 lines (1070 loc) · 49.8 KB
/
upload_form.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
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
"""
This is the main python tool (the "backend") for uploading, processing, and
ingesting data files. It will call the plotter to make plots too.
You can start up the web server with:
python upload_form.py
Please try to keep lines to 80 characters where possible
Print statements will show up in the terminal. Feel free to use them for
debugging, but try to remove them when you're done.
"""
import re
import os
import inspect
import numpy as np
import subprocess
import requests
import json
from ingest_datasets_better import (rename_columns, set_units, convert_units,
add_repeat_column,
add_generic_ids_if_needed,
add_is_sim_if_needed, fix_bad_types,
reorder_columns, append_table,
ignore_duplicates, update_duplicates,
add_is_gal_if_needed,
fix_bad_colnames, unit_mapping)
from flask import (Flask, request, redirect, url_for, render_template,
send_from_directory, jsonify)
from simple_plot import plotData, plotData_Sigma_sigma
from werkzeug import secure_filename
import difflib
import glob
import keyring
import builtins
import time
from datetime import datetime
from astropy.io import registry, ascii
from ipac_writer import ipac_writer
from astropy.table import Table
from astropy.table.jsviewer import write_table_jsviewer
from astropy import units as u
from astropy import log
import jinja2
if os.getenv('DEBUG'):
log.setLevel(10)
import hashlib
import traceback
UPLOAD_FOLDER = 'uploads/'
DATABASE_FOLDER = 'database/'
MPLD3_FOLDER = 'static/mpld3/'
PNG_PLOT_FOLDER = 'static/figures/'
TABLE_FOLDER = 'static/jstables/'
ALLOWED_EXTENSIONS = set(['fits', 'csv', 'txt', 'ipac', 'dat', 'tsv',
'ecsv', 'cds'])
valid_column_names = ['Ignore', 'IDs', 'SurfaceDensity', 'VelocityDispersion',
'Radius', 'IsSimulated', 'IsGalactic', 'Username',
'Filename', 'DataURL', 'synthimURL']
dimensionless_column_names = ['Ignore', 'IDs', 'IsSimulated', 'IsGalactic',
'Username', 'Filename', 'Email', 'ObsSim',
'GalExgal', "ADS_ID", "Publication_DOI_or_URL", 'doi',
'adsid', 'DataURL', 'synthimURL', 'dataurl',
'synthimurl']
use_column_names = ['SurfaceDensity', 'VelocityDispersion', 'Radius']
use_units = ['Msun/pc^2', 'km/s', 'pc']
FigureStrBase = 'Output_Sigma_sigma_r_'
TableStrBase = 'Output_Table_'
TooOld = 300 # age in seconds of files to delete
git_user = 'SirArthurTheSubmitter'
submitter_gmail = '{0}@gmail.com'.format(git_user)
table_widths = [64, 64, 20, 20, 20, 12, 12, 26, 36, 20, 64]
table_formats = registry.get_formats(Table)
app = Flask(__name__)
app.config['UPLOAD_FOLDER'] = UPLOAD_FOLDER
app.config['MPLD3_FOLDER'] = MPLD3_FOLDER
app.config['DATABASE_FOLDER'] = DATABASE_FOLDER
app.config['PNG_PLOT_FOLDER'] = PNG_PLOT_FOLDER
app.config['TABLE_FOLDER'] = TABLE_FOLDER
# app.config['DEBUG']=True
# this might be subject to a race condition? How?!
for path in (MPLD3_FOLDER, PNG_PLOT_FOLDER, TABLE_FOLDER):
try:
log.debug("ls {0}".format(path))
os.listdir(path)
log.debug("Path {0} does too exist!".format(path))
except OSError:
log.debug("Path {0} does not exist.".format(path))
while not os.path.isdir(path):
# these should not exist and should definitely not be files
if os.path.isfile(path):
log.debug("Deleting regular file {0}".format(path))
try:
os.remove(path)
except OSError as ex:
log.debug("Failed to remove {0}: {1}".format(path, ex))
continue
log.debug("Making directory {0}".format(path))
try:
os.mkdir(path)
except OSError as ex:
log.debug("Failed to create {0}: {1}".format(path, ex))
continue
# Load the metadata unit mapping
with open('alternate_allowed_metadata.json') as f:
additional_metadata = json.load(f)
additional_metadata_names = {k: v[0] for k, v in
list(additional_metadata.items())}
unit_mapping = dict({k: v[1] for k, v in list(additional_metadata.items())},
**unit_mapping)
# Allow zipping in jinja templates:
# http://stackoverflow.com/questions/5208252/ziplist1-list2-in-jinja2
env = jinja2.Environment()
env.globals.update(zip=zip)
env.globals['offline_mode'] = False
# http://stackoverflow.com/questions/21306134/iterating-over-multiple-lists-in-python-flask-jinja2-templates
@app.template_global(name='zip')
def _zip(*args, **kwargs): # to not overwrite builtin zip in globals
""" This function allows the use of "zip" in jinja2 templates """
return builtins.zip(*args, **kwargs)
def allowed_file(filename):
"""
For a given filename, check if it is in the allowed set of file types
"""
return ('.' in filename and filename.rsplit('.', 1)[1] in
ALLOWED_EXTENSIONS)
def get_file_extension(filename):
return filename.rsplit('.', 1)[1]
@app.route('/')
def index():
return render_template('index.html')
@app.route('/upload_form')
def upload_form():
return render_template('upload_form.html')
@app.route('/credits')
def credits():
return render_template('credits.html')
@app.route('/upload', methods=['POST'])
@app.route('/upload/<fileformat>', methods=['POST'])
def upload_file(fileformat=None):
"""
Main upload form. Accepts a posted file object (which is accessed via
request.files) and an optional file format.
"""
if 'fileformat' in request.form and fileformat is None:
fileformat = request.form['fileformat']
file = request.files['file']
if file and allowed_file(file.filename):
filename = secure_filename(file.filename)
file.save(os.path.join(app.config['UPLOAD_FOLDER'], filename))
return redirect(url_for('uploaded_file',
filename=filename,
fileformat=fileformat))
else:
return render_template("upload_form.html",
error="File type not supported")
@app.route('/uploads/<filename>')
@app.route('/uploads/<filename>/<fileformat>')
def uploaded_file(filename, fileformat=None):
"""
Handle an uploaded file. Takes a filename, which points to a file on disk
in the UPLOAD_FOLDER directory, and an optional file format.
If this fails, it will load the ambiguous file format loader
"""
try:
table = Table.read(os.path.join(app.config['UPLOAD_FOLDER'], filename),
format=fileformat)
except Exception as ex:
print("Did not read table with format={0}."
" Trying to handle ambiguous version.".format(fileformat))
return handle_ambiguous_table(filename, ex)
best_matches = {difflib.get_close_matches(vcn, table.colnames, n=1,
cutoff=0.4)[0]: vcn
for vcn in valid_column_names
if any(difflib.get_close_matches(vcn, table.colnames, n=1,
cutoff=0.4))}
best_column_names = [best_matches[colname] if colname in best_matches
else 'Ignore' for colname in table.colnames]
# column names can't have non-letters in them or javascript fails
fix_bad_colnames(table)
# read units and keywords from table
column_units = [table[cln].unit for cln in table.colnames]
tab_metadata = {'Author': '', 'ADS_ID': '', 'Publication DOI or URL': '',
'Submitter': '', 'IsObserved': False,
'IsSimulated': False, 'IsGalactic': False,
'IsExtragalactic': False,
'DataURL': False, 'synthimURL': False}
metadata_name_mapping = {'author': 'Author',
'ads': 'ADS_ID', 'ads_id': 'ADS_ID',
'doi': 'Publication DOI or URL',
'url': 'Publication DOI or URL',
'email': 'Submitter', 'submitter': 'Submitter',
'isobserved': 'IsObserved',
'issimulated': 'IsSimulated',
'isgalactic': 'IsGalactic',
'isextragalactic': 'IsExtragalactic',
'dataurl': 'DataURL', 'synthimurl': 'synthimURL'}
if len(table.meta) > 0:
for name, keyword in list(table.meta['keywords'].items()):
if name.lower() in metadata_name_mapping:
outkey = metadata_name_mapping[name.lower()]
tab_metadata[outkey] = keyword['value']
return render_template("parse_file.html", table=table, filename=filename,
real_column_names=valid_column_names,
best_column_names=best_column_names,
additional_metadata=additional_metadata_names,
unit_mapping=unit_mapping,
default_units=column_units,
tab_metadata=tab_metadata,
fileformat=fileformat)
def handle_ambiguous_table(filename, exception):
"""
Deal with an uploaded file that doesn't autodetect
"""
extension = os.path.splitext(filename)[-1]
best_match = difflib.get_close_matches(extension[1:], table_formats, n=1,
cutoff=0.05)
if any(best_match):
best_match = best_match[0]
else:
best_match = ""
return render_template('upload_form_filetype.html', filename=filename,
best_match_extension=best_match,
exception=exception)
@app.route('/autocomplete_units', methods=['GET'])
def autocomplete_units():
"""
Autocompletion for units. NOT USED ANY MORE.
"""
search = request.args.get('term')
allunits = set()
for unitname, unit in inspect.getmembers(u):
if isinstance(unit, u.UnitBase):
try:
for name in unit.names:
allunits.add(name)
except AttributeError:
continue
app.logger.debug(search)
return jsonify(json_list=list(allunits))
@app.route('/unit_map_page')
def unit_map_page():
return jsonify({k: str(v) for k, v in list(unit_mapping.items())})
@app.route('/validate_units', methods=['GET', 'POST'])
def validate_units():
"""
Validate the units: try to interpret the passed string as an astropy unit.
"""
print("Unit str: {0} Equiv: {1}".format(request.args.get('unit_str'),
request.args.get('equivalent_unit')))
try:
unit_str = request.args.get('unit_str', 'error', type=str)
equivalent_unit = request.args.get('equivalent_unit', 'error',
type=str)
if equivalent_unit in ('None', 'none', None):
u.Unit(unit_str)
OK = 'green'
else:
try:
u.Unit(unit_str).to(u.Unit(equivalent_unit))
OK = 'green'
except u.UnitsError as ex:
print(ex)
u.Unit(unit_str)
OK = 'yellow'
except ValueError as ex:
print(ex)
OK = 'red'
return jsonify(OK=OK)
@app.route('/autocomplete_filetypes', methods=['GET'])
def autocomplete_filetypes():
"""
Autocompletion for filetypes. Used, but presently not working. =(
"""
# search = request.args.get('term') # Not used??
readable_formats = table_formats[table_formats['Read'] == 'Yes']['Format']
return jsonify(json_list=list(readable_formats))
@app.route('/autocomplete_column_names', methods=['GET'])
def autocomplete_column_names():
"""
NOT USED
"""
return jsonify(json_list=valid_column_names)
@app.route('/set_columns/<path:filename>', methods=['POST', 'GET'])
def set_columns(filename, fileformat=None, testmode=False):
"""
Meat of the program: takes the columns from the input table and matches
them to the columns provided by the user in the column form.
Then, assigns units and column information and does all the proper file
ingestion work.
"""
log.debug("Beginning set_columns.")
if fileformat is None and 'fileformat' in request.args:
fileformat = request.args['fileformat']
if 'testmode' in request.args:
if request.args['testmode'].lower() == 'skip':
testmode = 'skip'
else:
testmode = request.args['testmode'].lower() == 'true'
if testmode:
loglevel = log.level
log.setLevel(10)
log.debug("Test mode = {0}.".format(testmode))
log.debug("Reading table {0}".format(filename))
try:
table = Table.read(os.path.join(app.config['UPLOAD_FOLDER'], filename),
format=fileformat)
except Exception as ex:
return render_template('error.html', error=str(ex),
traceback=traceback.format_exc(ex))
# Have to fix the column reading twice
fix_bad_colnames(table)
log.debug("Parsing column data.")
log.debug("form: {0}".format(request.form))
column_data = {field: {'Name': value}
for field, value in list(request.form.items())
if '_units' not in field}
log.debug("Looping through form items.")
for field, value in list(request.form.items()):
if '_units' in field:
column_data[field[:-6]]['unit'] = value
log.debug("Looping through column_data.")
units_data = {}
for key, pair in list(column_data.items()):
if (key not in dimensionless_column_names and
pair['Name'] not in dimensionless_column_names):
units_data[pair['Name']] = pair['unit']
log.debug("Created mapping.")
mapping = {filename: [column_data, units_data]} # Not used??
log.debug("Further table handling.")
key_rename_mapping = {k: v['Name'] for k, v in list(column_data.items())}
log.debug("Mapping: {0}".format(key_rename_mapping))
# Parse the table file, step-by-step
rename_columns(table, key_rename_mapping)
set_units(table, units_data)
table = fix_bad_types(table)
try:
convert_units(table)
except Exception as ex:
if testmode:
raise ex
else:
return render_template('error.html', error=str(ex),
traceback=traceback.format_exc(ex))
add_repeat_column(table, column_data.get('Username')['Name'], 'Names')
if 'ADS_ID' not in table.colnames:
add_repeat_column(table, request.form['adsid'], 'ADS_ID')
if 'Publication_DOI_or_URL' not in table.colnames:
add_repeat_column(table, request.form['doi'], 'Publication_DOI_or_URL')
if 'DataURL' not in table.colnames:
add_repeat_column(table, request.form['dataurl'], 'DataURL')
if 'synthimURL' not in table.colnames:
add_repeat_column(table, request.form['synthimurl'], 'synthimURL')
timestamp = datetime.now()
add_repeat_column(table, timestamp, 'Timestamp')
add_generic_ids_if_needed(table)
if column_data.get('ObsSim')['Name'] == 'IsObserved':
add_is_sim_if_needed(table, False)
else:
add_is_sim_if_needed(table, True)
if column_data.get('GalExgal')['Name'] == 'IsExtragalactic':
add_is_gal_if_needed(table, False)
else:
add_is_gal_if_needed(table, True)
# Rename the uploaded file to something unique, and store this name
# in the table
extension = os.path.splitext(filename)[-1]
full_filename_old = os.path.join(app.config['UPLOAD_FOLDER'], filename)
with open(full_filename_old) as file:
unique_filename = \
hashlib.sha1(file.read()).hexdigest()[0:36 - len(extension)] + \
extension
full_filename_new = os.path.join(app.config['UPLOAD_FOLDER'],
unique_filename)
os.rename(full_filename_old, full_filename_new)
add_repeat_column(table, unique_filename, 'Filename')
log.debug("Table column names after add_filename_column: ", table.colnames)
store_form_data(request, fileformat, unique_filename)
handle_email(request.form['Email'], unique_filename)
# Detect duplicate IDs in uploaded data and bail out if found
seen = {}
for row in table:
name = row['Names']
id = row['IDs']
if id in seen:
raise InvalidUsage("Duplicate ID detected in table: username = {0}"
", id = {1}. All IDs must be"
" unique.".format(name, id))
else:
seen[id] = name
# If merged table already exists, then append the new entries.
# Otherwise, create the table
merged_table_name = os.path.join(app.config['DATABASE_FOLDER'],
'merged_table.ipac')
if os.path.isfile(merged_table_name):
merged_table = Table.read(merged_table_name,
converters={'Names':
[ascii.convert_numpy('S64')],
'IDs':
[ascii.convert_numpy('S64')],
'IsSimulated':
[ascii.convert_numpy('S5')],
'IsGalactic':
[ascii.convert_numpy('S5')],
'Filename':
[ascii.convert_numpy('S36')]},
format='ascii.ipac')
if 'IsGalactic' not in merged_table.colnames:
# Assume that anything we didn't already tag as Galactic is
# probably Galactic
add_repeat_column(merged_table, True, 'IsGalactic')
if 'Timestamp' not in merged_table.colnames:
# Create a fake timestamp for the previous entries if they don't
# already have one
fake_timestamp = datetime.min
add_repeat_column(merged_table, fake_timestamp, "Timestamp")
if 'Filename' not in merged_table.colnames:
# If we don't know the filename, flag it as unknown
add_repeat_column(merged_table, 'Unknown' + ' ' * 29, 'Filename')
if 'ADS_ID' not in merged_table.colnames:
# If we don't know the filename, flag it as unknown
add_repeat_column(merged_table, 'Unknown' + ' ' * 13, 'ADS_ID')
if 'Publication_DOI_or_URL' not in merged_table.colnames:
# If we don't know the filename, flag it as unknown
add_repeat_column(merged_table, 'Unknown' + ' ' * 57,
'Publication_DOI_or_URL')
if 'DataURL' not in merged_table.colnames:
# If we don't know the filename, flag it as unknown
add_repeat_column(merged_table, 'Unknown' + ' ' * 57, 'DataURL')
if 'synthimURL' not in merged_table.colnames:
# If we don't know the filename, flag it as unknown
add_repeat_column(merged_table, 'Unknown' + ' ' * 57,
'synthimURL')
else:
# Maximum string length of 64 for username, ID -- larger strings are
# silently truncated
# TODO: Adjust these numbers to something more reasonable, once we
# figure out what that is, and verify that submitted data obeys
# these limits
names = ['Names', 'IDs', 'SurfaceDensity',
'VelocityDispersion', 'Radius', 'IsSimulated', 'IsGalactic',
'Timestamp', 'Filename', 'ADS_ID', 'Publication_DOI_or_URL',
'DataURL', 'synthimURL']
col_dtypes = [('str', 64), ('str', 64), 'float', 'float', 'float',
'bool', 'bool', ('str', 26), ('str', 36), ('str', 20),
('str', 64), ('str', 64), ('str', 64)]
merged_table = Table(data=None, names=names, dtype=col_dtypes)
# dts = merged_table.dtype
# Hack to force fixed-width: works only on strings
# merged_table.add_row(["_"*dts[ind].itemsize if dts[ind].kind=='S'
# else False if dts[ind].kind == 'b'
# else np.nan
# for ind in range(len(dts))])
set_units(merged_table)
table = reorder_columns(table, merged_table.colnames)
print("Table column names after reorder_columns: ", table.colnames)
print("Merged table column names after reorder_columns: ",
merged_table.colnames)
# Detect whether any username, ID pairs match entries already in the
# merged table
duplicates = {}
for row in merged_table:
name = row['Names']
id = row['IDs']
if id in seen:
if name == seen[id]:
duplicates[id] = name
handle_duplicates(table, merged_table, duplicates)
append_table(merged_table, table)
username = column_data.get('Username')['Name']
if testmode != 'skip':
try:
link_pull_database, link_pull_uploads = \
create_pull_request(username=username,
merged_table=merged_table,
merged_table_name=merged_table_name,
table_widths=table_widths,
unique_filename=unique_filename,
testmode=testmode)
except Exception as ex:
if testmode:
raise ex
else:
return render_template('error.html', error=str(ex),
traceback=traceback.format_exc(ex))
if isinstance(link_pull_database, Exception):
ex = link_pull_database
return render_template('error.html', error=str(ex),
traceback=traceback.format_exc(ex))
else:
link_pull_database, link_pull_uploads = 'placeholder', 'placeholder'
outfilename = os.path.splitext(filename)[0]
log.debug("Creating plot {0}.".format(outfilename))
myplot_html, myplot_png = \
plotData_Sigma_sigma(timeString(), table, outfilename,
html_dir=app.config['MPLD3_FOLDER'],
png_dir=app.config['PNG_PLOT_FOLDER'])
log.debug("Creating table.")
tablecss = "table,th,td,tr,tbody {border: 1px solid black; border-collapse: collapse;}"
table_name = os.path.join(TABLE_FOLDER, '{fn}.html'.format(fn=outfilename))
write_table_jsviewer(table,
table_name,
css=tablecss,
jskwargs={'use_local_files': False},
table_id=outfilename)
if myplot_html is None:
assert myplot_png is None # should be both or neither
imagename = None
png_imagename = None
else:
imagename = '/' + myplot_html
png_imagename = "/" + myplot_png
return render_template('show_plot.html',
imagename=imagename,
png_imagename=png_imagename,
tablefile='{fn}.html'.format(fn=outfilename),
link_pull_uploads=link_pull_uploads,
link_pull_database=link_pull_database)
def create_pull_request(username, merged_table, merged_table_name,
table_widths, unique_filename, testmode=False):
# go to appropriate branches in the database gits
print("Re-fetching the databases.")
check_authenticate_with_github()
branch_database, timestamp = setup_submodule(username,
workingdir='database/',
database='database',
testmode=testmode)
branch_uploads, timestamp = setup_submodule(username,
workingdir='uploads/',
database='uploads',
timestamp=timestamp,
branch=branch_database)
# write the modified table
ipac_writer(merged_table, merged_table_name, widths=table_widths)
print("Committing changes")
# Add merged data to database
branch_database, timestamp = \
commit_change_to_database(username,
branch=branch_database,
timestamp=timestamp)
uploads = [unique_filename,
os.path.splitext(unique_filename)[0] + "_formdata.json"]
try:
# Adding raw file to uploads
branch_uploads, timestamp = \
commit_change_to_database(username, tablename=uploads,
workingdir='uploads/',
database='uploads',
branch=branch_database,
timestamp=timestamp)
except Exception as ex:
cleanup_git_directory('uploads/', allow_fail=False)
return ex, ex
try:
log.debug("Creating pull requests")
response_database, link_pull_database = pull_request(branch_database,
username,
timestamp,
testmode=testmode)
response_uploads, link_pull_uploads = pull_request(branch_database,
username,
timestamp,
database='uploads',
testmode=testmode)
except Exception as ex:
cleanup_git_directory('uploads/', allow_fail=False)
cleanup_git_directory('database/', allow_fail=False)
return ex, ex
return link_pull_database, link_pull_uploads
def setup_submodule(username, remote='origin', workingdir='database/',
database='database', branch=None, timestamp=None,
testmode=False):
"""
"""
if timestamp is None:
timestamp = datetime.now().isoformat().replace(":", "_")
if branch is None:
if testmode:
branch = 'TEST_{0}_{1}'.format(username, timestamp)
else:
branch = '{0}_{1}'.format(username, timestamp)
log.debug("Branch name: {0}".format(branch))
check_upstream = \
subprocess.check_output(['git', 'config', '--get',
'remote.{remote}.url'.format(remote=remote)],
cwd=workingdir)
name = os.path.split(check_upstream)[1][:-5]
if name != database:
raise Exception("Error: the remote URL {0} "
"(which points to '{2}')"
" does not match the expected one '{1}'"
" that was passed to setup_module. The"
" full string was {0}, and the last 5 "
"characters are supposed to be cropped"
" after splitting."
.format(check_upstream, database, name))
branch_result = subprocess.call(['git', 'branch', '-a'], cwd=workingdir)
print("git branch -a: ", branch_result)
checkout_master_result = \
subprocess.call(['git', 'checkout',
'{remote}/master'.format(remote=remote)],
cwd=workingdir)
if checkout_master_result != 0:
raise Exception("Checking out the {remote}/master branch in the "
"database failed. Try 'cd {workingdir}; git checkout "
"{remote}/master'"
.format(remote=remote, workingdir=workingdir))
checkout_result = \
subprocess.call(['git', 'checkout', '-b', branch,
'{remote}/master'.format(remote=remote)],
cwd=workingdir)
if checkout_result != 0:
raise Exception("Checking out a new branch in the database failed. "
"Attempted to checkout branch {0} in {1}"
.format(branch, workingdir))
return branch, timestamp
def commit_change_to_database(username, remote='origin',
tablename='merged_table.ipac',
workingdir='database/', database='database',
branch=None, timestamp=None, retry=10):
"""
"""
if timestamp is None:
timestamp = datetime.now().isoformat().replace(":", "_")
if branch is None:
re.compile('[A-Za-z0-9]_')
branch = '{0}_{1}'.format(re.sub("", username), timestamp)
check_upstream = \
subprocess.check_output(['git', 'config', '--get',
'remote.{remote}.url'.format(remote=remote)],
cwd=workingdir)
name = os.path.split(check_upstream)[1][:-5]
if name != database:
raise Exception("Error: the remote URL {0} (which is really '{2}') "
"does not match the expected one '{1}'"
.format(check_upstream, database, name))
if isinstance(tablename, (list, tuple)):
add_result = \
subprocess.call(['git', 'add'] + tablename, cwd=workingdir)
else:
add_result = subprocess.call(['git', 'add', tablename], cwd=workingdir)
if add_result != 0:
raise Exception("Adding {tablename} to the commit failed in {cwd}."
.format(tablename=tablename, cwd=workingdir))
print("Staged diff")
# diff checking with --cached includes staged files
diff_result = subprocess.check_output(['git', 'diff', '--cached'],
cwd=workingdir)
# if there is no difference, it is not possible to commit
if diff_result == '':
checkout_master(remote, workingdir)
raise Exception("No difference was detected between the input branch "
"of {0} and the master after staging."
" Possibly the submitted data "
"file contains no data.".format(workingdir))
commit_result = \
subprocess.call(['git', 'commit', '-m',
'Add changes to table from {0} at {1}'
.format(username, timestamp)],
cwd=workingdir)
if commit_result != 0:
raise Exception("Committing the new branch failed")
push_result = subprocess.call(['git', 'push', remote, branch],
cwd=workingdir)
if push_result != 0:
raise Exception("Pushing to the remote {0} folder failed"
.format(workingdir))
# Check that pushing succeeded
api_url_branch = \
'https://api.github.com/repos/camelot-project/{0}/branches/{1}'.format(database, branch)
for ii in range(retry):
branch_exists = requests.get(api_url_branch)
if branch_exists.ok:
break
else:
time.sleep(0.1)
branch_exists.raise_for_status()
checkout_master(remote, workingdir)
return branch, timestamp
def checkout_master(remote, workingdir):
checkout_master_result = \
subprocess.call(['git', 'checkout',
'{remote}/master'.format(remote=remote)],
cwd=workingdir)
if checkout_master_result != 0:
raise Exception("Checking out the {remote}/master branch in the "
"database failed. This will prevent future uploads "
"from working, which is bad!!"
.format(remote=remote, workingdir=workingdir))
def pull_request(branch, user, timestamp, database='database', retry=5,
testmode=False):
"""
WIP: Eventually, we want each file to be uploaded to github and submitted
as a pull request when people submit their data
This will be tricky: we need to have a "replace existing file" logic in
addition to the original submission. We also need an account + API_KEY
etc, which may be the most challenging part.
https://developer.github.com/v3/pulls/#create-a-pull-request
"""
S = requests.Session()
S.headers['User-Agent'] = 'camelot-project ' + S.headers['User-Agent']
password = keyring.get_password('github', git_user)
if password is None:
password = os.getenv('GITHUB_PASSWORD')
if password is None:
raise Exception("No password specified for the submitter account. "
"Configure your server to use either keyring or the "
"appropriate environmental variable")
# S.get('https://api.github.com/', data={'access_token':'e4942f7d7cc9468ffd0e'})
if testmode:
prtitle = "**TEST** data table from {user}".format(user=user)
else:
prtitle = "New data table from {user}".format(user=user)
data = {"title": prtitle,
"body": "Data table added by {user} at {timestamp}"
.format(user=user, timestamp=timestamp),
"head": "camelot-project:{0}".format(branch),
"base": "master"}
api_url_branch = \
'https://api.github.com/repos/camelot-project/{0}/branches/{1}'.format(database, branch)
branch_exists = S.get(api_url_branch)
if (not branch_exists.ok):
for ii in range(retry):
branch_exists = S.get(api_url_branch)
if branch_exists.ok:
break
branch_exists.raise_for_status()
api_url = \
'https://api.github.com/repos/camelot-project/{0}/pulls'.format(database)
response = S.post(url=api_url, data=json.dumps(data),
auth=(git_user, password))
response.raise_for_status()
pull_url = response.json()['html_url']
return response, pull_url
def handle_duplicates(table, merged_table, duplicates):
print("TODO: DO SOMETHING HERE (handle duplicates)")
@app.route('/query_form')
def query_form(filename="merged_table.ipac"):
table = Table.read(os.path.join(app.config['DATABASE_FOLDER'],
filename), format='ascii.ipac')
tolerance = 1.2
sd = np.ma.masked_where(table['SurfaceDensity'] == 0,
table['SurfaceDensity'])
vd = np.ma.masked_where(table['VelocityDispersion'] == 0,
table['VelocityDispersion'])
rd = np.ma.masked_where(table['Radius'] == 0, table['Radius'])
min_values = [np.round(min(sd) / tolerance, 4),
np.round(min(vd) / tolerance, 4),
np.round(min(rd) / tolerance, 4)]
max_values = [np.round(max(table['SurfaceDensity']) * tolerance, 1),
np.round(max(table['VelocityDispersion']) * tolerance, 1),
np.round(max(table['Radius']) * tolerance, 1)]
usetable = table[use_column_names]
best_matches = {difflib.get_close_matches(vcn, usetable.colnames, n=1,
cutoff=0.4)[0]: vcn
for vcn in use_column_names
if any(difflib.get_close_matches(vcn, usetable.colnames,
n=1, cutoff=0.4))}
best_column_names = [best_matches[colname] if colname in best_matches
else 'Ignore' for colname in usetable.colnames]
return render_template("query_form.html", table=table, usetable=usetable,
use_units=use_units, filename=filename,
use_column_names=use_column_names,
best_column_names=best_column_names,
min_values=min_values,
max_values=max_values)
def clearOutput():
for fl in glob.glob(os.path.join(app.config['MPLD3_FOLDER'],
FigureStrBase + "*.png")):
now = time.time()
if os.stat(fl).st_mtime < now - TooOld:
os.remove(fl)
for fl in glob.glob(os.path.join(app.config['TABLE_FOLDER'],
TableStrBase + "*.ipac")):
now = time.time()
if os.stat(fl).st_mtime < now - TooOld:
os.remove(fl)
for fl in glob.glob(os.path.join(app.config['MPLD3_FOLDER'],
FigureStrBase + "*.html")):
now = time.time()
if os.stat(fl).st_mtime < now - TooOld:
os.remove(fl)
def timeString():
TimeString = datetime.now().strftime("%Y%m%d%H%M%S%f")
return TimeString
@app.route('/query/<path:filename>', methods=['POST'])
def query(filename, fileformat=None):
SurfMin = float(request.form['SurfaceDensity_min']) * \
u.Unit(request.form['SurfaceDensity_unit'])
SurfMax = float(request.form['SurfaceDensity_max']) * \
u.Unit(request.form['SurfaceDensity_unit'])
VDispMin = float(request.form['VelocityDispersion_min']) * \
u.Unit(request.form['VelocityDispersion_unit'])
VDispMax = float(request.form['VelocityDispersion_max']) * \
u.Unit(request.form['VelocityDispersion_unit'])
RadMin = float(request.form['Radius_min']) * \
u.Unit(request.form['Radius_unit'])
RadMax = float(request.form['Radius_max']) * \
u.Unit(request.form['Radius_unit'])
ShowObs = (request.form['ObsSimBoth'] == 'IsObserved') or \
(request.form['ObsSimBoth'] == 'IsObsSim')
ShowSim = (request.form['ObsSimBoth'] == 'IsSimulated') or \
(request.form['ObsSimBoth'] == 'IsObsSim')
ShowGal = (request.form['GalExgalBoth'] == 'IsGalactic') or \
(request.form['GalExgalBoth'] == 'IsGalExgal')
ShowExgal = (request.form['GalExgalBoth'] == 'IsExtragalactic') or \
(request.form['GalExgalBoth'] == 'IsGalExgal')
NQuery = timeString()
clearOutput()
table = Table.read(os.path.join(app.config['DATABASE_FOLDER'], filename),
format='ascii.ipac')
set_units(table)
temp_table = [table[index].index for index, (surfdens, vdisp, radius) in
enumerate(zip(table['SurfaceDensity'],
table['VelocityDispersion'],
table['Radius']))
if (SurfMin < surfdens * table['SurfaceDensity'].unit < SurfMax and
VDispMin < vdisp * table['VelocityDispersion'].unit < VDispMax and
RadMin < radius * table['Radius'].unit < RadMax)]
use_table = table[temp_table]
if not ShowObs:
temp_table = [use_table[h].index for h, i in
zip(list(range(len(use_table))), use_table['IsSimulated'])
if i == 'False']
use_table.remove_rows(temp_table)
if not ShowSim:
temp_table = [use_table[h].index for h, i in
zip(list(range(len(use_table))), use_table['IsSimulated'])
if i == 'True']
use_table.remove_rows(temp_table)
if not ShowGal:
temp_table = [use_table[h].index for h, i in
zip(list(range(len(use_table))), use_table['IsGalactic'])
if i == 'True']
use_table.remove_rows(temp_table)
if not ShowExgal:
temp_table = [use_table[h].index for h, i in
zip(list(range(len(use_table))), use_table['IsGalactic'])
if i == 'False']
use_table.remove_rows(temp_table)
tablefile = os.path.join(app.config['TABLE_FOLDER'],
TableStrBase + NQuery + '.ipac')