-
Notifications
You must be signed in to change notification settings - Fork 19
/
Copy pathdynamic_report.py
executable file
·676 lines (611 loc) · 29.4 KB
/
dynamic_report.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
#!/usr/bin/env python3.7
##########################################################################
#
# This file is part of Proverbot9001.
#
# Proverbot9001 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.
#
# Proverbot9001 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.
#
# You should have received a copy of the GNU General Public License
# along with Proverbot9001. If not, see <https://www.gnu.org/licenses/>.
#
# Copyright 2019 Alex Sanchez-Stern and Yousef Alhessi
#
##########################################################################
import argparse
import subprocess
import os
import sys
import threading
import queue
import re
import datetime
import csv
from pathlib_revised import Path2
from typing import List, Any, Tuple, Dict, Union, cast, NewType, Callable
from shutil import *
from yattag import Doc
Tag = Callable[..., Doc.Tag]
Text = Callable[..., None]
Line = Callable[..., None]
import coq_serapy
from coq_serapy import (ParseError, LexError, CoqTimeoutError,
BadResponse, CoqExn, CompletedError,
AckError, get_stem)
import linearize_semicolons
import tokenizer
from util import *
from coq_serapy.contexts import TacticContext
from context_filter import get_context_filter
from syntax import syntax_highlight, strip_comments
from predict_tactic import static_predictors, loadPredictorByFile, loadPredictorByName
from models.tactic_predictor import TacticPredictor
finished_queue = queue.Queue() # type: queue.Queue[int]
rows = queue.Queue() # type: queue.Queue[FileResult]
details_css = ["details.css"]
details_javascript = ["details.js"]
report_css = ["report.css"]
report_js = ["report.js"]
num_predictions = 3
max_tactic_length = 100
baseline_tactic = "eauto"
jobs : 'queue.Queue[str]'
num_jobs : int
net : TacticPredictor
gresult : 'GlobalResult'
def header(tag : Tag, doc : Doc, text : Text, css : List[str],
javascript : List[str], title : str) -> None:
with tag('head'):
for filename in css:
doc.stag('link', href=filename, rel='stylesheet')
for filename in javascript:
with tag('script', type='text/javascript',
src=filename):
pass
with tag('title'):
text(title)
def details_header(tag : Any, doc : Doc, text : Text, filename : str) -> None:
header(tag, doc, text, details_css, details_javascript,
"Proverbot Detailed Report for {}".format(filename))
def report_header(tag : Any, doc : Doc, text : Text) -> None:
header(tag, doc, text,report_css, report_js,
"Proverbot Report")
def to_list_string(l : List[Any]) -> str:
return "% ".join([str(item) for item in l])
def shorten_whitespace(string : str) -> str:
return re.sub(" +", " ", string)
def run_prediction(coq : coq_serapy.SerapiInstance, prediction : str) -> Tuple[str,str,Optional[Exception]]:
prediction = prediction.lstrip("-+*")
coq.quiet = True
try:
coq.run_stmt(prediction)
context = coq.proof_context
coq.cancel_last()
assert isinstance(context, str)
return (prediction, context, None)
except (ParseError, LexError, BadResponse, CoqExn, CoqTimeoutError) as e:
return (prediction, "", e)
finally:
coq.quiet = False
# Warning: Mutates fresult
def evaluate_prediction(fresult : 'FileResult',
initial_context : str,
correct_command : str,
correct_result_context : str,
prediction_run : Tuple[str, str, Optional[Exception]]) -> str:
prediction, context, exception = prediction_run
grade = fresult.grade_command_result(initial_context,
prediction, context, correct_command,
correct_result_context, exception)
return grade
class GlobalResult:
def __init__(self, options : List[Tuple[str, str]]) -> None:
self.num_tactics = 0
self.num_correct = 0
self.num_partial = 0
self.num_failed = 0
self.num_topN = 0
self.num_topNPartial = 0
self.num_searched = 0
self.lock = threading.Lock()
self.options = options
self.total_loss = 0.
pass
def add_file_result(self, result : 'FileResult'):
self.lock.acquire()
self.num_tactics += result.num_tactics
self.num_correct += result.num_correct
self.num_partial += result.num_partial
self.num_failed += result.num_failed
self.num_topN += result.num_topN
self.num_topNPartial += result.num_topNPartial
self.num_searched += result.num_searched
self.total_loss += result.total_loss
self.lock.release()
pass
def report_results(self, doc : Doc, text : Text, tag : Any, line : Line):
with tag('h2'):
text("Overall Accuracy: {}% ({}/{})"
.format(stringified_percent(self.num_searched, self.num_tactics),
self.num_searched, self.num_tactics))
with tag('ul'):
for k, v in self.options:
with tag('li'):
text("{}: {}".format(k, v))
with tag('li'):
text("report type: dynamic")
with tag('table'):
with tag('tr', klass="header"):
line('th', 'Filename')
line('th', 'Number of Tactics in File')
line('th', 'Number of Tactics Correctly Found')
line('th', '% Correctly Found')
line('th', '% Initially Correct')
line('th', '% Top {}'.format(num_predictions))
line('th', '% Partial')
line('th', '% Top {} Partial'.format(num_predictions))
line('th', 'Testing Loss')
line('th', 'Details')
sorted_rows = []
while rows.qsize() > 0:
sorted_rows.append(rows.get())
sorted_rows = sorted(sorted_rows, key=lambda fresult: fresult.num_tactics,
reverse=True)
for fresult in sorted_rows:
if fresult.num_tactics == 0:
continue
with tag('tr'):
line('td', fresult.filename)
line('td', str(fresult.num_tactics))
line('td', str(fresult.num_searched))
line('td', stringified_percent(fresult.num_searched,
fresult.num_tactics))
line('td', stringified_percent(fresult.num_correct,
fresult.num_tactics))
line('td', stringified_percent(fresult.num_topN,
fresult.num_tactics))
line('td', stringified_percent(fresult.num_partial,
fresult.num_tactics))
line('td', stringified_percent(fresult.num_topNPartial,
fresult.num_tactics))
line('td', "{:10.2f}".format(fresult.total_loss / fresult.num_tactics))
with tag('td'):
with tag('a', href=fresult.details_filename() + ".html"):
text("Details")
with tag('tr'):
line('td', "Total");
line('td', str(self.num_tactics))
line('td', str(self.num_searched))
line('td', stringified_percent(self.num_searched,
self.num_tactics))
line('td', stringified_percent(self.num_correct,
self.num_tactics))
line('td', stringified_percent(self.num_topN,
self.num_tactics))
line('td', stringified_percent(self.num_partial,
self.num_tactics))
line('td', stringified_percent(self.num_topNPartial,
self.num_tactics))
line('td', "{:10.2f}".format(self.total_loss / self.num_tactics))
pass
def add_to_freq_table(table : Dict[Any, int], entry : Any) -> None:
if entry not in table:
table[entry] = 1
else:
table[entry] += 1
class FileResult:
def __init__(self, filename : str) -> None:
self.num_tactics = 0
self.num_correct = 0
self.num_partial = 0
self.num_topN = 0
self.num_topNPartial = 0
self.num_searched = 0
self.num_failed = 0
self.filename = filename
self.actual_tactic_frequency : Dict[str, int] = {}
self.predicted_tactic_frequency : Dict[str, int] = {}
self.correctly_predicted_frequency : Dict[str, int] = {}
self.total_loss = 0.
pass
def grade_command_result(self, initial_context : str,
predicted : str, predicted_context : str,
actual : str, actual_context : str,
exception : Optional[Exception]) -> str:
if actual.strip() == predicted.strip():
return "goodcommand"
elif (get_stem(actual) == get_stem(predicted)):
return "okaycommand"
elif type(exception) == ParseError or type(exception) == LexError:
return "superfailedcommand"
elif exception != None:
return "failedcommand"
elif predicted_context == actual_context:
return "mostlygoodcommand"
elif predicted_context == initial_context:
return "uselesscommand"
else:
return "badcommand"
def add_command_result(self,
predictions : List[str], grades : List[str],
actual : str, loss : float) -> None:
add_to_freq_table(self.actual_tactic_frequency,
get_stem(actual))
add_to_freq_table(self.predicted_tactic_frequency,
get_stem(predictions[0]))
self.total_loss += loss
self.num_tactics += 1
if (grades[0] == "goodcommand" or grades[0] == "mostlygoodcommand"):
add_to_freq_table(self.correctly_predicted_frequency,
get_stem(predictions[0]))
self.num_correct += 1
self.num_partial += 1
elif (grades[0] == "okaycommand"):
self.num_partial += 1
elif (grades[0] == "failedcommand" or
grades[0] == "superfailedcommand"):
self.num_failed += 1
for grade in grades:
if (grade == "goodcommand" or grade == "mostlygoodcommand"):
self.num_topN += 1
self.num_topNPartial += 1
break
if (grade == "okaycommand"):
self.num_topNPartial += 1
break
for grade in grades:
if (grade == "goodcommand" or grade == "mostlygoodcommand"):
self.num_searched += 1
break
if (grade != "failedcommand" and
grade != "superfailedcommand" and
grade != "uselesscommand"):
break
pass
def details_filename(self) -> str:
return "{}".format(escape_filename(self.filename))
pass
class Worker(threading.Thread):
def __init__(self, workerid : int, coqargs : List[str], includes : str,
output_dir : str, prelude : str, debug : bool, num_jobs : int,
baseline : bool, skip_nochange_tac : bool, context_filter : str,
full_args : argparse.Namespace) -> None:
threading.Thread.__init__(self, daemon=True)
self.coqargs = coqargs
self.includes = includes
self.workerid = workerid
self.output_dir = output_dir
self.prelude = prelude
self.debug = debug
self.num_jobs = num_jobs
self.baseline = baseline
self.cfilter = get_context_filter(context_filter)
self.skip_nochange_tac = skip_nochange_tac
self.full_args = full_args
pass
def get_commands(self, args : argparse.Namespace, file_idx : int,
filename : str) -> List[str]:
local_filename = self.prelude + "/" + filename
loaded_commands = linearize_semicolons.try_load_lin(args, file_idx,
local_filename)
if loaded_commands is None:
fresh_commands = linearize_semicolons.preprocess_file_commands(
args, file_idx,
coq_serapy.load_commands_preserve(args, file_idx,
self.prelude + "/" + filename),
self.coqargs, self.includes,
filename, local_filename, self.skip_nochange_tac)
coq_serapy.save_lin(fresh_commands, local_filename)
return fresh_commands
else:
return loaded_commands
def process_file(self, args : argparse.Namespace, file_idx : int, filename : str) \
-> None:
global gresult
fresult = FileResult(filename)
if self.debug:
print("Preprocessing...")
commands = self.get_commands(args, file_idx, filename)
command_results : List[CommandResult] = []
with coq_serapy.SerapiContext(self.coqargs,
self.includes,
self.prelude) as coq:
coq.debug = self.debug
nb_commands = len(commands)
for i in range(nb_commands):
command = commands[i]
# print("Processing command {}/{}".format(str(i+1), str(nb_commands)))
in_proof = (coq.proof_context and
not re.match(".*Proof.*", command.strip()))
if re.match("[{}]", command):
coq.run_stmt(command)
continue
if in_proof:
prev_tactics = coq.prev_tactics
initial_context = coq.proof_context
assert initial_context
hyps = coq.hypotheses
goals = coq.goals
relevant_lemmas = coq.local_lemmas
if self.baseline:
predictions_and_certanties = [baseline_tactic + ".", 1] \
* num_predictions
else:
predictions_and_certainties, loss = net.predictKTacticsWithLoss(
TacticContext(relevant_lemmas, prev_tactics, hyps, goals),
num_predictions,
command)
prediction_runs = [run_prediction(coq, prediction) for
prediction, certainty in
predictions_and_certainties]
try:
coq.run_stmt(command)
actual_result_context = coq.proof_context
actual_result_goal = coq.goals
actual_result_hypotheses = coq.hypotheses
actual_result_lemmas = coq.local_lemmas
assert isinstance(actual_result_context, str)
except (AckError, CompletedError, CoqExn,
BadResponse, ParseError, LexError, CoqTimeoutError):
print("In file {}:".format(filename))
raise
prediction_results = [(prediction,
evaluate_prediction(fresult,
initial_context,
command,
actual_result_context,
prediction_run),
certainty)
for prediction_run, (prediction, certainty) in
zip(prediction_runs,
predictions_and_certainties)]
assert net.training_args
if self.cfilter(TacticContext(relevant_lemmas,
prev_tactics,
hyps,
goals),
command,
TacticContext(actual_result_lemmas,
prev_tactics + [command],
actual_result_hypotheses,
actual_result_goal),
net.training_args):
fresult.add_command_result(
[pred for pred, ctxt, ex in prediction_runs],
[grade for pred, grade, certainty in prediction_results],
command, loss)
command_results.append((command, hyps, goals,
prediction_results))
else:
command_results.append((command,))
else:
try:
coq.run_stmt(command)
except (AckError, CompletedError, CoqExn,
BadResponse, ParseError, LexError, CoqTimeoutError):
print("In file {}:".format(filename))
raise
command_results.append((command,))
write_csv(fresult.details_filename(), self.output_dir,
gresult.options, command_results)
doc, tag, text, line = Doc().ttl()
with tag('html'):
details_header(tag, doc, text, filename)
with tag('div', id='overlay', onclick='event.stopPropagation();'):
with tag('div', id='predicted'):
pass
with tag('div', id='context'):
pass
with tag('div', id='stats'):
pass
pass
with tag('body', onclick='deselectTactic()',
onload='setSelectedIdx()'), tag('pre'):
for idx, command_result in enumerate(command_results):
if len(command_result) == 1:
with tag('code', klass='plaincommand'):
text(command_result[0])
else:
command, hyps, goal, prediction_results = \
cast(TacticResult, command_result)
predictions, grades, certainties = zip(*prediction_results)
search_index = 0
for pidx, prediction_result in enumerate(prediction_results):
prediction, grade, certainty = prediction_result
if (grade != "failedcommand" and
grade != "superfailedcommand"):
search_index = pidx
break
with tag('span',
('data-hyps',"\n".join(hyps)),
('data-goal',shorten_whitespace(goal)),
('data-num-total', str(fresult.num_tactics)),
('data-predictions',
to_list_string(cast(List[str], predictions))),
('data-num-predicteds',
to_list_string([fresult.predicted_tactic_frequency
.get(get_stem(prediction), 0)
for prediction in cast(List[str],
predictions)])),
('data-num-corrects',
to_list_string([fresult.correctly_predicted_frequency
.get(get_stem(prediction), 0)
for prediction in
cast(List[str], predictions)])),
('data-certainties',
to_list_string(cast(List[float], certainties))),
('data-num-actual-corrects',
fresult.correctly_predicted_frequency
.get(get_stem(command), 0)),
('data-num-actual-in-file',
fresult.actual_tactic_frequency
.get(get_stem(command))),
('data-actual-tactic',
strip_comments(command)),
('data-grades',
to_list_string(cast(List[str], grades))),
('data-search-idx',
search_index),
id='command-' + str(idx),
onmouseover='hoverTactic({})'.format(idx),
onmouseout='unhoverTactic()',
onclick='selectTactic({}); event.stopPropagation();'
.format(idx)):
doc.stag("br")
for idx, prediction_result in enumerate(prediction_results):
prediction, grade, certainty = prediction_result
if search_index == idx:
with tag('code', klass=grade):
text(" " + command.strip())
else:
with tag('span', klass=grade):
doc.asis(" ⬤")
with open("{}/{}.html".format(self.output_dir, fresult.details_filename()), "w") as fout:
fout.write(doc.getvalue())
gresult.add_file_result(fresult)
rows.put(fresult)
def run(self) -> None:
try:
while(True):
job = jobs.get_nowait()
jobnum = num_jobs - jobs.qsize()
print("Processing file {} ({} of {})".format(job,
jobnum,
num_jobs))
self.process_file(self.full_args, 0, job)
print("Finished file {} ({} of {})".format(job,
jobnum,
num_jobs))
except queue.Empty:
pass
finally:
finished_queue.put(self.workerid)
def main(arg_list : List[str]) -> None:
global jobs
global num_jobs
global net
global gresult
parser = argparse.ArgumentParser(description=
"try to match the file by predicting a tactic")
parser.add_argument('-j', '--threads', default=16, type=int)
parser.add_argument('--prelude', default=".", type=Path2)
parser.add_argument('--debug', default=False, const=True, action='store_const')
parser.add_argument("--verbose", "-v", help="verbose output",
action='store_const', const=True, default=False)
parser.add_argument("--progress", "-P", help="show progress of files",
action='store_const', const=True, default=False)
parser.add_argument('-o', '--output', help="output data folder name",
default="report", type=Path2)
parser.add_argument('-m', '--message', default=None)
parser.add_argument('--baseline',
help="run in baseline mode, predicting {} every time"
.format(baseline_tactic),
default=False, const=True, action='store_const')
parser.add_argument('--context-filter', dest="context_filter", type=str,
default=None)
parser.add_argument('--weightsfile', default=None)
parser.add_argument('--predictor', choices=list(static_predictors.keys()),
default=None)
parser.add_argument('--skip-nochange-tac', default=False, const=True, action='store_const',
dest='skip_nochange_tac')
parser.add_argument('filenames', nargs="+", help="proof file name (*.v)", type=Path2)
args = parser.parse_args(arg_list)
coqargs = ["sertop", "--implicit"]
includes = subprocess.Popen(['make', '-C', str(args.prelude), 'print-includes'],
stdout=subprocess.PIPE).communicate()[0].decode('utf-8')
# Get some metadata
cur_commit = subprocess.check_output(["git show --oneline | head -n 1"],
shell=True).decode('utf-8').strip()
cur_date = datetime.datetime.now()
if not args.output.exists():
args.output.makedirs()
jobs = queue.Queue()
workers = []
num_jobs = len(args.filenames)
for infname in args.filenames:
jobs.put(infname)
args.threads = min(args.threads, len(args.filenames))
if args.weightsfile:
net = loadPredictorByFile(args.weightsfile)
elif args.predictor:
net = loadPredictorByName(args.predictor)
else:
print("You must specify either --weightsfile or --predictor!")
parser.print_help()
return
gresult = GlobalResult(net.getOptions())
context_filter = args.context_filter or dict(net.getOptions())["context_filter"]
for idx in range(args.threads):
worker = Worker(idx, coqargs, includes, args.output,
args.prelude, args.debug, num_jobs,
args.baseline, args.skip_nochange_tac,
context_filter, args)
worker.start()
workers.append(worker)
for idx in range(args.threads):
finished_id = finished_queue.get()
workers[finished_id].join()
print("Thread {} finished ({} of {}).".format(finished_id, idx + 1, args.threads))
write_summary(args.output, num_jobs, cur_commit,
args.message, args.baseline, cur_date, gresult)
TacticResult = Tuple[str, List[str], str, List[Tuple[str, str, float]]]
CommandResult = Union[Tuple[str], TacticResult]
def write_csv(base_filename : str, output_dir : str,
options : List[Tuple[str, str]], command_results : List[CommandResult]):
with open("{}/{}.csv".format(output_dir, base_filename),
'w', newline='') as csvfile:
for k, v in options:
csvfile.write("# {}: {}\n".format(k, v))
rowwriter = csv.writer(csvfile, lineterminator=os.linesep)
for row in command_results:
if len(row) == 1:
rowwriter.writerow([re.sub(r"\n", r"\\n", row[0])])
else:
# Type hack
command, hyps, goal, prediction_results = cast(TacticResult, row)
rowwriter.writerow([re.sub(r"\n", r"\\n", item) for item in
[command] +
hyps +
[goal] +
[item
for prediction, grade, certainty in prediction_results
for item in [prediction, grade]]])
def write_summary(output_dir : Path2, num_jobs : int, cur_commit : str,
message : str, baseline : bool, cur_date : datetime, gresult : GlobalResult):
###
### Write the report page out
###
doc, tag, text, line = Doc().ttl()
with tag('html'):
report_header(tag, doc, text)
with tag('body'):
with tag('h4'):
text("{} files processed".format(num_jobs))
with tag('h5'):
text("Commit: {}".format(cur_commit))
if message:
with tag('h5'):
text("Message: {}".format(message))
if baseline:
with tag('h5'):
text("Baseline build!! Always predicting {}".format(baseline_tactic))
with tag('h5'):
text("Run on {}".format(cur_date.strftime("%Y-%m-%d %H:%M:%S.%f")))
with tag('img',
('src', 'logo.png'),
('id', 'logo')):
pass
gresult.report_results(doc, text, tag, line)
extra_files = ["report.css", "details.css", "details.js", "logo.png", "report.js"]
base = Path(os.path.dirname(os.path.abspath(__file__)) + "/..")
for filename in extra_files:
(base / "reports" / filename).copyfile(output_dir / filename)
with (output_dir / "report.html").open(mode="w") as fout:
fout.write(doc.getvalue())