OILS / doctools / fmt_check.py View on Github | oilshell.org

93 lines, 56 significant
1#!/usr/bin/env python3
2"""fmt_check.py
3
4Check that the output HTML obeys the following rules:
5
6 - No orphaned backticks '`' should be part of a `inline code block`
7 (ie. any backticks not in a <code> block is treated as an error)
8 - Lines in a <code> should be shorter than 70 chars (else they overflow)
9"""
10
11import html.parser
12import sys
13
14from doctools.util import log
15
16
17class TagAwareHTMLParser(html.parser.HTMLParser):
18
19 def __init__(self, file):
20 super().__init__()
21 self.tag_stack = []
22 self.file = file
23
24 def location_str(self):
25 line, col = self.getpos()
26 return '%s:%d:%d' % (self.file, line, col)
27
28 def handle_starttag(self, tag, _attrs):
29 # Skip self-closing elements
30 if tag in ('meta', 'img'):
31 return
32
33 self.tag_stack.append(tag)
34
35 def handle_endtag(self, tag):
36 popped = self.tag_stack.pop()
37 if tag != popped:
38 print('%s [WARN] Mismatched tag!' % self.location_str(),
39 'Expected </%s> but got </%s>' % (popped, tag))
40
41
42class CheckBackticks(TagAwareHTMLParser):
43
44 def __init__(self, file):
45 super().__init__(file)
46 self.has_error = False
47
48 def handle_data(self, text):
49 # Ignore eg, <code> tags
50 if len(self.tag_stack) and (self.tag_stack[-1]
51 not in ("p", "h1", "h2", "h3", "a")):
52 return
53
54 idx = text.find('`')
55 if idx == -1:
56 return
57
58 print('%s [ERROR] Found stray backtick %r' %
59 (self.location_str(), text))
60
61 self.has_error = True
62
63
64def FormatCheck(filename):
65 backticks = CheckBackticks(filename)
66 with open(filename, "r") as f:
67 backticks.feed(f.read())
68
69 return backticks.has_error
70
71
72def main(argv):
73 action = argv[1]
74
75 any_error = False
76 for path in argv[1:]:
77 if not path.endswith('.html'):
78 raise RuntimeError('Expected %r to be a .html file' % filename)
79
80 this_error = FormatCheck(path)
81 any_error = any_error or this_error
82 log("%s %s" % ("ER" if this_error else "OK", path))
83
84 if any_error:
85 raise RuntimeError("Formatting errors found")
86
87
88if __name__ == '__main__':
89 try:
90 main(sys.argv)
91 except RuntimeError as e:
92 print('FATAL: %s' % e, file=sys.stderr)
93 sys.exit(1)