-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathnbhelper.py
1514 lines (1404 loc) · 74.6 KB
/
nbhelper.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
# BSD 3-Clause License
# Copyright (c) 2019, Eric Lesiuta
# All rights reserved.
# Redistribution and use in source and binary forms, with or without
# modification, are permitted provided that the following conditions are met:
# 1. Redistributions of source code must retain the above copyright notice, this
# list of conditions and the following disclaimer.
# 2. Redistributions in binary form must reproduce the above copyright notice,
# this list of conditions and the following disclaimer in the documentation
# and/or other materials provided with the distribution.
# 3. Neither the name of the copyright holder nor the names of its
# contributors may be used to endorse or promote products derived from
# this software without specific prior written permission.
# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
# AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
# IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
# DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE
# FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
# DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
# SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
# CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,
# OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
import json
import os
import csv
import sys
import argparse
import collections
import smtplib
import email
import time
import datetime
import mimetypes
import zipfile
import shutil
import urllib.request
import typing
import glob
import re
####### Config #######
VERSION = "0.3.4"
EMAIL_CONFIG = {
"CC_ADDRESS": None, # "[email protected]" or SELF to cc MY_EMAIL_ADDRESS
"EMAIL_DELAY": None, # time delay between sending each email in seconds
"EMAIL_SUBJECT": None, # "email subject"
"EMAIL_MESSAGE": None, # "email message text"
"EMAIL_HTML": None, # "email message html" or FEEDBACK
"STUDENT_MAIL_DOMAIN": None, # "@domain.com"
"MY_EMAIL_ADDRESS": None, # "[email protected]"
"MY_SMTP_SERVER": None, # "smtp.domain.com", script uses TLS on port 587
"MY_SMTP_USERNAME": None, # "myusername"
"MY_SMTP_PASSWORD": None # leave as None for prompt each time
}
NB_HELP = """
REMEMBER TO BACKUP THE SUBMITTED NOTEBOOKS REGULARLY
most of the course can be regenerated from these along with your source notebooks
you may also want to backup gradebook.db to save any manual grading (I think it's saved there, this script never touches it)
this script is designed to be as nondestructive as possible, most functions just read course files but some do make modifications to the submitted notebooks, trying for minimal modifications and only when necessary
--Quick reference for nbgrader usage--
# https://xkcd.com/293/
https://nbgrader.readthedocs.io/en/stable/user_guide/philosophy.html
https://nbgrader.readthedocs.io/en/stable/user_guide/creating_and_grading_assignments.html
https://nbgrader.readthedocs.io/en/stable/command_line_tools/index.html
# summary of steps (read the official docs above first!)
0.a) make sure the nbgrader toolbar and formgrader extensions are enabled (most actions can be performed from here)
0.b) otherwise, run all commands from the "course_directory"
1. create the assignment using formgrader
2.a) create and edit the notebook(s) and any other files in source/assignment_name
2.b) convert notebook into assignment with View -> Cell Toolbar -> Create Assignment
2.c) mark necessary cells as 'Manually graded answer', 'Autograded answer', 'Autograder tests', and 'Read-only'
3.a) validate the source notebook(s) then generate the student version of the notebook(s) (can be done through formgrader)
3.b) see next section if you wish to make changes to the assignment after this point
4. release assignment through formgrader if using JupyterHub (places the generated student version from release in the outbound exchange folder)
5. collect assignments submitted through JupyterHub (inbound exchange folder, students can write, not read) using formgrader (or use zip collect for external)
6. Autgrading and Feedback
$ nbgrader autograde "assignment_name" # warning: only run the autograder in restricted environments and backup submissions first
$ nbgrader generate_feedback "assignment_name" # do not release, uses non-private outbound exchange folder (all students can read)
$ nbgrader export # exports grades as a csv file
--Making changes to assignments after being released (or collected, or autograded!)--
1. if you wish to modify existing test cases, just make the modifications in source and regenerate the notebook
2. if you wish to modify existing cells in the assignment that students should see, return to step 3 & 4, students will need to refetch it
3. if you wish to add or delete test/answer cells, or change cell type/metadata, you'll need the workaround in the next section, and have students refetch the assignment or rely on the notebook fixes here
--Workaround for getting errors on assignment source edits made after submissions received--
https://github.com/jupyter/nbgrader/issues/1069
nbgrader db assignment remove "assignment_name"
nbgrader db assignment add "assignment_name"
nbgrader assign "assignment_name"
do/apply edits (generate)
nbgrader release "assignment_name"
jupyter server may need to be restarted at any point during these steps
--If assignments have character encoding issues--
change the error handlers for opening files in this script with a different one from here
https://docs.python.org/3/library/codecs.html#error-handlers
--Help with using the nbhelper command line--
if you're unfamiliar with command line usage and how to read these docs, this may be helpful http://try.docopt.org/
hint for file names with spaces: argparse does not escape spaces with '\\' in arguments, use \"double quotes\"
hint for installation: you can run python nbhelper.py directly, but if you want to install, don't sudo pip install!!! use --user, then run with python -m nbhelper (or add nbhelper to path)
--Dependencies--
this script does not use any external libraries, however it depends on the JSON metadata format used by jupyter and nbgrader (below)
https://nbformat.readthedocs.io/en/latest/format_description.html
https://nbgrader.readthedocs.io/en/stable/contributor_guide/metadata.html
all functions work on the ipynb/html files directly, it never touches the nbgrader database (gradebook.db) or use the nbgrader api
this allows for more flexibility to repair notebooks nbgrader does not know how to handle and provides robustness in the event of mismatched versions or weird configuration changes by others
--Test Case Templates--
there are some useful templates in the comments at the bottom of nbhelper.py, these links are also useful
https://nbgrader.readthedocs.io/en/stable/user_guide/autograding_resources.html#tips-for-writing-good-test-cases
https://filippo.io/instance-monkey-patching-in-python/
--Version %s--
https://github.com/elesiuta/jupyter-nbgrader-helper
this software is licensed under the BSD 3-Clause License
""" %(VERSION)
####### Generic functions #######
def writeCsv(fName: str, data: list, enc = None, delimiter = ",") -> None:
os.makedirs(os.path.dirname(fName), exist_ok=True)
with open(fName, "w", newline="", encoding=enc, errors="backslashreplace") as f:
writer = csv.writer(f, delimiter=delimiter)
for row in data:
writer.writerow(row)
def readCsv(fName: str, delimiter = ",") -> list:
data = []
with open(fName, "r", newline="") as f:
reader = csv.reader(f, delimiter=delimiter)
for row in reader:
data.append(row)
return data
def readJson(fname: str) -> dict:
with open(fname, "r", errors="ignore") as json_file:
data = json.load(json_file)
return data
def writeJson(fname: str, data: dict) -> None:
if not os.path.isdir(os.path.dirname(fname)):
os.makedirs(os.path.dirname(fname))
with open(fname, "w", errors="ignore") as json_file:
json.dump(data, json_file, indent=1, separators=(',', ': '))
def sendEmail(smtp_server: typing.Union[str, smtplib.SMTP],
smtp_user: str, smtp_pwd: str,
sender: str, recipient: str,
subject: str,
cc: typing.Union[str, None] = None,
body: typing.Union[str, None] = None,
html: typing.Union[str, None] = None,
attachment_path: typing.Union[str, None] = None):
message = email.message.EmailMessage()
message["From"] = sender
message["To"] = recipient
if cc is not None:
message["Cc"] = cc
message["Subject"] = subject
if body is not None:
message.set_content(body)
if html is not None:
message.add_alternative(html, subtype = "html")
elif html is not None:
message.set_content(html, subtype = "html")
if attachment_path is not None:
filename = os.path.basename(attachment_path)
ctype, encoding = mimetypes.guess_type(attachment_path)
if ctype is None or encoding is not None:
ctype = 'application/octet-stream'
maintype, subtype = ctype.split('/', 1)
with open(attachment_path, 'rb') as fp:
message.add_attachment(fp.read(),
maintype=maintype,
subtype=subtype,
filename=filename)
if type(smtp_server) == str:
try:
with smtplib.SMTP(smtp_server, port=587) as smtp_server_instance:
smtp_server_instance.ehlo()
smtp_server_instance.starttls()
smtp_server_instance.login(smtp_user, smtp_pwd)
smtp_server_instance.send_message(message)
return True
except Exception as e:
print ("Failed to send mail %s to %s" %(subject, recipient))
print (e)
return False
else:
try:
smtp_server.send_message(message)
return True
except Exception as e:
print ("Failed to send mail %s to %s" %(subject, recipient))
print (e)
try:
smtp_server.quit()
except:
pass
return False
####### Functions for applying functions #######
def applyTemplateSubmissions(func, template_path: str, submit_dir: str, file_name: str, assignment_name = None, delete = "n", **kwargs) -> None:
template = readJson(template_path)
if os.path.isdir(submit_dir):
for dirName, subdirList, fileList in os.walk(submit_dir):
subdirList.sort()
for f in sorted(fileList):
fullPath = os.path.join(dirName, f)
folder = os.path.basename(dirName)
if (folder == assignment_name or assignment_name is None) and f == file_name:
studentID = os.path.split(os.path.split(os.path.split(fullPath)[0])[0])[1]
try:
studentNB = readJson(fullPath)
studentNB = func(template, studentNB, studentID, **kwargs)
if studentNB is not None:
writeJson(fullPath, studentNB)
except Exception as e:
print("ERROR: Something is wrong with: " + str(studentID))
print(repr(e), file=sys.stderr)
elif delete.lower() == "y":
os.remove(fullPath)
def applyFuncFiles(func, directory: str, file_name: str, *args) -> list:
output = []
if os.path.isdir(directory):
for dirName, subdirList, fileList in os.walk(directory):
subdirList.sort()
for f in sorted(fileList):
fullPath = os.path.join(dirName, f)
if f == file_name:
studentID = os.path.split(os.path.split(os.path.split(fullPath)[0])[0])[1]
try:
output.append(func(fullPath, studentID, *args))
except Exception as e:
print("ERROR: Something is wrong with: " + str(studentID))
print(repr(e), file=sys.stderr)
return output
def applyFuncDirectory(func, directory: str, assignment_name: str, file_name: typing.Union[str, None], file_extension: typing.Union[str, None], *args, **kwargs) -> list:
output = []
if os.path.isdir(directory):
for dirName, subdirList, fileList in os.walk(directory):
subdirList.sort()
for f in sorted(fileList):
fullPath = os.path.join(dirName, f)
folder = os.path.basename(dirName)
if folder == assignment_name:
if file_name is None or f == file_name:
if file_extension is None or f.split(".")[-1] == file_extension:
studentID = os.path.split(os.path.split(os.path.split(fullPath)[0])[0])[1]
try:
output.append(func(fullPath, studentID, *args, **kwargs))
except Exception as e:
print("ERROR: Something is wrong with: " + str(studentID))
print(repr(e), file=sys.stderr)
return output
####### Helper functions #######
def getFunctionNames(source: list) -> list:
function_names = []
for line in source:
if "def " in line:
line = line.split(" ")
function_name = line[line.index("def") + 1]
function_name = function_name.split("(")[0]
function_names.append(function_name)
return function_names
def returnPath(fullPath: str, studentID: str) -> dict:
return {"student_id": studentID, "path": fullPath}
def printFileNames(fullPath: str, studentID: str) -> None:
print("%s - %s" %(studentID, os.path.basename(fullPath)))
def getAnswerCells(fullPath: str, studentID: str) -> dict:
source_json = readJson(fullPath)
output_string_list = []
for cell in source_json["cells"]:
try:
if "nbgrader" not in cell["metadata"] or "locked" not in cell["metadata"]["nbgrader"] or cell["metadata"]["nbgrader"]["locked"] == False:
output_string_list += cell["source"]
except:
pass
return {"student_id": studentID, "answers": output_string_list}
def concatNotebookAnswerCells(list_of_list_of_answer_dicts) -> dict:
answer_dict = {}
for notebook_list in list_of_list_of_answer_dicts:
for student_notebook in notebook_list:
if student_notebook["student_id"] not in answer_dict:
answer_dict[student_notebook["student_id"]] = student_notebook["answers"]
else:
answer_dict[student_notebook["student_id"]] += [""]
answer_dict[student_notebook["student_id"]] += student_notebook["answers"]
return answer_dict
def writeAnswerCells(answer_dict, codeDir):
for student_id in answer_dict:
codePath = os.path.join(codeDir, student_id + ".py")
with open(codePath, "w", encoding="utf8", errors="backslashreplace") as f:
f.writelines(answer_dict[student_id])
def getStudentFileDir(course_dir: str, odir: str, nbgrader_step: str) -> str:
if odir is None:
student_dir = os.path.join(course_dir, nbgrader_step)
else:
student_dir = os.path.normpath(odir)
if not os.path.isdir(student_dir):
sys.exit("Invalid directory: " + str(student_dir))
return student_dir
def getAssignmentFiles(source_dir, assignment_name, file_extension, replace_file_extension = None):
assignment_dir = os.path.join(source_dir, assignment_name)
assignment_files = [f for f in os.listdir(assignment_dir) if os.path.splitext(f)[1][1:] == file_extension]
if replace_file_extension is None:
return assignment_files
else:
return [os.path.splitext(f)[0] + replace_file_extension for f in assignment_files]
def sortStudentGradeIds(student_dict, sorted_grade_id_list, grade_id_key = "grade_id_list"):
sort_keys = sorted([key for key in student_dict if type(student_dict[key]) == list])
other_keys = sorted([key for key in student_dict if type(student_dict[key]) != list])
student_by_grade_id = dict(zip(student_dict[grade_id_key],zip(*[student_dict[key] for key in sort_keys])))
new_student_dict = {}
for key in sort_keys:
new_student_dict[key] = [student_by_grade_id[grade_id][sort_keys.index(key)] for grade_id in sorted_grade_id_list]
for key in other_keys:
new_student_dict[key] = student_dict[key]
return new_student_dict
def list2dict(list_of_dicts: list, unique_key: str):
new_dict = {}
for d in list_of_dicts:
new_dict[d[unique_key]] = d
return new_dict
def sortedJson(json: typing.Union[dict, list]):
# also sorts lists unlike json.dumps sort_keys=True
if type(json) is dict:
return sorted((k, sortedJson(v)) for k, v in json.items())
elif type(json) is list:
return sorted(sortedJson(e) for e in json)
else:
return json
####### Main functions #######
def sortStudentCells(template: dict, student: dict, student_id: str = "") -> typing.Union[dict, None]:
# get template grade_id order
template_grade_ids = []
for cell in template["cells"]:
try:
grade_id = cell["metadata"]["nbgrader"]["grade_id"]
template_grade_ids.append(grade_id)
except:
pass
# get student grade_id order
student_grade_ids = []
for cell in student["cells"]:
try:
grade_id = cell["metadata"]["nbgrader"]["grade_id"]
student_grade_ids.append(grade_id)
except:
pass
# are changes necessary?
if template_grade_ids == student_grade_ids:
print("No changes made for: " + student_id)
return None
else:
new_student_cells = []
add_next_cells = True
# add all grade_id cells in order (keeping non grade_id cells in between)
for grade_id in template_grade_ids:
found_student_cell = False
for cell in student["cells"]:
# add non grade_id cells in current order (until next grade_id cell is found)
if add_next_cells:
try:
if cell["metadata"]["nbgrader"]["grade_id"] != grade_id:
add_next_cells = False
except:
new_student_cells.append(cell)
# add matching grade_id cells
try:
if cell["metadata"]["nbgrader"]["grade_id"] == grade_id:
found_student_cell = True
new_student_cells.append(cell)
add_next_cells = True
except:
pass
add_next_cells = False
if not found_student_cell:
print("Student: %s is missing test cell: %s" %(student_id, grade_id))
# return updated notebook (probably still the same object but who cares)
print("Updated cell order for: " + student_id)
student["cells"] = new_student_cells
return student
def removeNonEssentialCells(template: dict, student: dict, student_id: str = "") -> typing.Union[dict, None]:
# get template grade_ids
template_grade_ids = []
for cell in template["cells"]:
try:
grade_id = cell["metadata"]["nbgrader"]["grade_id"]
template_grade_ids.append(grade_id)
except:
pass
# start fresh, always modifies the notebook cells
new_student_cells = []
# add all grade_id cells in order
for grade_id in template_grade_ids:
found_student_cell = False
for cell in student["cells"]:
try:
if cell["metadata"]["nbgrader"]["grade_id"] == grade_id:
found_student_cell = True
new_student_cells.append(cell)
break
except:
pass
if not found_student_cell:
print("Student: %s is missing test cell: %s" %(student_id, grade_id))
print("Updated notebook for: " + student_id)
# fresh notebook too (careful not to modify template, it is not re-read between students)
student = {}
for key in template:
student[key] = template[key]
student["cells"] = new_student_cells
return student
def addNbgraderCell(template: dict, student: dict, student_id: str = "") -> typing.Union[dict, None]:
last_answer_cell_index = 0
found_student_cell = False
modified = False
for cell in template["cells"]:
try:
# answer cell
if cell["metadata"]["nbgrader"]["locked"] == False and ("grade" not in cell["metadata"]["nbgrader"] or cell["metadata"]["nbgrader"]["grade"] == False):
function_name = getFunctionNames(cell["source"])
grade_id = cell["metadata"]["nbgrader"]["grade_id"]
if function_name == []:
print("No function found: \n" + str(cell))
continue
# find student cell with matching grade_id first, then check functions
found_student_cell = False
for i in range(len(student["cells"])):
try:
if student["cells"][i]["metadata"]["nbgrader"]["grade_id"] == grade_id:
last_answer_cell_index = i
found_student_cell = True
break
except:
pass
# no matching grade_id, now check functions
if found_student_cell == False:
for i in range(len(student["cells"])):
try:
function_student = getFunctionNames(student["cells"][i]["source"])
# replace cell metadata if match
if any(f in function_student for f in function_name):
student["cells"][i]["metadata"] = cell["metadata"]
last_answer_cell_index = i
found_student_cell = True
modified = True
break
except:
pass
# check student didn't mess up
if found_student_cell == False:
print("Student function not found for: %s - %s" %(student_id, str(function_name)))
# test cell
elif cell["metadata"]["nbgrader"]["locked"] == True or ("grade" in cell["metadata"]["nbgrader"] and cell["metadata"]["nbgrader"]["grade"] == True):
# check if test cell already exists
grade_id = cell["metadata"]["nbgrader"]["grade_id"]
found_test_cell = False
for i in range(len(student["cells"])):
try:
if student["cells"][i]["metadata"]["nbgrader"]["grade_id"] == grade_id:
found_test_cell = True
break
except:
pass
if found_test_cell == False:
# insert test cells after most recent answer cell
student["cells"].insert(last_answer_cell_index + 1, cell)
last_answer_cell_index += 1
modified = True
except:
pass
if modified:
print("Fixed notebook (added nbgrader metadata) for: " + student_id)
return student
else:
print("No changes made for: " + student_id)
return None
def updateTestCells(template: dict, student: dict, student_id: str = "") -> typing.Union[dict, None]:
modified = False
# update points in test cases
for cell in template["cells"]:
try:
points = cell["metadata"]["nbgrader"]["points"]
grade_id = cell["metadata"]["nbgrader"]["grade_id"]
found_student_cell = False
for i in range(len(student["cells"])):
try:
if student["cells"][i]["metadata"]["nbgrader"]["grade_id"] == grade_id:
found_student_cell = True
if student["cells"][i]["metadata"]["nbgrader"]["points"] != points:
student["cells"][i]["metadata"]["nbgrader"]["points"] = points
modified = True
except:
pass
if not found_student_cell:
print("Student: %s is missing test cell: %s" %(student_id, grade_id))
except:
pass
# make sure answer cells aren't graded
for cell in template["cells"]:
try:
grade_id = cell["metadata"]["nbgrader"]["grade_id"]
if cell["metadata"]["nbgrader"]["grade"] == False and "points" not in cell["metadata"]["nbgrader"]:
found_student_cell = False
for i in range(len(student["cells"])):
try:
if student["cells"][i]["metadata"]["nbgrader"]["grade_id"] == grade_id:
found_student_cell = True
if student["cells"][i]["metadata"]["nbgrader"]["grade"] == True or "points" in student["cells"][i]["metadata"]["nbgrader"]:
student["cells"][i]["metadata"]["nbgrader"]["grade"] = False
_ = student["cells"][i]["metadata"]["nbgrader"].pop("points", None)
modified = True
except:
pass
if not found_student_cell:
print("Student: %s is missing answer cell: %s" %(student_id, grade_id))
except:
pass
# check for duplicate grade_ids, keep first one and concatenate contents of subsequent ones then remove them
student_cells = {}
remove_cells = []
for i in range(len(student["cells"])):
try:
grade_id = student["cells"][i]["metadata"]["nbgrader"]["grade_id"]
if grade_id in student_cells:
student["cells"][student_cells[grade_id]]["source"] += student["cells"][i]["source"]
remove_cells.append(i)
modified = True
print("Student: %s has duplicate answer cell: %s" %(student_id, grade_id))
else:
student_cells[grade_id] = i
except:
pass
if len(remove_cells) > 0:
for i in reversed(remove_cells):
_ = student["cells"].pop(i)
# return updated notebook (probably still the same object but who cares)
if modified:
print("Updated test cells for: " + student_id)
return student
else:
print("No changes made for: " + student_id)
return None
def updateCellsMeta(template: dict, student: dict, student_id: str = "") -> typing.Union[dict, None]:
modified = False
valid_grade_ids = []
# check cells of student submission against source to match metadata using grade_id
for cell in template["cells"]:
try:
grade_id = cell["metadata"]["nbgrader"]["grade_id"]
valid_grade_ids.append(grade_id)
found_student_cell = False
for i in range(len(student["cells"])):
try:
if student["cells"][i]["metadata"]["nbgrader"]["grade_id"] == grade_id:
found_student_cell = True
try:
# compare student metadata with source
if sorted(cell.keys()) != sorted(student["cells"][i].keys()):
raise Exception("Fix metadata")
for key in cell:
if key == "outputs" and type(student["cells"][i]["outputs"]) not in [list, str]:
student["cells"][i]["outputs"] = []
modified = True
elif key == "execution_count" and type(student["cells"][i]["execution_count"]) not in [int, type(None)]:
student["cells"][i]["execution_count"] = 0
modified = True
elif key != "source":
if sortedJson(cell[key]) != sortedJson(student["cells"][i][key]):
raise Exception("Fix metadata")
except:
# create a new cell and preserve source (just run this for every cell if metadata mistakes aren't being caught)
try:
new_cell = cell.copy()
new_cell["source"] = student["cells"][i]["source"]
student["cells"][i] = new_cell
modified = True
except:
print("ERROR: Could not fix metadata for student: %s grade_id: %s" %(student_id, grade_id))
except:
pass
if not found_student_cell:
print("Student: %s was missing nbgrader cell (added): %s" %(student_id, grade_id))
# copy cell to the end without source
new_cell = cell.copy()
new_cell["source"] = [""]
student["cells"].append(new_cell)
modified = True
except:
pass
# check if student notebook contains nbgrader cells it shouldn't
for cell in student["cells"]:
try:
grade_id = cell["metadata"]["nbgrader"]["grade_id"]
if grade_id not in valid_grade_ids:
print("Student: %s has extra nbgrader cell (removed): %s" %(student_id, grade_id))
_ = cell["metadata"].pop("nbgrader")
modified = True
except:
pass
# update notebook top level metadata
for key in template:
if key != "cells":
if key not in student or template[key] != student[key]:
student[key] = template[key]
modified = True
# return updated notebook (probably still the same object but who cares)
if modified:
print("Updated cell metadata for: " + student_id)
return student
# if this still doesn't work, use rmcells to remove any non-grade_id cells
else:
print("No changes made for: " + student_id)
return None
def makeNotebook(fullPath: str, student_id: str, source_notebook: str):
with open(fullPath, "r") as f:
student_code = f.readlines()
new_student_path = os.path.join(os.path.dirname(fullPath), os.path.basename(source_notebook))
sourceNB = readJson(source_notebook)
student_cells = []
added_student_code = False
for cell in sourceNB["cells"]:
try:
# answer cell
if cell["metadata"]["nbgrader"]["locked"] == False and ("grade" not in cell["metadata"]["nbgrader"] or cell["metadata"]["nbgrader"]["grade"] == False):
if not added_student_code:
cell["source"] = student_code
added_student_code = True
else:
cell["source"] = [""]
student_cells.append(cell)
# test cell
elif cell["metadata"]["nbgrader"]["locked"] == True or ("grade" in cell["metadata"]["nbgrader"] and cell["metadata"]["nbgrader"]["grade"] == True):
student_cells.append(cell)
except:
pass
studentNB = {}
for key in sourceNB:
studentNB[key] = sourceNB[key]
studentNB["cells"] = student_cells
writeJson(new_student_path, studentNB)
print("Created notebook for: " + student_id)
return [student_id, 1]
def forceAutograde(template: dict, student: dict, student_id: str = "", course_dir = None, AssignName = None, NbNameipynb = None) -> typing.Union[dict, None]:
for cell in template["cells"]:
try:
# test cell
if cell["metadata"]["nbgrader"]["locked"] == True:
found_test_cell = False
for i in range(len(student["cells"])):
try:
if student["cells"][i]["metadata"]["nbgrader"]["grade_id"] == cell["metadata"]["nbgrader"]["grade_id"]:
found_test_cell = True
student["cells"][i] = cell
break
except:
pass
if found_test_cell == False:
print("Missing test cells (fix with --add) for " + student_id)
except:
pass
new_path = os.path.join(course_dir, "nbhelper-autograde", student_id, AssignName, NbNameipynb)
writeJson(new_path, student)
# https://nbconvert.readthedocs.io/en/latest/execute_api.html
# https://nbconvert.readthedocs.io/en/latest/config_options.html
# this is mostly just a quick hack for some rare edgecases, there's probably a more proper solution but most of the code to do this was already here for other reasons
# using some of these flags with nbgrader might be enough to fix your issue
command = "jupyter nbconvert --execute --ExecutePreprocessor.timeout=60 --ExecutePreprocessor.interrupt_on_timeout=True --ExecutePreprocessor.allow_errors=True --to notebook --inplace "
os.system(command + new_path)
return None
def quickInfo(fullPath: str, studentID: str):
studentNB = readJson(fullPath)
studentSize = os.path.getsize(fullPath)
studentCells = len(studentNB["cells"])
execution_count = sum(cell["execution_count"] for cell in studentNB["cells"] if "execution_count" in cell and type(cell["execution_count"]) == int)
execution_by_id = []
for cell in studentNB["cells"]:
if "execution_count" in cell and "metadata" in cell:
if "nbgrader" in cell["metadata"] and "grade_id" in cell["metadata"]["nbgrader"]:
execution_by_id.append(str(cell["metadata"]["nbgrader"]["grade_id"]) + " : " + str(cell["execution_count"]))
return [studentID, studentSize, studentCells, execution_count] + execution_by_id
def checkDuplicates(fullPath: str, studentID: str):
fDir, fName = os.path.split(fullPath)
ext = fName.split(".")[-1]
dupfiles = [f for f in os.listdir(fDir) if f.split(".")[-1] == ext]
if len(dupfiles) > 1:
for f in dupfiles:
print("Warning (duplicate files found): %s - %s" %(studentID, f))
else:
print("%s - %s" %(studentID, fName))
def getAutogradedScore(fullPath: str, studentID: str) -> dict:
source_json = readJson(fullPath)
pass_list = []
points_list = []
error_list = []
grade_id_list = []
for cell in source_json["cells"]:
try:
if cell["metadata"]["nbgrader"]["points"] >= 0:
if (cell["outputs"] == [] or (
len(cell["outputs"]) >= 1 and
all([
(
"ename" not in cell_output and
"evalue" not in cell_output and
"traceback" not in cell_output and
("output_type" in cell_output and
cell_output["output_type"] != "error") and
("name" not in cell_output or
cell_output["name"] != "stderr")
)
for cell_output in cell["outputs"]
])
)):
pass_list.append(1)
error_list.append("No Error (passed test)")
else:
pass_list.append(0)
found_error = False
for cell_output in cell["outputs"]:
if "ename" in cell_output:
error_list.append(cell_output["ename"])
found_error = True
break
if found_error == False:
error_list.append("Unknown Error (check outputs)")
print("Unexpected cell['outputs']: " + str(cell["outputs"]))
points_list.append(cell["metadata"]["nbgrader"]["points"])
grade_id_list.append(cell["metadata"]["nbgrader"]["grade_id"])
except:
pass
return {"student_id": studentID, "pass_list": pass_list, "points_list": points_list, "error_list": error_list, "grade_id_list": grade_id_list}
def getFeedbackScore(fullPath: str, studentID: str) -> dict:
with open(fullPath, 'r', errors='ignore') as f:
source_html = f.readlines()
score_list = []
score_totals = []
grade_id_list = []
for line in source_html:
match_score = re.search(r'\(Score: ?(\d+\.\d+) ?/ ?(\d+\.\d+)\)', line)
if match_score:
match_test_cell = re.search(r'<li><a href="#(.+?)">.+?</a> ?\(Score: ?(\d+\.\d+) ?/ ?(\d+\.\d+)\)</li>', line)
if match_test_cell:
grade_id_list.append(match_test_cell.groups()[0])
score_list.append(float(match_test_cell.groups()[1]))
score_totals.append(float(match_test_cell.groups()[2]))
else:
total_score = float(match_score.groups()[0])
# try:
# if "Test cell</a> (Score" in line:
# space_split = line.split(" ")
# score_list.append(float(space_split[-3]))
# score_totals.append(float(space_split[-1].split(")")[0]))
# quote_split = line.split("\"")
# grade_id_list.append(quote_split[1][1:])
# elif " (Score: " in line:
# line = line.split(" ")
# total_score = float(line[line.index("(Score:")+1])
# except:
# print("Error for student: %s on line: %s" %(studentID, str(line)))
return {"student_id": studentID, "total_score": total_score, "score_list": score_list, "score_totals": score_totals, "grade_id_list": grade_id_list}
def emailFeedback(feedback_html_path: str, student_email_id: str) -> list:
if EMAIL_CONFIG["EMAIL_HTML"] == "FEEDBACK":
with open(feedback_html_path, "r", encoding="utf8", errors="replace") as f:
email_html = f.read()
attachment_path = None
else:
email_html = EMAIL_CONFIG["EMAIL_HTML"]
attachment_path = feedback_html_path
success = sendEmail(EMAIL_CONFIG["MY_SMTP_SERVER"],
EMAIL_CONFIG["MY_SMTP_USERNAME"],
EMAIL_CONFIG["MY_SMTP_PASSWORD"],
EMAIL_CONFIG["MY_EMAIL_ADDRESS"],
student_email_id + EMAIL_CONFIG["STUDENT_MAIL_DOMAIN"],
EMAIL_CONFIG["EMAIL_SUBJECT"],
cc = EMAIL_CONFIG["CC_ADDRESS"],
attachment_path = attachment_path,
body = EMAIL_CONFIG["EMAIL_MESSAGE"],
html = email_html)
time.sleep(float(EMAIL_CONFIG["EMAIL_DELAY"]))
if success:
print("Sent email to: " + student_email_id + EMAIL_CONFIG["STUDENT_MAIL_DOMAIN"])
return [student_email_id, "1"]
else:
return [student_email_id, "0"]
def removeZips(fullPath: str, studentID: str) -> None:
if os.path.isfile(fullPath):
if os.path.split(fullPath)[1] == "feedback.zip":
os.remove(fullPath)
def zipFeedback(student_dir: str, data: list) -> None:
# convert to dict
studentDict = {}
for sub_list in data:
for student in sub_list:
if student["student_id"] not in studentDict:
studentDict[student["student_id"]] = []
studentDict[student["student_id"]].append(student["path"])
# zip files into studentID/zip/feedback.zip
for studentID in studentDict:
zipPath = os.path.join(student_dir, studentID, "zip")
os.makedirs(zipPath, exist_ok=True)
with zipfile.ZipFile(os.path.join(zipPath, "feedback.zip"), 'w') as z:
for f in studentDict[studentID]:
z.write(f, os.path.basename(f))
def chmod(fullPath: str, studentID: str, permission: str) -> None:
octal = eval("0o" + permission)
os.chmod(fullPath, octal)
new_permission = str(oct(os.stat(fullPath).st_mode))
if new_permission[-len(permission):] != permission:
os.system("chmod " + permission + " \"" + os.path.abspath(fullPath) + "\"")
new_permission = str(oct(os.stat(fullPath).st_mode))
if new_permission[-len(permission):] != permission:
print("Could not change permissions for %s: %s" %(studentID, fullPath))
def readTimestamps(fullPath: str, studentID: str):
try:
with open(fullPath, 'r', errors='ignore') as f:
timestamp = f.read()
timestamp = re.search(r'([\d\-]+ ?[\d\.:]+)', timestamp)
timestamp = timestamp.groups()[0]
except:
print("Could not read timestamp for %s" %(studentID))
timestamp = "ERROR"
return {"student_id": studentID, "read_timestamp": timestamp}
####### Main #######
def main():
readme = ("A collection of helpful functions for use with jupyter nbgrader. "
"Designed to be placed in <course_dir>/nbhelper.py by default with the structure: "
"<course_dir>/<nbgrader_step>/[<student_id>/]<AssignName>/<NbName>.<ipynb|html> "
"where nbgrader_step = source|release|submitted|autograded|feedback")
parser = argparse.ArgumentParser(description=readme)
parser.add_argument("--nbhelp", action="store_true",
help="READ THIS FIRST")
group1 = parser.add_argument_group("override settings", "")
group2 = parser.add_argument_group("notebook fixes", "")
group3 = parser.add_argument_group("notebook checks", "")
group4 = parser.add_argument_group("notebook management", "")
group5 = parser.add_argument_group("deprecated features", "")
group1.add_argument("--cdir", type=str, metavar="path", default=os.getcwd(), dest="cdir",
help="Override path to course_dir (default: current directory)")
group1.add_argument("--sdir", type=str, metavar="path", default=None, dest="sdir",
help="Override path to source directory")
group1.add_argument("--odir", type=str, metavar="path", default=None, dest="odir",
help="Override path to the submitted, autograded, or feedback directory")
group2.add_argument("--add", type=str, metavar=("AssignName", "NbName.ipynb"), nargs=2,
help="Add missing nbgrader cell metadata and test cells to submissions using the corresponding file in source as a template by matching function names (python only), template must be updated with nbgrader cells")
group2.add_argument("--fix", type=str, metavar=("AssignName", "NbName.ipynb"), nargs=2,
help="Update test points by using the corresponding file in source as a template and matching the cell's grade_id, also combines duplicate grade_ids")
group2.add_argument("--meta", type=str, metavar=("AssignName", "NbName.ipynb"), nargs=2,
help="Fix cell metadata by replacing with that of source, matches based on grade_id")
group2.add_argument("--forcegrade", type=str, metavar=("AssignName", "NbName.ipynb"), nargs=2,
help="For particularly troublesome student notebooks that fail so badly they don't even autograde or produce proper error messages (you should run this command with --select), this partially does autograders job: combines the hidden test cases with the submission but places it in <course_dir>/nbhelper-autograde/<student_id>/<AssignName>/<NbName.ipynb> then tries executing it via command line. You can also run and test this notebook yourself, then move this 'autograded' notebook to the autograded directory and use --dist to 'grade' it (make sure failed tests retain their errors or they'll count as 'correct', grades are not entered in gradebook.db)")
group2.add_argument("--sortcells", type=str, metavar=("AssignName", "NbName.ipynb"), nargs=2,
help="Sort cells of student notebooks to match order of source, matches based on grade_id")
group2.add_argument("--rmcells", type=str, metavar=("AssignName", "NbName.ipynb"), nargs=2,
help="MAKE SURE YOU BACKUP FIRST - Removes all student cells that do not have a grade_id that matches the source notebook (and sorts the ones that do) - this function is destructive and should be used as a last resort")
group1.add_argument("--select", type=str, metavar="StudentID", nargs="+", default=None,
help="Select specific students to fix their notebooks without having to run on the entire class (WARNING: moves student(s) to <course_dir>/nbhelper-select-tmp then moves back unless an error was encountered)")
group5.add_argument("--info", type=str, metavar="AssignName",
help="Get some quick info (student id, file size, cell count, total execution count, [grade id : execution count]) of all submissions and writes to <course_dir>/reports/<AssignName>/info-<NbName>.csv")
group5.add_argument("--mknb", type=str, metavar=("AssignName", "NbName.ipynb", "FileName.extension"), nargs=3,
help="Try and make an autogradable notebook from a plain source code file by cramming everything in the first answer cell then appending all the test cells")
group3.add_argument("--moss", type=str, metavar="AssignName",
help="Exports student answer cells as files and optionally check with moss using <course_dir>/moss/moss.pl")
group3.add_argument("--getmoss", action="store_true",
help="Downloads moss script with your userid to <course_dir>/moss/moss.pl then removes it after use")
group3.add_argument("--dist", type=str, metavar="AssignName",
help="Gets distribution of scores across test cells from autograded notebooks and writes each student's results to <course_dir>/reports/<AssignName>/dist-<NbName>.csv")
group3.add_argument("--fdist", type=str, metavar="AssignName",
help="Gets distribution of scores across test cells from feedback (factoring in manual grading) and writes each student's results to <course_dir>/reports/<AssignName>/fdist-<NbName>.csv")
group4.add_argument("--email", type=str, metavar=("AssignName|zip", "NbName.html|feedback.zip"), nargs=2,
help="Email feedback to students (see EMAIL_CONFIG in script, prompts for unset fields)")
group3.add_argument("--ckdir", type=str, metavar=("AssignName", "NbName.extension"), nargs=2,
help="Check <course_dir>/feedback directory (change with --odir) by printing studentIDs and matching files to make sure it is structured properly")
group3.add_argument("--ckgrades", type=str, metavar="AssignName",
help="Checks for consistency between 'nbgrader export', 'dist', and 'fdist', and writes grades to <course_dir>/reports/<AssignName>/grades-<NbName>.csv")
group5.add_argument("--ckdup", type=str, metavar="NbName.extension",
help="Checks all submitted directories for NbName.extension and reports subfolders containing multiple files of the same extension")
group2.add_argument("--chmod", type=str, metavar=("rwx", "AssignName"), nargs=2,
help="Run chmod rwx on all submissions for an assignment (linux only)")
group4.add_argument("--avenue-collect", dest="avenue_collect", type=str, metavar=("submissions.zip", "AssignName"), nargs=2,
help="Basically zip collect but tailored to avenue (LMS by D2L), uses <course_dir>/classlist.csv to lookup Student IDs using names from submissions, overwrites submissions in submitted directory, backup first!")
group4.add_argument("--zip", type=str, metavar="AssignName", nargs="+",
help="Combine multiple feedbacks into <course_dir>/feedback/<student_id>/zip/feedback.zip")
group4.add_argument("--zipfiles", type=str, metavar="NbName.html", nargs="+",
help="Same as zip but matches files instead of assignment folders")
group4.add_argument("--backup", type=str, metavar="nbgrader_step", choices=["autograded","feedback","release","source","submitted"],
help="Backup nbgrader_step directory to <course_dir>/backups/<nbgrader_step-mm-dd-hh-mm>.zip")
args = parser.parse_args()
SCRIPT_DIR = os.getcwd()
if os.path.isdir(args.cdir):
COURSE_DIR = os.path.normpath(args.cdir)
else:
COURSE_DIR = None
print("Invalid course directory: " + str(args.cdir))
if args.sdir is None and COURSE_DIR is not None:
SOURCE_DIR = os.path.join(COURSE_DIR, "source")
elif args.sdir is not None:
SOURCE_DIR = os.path.normpath(args.sdir)
else:
SOURCE_DIR = None
print("Invalid source directory: " + str(args.sdir))
if args.nbhelp:
print(NB_HELP)
if args.select is not None:
original_student_dir = getStudentFileDir(COURSE_DIR, args.odir, "submitted")
args.odir = os.path.join(COURSE_DIR, "nbhelper-select-tmp")
os.mkdir(args.odir)
for student in args.select:
shutil.move(os.path.join(original_student_dir, student), os.path.join(args.odir, student))
if args.getmoss == True:
req = urllib.request.urlopen("http://moss.stanford.edu/general/scripts/mossnet")
moss_script = req.read().decode()
userid = input("Enter your moss userid: ")
moss_script = moss_script.replace("$userid=987654321;", "$userid=%s;" %(userid))
os.makedirs(os.path.join(COURSE_DIR, "moss"), exist_ok=True)
if os.name == "nt":
with open(os.path.join(COURSE_DIR, "moss", "moss.pl"), "w") as f:
f.write(moss_script)
else:
with os.fdopen(os.open(os.path.join(COURSE_DIR, "moss", "moss.pl"), os.O_CREAT | os.O_RDWR, 0o700), "w") as f:
f.write(moss_script)
if args.add is not None:
assign_name, nb_name = args.add
template_path = os.path.join(SOURCE_DIR, assign_name, nb_name)
student_dir = getStudentFileDir(COURSE_DIR, args.odir, "submitted")
# if args.offline:
# delete = input("Delete other files (!=NbName.ipynb) from submission folder (y/N)? ")
# else:
# delete = "n"
applyTemplateSubmissions(addNbgraderCell, template_path, student_dir, nb_name, assign_name, delete="n")
print("Done")
if args.fix is not None:
assign_name, nb_name = args.fix
template_path = os.path.join(SOURCE_DIR, assign_name, nb_name)
student_dir = getStudentFileDir(COURSE_DIR, args.odir, "submitted")
# if args.offline:
# delete = input("Delete other files (!=NbName.ipynb) from submission folder (y/N)? ")
# else: