|
| 1 | +#!/usr/bin/env python |
| 2 | + |
| 3 | +""" |
| 4 | +Lint Jupyter notebooks being checked in to this repo. |
| 5 | +
|
| 6 | +Currently, this "linter" only checks one property, that the notebook's output |
| 7 | +cells are empty, to avoid bloating the repository size. |
| 8 | +""" |
| 9 | + |
| 10 | + |
| 11 | +import argparse |
| 12 | +import json |
| 13 | +import os |
| 14 | +import sys |
| 15 | + |
| 16 | + |
| 17 | +def main(): |
| 18 | + opts = get_opts() |
| 19 | + notebooks = find_notebooks(opts.dir) |
| 20 | + for notebook in notebooks: |
| 21 | + check(notebook) |
| 22 | + |
| 23 | + |
| 24 | +def get_opts(): |
| 25 | + parser = argparse.ArgumentParser() |
| 26 | + parser.add_argument("dir", help="Directories to search for notebooks", type=str, nargs="+") |
| 27 | + return parser.parse_args() |
| 28 | + |
| 29 | + |
| 30 | +def find_notebooks(dirs): |
| 31 | + notebooks = set() |
| 32 | + for d in dirs: |
| 33 | + for dirname, _, filenames in os.walk(d): |
| 34 | + for filename in filenames: |
| 35 | + if not filename.endswith(".ipynb"): |
| 36 | + continue |
| 37 | + full_path = os.path.join(dirname, filename) |
| 38 | + notebooks.add(full_path) |
| 39 | + return notebooks |
| 40 | + |
| 41 | + |
| 42 | +def check(notebook): |
| 43 | + with open(notebook) as f: |
| 44 | + contents = json.load(f) |
| 45 | + check_outputs_empty(notebook, contents) |
| 46 | + check_no_trailing_newline(notebook, contents) |
| 47 | + |
| 48 | + |
| 49 | +def check_outputs_empty(path, contents): |
| 50 | + for i, cell in enumerate(contents["cells"]): |
| 51 | + if "outputs" in cell and cell["outputs"] != []: |
| 52 | + fail(path, "output is not empty", i) |
| 53 | + |
| 54 | + |
| 55 | +def check_no_trailing_newline(path, contents): |
| 56 | + """ |
| 57 | + Checks that the last line of a code cell doesn't end with a newline, which |
| 58 | + produces an unnecessarily newline in the doc rendering. |
| 59 | + """ |
| 60 | + for i, cell in enumerate(contents["cells"]): |
| 61 | + if cell["cell_type"] != "code": |
| 62 | + continue |
| 63 | + if "source" not in cell or len(cell["source"]) == 0: |
| 64 | + fail(path, "code cell is empty", i) |
| 65 | + if cell["source"][-1].endswith("\n"): |
| 66 | + fail(path, "unnecessary trailing newline", i) |
| 67 | + |
| 68 | + |
| 69 | +def fail(path, message, cell=None): |
| 70 | + cell_msg = f" [cell {cell}]" if cell is not None else "" |
| 71 | + print(f"{path}{cell_msg}: {message}") |
| 72 | + sys.exit(1) |
| 73 | + |
| 74 | + |
| 75 | +if __name__ == "__main__": |
| 76 | + main() |
0 commit comments