1 from __future__ import print_function
5 from subprocess import Popen, PIPE
7 # Import this way to produce a more useful error message.
11 print('Unable to import YAML module: please install PyYAML', file=sys.stderr)
15 # Things an image file's name can end with.
23 # Files that shouldn't be present.
28 # Marker to show that an expected value hasn't been provided.
29 # (Can't use 'None' because that might be a legitimate value.)
32 class Reporter(object):
33 """Collect and report errors."""
38 super(Reporter, self).__init__()
42 def check_field(self, filename, name, values, key, expected=REPORTER_NOT_SET):
43 """Check that a dictionary has an expected value."""
46 self.add(filename, '{0} does not contain {1}', name, key)
47 elif expected is REPORTER_NOT_SET:
49 elif type(expected) in (tuple, set, list):
50 if values[key] not in expected:
51 self.add(filename, '{0} {1} value {2} is not in {3}', name, key, values[key], expected)
52 elif values[key] != expected:
53 self.add(filename, '{0} {1} is {2} not {3}', name, key, values[key], expected)
56 def check(self, condition, location, fmt, *args):
57 """Append error if condition not met."""
60 self.add(location, fmt, *args)
63 def add(self, location, fmt, *args):
64 """Append error unilaterally."""
66 self.messages.append((location, fmt.format(*args)))
69 def report(self, stream=sys.stdout):
70 """Report all messages in order."""
76 location, message = item
77 if isinstance(location, type(None)):
79 elif isinstance(location, str):
80 return location + ': ' + message
81 elif isinstance(location, tuple):
82 return '{0}:{1}: '.format(*location) + message
84 assert False, 'Unknown item "{0}"'.format(item)
87 location, message = item
88 if isinstance(location, type(None)):
89 return ('', -1, message)
90 elif isinstance(location, str):
91 return (location, -1, message)
92 elif isinstance(location, tuple):
93 return (location[0], location[1], message)
95 assert False, 'Unknown item "{0}"'.format(item)
97 for m in sorted(self.messages, key=key):
98 print(pretty(m), file=stream)
101 def read_markdown(parser, path):
103 Get YAML and AST for Markdown file, returning
104 {'metadata':yaml, 'metadata_len':N, 'text':text, 'lines':[(i, line, len)], 'doc':doc}.
107 # Split and extract YAML (if present).
108 with open(path, 'r') as reader:
110 metadata_raw, metadata_yaml, body = split_metadata(path, body)
113 metadata_len = 0 if metadata_raw is None else metadata_raw.count('\n')
114 lines = [(metadata_len+i+1, line, len(line)) for (i, line) in enumerate(body.split('\n'))]
117 cmd = 'ruby {0}'.format(parser)
118 p = Popen(cmd, shell=True, stdin=PIPE, stdout=PIPE, close_fds=True, universal_newlines=True)
119 stdout_data, stderr_data = p.communicate(body)
120 doc = json.loads(stdout_data)
123 'metadata': metadata_yaml,
124 'metadata_len': metadata_len,
131 def split_metadata(path, text):
133 Get raw (text) metadata, metadata as YAML, and rest of body.
134 If no metadata, return (None, None, body).
141 pieces = text.split('---', 2)
143 metadata_raw = pieces[1]
146 metadata_yaml = yaml.load(metadata_raw)
147 except yaml.YAMLError as e:
148 print('Unable to parse YAML header in {0}:\n{1}'.format(path, e), file=sys.stderr)
151 return metadata_raw, metadata_yaml, text
154 def load_yaml(filename):
156 Wrapper around YAML loading so that 'import yaml' is only needed
161 with open(filename, 'r') as reader:
162 return yaml.load(reader)
163 except (yaml.YAMLError, FileNotFoundError) as e:
164 print('Unable to load YAML file {0}:\n{1}'.format(filename, e), file=sys.stderr)
168 def check_unwanted_files(dir_path, reporter):
170 Check that unwanted files are not present.
173 for filename in UNWANTED_FILES:
174 path = os.path.join(dir_path, filename)
175 reporter.check(not os.path.exists(path),
177 "Unwanted file found")
180 def require(condition, message):
181 """Fail if condition not met."""
184 print(message, file=sys.stderr)