forked from IDAES/examples-pse
-
Notifications
You must be signed in to change notification settings - Fork 0
/
build.py
executable file
·1798 lines (1597 loc) · 68 KB
/
build.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
#! /usr/bin/env python
"""
Build Jupyter notebooks and Sphinx docs.
This encapsulates generating Sphinx-ready versions of the Jupyter Notebooks and
calling 'sphinx-build' to build the HTML docs from source. You can jump to the
bottom of this text to see some sample command-lines.
This program uses a configuration file, by default "build.yml" in the same
directory, to set some options and to tell it which directories to process.
directory, to set some options and to tell it which directories to process.
The code is structured into "Builder"s, which take the Settings object in
their constructor and actually do something when you call "build()". The
default values for settings are defined in the class.
Most of the code is devoted to running and exporting the Jupyter notebooks,
in the NotebookBuilder class.
There are some quirks to the NotebookBuilder that require further explanation.
First, you will notice some postprocess functions for both the RST and HTML output
files. These deal with some problems with the nbconvert output.
For RST, the image files are all numbered "image0", which causes Sphinx to complain
that they are duplicate references. The code walks through the RST file and numbers the
images sequentially.
For HTML, a whole different kind of problem with the images is that
the Sphinx builder will copy all the images from each subdirectory into a single
"_images" directory in the HTML build area. This will break the image references,
which are simple filenames for the current directory. The Sphinx build step now
copies anything that looks like an image file from the source directory to the
HTML build directory.
Finally, you can see that there is a "wrapper" file generated in ReStructuredText,
i.e. for Sphinx, that uses a template file in `docs/jupyter_notebook_sphinx.tpl`.
This wrapper file makes the notebooks usable as pages in the generated docs by
giving them a title and then including, depending on the documentation mode,
either the raw HTML of the exported notebook (HTML pages), or the RST version (for
LaTeX, PDF, text). The wrapper file will have the same name as the notebook with
"_doc" at the end. For example, if your Jupyter Notebook was called "foo.ipynb",
the whole procedure would generate these files:
* foo.html - Notebook as HTML (what you want to see on a web page)
* foo.rst - Notebook as RST (other formats)
* foo_doc.rst - Wrapper doc
Any images exported by running the notebook would also be in the directory.
At any rate, this means that references to "the notebook" in the Sphinx documentation
should be to the "_doc" version of the notebook.
The SphinxBuilder pretty much just runs Sphinx in HTML and PDF modes,
dumping errors to, by default, "sphinx-errors.txt" as well as logging them.
As mentioned above, it copies images and also the raw notebooks (.ipynb) themselves
into the appropriate HTML directory. This will make the notebooks render
properly and also makes it easy to see the "source" of the notebook.
For example command lines see the README.md in this directory.
"""
import time
_import_timings = [(None, time.time())]
# stdlib
from abc import ABC, abstractmethod
import argparse
from collections import namedtuple
from datetime import datetime
import glob
from io import StringIO
import logging
import os
from pathlib import Path
import shutil
import subprocess
import re
from string import Template
import sys
import tempfile
from typing import List, TextIO, Tuple, Optional
import urllib.parse
import yaml
_import_timings.append(("stdlib", time.time()))
# third-party
import nbconvert
from nbconvert.exporters import HTMLExporter, RSTExporter, NotebookExporter
from nbconvert.writers import FilesWriter
from nbconvert.preprocessors import ExecutePreprocessor, CellExecutionError
_import_timings.append(("nbconvert", time.time()))
import nbformat
from traitlets.config import Config
_import_timings.append(("other-third-party", time.time()))
# from build.py dir
_script_dir = os.path.abspath(os.path.dirname(__file__))
if _script_dir not in sys.path:
print("Add script's directory to sys.path")
sys.path.insert(0, _script_dir)
from build_util import bossy
_import_timings.append(("local-directory", time.time()))
_log = logging.getLogger("build_notebooks")
_hnd = logging.StreamHandler()
_hnd.setLevel(logging.NOTSET)
_hnd.setFormatter(logging.Formatter("%(asctime)s %(levelname)s - %(message)s"))
_log.addHandler(_hnd)
_log.propagate = False
_log.setLevel(logging.INFO)
# This is a workaround for a bug in some versions of Tornado on Windows for Python 3.8
# this is the recommended fix for this according to e.g. https://github.com/tornadoweb/tornado#2608
# it should be revisited with python>=3.9 or if a fix is implemented by e.g. Jupyter
# the sys.version_info check includes the micro version, so e.g. 3.8.0 will also evaluate to True
if sys.platform == "win32" and sys.version_info > (3, 8):
import asyncio
asyncio.set_event_loop_policy(asyncio.WindowsSelectorEventLoopPolicy())
class NotebookError(Exception):
pass
class NotebookExecError(NotebookError):
pass
class NotebookFormatError(NotebookError):
pass
class NotebookPreviouslyFailedError(NotebookError):
pass
class SphinxError(Exception):
pass
class SphinxCommandError(Exception):
def __init__(self, cmdline, errmsg, details):
msg = (
f"Sphinx error while running '{cmdline}': {errmsg}. " f"Details: {details}"
)
super().__init__(msg)
class IndexPageError(Exception):
pass
class IndexPageUnknownSuffix(IndexPageError):
pass
class IndexPageOutputFile(IndexPageError):
pass
class IndexPageInputFile(IndexPageError):
pass
# Images to copy to the build directory
IMAGE_SUFFIXES = ".jpg", ".jpeg", ".png", ".gif", ".svg", ".pdf"
# These should catch all data files in the same directory as the notebook, needed for execution.
DATA_SUFFIXES = ".csv", ".json", ".json.gz", ".gz", ".svg", ".xls", ".xlsx", ".txt", ".zip", ".pdf", ".dat"
CODE_SUFFIXES = (".py",)
NOTEBOOK_SUFFIX = ".ipynb"
TERM_WIDTH = 60 # for notification message underlines
class Settings:
class ConfigError(Exception):
def __init__(self, f, msg):
super().__init__(f"in file '{f.name}': {msg}")
DEFAULTS = {
"paths": {"source": "src", "output": "docs", "html": "_build/html"},
"sphinx": {
"args": "-b html -T docs {output}/{html}",
"error_file": "sphinx-errors.txt",
},
"notebook": {
"error_file": "notebook-errors.txt",
"continue_on_error": True,
"template": "{output}/jupyter_notebook_sphinx.tpl",
"directories": [],
"kernel": None,
"test_mode": False,
"num_workers": 1,
},
"notebook_index": {
"input_file": "notebook_index.yml",
"output_file": "src/notebook_index.ipynb",
},
}
_NULL = "__null__"
def __init__(self, f: TextIO):
self._dsec = None
try:
self.d = yaml.safe_load(f)
except yaml.error.YAMLError as err:
raise Settings.ConfigError(f, f"YAML format error: {err}")
missing = [k for k in self.DEFAULTS.keys() if k not in self.d]
if missing:
raise Settings.ConfigError(f, f"missing sections: {', '.join(missing)}.")
self._path = Path(f.name)
@property
def directory(self):
return self._path.parent.absolute()
def __str__(self):
return str(self.d)
def set_default_section(self, section: str):
"""Set default section for get/set.
"""
self._dsec = section
def get(self, key: str, default=_NULL):
"""Get a value by key.
Args:
key: Key for argument. If it contains ".", taken as "section.name"
otherwise use current default section (otherwise ValueError)
default: Default value. A little different than dict.get(), since
providing no value will cause a missing key to raise an error,
you have to explicitly pass default=<value> to get the default
value to be used.
Raises:
ValueError: if the key is malformed
KeyError: if there is no such value in the section, and no default is provided.
Returns:
setting value (dict, list, or str)
"""
section, val = self._split_key(key)
values = self.d.get(section, self.DEFAULTS[section])
if val not in values:
if default is self._NULL:
raise KeyError(f"get() failed for value '{val}' in section '{section}'")
result = self._subst_paths(default)
else:
result = self._subst_paths(values[val])
return result
def set(self, key: str, value):
section, val = self._split_key(key)
self.d[section][val] = value
def _split_key(self, key):
parts = key.split(".", 1)
if len(parts) == 1:
if self._dsec is None:
raise ValueError(f"expected <section>.<val>, got '{key}'")
section, val = self._dsec, parts[0]
else:
section, val = parts
if section not in self.DEFAULTS:
raise KeyError(
f"get() failed for section '{section}',"
f" not in: {', '.join(self.DEFAULTS)}"
)
return section, val
def _subst_paths(self, value):
if hasattr(value, "format"):
return value.format(**self.d["paths"])
return value
class Builder(ABC):
"""Abstract base class for notebook and sphinx builders.
"""
def __init__(self, settings):
self.s = settings
self.root_path = settings.directory
@abstractmethod
def build(self, options):
pass
def _merge_options(self, options):
for key, value in options.items():
self.s.set(key, value)
Job = namedtuple("Job", ["nb", "tmpdir", "outdir", "depth"])
class NotebookBuilder(Builder):
"""Run Jupyter notebooks and render them for viewing.
"""
TEST_SUFFIXES = ("_test", "_testing") # test notebook suffixes
HTML_IMAGE_DIR = "_images"
class Results:
"""Stores results from build().
"""
def __init__(self):
self.failed, self.cached = [], []
self.dirs_processed = []
self.duration = -1.0
self.n_fail, self.n_success = 0, 0
self.worker_time, self.num_workers = -1, -1
self._t = None
def start(self):
self._t = time.time()
def stop(self):
self.duration = time.time() - self._t
def failures(self) -> str:
return ", ".join(self.failed)
def __init__(self, *args):
super().__init__(*args)
self._ep = None # nbconvert ExecutePreprocessor instance (re-used)
self._imgdir = None # cached location of images in HTML tree
self._nb_error_file = None # error file, for notebook execution failures
self._results = None # record results here
self._nb_remove_config = None # traitlets.Config for removing test cells
self._test_mode, self._num_workers = None, 1
self._match_expr = None
# Lists of entries (or just one, for outdir) for each subdirectory
self.notebooks_to_convert, self.data_files, self.outdir, self.depth = (
{},
{},
{},
{},
)
def build(self, options):
self.s.set_default_section("notebook")
self._num_workers = self.s.get("num_workers", default=2)
self._merge_options(options)
self._test_mode = self.s.get("test_mode")
self._open_error_file()
self._ep = self._create_preprocessor()
self._imgdir = (
self.root_path
/ self.s.get("paths.output")
/ self.s.get("paths.html")
/ self.HTML_IMAGE_DIR
)
if _log.isEnabledFor(logging.DEBUG):
_log.debug(f"settings for build: {self.s}")
self._read_template()
# Set up configuration for removing specially tagged cells
c = Config()
# Configure for exporters
c.NotebookExporter.preprocessors = [
"nbconvert.preprocessors.TagRemovePreprocessor"
] # for some reason, this only works with the full module path
self._nb_remove_config = c
nb_dirs = self.s.get("directories")
self._results = self.Results()
self._results.start()
for item in nb_dirs:
self.discover_tree(item)
self.convert_discovered_notebooks()
self._results.stop()
return self._results
def report(self) -> (int, int):
"""Print some messages to the user.
Returns:
(total, num_failed) number of notebooks processed and failed.
"""
r = self._results # alias
total = r.n_fail + r.n_success
_dirs = "y" if len(r.dirs_processed) == 1 else "ies"
notify(
f"Processed {len(r.dirs_processed)} director{_dirs} in {r.duration:.1f}s",
level=1,
)
if total == 0:
notify(f"No notebooks converted", level=2)
else:
if len(r.cached) > 0:
s_verb = " was" if len(r.cached) == 1 else "s were"
notify(f"{len(r.cached)} notebook{s_verb} cached", level=2)
if r.n_success == total:
s_verb = " was" if total == 1 else "s were"
notify(f"{total} notebook{s_verb} converted successfully", level=2)
else:
notify(
f" Out of {total} notebook(s), {r.n_success} converted and {r.n_fail} failed",
level=2,
)
notify(
f"The following {len(r.failed)} notebooks had failures: ", level=1
)
for failure in r.failed:
notify(f"- {failure}", level=2)
if self._nb_error_file is not sys.stderr:
notify(
f"Notebook errors are in '{self._nb_error_file.name}'", level=2
)
# Report parallel speedup
if r.num_workers == 1:
notify(f"No parallel processing (number of workers = 1)", level=1)
else:
notify(f"Parallel speedup for {r.num_workers} workers:", level=1)
notify(f"Wallclock time : {r.duration:.1f}s", level=2)
notify(f"Total worker time : {r.worker_time:.1f}s", level=2)
speedup_pct = r.worker_time / r.duration * 100.0
notify(
f"Parallel speedup : {speedup_pct:.1f}% (perfect={r.num_workers * 100}%)",
level=2,
)
return total, r.n_fail
def _open_error_file(self):
"""Open error file from value in settings.
If the filename is '__stdout__' or '__stderr__', use the corresponding stream.
If opening the file fails, use stderr.
"""
efile = self.s.get("error_file")
if efile == "__stdout__":
self._nb_error_file = sys.stdout
elif efile == "__stderr__":
self.nb_error_file = sys.stderr
else:
try:
self._nb_error_file = open(efile, "w")
except IOError as err:
_log.error(
f"Could not open error file '{efile}': {err}. "
f"Writing to standard error on console"
)
self._nb_error_file = sys.stderr
def _create_preprocessor(self):
kwargs, kernel = {}, self.s.get("kernel", None)
if kernel:
kwargs["kernel_name"] = kernel
timeout = self.s.get("timeout", default=600)
_log.debug(f"Create ExecutePreprocessor timeout={timeout} kwargs={kwargs}")
return ExecutePreprocessor(timeout=timeout, **kwargs)
def _read_template(self):
nb_template_path = self.root_path / self.s.get("template")
try:
with nb_template_path.open("r") as f:
nb_template = Template(f.read())
except IOError as err:
raise NotebookError(f"cannot read template file {nb_template_path}: {err}")
self.s.set("Template", nb_template)
def discover_tree(self, info: dict):
"""Discover all the notebooks, recursively, in directories below `info['source']`
and convert and build their output into `info['output']`.
"""
try:
source = info["source"]
if "output" not in info:
output = source
else:
output = info["output"]
match = info.get("match", None)
except KeyError:
raise NotebookError(
f"notebook directory requires values for 'source', "
f"'output', but got: {info}"
)
sroot, oroot = (
self.root_path / self.s.get("paths.source"),
self.root_path / self.s.get("paths.output"),
)
srcdir, outdir = sroot / source, oroot / output
notify(f"Looking for notebooks in '{srcdir}'", level=1)
self._match_expr = re.compile(match) if match else None
# build, starting at this directory
initial_depth = len(Path(source).parts)
self.discover_subtree(srcdir, outdir, depth=initial_depth)
self._results.dirs_processed.append(srcdir)
def discover_subtree(self, srcdir: Path, outdir: Path, depth: int):
"""Discover all notebooks in a given directory.
"""
_log.debug(f"Discover.begin subtree={srcdir}")
# Iterate through directory and get list of notebooks to convert (and data files)
notebooks_to_convert, data_files = [], []
# the return value of Path.iterdir() should be sorted to ensure consistency across different OSes
for entry in sorted(srcdir.iterdir()):
filename = entry.parts[-1]
if filename.startswith(".") or filename.startswith("__"):
_log.debug(f"skip special file '{entry}'")
continue # e.g. .ipynb_checkpoints
if entry.is_dir():
# build sub-directory (filename is really directory name)
self.discover_subtree(entry, outdir / filename, depth + 1)
elif entry.suffix == NOTEBOOK_SUFFIX:
_log.debug(f"found notebook at: {entry}")
# check against match expression
if self._match_expr and not self._match_expr.search(filename):
_log.debug(f"Skip: {entry} does not match {self._match_expr}")
else:
notebooks_to_convert.append(entry)
else: # these may all be true
if entry.suffix in IMAGE_SUFFIXES and not self._test_mode:
os.makedirs(self._imgdir, exist_ok=True)
shutil.copy(str(entry), str(self._imgdir))
_log.debug(f"copied image {entry} to {self._imgdir}/")
# notebooks might try to open any of these files, sneaky as they are
if (
entry.suffix in DATA_SUFFIXES
or entry.suffix in CODE_SUFFIXES
or entry.suffix in IMAGE_SUFFIXES
):
data_files.append(entry)
self.notebooks_to_convert[srcdir] = notebooks_to_convert
self.data_files[srcdir] = data_files
self.depth[srcdir], self.outdir[srcdir] = depth, outdir
def convert_discovered_notebooks(self):
# create temporary directories
temporary_dirs = {
srcdir: Path(tempfile.mkdtemp()) for srcdir in self.notebooks_to_convert
}
# copy datafiles (into temporary directories)
for srcdir, dfs in self.data_files.items():
tmpdir = temporary_dirs[srcdir]
_log.debug(f"copy {len(dfs)} data file(s) into temp dir '{tmpdir}'")
for fp in dfs:
_log.debug(f"copy data file: {fp} -> {tmpdir}")
shutil.copy(fp, tmpdir)
# create list of jobs
jobs = []
for srcdir, nb_list in self.notebooks_to_convert.items():
# template job
tj = Job(
None, temporary_dirs[srcdir], self.outdir[srcdir], self.depth[srcdir]
)
# per-notebook real jobs
for nb in nb_list:
jobs.append(Job(nb, tj.tmpdir, tj.outdir, tj.depth))
# process list of jobs, in parallel
_log.info(f"Process {len(jobs)} notebooks")
num_workers = min(self._num_workers, len(jobs))
# Run conversion in parallel
_log.info(f"Convert notebooks with {num_workers} worker(s)")
worker = ParallelNotebookWorker(
processor=self._ep,
wrapper_template=self.s.get("Template"),
remove_config=self._nb_remove_config,
test_mode=self._test_mode,
# TODO we should DRY timeout to an attr so that the same value is consistently used here and in _create_preprocessor()
timeout=self.s.get("timeout")
)
b = bossy.Bossy(
jobs,
num_workers=num_workers,
worker_function=worker.convert,
output_log=_log,
)
results = b.run()
# Report results, which returns summary
successes, failures = self._report_results(results)
# Clean up any temporary directories
for tmpdir in temporary_dirs.values():
_log.debug(f"remove temporary directory at '{tmpdir.name}'")
try:
shutil.rmtree(str(tmpdir))
except Exception as err:
_log.error(f"could not remove temporary directory '{tmpdir}': {err}")
# Record summary of success/fail and return
_log.debug(f"Convert.end {successes}/{successes + failures}")
self._results.n_fail += failures
self._results.n_success += successes
# Record total work time so we can calculate speedup
self._results.worker_time = sum((r[1].dur for r in results))
self._results.num_workers = num_workers
def _report_results(
self, result_list: List[Tuple[int, "ParallelNotebookWorker.ConversionResult"]]
) -> Tuple[int, int]:
# print(f"@@ result list: {result_list}")
s, f = 0, 0
for worker_id, result in result_list:
if result.ok:
s += 1
else:
f += 1
filename = str(result.entry)
self._write_notebook_error(self._nb_error_file, filename, result.why)
self._results.failed.append(filename)
return s, f
@staticmethod
def _write_notebook_error(error_file, nb_filename, error):
error_file.write(f"\n====> File: {nb_filename}\n")
error_file.write(str(error))
error_file.flush() # in case someone is tailing the file
class ParallelNotebookWorker:
"""For converting notebooks.
State is avoided where possible to ensure that the ForkingPickler succeeds.
Main method is `convert`.
"""
# Map format to file extension
FORMATS = {"html": ".html", "rst": ".rst"}
# Mapping from {meaning: tag_name}
CELL_TAGS = {
"remove": "remove_cell",
"exercise": "exercise",
"testing": "testing",
"solution": "solution",
}
JUPYTER_NB_VERSION = 4 # for parsing
class ConversionResult:
def __init__(self, id_, ok, converted, why, entry, duration):
self.id_, self.ok, self.converted, self.why, self.entry, self.dur = (
id_,
ok,
converted,
why,
entry,
duration,
)
def __str__(self):
success = "SUCCESS" if self.ok else "FAILURE"
cached = " (cached)" if not self.converted else ""
common_prefix = f"{success} for '{self.entry}'{cached}"
if not self.ok:
summary = f"{common_prefix}: {self.why}"
else:
summary = common_prefix
return summary
def __init__(
self,
processor: ExecutePreprocessor = None,
wrapper_template: Optional[Template] = None,
remove_config: Optional[Config] = None,
test_mode: bool = False,
timeout = None,
):
self.processor = processor
self.template, self.rm_config = (
wrapper_template,
remove_config,
)
self.test_mode = test_mode
self.log_q, self.id_ = None, 0
self._timeout = timeout
# Logging utility functions
def log(self, level, msg):
self.log_q.put((level, f"[Worker {self.id_}] {msg}"))
def log_error(self, msg):
return self.log(logging.ERROR, msg)
def log_warning(self, msg):
return self.log(logging.WARNING, msg)
def log_info(self, msg):
return self.log(logging.INFO, msg)
def log_debug(self, msg):
return self.log(logging.DEBUG, msg)
# Main function
def convert(self, id_, job, log_q) -> ConversionResult:
"""Parallel 'worker' to convert a single notebook.
"""
self.log_q, self.id_ = log_q, id_
self.log_info(f"Convert notebook name={job.nb}: begin")
time_start = time.time()
ok, why = True, ""
if not self.test_mode:
if not job.outdir.exists():
job.outdir.mkdir(parents=True)
# build, if the output file is missing/stale
verb = "Running" if self.test_mode else "Converting"
self.log_info(f"{verb}: {job.nb.name}")
# continue_on_err = self.s.get("continue_on_error", None)
converted = False
try:
converted = self._convert(job)
except NotebookPreviouslyFailedError as err:
ok, why = False, f"Previously failed {err}"
except NotebookExecError as err:
ok, why = False, err
self._write_failed_marker(job)
self.log_error(
f"Execution failed: generating partial output for '{job.nb}'"
)
except NotebookError as err:
ok, why = False, f"NotebookError: {err}"
self.log_error(f"Failed to convert {job.nb}: {err}")
except Exception as err:
ok, why = False, f"Unknown error: {err}"
self.log_error(f"Failed due to error: {err}")
time_end = time.time()
if converted:
# remove failed marker, if there was one from a previous execution
failed_marker = self._get_failed_marker(job)
if failed_marker:
self.log_info(
f"Remove stale marker of failed execution: {failed_marker}"
)
failed_marker.unlink()
duration = time_end - time_start
self.log_info(
f"Convert notebook name={job.nb}: end, ok={ok} duration={duration:.1f}s"
)
return self.ConversionResult(id_, ok, converted, why, job.nb, duration)
def _convert(self, job) -> bool:
"""Convert a notebook.
Returns:
True if conversion was performed, False if no conversion was needed
"""
info, dbg = logging.INFO, logging.DEBUG # aliases
# strip special cells.
if self._has_tagged_cells(job.nb, set(self.CELL_TAGS.values())):
self.log_debug(f"notebook '{job.nb.name}' has test cell(s)")
entry = self._strip_tagged_cells(job, ("remove", "exercise"), "testing")
self.log_info(f"Stripped tags from: {job.nb.name}")
else:
# copy to temporary directory just to protect from output cruft
entry = job.tmpdir / job.nb.name
shutil.copy(job.nb, entry)
# Convert all tag-stripped versions of the notebook.
# Stop if failure marker is newer than source file.
failed_time = self._previously_failed(job)
if failed_time is not None:
self.log_info(
f"Skip notebook conversion, failure marker is newer, for: {entry.name}"
)
failed_datetime = datetime.fromtimestamp(failed_time)
raise NotebookPreviouslyFailedError(f"at {failed_datetime}")
# Stop if converted result is newer than source file.
if self._previously_converted(job, entry):
self.log_info(
f"Skip notebook conversion, output is newer, for: {entry.name}"
)
return False
self.log_info(f"Running notebook: {entry.name}")
try:
nb = self._parse_and_execute(entry)
except NotebookExecError as err:
self.log_error(f"Notebook execution failed: {err}")
raise
if self.test_mode: # don't do export in test mode
return True
self.log_info(f"Exporting notebook '{entry.name}' to directory {job.outdir}")
wrt = FilesWriter()
# export each notebook into multiple target formats
created_wrapper = False
for (exp, post_process_func, pp_args) in (
(RSTExporter(), self._postprocess_rst, ()),
(HTMLExporter(), self._postprocess_html, (job.depth,)),
):
self.log_debug(f"export '{job.nb}' with {exp} to notebook '{entry}'")
(body, resources) = exp.from_notebook_node(nb)
body = post_process_func(body, *pp_args)
wrt.build_directory = str(job.outdir)
wrt.write(body, resources, notebook_name=entry.stem)
# create a 'wrapper' page
if not created_wrapper:
self.log_debug(
f"create wrapper page for '{entry.name}' in '{job.outdir}'"
)
self._create_notebook_wrapper_page(job, entry.stem)
created_wrapper = True
# move notebooks into docs directory
self.log_debug(f"move notebook '{entry} to output directory: {job.outdir}")
shutil.copy(entry, job.outdir / entry.name)
return True
def _has_tagged_cells(self, entry: Path, tags: set) -> bool:
"""Quickly check whether this notebook has any cells with the given tag(s).
Returns:
True = yes, it does; False = no specially tagged cells
Raises:
NotebookFormatError, if notebook at 'entry' is not parseable
"""
# parse the notebook (assuming this is fast; otherwise should cache it)
try:
nb = nbformat.read(str(entry), as_version=self.JUPYTER_NB_VERSION)
except nbformat.reader.NotJSONError:
raise NotebookFormatError(f"'{entry}' is not JSON")
# look for tagged cells; return immediately if one is found
for i, c in enumerate(nb.cells):
if "tags" in c.metadata:
for tag in tags:
if tag in c.metadata.tags:
self.log_debug(f"Found tag '{tag}' in cell {i}")
return True # can stop now, one is enough
# no tagged cells
return False
def _previously_failed(self, job: Job) -> Optional[float]:
orig = job.nb
source_time = orig.stat().st_mtime
# First see if there is a 'failed' marker. If so,
# compare timestamps: if marker is newer than file, it's converted
failed_file = job.outdir / (orig.stem + ".failed")
if failed_file.exists():
failed_time = failed_file.stat().st_mtime
ac = failed_time > source_time
if ac:
self.log_info(
f"Notebook '{orig.stem}.ipynb' unchanged since previous failed conversion"
)
return failed_time
return None
def _previously_converted(self, job: Job, dest: Path) -> bool:
"""Check if any of the output files are either missing or older than
the input file ('entry').
Returns:
True if the output is newer than the input, otherwise False.
"""
orig = job.nb
source_time = orig.stat().st_mtime
# First see if there is a 'failed' marker. If so,
# compare timestamps: if marker is newer than file, it's converted
failed_file = job.outdir / (orig.stem + ".failed")
if failed_file.exists():
failed_time = failed_file.stat().st_ctime
ac = failed_time > source_time
if ac:
self.log_info(
f"Notebook '{orig.stem}.ipynb' unchanged since previous failed conversion"
)
return ac
# Otherwise look at all the output files and see if any one of them is
# older than the source file (in which case it's NOT converted)
for fmt, ext in self.FORMATS.items():
output_file = job.outdir / f"{dest.stem}{ext}"
self.log_debug(f"checking if cached: {output_file} src={orig}")
if not output_file.exists():
return False
if source_time >= output_file.stat().st_mtime:
return False
return True
def _write_failed_marker(self, job: Job):
"""Put a marker into the output directory for the failed notebook, so we
can tell whether we need to bother trying to re-run it later.
"""
marker = job.outdir / (job.nb.stem + ".failed")
if not job.outdir.exists():
try:
job.outdir.mkdir(parents=True)
except Exception as err:
self.log_error(
f"Could not write failed marker '{marker}' for entry={job.nb} "
f"outdir={job.outdir}: {err}"
)
return # oh, well
self.log_debug(
f"write failed marker '{marker}' for entry={job.nb} outdir={job.outdir}"
)
marker.open("w").write(
"This file is a marker for avoiding re-runs of failed notebooks that haven't changed"
)
def _get_failed_marker(self, job: Job) -> Optional[Path]:
marker = job.outdir / (job.nb.stem + ".failed")
if marker.exists():
self.log_debug(f"Found 'failed' marker: {marker}")
return marker
self.log_debug(
f"No 'failed' marker for notebook '{job.nb}' in directory '{job.outdir}'"
)
return None
def _strip_tagged_cells(self, job: Job, tags, remove_name: str):
"""Strip specially tagged cells from a notebook.
Copy notebook to a temporary location, and generate a stripped
version there. No files are modified in the original directory.
Args:
job: Notebook and parameters
tags: List of tags (strings) to strip
remove_name: Remove this component from the name
Returns:
stripped-entry, original-entry - both in the temporary directory
"""
self.log_debug(f"run notebook in temporary directory: {job.tmpdir}")
# Copy notebook to temporary directory
tmp_nb = job.tmpdir / job.nb.name
shutil.copy(job.nb, tmp_nb)
# Remove the given tags
# Configure tag removal
tag_names = [self.CELL_TAGS[t] for t in tags]
self.rm_config.TagRemovePreprocessor.remove_cell_tags = tag_names
self.log_debug(
f"removing tag(s) <{', '.join(tag_names)}'> from notebook: {job.nb.name}"
)
(body, resources) = NotebookExporter(config=self.rm_config).from_filename(
str(tmp_nb)
)
# Determine output notebook name:
# remove suffixes, either "Capitalized" or "lowercase" version,
# with underscores before, after, or on both sides.
suffixes = []
for name in (remove_name.capitalize(), remove_name.lower()):
suffixes.extend(["_" + name, name + "_", "_" + name + "_"])
suffixes_disjunction = "|".join(suffixes)
nb_name = re.sub(f"({suffixes_disjunction})", "", job.nb.stem)
# Create the new notebook
wrt = nbconvert.writers.FilesWriter()
wrt.build_directory = str(job.tmpdir)
self.log_debug(f"writing stripped notebook: {nb_name}")
wrt.write(body, resources, notebook_name=nb_name)
# Return both notebook names, and temporary directory (for cleanup)
stripped_entry = job.tmpdir / f"{nb_name}.ipynb"
return stripped_entry
def _parse_and_execute(self, entry):
# parse
self.log_debug(f"parsing '{entry}'")
try:
nb = nbformat.read(str(entry), as_version=self.JUPYTER_NB_VERSION)
except nbformat.reader.NotJSONError:
raise NotebookFormatError(f"'{entry}' is not JSON")
except AttributeError:
raise NotebookFormatError(f"'{entry}' has invalid format")
# execute
self.log_debug(f"executing '{entry}'")
t0 = time.time()
try:
metadata = {"metadata": {"path": str(entry.parent)}}
self.processor.preprocess(nb, metadata)
except (CellExecutionError, NameError) as err:
raise NotebookExecError(f"execution error for '{entry}': {err}")
except TimeoutError as err:
dur, timeout = time.time() - t0, self._timeout
raise NotebookError(f"timeout for '{entry}': {dur}s > {timeout}s")
return nb
def _create_notebook_wrapper_page(self, job: Job, nb_file: str):
"""Generate a Sphinx documentation page for the Module.
"""
# interpret some characters in filename differently for title
title = nb_file.replace("_", " ").title()
title_under = "=" * len(title)
# create document from template
doc = self.template.substitute(
title=title, notebook_name=nb_file, title_underline=title_under
)
# write out the new doc
doc_rst = job.outdir / (nb_file + "_doc.rst")
with doc_rst.open("w") as f:
self.log_info(f"generate Sphinx doc wrapper for {nb_file} => {doc_rst}")
f.write(doc)
def _postprocess_rst(self, body):