Left: | ||
Right: |
OLD | NEW |
---|---|
(Empty) | |
1 import re | |
2 from jinja2 import contextfunction | |
3 | |
4 | |
5 @contextfunction | |
6 def get_pages_metadata(context, filters=None): | |
7 if not isinstance(filters, dict) and filters: | |
8 raise TypeError('Filters are not a dictionary') | |
9 | |
10 return_data = [] | |
11 for page_name, _format in context['source'].list_pages(): | |
12 data, filename = context['source'].read_page(page_name, _format) | |
13 page_data = parse_page_metadata(data, page_name) | |
14 | |
15 if filter_metadata(filters, page_data) is True: | |
16 return_data.append(page_data) | |
17 | |
18 return return_data | |
19 | |
20 | |
21 def parse_page_metadata(data, page): | |
22 page_metadata = {'page': page} | |
23 lines = data.splitlines(True) | |
24 for i, line in enumerate(lines): | |
25 if not re.search(r'^\s*[\w\-]+\s*=', line): | |
26 break | |
27 name, value = line.split('=', 1) | |
28 value = value.strip() | |
29 if value.startswith('[') and value.endswith(']'): | |
30 value = [element.strip() for element in value[1:-1].split(',')] | |
31 page_metadata[name.strip()] = value | |
32 return page_metadata | |
33 | |
34 | |
35 def filter_metadata(filters, metadata): | |
36 if filters is None: | |
37 return True | |
38 for filter_name, filter_value in filters.items(): | |
39 if filter_name not in metadata: | |
40 return False | |
41 for option in filter_value.split(','): | |
Vasily Kuznetsov
2017/03/10 10:23:38
We should probably only split if the `metadata[fil
Jon Sonesen
2017/03/10 11:01:32
I guess I thought that this didnt matter since jul
Jon Sonesen
2017/03/10 11:43:38
Actually in this case we will have to change the f
Vasily Kuznetsov
2017/03/15 18:02:57
Yeah, this is better. Splitting the filter values
| |
42 if isinstance(metadata[filter_name], list): | |
43 if option not in metadata[filter_name]: | |
44 return False | |
45 return True | |
Vasily Kuznetsov
2017/03/10 10:23:38
But if you return `True` here, would not this igno
Jon Sonesen
2017/03/10 11:01:32
I thought we were doing an 'or' selection so if on
Vasily Kuznetsov
2017/03/15 18:02:57
Yes, the docstring of the function in the issue sa
| |
46 if option != metadata[filter_name]: | |
47 return False | |
48 return True | |
OLD | NEW |