Show More
@@ -1,413 +1,421 b'' | |||||
1 | """Attempt to generate templates for module reference with Sphinx |
|
1 | """Attempt to generate templates for module reference with Sphinx | |
2 |
|
2 | |||
3 | XXX - we exclude extension modules |
|
3 | XXX - we exclude extension modules | |
4 |
|
4 | |||
5 | To include extension modules, first identify them as valid in the |
|
5 | To include extension modules, first identify them as valid in the | |
6 | ``_uri2path`` method, then handle them in the ``_parse_module`` script. |
|
6 | ``_uri2path`` method, then handle them in the ``_parse_module`` script. | |
7 |
|
7 | |||
8 | We get functions and classes by parsing the text of .py files. |
|
8 | We get functions and classes by parsing the text of .py files. | |
9 | Alternatively we could import the modules for discovery, and we'd have |
|
9 | Alternatively we could import the modules for discovery, and we'd have | |
10 | to do that for extension modules. This would involve changing the |
|
10 | to do that for extension modules. This would involve changing the | |
11 | ``_parse_module`` method to work via import and introspection, and |
|
11 | ``_parse_module`` method to work via import and introspection, and | |
12 | might involve changing ``discover_modules`` (which determines which |
|
12 | might involve changing ``discover_modules`` (which determines which | |
13 | files are modules, and therefore which module URIs will be passed to |
|
13 | files are modules, and therefore which module URIs will be passed to | |
14 | ``_parse_module``). |
|
14 | ``_parse_module``). | |
15 |
|
15 | |||
16 | NOTE: this is a modified version of a script originally shipped with the |
|
16 | NOTE: this is a modified version of a script originally shipped with the | |
17 | PyMVPA project, which we've adapted for NIPY use. PyMVPA is an MIT-licensed |
|
17 | PyMVPA project, which we've adapted for NIPY use. PyMVPA is an MIT-licensed | |
18 | project.""" |
|
18 | project.""" | |
19 |
|
19 | |||
20 | from __future__ import print_function |
|
20 | from __future__ import print_function | |
21 |
|
21 | |||
22 | # Stdlib imports |
|
22 | # Stdlib imports | |
23 | import ast |
|
23 | import ast | |
24 | import os |
|
24 | import os | |
25 | import re |
|
25 | import re | |
26 |
|
26 | |||
27 | class Obj(object): |
|
27 | class Obj(object): | |
28 | '''Namespace to hold arbitrary information.''' |
|
28 | '''Namespace to hold arbitrary information.''' | |
29 | def __init__(self, **kwargs): |
|
29 | def __init__(self, **kwargs): | |
30 | for k, v in kwargs.items(): |
|
30 | for k, v in kwargs.items(): | |
31 | setattr(self, k, v) |
|
31 | setattr(self, k, v) | |
32 |
|
32 | |||
33 | class FuncClsScanner(ast.NodeVisitor): |
|
33 | class FuncClsScanner(ast.NodeVisitor): | |
34 | """Scan a module for top-level functions and classes. |
|
34 | """Scan a module for top-level functions and classes. | |
35 |
|
35 | |||
36 | Skips objects with an @undoc decorator, or a name starting with '_'. |
|
36 | Skips objects with an @undoc decorator, or a name starting with '_'. | |
37 | """ |
|
37 | """ | |
38 | def __init__(self): |
|
38 | def __init__(self): | |
39 | ast.NodeVisitor.__init__(self) |
|
39 | ast.NodeVisitor.__init__(self) | |
40 | self.classes = [] |
|
40 | self.classes = [] | |
41 | self.classes_seen = set() |
|
41 | self.classes_seen = set() | |
42 | self.functions = [] |
|
42 | self.functions = [] | |
43 |
|
43 | |||
44 | @staticmethod |
|
44 | @staticmethod | |
45 | def has_undoc_decorator(node): |
|
45 | def has_undoc_decorator(node): | |
46 | return any(isinstance(d, ast.Name) and d.id == 'undoc' \ |
|
46 | return any(isinstance(d, ast.Name) and d.id == 'undoc' \ | |
47 | for d in node.decorator_list) |
|
47 | for d in node.decorator_list) | |
|
48 | ||||
|
49 | def visit_If(self, node): | |||
|
50 | if isinstance(node.test, ast.Compare) \ | |||
|
51 | and isinstance(node.test.left, ast.Name) \ | |||
|
52 | and node.test.left.id == '__name__': | |||
|
53 | return # Ignore classes defined in "if __name__ == '__main__':" | |||
|
54 | ||||
|
55 | self.generic_visit(node) | |||
48 |
|
56 | |||
49 | def visit_FunctionDef(self, node): |
|
57 | def visit_FunctionDef(self, node): | |
50 | if not (node.name.startswith('_') or self.has_undoc_decorator(node)) \ |
|
58 | if not (node.name.startswith('_') or self.has_undoc_decorator(node)) \ | |
51 | and node.name not in self.functions: |
|
59 | and node.name not in self.functions: | |
52 | self.functions.append(node.name) |
|
60 | self.functions.append(node.name) | |
53 |
|
61 | |||
54 | def visit_ClassDef(self, node): |
|
62 | def visit_ClassDef(self, node): | |
55 | if not (node.name.startswith('_') or self.has_undoc_decorator(node)) \ |
|
63 | if not (node.name.startswith('_') or self.has_undoc_decorator(node)) \ | |
56 | and node.name not in self.classes_seen: |
|
64 | and node.name not in self.classes_seen: | |
57 | cls = Obj(name=node.name) |
|
65 | cls = Obj(name=node.name) | |
58 | cls.has_init = any(isinstance(n, ast.FunctionDef) and \ |
|
66 | cls.has_init = any(isinstance(n, ast.FunctionDef) and \ | |
59 | n.name=='__init__' for n in node.body) |
|
67 | n.name=='__init__' for n in node.body) | |
60 | self.classes.append(cls) |
|
68 | self.classes.append(cls) | |
61 | self.classes_seen.add(node.name) |
|
69 | self.classes_seen.add(node.name) | |
62 |
|
70 | |||
63 | def scan(self, mod): |
|
71 | def scan(self, mod): | |
64 | self.visit(mod) |
|
72 | self.visit(mod) | |
65 | return self.functions, self.classes |
|
73 | return self.functions, self.classes | |
66 |
|
74 | |||
67 | # Functions and classes |
|
75 | # Functions and classes | |
68 | class ApiDocWriter(object): |
|
76 | class ApiDocWriter(object): | |
69 | ''' Class for automatic detection and parsing of API docs |
|
77 | ''' Class for automatic detection and parsing of API docs | |
70 | to Sphinx-parsable reST format''' |
|
78 | to Sphinx-parsable reST format''' | |
71 |
|
79 | |||
72 | # only separating first two levels |
|
80 | # only separating first two levels | |
73 | rst_section_levels = ['*', '=', '-', '~', '^'] |
|
81 | rst_section_levels = ['*', '=', '-', '~', '^'] | |
74 |
|
82 | |||
75 | def __init__(self, |
|
83 | def __init__(self, | |
76 | package_name, |
|
84 | package_name, | |
77 | rst_extension='.rst', |
|
85 | rst_extension='.rst', | |
78 | package_skip_patterns=None, |
|
86 | package_skip_patterns=None, | |
79 | module_skip_patterns=None, |
|
87 | module_skip_patterns=None, | |
80 | ): |
|
88 | ): | |
81 | ''' Initialize package for parsing |
|
89 | ''' Initialize package for parsing | |
82 |
|
90 | |||
83 | Parameters |
|
91 | Parameters | |
84 | ---------- |
|
92 | ---------- | |
85 | package_name : string |
|
93 | package_name : string | |
86 | Name of the top-level package. *package_name* must be the |
|
94 | Name of the top-level package. *package_name* must be the | |
87 | name of an importable package |
|
95 | name of an importable package | |
88 | rst_extension : string, optional |
|
96 | rst_extension : string, optional | |
89 | Extension for reST files, default '.rst' |
|
97 | Extension for reST files, default '.rst' | |
90 | package_skip_patterns : None or sequence of {strings, regexps} |
|
98 | package_skip_patterns : None or sequence of {strings, regexps} | |
91 | Sequence of strings giving URIs of packages to be excluded |
|
99 | Sequence of strings giving URIs of packages to be excluded | |
92 | Operates on the package path, starting at (including) the |
|
100 | Operates on the package path, starting at (including) the | |
93 | first dot in the package path, after *package_name* - so, |
|
101 | first dot in the package path, after *package_name* - so, | |
94 | if *package_name* is ``sphinx``, then ``sphinx.util`` will |
|
102 | if *package_name* is ``sphinx``, then ``sphinx.util`` will | |
95 | result in ``.util`` being passed for earching by these |
|
103 | result in ``.util`` being passed for earching by these | |
96 | regexps. If is None, gives default. Default is: |
|
104 | regexps. If is None, gives default. Default is: | |
97 | ['\.tests$'] |
|
105 | ['\.tests$'] | |
98 | module_skip_patterns : None or sequence |
|
106 | module_skip_patterns : None or sequence | |
99 | Sequence of strings giving URIs of modules to be excluded |
|
107 | Sequence of strings giving URIs of modules to be excluded | |
100 | Operates on the module name including preceding URI path, |
|
108 | Operates on the module name including preceding URI path, | |
101 | back to the first dot after *package_name*. For example |
|
109 | back to the first dot after *package_name*. For example | |
102 | ``sphinx.util.console`` results in the string to search of |
|
110 | ``sphinx.util.console`` results in the string to search of | |
103 | ``.util.console`` |
|
111 | ``.util.console`` | |
104 | If is None, gives default. Default is: |
|
112 | If is None, gives default. Default is: | |
105 | ['\.setup$', '\._'] |
|
113 | ['\.setup$', '\._'] | |
106 | ''' |
|
114 | ''' | |
107 | if package_skip_patterns is None: |
|
115 | if package_skip_patterns is None: | |
108 | package_skip_patterns = ['\\.tests$'] |
|
116 | package_skip_patterns = ['\\.tests$'] | |
109 | if module_skip_patterns is None: |
|
117 | if module_skip_patterns is None: | |
110 | module_skip_patterns = ['\\.setup$', '\\._'] |
|
118 | module_skip_patterns = ['\\.setup$', '\\._'] | |
111 | self.package_name = package_name |
|
119 | self.package_name = package_name | |
112 | self.rst_extension = rst_extension |
|
120 | self.rst_extension = rst_extension | |
113 | self.package_skip_patterns = package_skip_patterns |
|
121 | self.package_skip_patterns = package_skip_patterns | |
114 | self.module_skip_patterns = module_skip_patterns |
|
122 | self.module_skip_patterns = module_skip_patterns | |
115 |
|
123 | |||
116 | def get_package_name(self): |
|
124 | def get_package_name(self): | |
117 | return self._package_name |
|
125 | return self._package_name | |
118 |
|
126 | |||
119 | def set_package_name(self, package_name): |
|
127 | def set_package_name(self, package_name): | |
120 | ''' Set package_name |
|
128 | ''' Set package_name | |
121 |
|
129 | |||
122 | >>> docwriter = ApiDocWriter('sphinx') |
|
130 | >>> docwriter = ApiDocWriter('sphinx') | |
123 | >>> import sphinx |
|
131 | >>> import sphinx | |
124 | >>> docwriter.root_path == sphinx.__path__[0] |
|
132 | >>> docwriter.root_path == sphinx.__path__[0] | |
125 | True |
|
133 | True | |
126 | >>> docwriter.package_name = 'docutils' |
|
134 | >>> docwriter.package_name = 'docutils' | |
127 | >>> import docutils |
|
135 | >>> import docutils | |
128 | >>> docwriter.root_path == docutils.__path__[0] |
|
136 | >>> docwriter.root_path == docutils.__path__[0] | |
129 | True |
|
137 | True | |
130 | ''' |
|
138 | ''' | |
131 | # It's also possible to imagine caching the module parsing here |
|
139 | # It's also possible to imagine caching the module parsing here | |
132 | self._package_name = package_name |
|
140 | self._package_name = package_name | |
133 | self.root_module = __import__(package_name) |
|
141 | self.root_module = __import__(package_name) | |
134 | self.root_path = self.root_module.__path__[0] |
|
142 | self.root_path = self.root_module.__path__[0] | |
135 | self.written_modules = None |
|
143 | self.written_modules = None | |
136 |
|
144 | |||
137 | package_name = property(get_package_name, set_package_name, None, |
|
145 | package_name = property(get_package_name, set_package_name, None, | |
138 | 'get/set package_name') |
|
146 | 'get/set package_name') | |
139 |
|
147 | |||
140 | def _uri2path(self, uri): |
|
148 | def _uri2path(self, uri): | |
141 | ''' Convert uri to absolute filepath |
|
149 | ''' Convert uri to absolute filepath | |
142 |
|
150 | |||
143 | Parameters |
|
151 | Parameters | |
144 | ---------- |
|
152 | ---------- | |
145 | uri : string |
|
153 | uri : string | |
146 | URI of python module to return path for |
|
154 | URI of python module to return path for | |
147 |
|
155 | |||
148 | Returns |
|
156 | Returns | |
149 | ------- |
|
157 | ------- | |
150 | path : None or string |
|
158 | path : None or string | |
151 | Returns None if there is no valid path for this URI |
|
159 | Returns None if there is no valid path for this URI | |
152 | Otherwise returns absolute file system path for URI |
|
160 | Otherwise returns absolute file system path for URI | |
153 |
|
161 | |||
154 | Examples |
|
162 | Examples | |
155 | -------- |
|
163 | -------- | |
156 | >>> docwriter = ApiDocWriter('sphinx') |
|
164 | >>> docwriter = ApiDocWriter('sphinx') | |
157 | >>> import sphinx |
|
165 | >>> import sphinx | |
158 | >>> modpath = sphinx.__path__[0] |
|
166 | >>> modpath = sphinx.__path__[0] | |
159 | >>> res = docwriter._uri2path('sphinx.builder') |
|
167 | >>> res = docwriter._uri2path('sphinx.builder') | |
160 | >>> res == os.path.join(modpath, 'builder.py') |
|
168 | >>> res == os.path.join(modpath, 'builder.py') | |
161 | True |
|
169 | True | |
162 | >>> res = docwriter._uri2path('sphinx') |
|
170 | >>> res = docwriter._uri2path('sphinx') | |
163 | >>> res == os.path.join(modpath, '__init__.py') |
|
171 | >>> res == os.path.join(modpath, '__init__.py') | |
164 | True |
|
172 | True | |
165 | >>> docwriter._uri2path('sphinx.does_not_exist') |
|
173 | >>> docwriter._uri2path('sphinx.does_not_exist') | |
166 |
|
174 | |||
167 | ''' |
|
175 | ''' | |
168 | if uri == self.package_name: |
|
176 | if uri == self.package_name: | |
169 | return os.path.join(self.root_path, '__init__.py') |
|
177 | return os.path.join(self.root_path, '__init__.py') | |
170 | path = uri.replace('.', os.path.sep) |
|
178 | path = uri.replace('.', os.path.sep) | |
171 | path = path.replace(self.package_name + os.path.sep, '') |
|
179 | path = path.replace(self.package_name + os.path.sep, '') | |
172 | path = os.path.join(self.root_path, path) |
|
180 | path = os.path.join(self.root_path, path) | |
173 | # XXX maybe check for extensions as well? |
|
181 | # XXX maybe check for extensions as well? | |
174 | if os.path.exists(path + '.py'): # file |
|
182 | if os.path.exists(path + '.py'): # file | |
175 | path += '.py' |
|
183 | path += '.py' | |
176 | elif os.path.exists(os.path.join(path, '__init__.py')): |
|
184 | elif os.path.exists(os.path.join(path, '__init__.py')): | |
177 | path = os.path.join(path, '__init__.py') |
|
185 | path = os.path.join(path, '__init__.py') | |
178 | else: |
|
186 | else: | |
179 | return None |
|
187 | return None | |
180 | return path |
|
188 | return path | |
181 |
|
189 | |||
182 | def _path2uri(self, dirpath): |
|
190 | def _path2uri(self, dirpath): | |
183 | ''' Convert directory path to uri ''' |
|
191 | ''' Convert directory path to uri ''' | |
184 | relpath = dirpath.replace(self.root_path, self.package_name) |
|
192 | relpath = dirpath.replace(self.root_path, self.package_name) | |
185 | if relpath.startswith(os.path.sep): |
|
193 | if relpath.startswith(os.path.sep): | |
186 | relpath = relpath[1:] |
|
194 | relpath = relpath[1:] | |
187 | return relpath.replace(os.path.sep, '.') |
|
195 | return relpath.replace(os.path.sep, '.') | |
188 |
|
196 | |||
189 | def _parse_module(self, uri): |
|
197 | def _parse_module(self, uri): | |
190 | ''' Parse module defined in *uri* ''' |
|
198 | ''' Parse module defined in *uri* ''' | |
191 | filename = self._uri2path(uri) |
|
199 | filename = self._uri2path(uri) | |
192 | if filename is None: |
|
200 | if filename is None: | |
193 | # nothing that we could handle here. |
|
201 | # nothing that we could handle here. | |
194 | return ([],[]) |
|
202 | return ([],[]) | |
195 | with open(filename, 'rb') as f: |
|
203 | with open(filename, 'rb') as f: | |
196 | mod = ast.parse(f.read()) |
|
204 | mod = ast.parse(f.read()) | |
197 | return FuncClsScanner().scan(mod) |
|
205 | return FuncClsScanner().scan(mod) | |
198 |
|
206 | |||
199 | def generate_api_doc(self, uri): |
|
207 | def generate_api_doc(self, uri): | |
200 | '''Make autodoc documentation template string for a module |
|
208 | '''Make autodoc documentation template string for a module | |
201 |
|
209 | |||
202 | Parameters |
|
210 | Parameters | |
203 | ---------- |
|
211 | ---------- | |
204 | uri : string |
|
212 | uri : string | |
205 | python location of module - e.g 'sphinx.builder' |
|
213 | python location of module - e.g 'sphinx.builder' | |
206 |
|
214 | |||
207 | Returns |
|
215 | Returns | |
208 | ------- |
|
216 | ------- | |
209 | S : string |
|
217 | S : string | |
210 | Contents of API doc |
|
218 | Contents of API doc | |
211 | ''' |
|
219 | ''' | |
212 | # get the names of all classes and functions |
|
220 | # get the names of all classes and functions | |
213 | functions, classes = self._parse_module(uri) |
|
221 | functions, classes = self._parse_module(uri) | |
214 | if not len(functions) and not len(classes): |
|
222 | if not len(functions) and not len(classes): | |
215 | print ('WARNING: Empty -', uri) # dbg |
|
223 | print ('WARNING: Empty -', uri) # dbg | |
216 | return '' |
|
224 | return '' | |
217 |
|
225 | |||
218 | # Make a shorter version of the uri that omits the package name for |
|
226 | # Make a shorter version of the uri that omits the package name for | |
219 | # titles |
|
227 | # titles | |
220 | uri_short = re.sub(r'^%s\.' % self.package_name,'',uri) |
|
228 | uri_short = re.sub(r'^%s\.' % self.package_name,'',uri) | |
221 |
|
229 | |||
222 | ad = '.. AUTO-GENERATED FILE -- DO NOT EDIT!\n\n' |
|
230 | ad = '.. AUTO-GENERATED FILE -- DO NOT EDIT!\n\n' | |
223 |
|
231 | |||
224 | # Set the chapter title to read 'Module:' for all modules except for the |
|
232 | # Set the chapter title to read 'Module:' for all modules except for the | |
225 | # main packages |
|
233 | # main packages | |
226 | if '.' in uri: |
|
234 | if '.' in uri: | |
227 | chap_title = 'Module: :mod:`' + uri_short + '`' |
|
235 | chap_title = 'Module: :mod:`' + uri_short + '`' | |
228 | else: |
|
236 | else: | |
229 | chap_title = ':mod:`' + uri_short + '`' |
|
237 | chap_title = ':mod:`' + uri_short + '`' | |
230 | ad += chap_title + '\n' + self.rst_section_levels[1] * len(chap_title) |
|
238 | ad += chap_title + '\n' + self.rst_section_levels[1] * len(chap_title) | |
231 |
|
239 | |||
232 | ad += '\n.. automodule:: ' + uri + '\n' |
|
240 | ad += '\n.. automodule:: ' + uri + '\n' | |
233 | ad += '\n.. currentmodule:: ' + uri + '\n' |
|
241 | ad += '\n.. currentmodule:: ' + uri + '\n' | |
234 |
|
242 | |||
235 | if classes: |
|
243 | if classes: | |
236 | subhead = str(len(classes)) + (' Classes' if len(classes) > 1 else ' Class') |
|
244 | subhead = str(len(classes)) + (' Classes' if len(classes) > 1 else ' Class') | |
237 | ad += '\n'+ subhead + '\n' + \ |
|
245 | ad += '\n'+ subhead + '\n' + \ | |
238 | self.rst_section_levels[2] * len(subhead) + '\n' |
|
246 | self.rst_section_levels[2] * len(subhead) + '\n' | |
239 |
|
247 | |||
240 | for c in classes: |
|
248 | for c in classes: | |
241 | ad += '\n.. autoclass:: ' + c.name + '\n' |
|
249 | ad += '\n.. autoclass:: ' + c.name + '\n' | |
242 | # must NOT exclude from index to keep cross-refs working |
|
250 | # must NOT exclude from index to keep cross-refs working | |
243 | ad += ' :members:\n' \ |
|
251 | ad += ' :members:\n' \ | |
244 | ' :show-inheritance:\n' |
|
252 | ' :show-inheritance:\n' | |
245 | if c.has_init: |
|
253 | if c.has_init: | |
246 | ad += '\n .. automethod:: __init__\n' |
|
254 | ad += '\n .. automethod:: __init__\n' | |
247 |
|
255 | |||
248 | if functions: |
|
256 | if functions: | |
249 | subhead = str(len(functions)) + (' Functions' if len(functions) > 1 else ' Function') |
|
257 | subhead = str(len(functions)) + (' Functions' if len(functions) > 1 else ' Function') | |
250 | ad += '\n'+ subhead + '\n' + \ |
|
258 | ad += '\n'+ subhead + '\n' + \ | |
251 | self.rst_section_levels[2] * len(subhead) + '\n' |
|
259 | self.rst_section_levels[2] * len(subhead) + '\n' | |
252 | for f in functions: |
|
260 | for f in functions: | |
253 | # must NOT exclude from index to keep cross-refs working |
|
261 | # must NOT exclude from index to keep cross-refs working | |
254 | ad += '\n.. autofunction:: ' + uri + '.' + f + '\n\n' |
|
262 | ad += '\n.. autofunction:: ' + uri + '.' + f + '\n\n' | |
255 | return ad |
|
263 | return ad | |
256 |
|
264 | |||
257 | def _survives_exclude(self, matchstr, match_type): |
|
265 | def _survives_exclude(self, matchstr, match_type): | |
258 | ''' Returns True if *matchstr* does not match patterns |
|
266 | ''' Returns True if *matchstr* does not match patterns | |
259 |
|
267 | |||
260 | ``self.package_name`` removed from front of string if present |
|
268 | ``self.package_name`` removed from front of string if present | |
261 |
|
269 | |||
262 | Examples |
|
270 | Examples | |
263 | -------- |
|
271 | -------- | |
264 | >>> dw = ApiDocWriter('sphinx') |
|
272 | >>> dw = ApiDocWriter('sphinx') | |
265 | >>> dw._survives_exclude('sphinx.okpkg', 'package') |
|
273 | >>> dw._survives_exclude('sphinx.okpkg', 'package') | |
266 | True |
|
274 | True | |
267 | >>> dw.package_skip_patterns.append('^\\.badpkg$') |
|
275 | >>> dw.package_skip_patterns.append('^\\.badpkg$') | |
268 | >>> dw._survives_exclude('sphinx.badpkg', 'package') |
|
276 | >>> dw._survives_exclude('sphinx.badpkg', 'package') | |
269 | False |
|
277 | False | |
270 | >>> dw._survives_exclude('sphinx.badpkg', 'module') |
|
278 | >>> dw._survives_exclude('sphinx.badpkg', 'module') | |
271 | True |
|
279 | True | |
272 | >>> dw._survives_exclude('sphinx.badmod', 'module') |
|
280 | >>> dw._survives_exclude('sphinx.badmod', 'module') | |
273 | True |
|
281 | True | |
274 | >>> dw.module_skip_patterns.append('^\\.badmod$') |
|
282 | >>> dw.module_skip_patterns.append('^\\.badmod$') | |
275 | >>> dw._survives_exclude('sphinx.badmod', 'module') |
|
283 | >>> dw._survives_exclude('sphinx.badmod', 'module') | |
276 | False |
|
284 | False | |
277 | ''' |
|
285 | ''' | |
278 | if match_type == 'module': |
|
286 | if match_type == 'module': | |
279 | patterns = self.module_skip_patterns |
|
287 | patterns = self.module_skip_patterns | |
280 | elif match_type == 'package': |
|
288 | elif match_type == 'package': | |
281 | patterns = self.package_skip_patterns |
|
289 | patterns = self.package_skip_patterns | |
282 | else: |
|
290 | else: | |
283 | raise ValueError('Cannot interpret match type "%s"' |
|
291 | raise ValueError('Cannot interpret match type "%s"' | |
284 | % match_type) |
|
292 | % match_type) | |
285 | # Match to URI without package name |
|
293 | # Match to URI without package name | |
286 | L = len(self.package_name) |
|
294 | L = len(self.package_name) | |
287 | if matchstr[:L] == self.package_name: |
|
295 | if matchstr[:L] == self.package_name: | |
288 | matchstr = matchstr[L:] |
|
296 | matchstr = matchstr[L:] | |
289 | for pat in patterns: |
|
297 | for pat in patterns: | |
290 | try: |
|
298 | try: | |
291 | pat.search |
|
299 | pat.search | |
292 | except AttributeError: |
|
300 | except AttributeError: | |
293 | pat = re.compile(pat) |
|
301 | pat = re.compile(pat) | |
294 | if pat.search(matchstr): |
|
302 | if pat.search(matchstr): | |
295 | return False |
|
303 | return False | |
296 | return True |
|
304 | return True | |
297 |
|
305 | |||
298 | def discover_modules(self): |
|
306 | def discover_modules(self): | |
299 | ''' Return module sequence discovered from ``self.package_name`` |
|
307 | ''' Return module sequence discovered from ``self.package_name`` | |
300 |
|
308 | |||
301 |
|
309 | |||
302 | Parameters |
|
310 | Parameters | |
303 | ---------- |
|
311 | ---------- | |
304 | None |
|
312 | None | |
305 |
|
313 | |||
306 | Returns |
|
314 | Returns | |
307 | ------- |
|
315 | ------- | |
308 | mods : sequence |
|
316 | mods : sequence | |
309 | Sequence of module names within ``self.package_name`` |
|
317 | Sequence of module names within ``self.package_name`` | |
310 |
|
318 | |||
311 | Examples |
|
319 | Examples | |
312 | -------- |
|
320 | -------- | |
313 | >>> dw = ApiDocWriter('sphinx') |
|
321 | >>> dw = ApiDocWriter('sphinx') | |
314 | >>> mods = dw.discover_modules() |
|
322 | >>> mods = dw.discover_modules() | |
315 | >>> 'sphinx.util' in mods |
|
323 | >>> 'sphinx.util' in mods | |
316 | True |
|
324 | True | |
317 | >>> dw.package_skip_patterns.append('\.util$') |
|
325 | >>> dw.package_skip_patterns.append('\.util$') | |
318 | >>> 'sphinx.util' in dw.discover_modules() |
|
326 | >>> 'sphinx.util' in dw.discover_modules() | |
319 | False |
|
327 | False | |
320 | >>> |
|
328 | >>> | |
321 | ''' |
|
329 | ''' | |
322 | modules = [self.package_name] |
|
330 | modules = [self.package_name] | |
323 | # raw directory parsing |
|
331 | # raw directory parsing | |
324 | for dirpath, dirnames, filenames in os.walk(self.root_path): |
|
332 | for dirpath, dirnames, filenames in os.walk(self.root_path): | |
325 | # Check directory names for packages |
|
333 | # Check directory names for packages | |
326 | root_uri = self._path2uri(os.path.join(self.root_path, |
|
334 | root_uri = self._path2uri(os.path.join(self.root_path, | |
327 | dirpath)) |
|
335 | dirpath)) | |
328 | for dirname in dirnames[:]: # copy list - we modify inplace |
|
336 | for dirname in dirnames[:]: # copy list - we modify inplace | |
329 | package_uri = '.'.join((root_uri, dirname)) |
|
337 | package_uri = '.'.join((root_uri, dirname)) | |
330 | if (self._uri2path(package_uri) and |
|
338 | if (self._uri2path(package_uri) and | |
331 | self._survives_exclude(package_uri, 'package')): |
|
339 | self._survives_exclude(package_uri, 'package')): | |
332 | modules.append(package_uri) |
|
340 | modules.append(package_uri) | |
333 | else: |
|
341 | else: | |
334 | dirnames.remove(dirname) |
|
342 | dirnames.remove(dirname) | |
335 | # Check filenames for modules |
|
343 | # Check filenames for modules | |
336 | for filename in filenames: |
|
344 | for filename in filenames: | |
337 | module_name = filename[:-3] |
|
345 | module_name = filename[:-3] | |
338 | module_uri = '.'.join((root_uri, module_name)) |
|
346 | module_uri = '.'.join((root_uri, module_name)) | |
339 | if (self._uri2path(module_uri) and |
|
347 | if (self._uri2path(module_uri) and | |
340 | self._survives_exclude(module_uri, 'module')): |
|
348 | self._survives_exclude(module_uri, 'module')): | |
341 | modules.append(module_uri) |
|
349 | modules.append(module_uri) | |
342 | return sorted(modules) |
|
350 | return sorted(modules) | |
343 |
|
351 | |||
344 | def write_modules_api(self, modules,outdir): |
|
352 | def write_modules_api(self, modules,outdir): | |
345 | # write the list |
|
353 | # write the list | |
346 | written_modules = [] |
|
354 | written_modules = [] | |
347 | for m in modules: |
|
355 | for m in modules: | |
348 | api_str = self.generate_api_doc(m) |
|
356 | api_str = self.generate_api_doc(m) | |
349 | if not api_str: |
|
357 | if not api_str: | |
350 | continue |
|
358 | continue | |
351 | # write out to file |
|
359 | # write out to file | |
352 | outfile = os.path.join(outdir, |
|
360 | outfile = os.path.join(outdir, | |
353 | m + self.rst_extension) |
|
361 | m + self.rst_extension) | |
354 | fileobj = open(outfile, 'wt') |
|
362 | fileobj = open(outfile, 'wt') | |
355 | fileobj.write(api_str) |
|
363 | fileobj.write(api_str) | |
356 | fileobj.close() |
|
364 | fileobj.close() | |
357 | written_modules.append(m) |
|
365 | written_modules.append(m) | |
358 | self.written_modules = written_modules |
|
366 | self.written_modules = written_modules | |
359 |
|
367 | |||
360 | def write_api_docs(self, outdir): |
|
368 | def write_api_docs(self, outdir): | |
361 | """Generate API reST files. |
|
369 | """Generate API reST files. | |
362 |
|
370 | |||
363 | Parameters |
|
371 | Parameters | |
364 | ---------- |
|
372 | ---------- | |
365 | outdir : string |
|
373 | outdir : string | |
366 | Directory name in which to store files |
|
374 | Directory name in which to store files | |
367 | We create automatic filenames for each module |
|
375 | We create automatic filenames for each module | |
368 |
|
376 | |||
369 | Returns |
|
377 | Returns | |
370 | ------- |
|
378 | ------- | |
371 | None |
|
379 | None | |
372 |
|
380 | |||
373 | Notes |
|
381 | Notes | |
374 | ----- |
|
382 | ----- | |
375 | Sets self.written_modules to list of written modules |
|
383 | Sets self.written_modules to list of written modules | |
376 | """ |
|
384 | """ | |
377 | if not os.path.exists(outdir): |
|
385 | if not os.path.exists(outdir): | |
378 | os.mkdir(outdir) |
|
386 | os.mkdir(outdir) | |
379 | # compose list of modules |
|
387 | # compose list of modules | |
380 | modules = self.discover_modules() |
|
388 | modules = self.discover_modules() | |
381 | self.write_modules_api(modules,outdir) |
|
389 | self.write_modules_api(modules,outdir) | |
382 |
|
390 | |||
383 | def write_index(self, outdir, path='gen.rst', relative_to=None): |
|
391 | def write_index(self, outdir, path='gen.rst', relative_to=None): | |
384 | """Make a reST API index file from written files |
|
392 | """Make a reST API index file from written files | |
385 |
|
393 | |||
386 | Parameters |
|
394 | Parameters | |
387 | ---------- |
|
395 | ---------- | |
388 | outdir : string |
|
396 | outdir : string | |
389 | Directory to which to write generated index file |
|
397 | Directory to which to write generated index file | |
390 | path : string |
|
398 | path : string | |
391 | Filename to write index to |
|
399 | Filename to write index to | |
392 | relative_to : string |
|
400 | relative_to : string | |
393 | path to which written filenames are relative. This |
|
401 | path to which written filenames are relative. This | |
394 | component of the written file path will be removed from |
|
402 | component of the written file path will be removed from | |
395 | outdir, in the generated index. Default is None, meaning, |
|
403 | outdir, in the generated index. Default is None, meaning, | |
396 | leave path as it is. |
|
404 | leave path as it is. | |
397 | """ |
|
405 | """ | |
398 | if self.written_modules is None: |
|
406 | if self.written_modules is None: | |
399 | raise ValueError('No modules written') |
|
407 | raise ValueError('No modules written') | |
400 | # Get full filename path |
|
408 | # Get full filename path | |
401 | path = os.path.join(outdir, path) |
|
409 | path = os.path.join(outdir, path) | |
402 | # Path written into index is relative to rootpath |
|
410 | # Path written into index is relative to rootpath | |
403 | if relative_to is not None: |
|
411 | if relative_to is not None: | |
404 | relpath = outdir.replace(relative_to + os.path.sep, '') |
|
412 | relpath = outdir.replace(relative_to + os.path.sep, '') | |
405 | else: |
|
413 | else: | |
406 | relpath = outdir |
|
414 | relpath = outdir | |
407 | idx = open(path,'wt') |
|
415 | idx = open(path,'wt') | |
408 | w = idx.write |
|
416 | w = idx.write | |
409 | w('.. AUTO-GENERATED FILE -- DO NOT EDIT!\n\n') |
|
417 | w('.. AUTO-GENERATED FILE -- DO NOT EDIT!\n\n') | |
410 | w('.. toctree::\n\n') |
|
418 | w('.. toctree::\n\n') | |
411 | for f in self.written_modules: |
|
419 | for f in self.written_modules: | |
412 | w(' %s\n' % os.path.join(relpath,f)) |
|
420 | w(' %s\n' % os.path.join(relpath,f)) | |
413 | idx.close() |
|
421 | idx.close() |
General Comments 0
You need to be logged in to leave comments.
Login now