add release date
[python/dscho.git] / Lib / pydoc.py
blob4d6043672238849fb37ed590d2c0526e2c86545a
1 #!/usr/bin/env python
2 # -*- coding: latin-1 -*-
3 """Generate Python documentation in HTML or text for interactive use.
5 In the Python interpreter, do "from pydoc import help" to provide online
6 help. Calling help(thing) on a Python object documents the object.
8 Or, at the shell command line outside of Python:
10 Run "pydoc <name>" to show documentation on something. <name> may be
11 the name of a function, module, package, or a dotted reference to a
12 class or function within a module or module in a package. If the
13 argument contains a path segment delimiter (e.g. slash on Unix,
14 backslash on Windows) it is treated as the path to a Python source file.
16 Run "pydoc -k <keyword>" to search for a keyword in the synopsis lines
17 of all available modules.
19 Run "pydoc -p <port>" to start an HTTP server on a given port on the
20 local machine to generate documentation web pages.
22 For platforms without a command line, "pydoc -g" starts the HTTP server
23 and also pops up a little window for controlling it.
25 Run "pydoc -w <name>" to write out the HTML documentation for a module
26 to a file named "<name>.html".
28 Module docs for core modules are assumed to be in
30 http://docs.python.org/library/
32 This can be overridden by setting the PYTHONDOCS environment variable
33 to a different URL or to a local directory containing the Library
34 Reference Manual pages.
35 """
37 __author__ = "Ka-Ping Yee <ping@lfw.org>"
38 __date__ = "26 February 2001"
40 __version__ = "$Revision$"
41 __credits__ = """Guido van Rossum, for an excellent programming language.
42 Tommy Burnette, the original creator of manpy.
43 Paul Prescod, for all his work on onlinehelp.
44 Richard Chamberlain, for the first implementation of textdoc.
45 """
47 # Known bugs that can't be fixed here:
48 # - imp.load_module() cannot be prevented from clobbering existing
49 # loaded modules, so calling synopsis() on a binary module file
50 # changes the contents of any existing module with the same name.
51 # - If the __file__ attribute on a module is a relative path and
52 # the current directory is changed with os.chdir(), an incorrect
53 # path will be displayed.
55 import sys, imp, os, re, types, inspect, __builtin__, pkgutil
56 from repr import Repr
57 from string import expandtabs, find, join, lower, split, strip, rfind, rstrip
58 from traceback import extract_tb
59 try:
60 from collections import deque
61 except ImportError:
62 # Python 2.3 compatibility
63 class deque(list):
64 def popleft(self):
65 return self.pop(0)
67 # --------------------------------------------------------- common routines
69 def pathdirs():
70 """Convert sys.path into a list of absolute, existing, unique paths."""
71 dirs = []
72 normdirs = []
73 for dir in sys.path:
74 dir = os.path.abspath(dir or '.')
75 normdir = os.path.normcase(dir)
76 if normdir not in normdirs and os.path.isdir(dir):
77 dirs.append(dir)
78 normdirs.append(normdir)
79 return dirs
81 def getdoc(object):
82 """Get the doc string or comments for an object."""
83 result = inspect.getdoc(object) or inspect.getcomments(object)
84 return result and re.sub('^ *\n', '', rstrip(result)) or ''
86 def splitdoc(doc):
87 """Split a doc string into a synopsis line (if any) and the rest."""
88 lines = split(strip(doc), '\n')
89 if len(lines) == 1:
90 return lines[0], ''
91 elif len(lines) >= 2 and not rstrip(lines[1]):
92 return lines[0], join(lines[2:], '\n')
93 return '', join(lines, '\n')
95 def classname(object, modname):
96 """Get a class name and qualify it with a module name if necessary."""
97 name = object.__name__
98 if object.__module__ != modname:
99 name = object.__module__ + '.' + name
100 return name
102 def isdata(object):
103 """Check if an object is of a type that probably means it's data."""
104 return not (inspect.ismodule(object) or inspect.isclass(object) or
105 inspect.isroutine(object) or inspect.isframe(object) or
106 inspect.istraceback(object) or inspect.iscode(object))
108 def replace(text, *pairs):
109 """Do a series of global replacements on a string."""
110 while pairs:
111 text = join(split(text, pairs[0]), pairs[1])
112 pairs = pairs[2:]
113 return text
115 def cram(text, maxlen):
116 """Omit part of a string if needed to make it fit in a maximum length."""
117 if len(text) > maxlen:
118 pre = max(0, (maxlen-3)//2)
119 post = max(0, maxlen-3-pre)
120 return text[:pre] + '...' + text[len(text)-post:]
121 return text
123 _re_stripid = re.compile(r' at 0x[0-9a-f]{6,16}(>+)$', re.IGNORECASE)
124 def stripid(text):
125 """Remove the hexadecimal id from a Python object representation."""
126 # The behaviour of %p is implementation-dependent in terms of case.
127 return _re_stripid.sub(r'\1', text)
129 def _is_some_method(obj):
130 return inspect.ismethod(obj) or inspect.ismethoddescriptor(obj)
132 def allmethods(cl):
133 methods = {}
134 for key, value in inspect.getmembers(cl, _is_some_method):
135 methods[key] = 1
136 for base in cl.__bases__:
137 methods.update(allmethods(base)) # all your base are belong to us
138 for key in methods.keys():
139 methods[key] = getattr(cl, key)
140 return methods
142 def _split_list(s, predicate):
143 """Split sequence s via predicate, and return pair ([true], [false]).
145 The return value is a 2-tuple of lists,
146 ([x for x in s if predicate(x)],
147 [x for x in s if not predicate(x)])
150 yes = []
151 no = []
152 for x in s:
153 if predicate(x):
154 yes.append(x)
155 else:
156 no.append(x)
157 return yes, no
159 def visiblename(name, all=None):
160 """Decide whether to show documentation on a variable."""
161 # Certain special names are redundant.
162 _hidden_names = ('__builtins__', '__doc__', '__file__', '__path__',
163 '__module__', '__name__', '__slots__', '__package__')
164 if name in _hidden_names: return 0
165 # Private names are hidden, but special names are displayed.
166 if name.startswith('__') and name.endswith('__'): return 1
167 if all is not None:
168 # only document that which the programmer exported in __all__
169 return name in all
170 else:
171 return not name.startswith('_')
173 def classify_class_attrs(object):
174 """Wrap inspect.classify_class_attrs, with fixup for data descriptors."""
175 def fixup(data):
176 name, kind, cls, value = data
177 if inspect.isdatadescriptor(value):
178 kind = 'data descriptor'
179 return name, kind, cls, value
180 return map(fixup, inspect.classify_class_attrs(object))
182 # ----------------------------------------------------- module manipulation
184 def ispackage(path):
185 """Guess whether a path refers to a package directory."""
186 if os.path.isdir(path):
187 for ext in ('.py', '.pyc', '.pyo'):
188 if os.path.isfile(os.path.join(path, '__init__' + ext)):
189 return True
190 return False
192 def source_synopsis(file):
193 line = file.readline()
194 while line[:1] == '#' or not strip(line):
195 line = file.readline()
196 if not line: break
197 line = strip(line)
198 if line[:4] == 'r"""': line = line[1:]
199 if line[:3] == '"""':
200 line = line[3:]
201 if line[-1:] == '\\': line = line[:-1]
202 while not strip(line):
203 line = file.readline()
204 if not line: break
205 result = strip(split(line, '"""')[0])
206 else: result = None
207 return result
209 def synopsis(filename, cache={}):
210 """Get the one-line summary out of a module file."""
211 mtime = os.stat(filename).st_mtime
212 lastupdate, result = cache.get(filename, (0, None))
213 if lastupdate < mtime:
214 info = inspect.getmoduleinfo(filename)
215 try:
216 file = open(filename)
217 except IOError:
218 # module can't be opened, so skip it
219 return None
220 if info and 'b' in info[2]: # binary modules have to be imported
221 try: module = imp.load_module('__temp__', file, filename, info[1:])
222 except: return None
223 result = (module.__doc__ or '').splitlines()[0]
224 del sys.modules['__temp__']
225 else: # text modules can be directly examined
226 result = source_synopsis(file)
227 file.close()
228 cache[filename] = (mtime, result)
229 return result
231 class ErrorDuringImport(Exception):
232 """Errors that occurred while trying to import something to document it."""
233 def __init__(self, filename, exc_info):
234 exc, value, tb = exc_info
235 self.filename = filename
236 self.exc = exc
237 self.value = value
238 self.tb = tb
240 def __str__(self):
241 exc = self.exc
242 if type(exc) is types.ClassType:
243 exc = exc.__name__
244 return 'problem in %s - %s: %s' % (self.filename, exc, self.value)
246 def importfile(path):
247 """Import a Python source file or compiled file given its path."""
248 magic = imp.get_magic()
249 file = open(path, 'r')
250 if file.read(len(magic)) == magic:
251 kind = imp.PY_COMPILED
252 else:
253 kind = imp.PY_SOURCE
254 file.close()
255 filename = os.path.basename(path)
256 name, ext = os.path.splitext(filename)
257 file = open(path, 'r')
258 try:
259 module = imp.load_module(name, file, path, (ext, 'r', kind))
260 except:
261 raise ErrorDuringImport(path, sys.exc_info())
262 file.close()
263 return module
265 def safeimport(path, forceload=0, cache={}):
266 """Import a module; handle errors; return None if the module isn't found.
268 If the module *is* found but an exception occurs, it's wrapped in an
269 ErrorDuringImport exception and reraised. Unlike __import__, if a
270 package path is specified, the module at the end of the path is returned,
271 not the package at the beginning. If the optional 'forceload' argument
272 is 1, we reload the module from disk (unless it's a dynamic extension)."""
273 try:
274 # If forceload is 1 and the module has been previously loaded from
275 # disk, we always have to reload the module. Checking the file's
276 # mtime isn't good enough (e.g. the module could contain a class
277 # that inherits from another module that has changed).
278 if forceload and path in sys.modules:
279 if path not in sys.builtin_module_names:
280 # Avoid simply calling reload() because it leaves names in
281 # the currently loaded module lying around if they're not
282 # defined in the new source file. Instead, remove the
283 # module from sys.modules and re-import. Also remove any
284 # submodules because they won't appear in the newly loaded
285 # module's namespace if they're already in sys.modules.
286 subs = [m for m in sys.modules if m.startswith(path + '.')]
287 for key in [path] + subs:
288 # Prevent garbage collection.
289 cache[key] = sys.modules[key]
290 del sys.modules[key]
291 module = __import__(path)
292 except:
293 # Did the error occur before or after the module was found?
294 (exc, value, tb) = info = sys.exc_info()
295 if path in sys.modules:
296 # An error occurred while executing the imported module.
297 raise ErrorDuringImport(sys.modules[path].__file__, info)
298 elif exc is SyntaxError:
299 # A SyntaxError occurred before we could execute the module.
300 raise ErrorDuringImport(value.filename, info)
301 elif exc is ImportError and extract_tb(tb)[-1][2]=='safeimport':
302 # The import error occurred directly in this function,
303 # which means there is no such module in the path.
304 return None
305 else:
306 # Some other error occurred during the importing process.
307 raise ErrorDuringImport(path, sys.exc_info())
308 for part in split(path, '.')[1:]:
309 try: module = getattr(module, part)
310 except AttributeError: return None
311 return module
313 # ---------------------------------------------------- formatter base class
315 class Doc:
316 def document(self, object, name=None, *args):
317 """Generate documentation for an object."""
318 args = (object, name) + args
319 # 'try' clause is to attempt to handle the possibility that inspect
320 # identifies something in a way that pydoc itself has issues handling;
321 # think 'super' and how it is a descriptor (which raises the exception
322 # by lacking a __name__ attribute) and an instance.
323 if inspect.isgetsetdescriptor(object): return self.docdata(*args)
324 if inspect.ismemberdescriptor(object): return self.docdata(*args)
325 try:
326 if inspect.ismodule(object): return self.docmodule(*args)
327 if inspect.isclass(object): return self.docclass(*args)
328 if inspect.isroutine(object): return self.docroutine(*args)
329 except AttributeError:
330 pass
331 if isinstance(object, property): return self.docproperty(*args)
332 return self.docother(*args)
334 def fail(self, object, name=None, *args):
335 """Raise an exception for unimplemented types."""
336 message = "don't know how to document object%s of type %s" % (
337 name and ' ' + repr(name), type(object).__name__)
338 raise TypeError, message
340 docmodule = docclass = docroutine = docother = docproperty = docdata = fail
342 def getdocloc(self, object):
343 """Return the location of module docs or None"""
345 try:
346 file = inspect.getabsfile(object)
347 except TypeError:
348 file = '(built-in)'
350 docloc = os.environ.get("PYTHONDOCS",
351 "http://docs.python.org/library")
352 basedir = os.path.join(sys.exec_prefix, "lib",
353 "python"+sys.version[0:3])
354 if (isinstance(object, type(os)) and
355 (object.__name__ in ('errno', 'exceptions', 'gc', 'imp',
356 'marshal', 'posix', 'signal', 'sys',
357 'thread', 'zipimport') or
358 (file.startswith(basedir) and
359 not file.startswith(os.path.join(basedir, 'site-packages')))) and
360 object.__name__ not in ('xml.etree', 'test.pydoc_mod')):
361 if docloc.startswith("http://"):
362 docloc = "%s/%s" % (docloc.rstrip("/"), object.__name__)
363 else:
364 docloc = os.path.join(docloc, object.__name__ + ".html")
365 else:
366 docloc = None
367 return docloc
369 # -------------------------------------------- HTML documentation generator
371 class HTMLRepr(Repr):
372 """Class for safely making an HTML representation of a Python object."""
373 def __init__(self):
374 Repr.__init__(self)
375 self.maxlist = self.maxtuple = 20
376 self.maxdict = 10
377 self.maxstring = self.maxother = 100
379 def escape(self, text):
380 return replace(text, '&', '&amp;', '<', '&lt;', '>', '&gt;')
382 def repr(self, object):
383 return Repr.repr(self, object)
385 def repr1(self, x, level):
386 if hasattr(type(x), '__name__'):
387 methodname = 'repr_' + join(split(type(x).__name__), '_')
388 if hasattr(self, methodname):
389 return getattr(self, methodname)(x, level)
390 return self.escape(cram(stripid(repr(x)), self.maxother))
392 def repr_string(self, x, level):
393 test = cram(x, self.maxstring)
394 testrepr = repr(test)
395 if '\\' in test and '\\' not in replace(testrepr, r'\\', ''):
396 # Backslashes are only literal in the string and are never
397 # needed to make any special characters, so show a raw string.
398 return 'r' + testrepr[0] + self.escape(test) + testrepr[0]
399 return re.sub(r'((\\[\\abfnrtv\'"]|\\[0-9]..|\\x..|\\u....)+)',
400 r'<font color="#c040c0">\1</font>',
401 self.escape(testrepr))
403 repr_str = repr_string
405 def repr_instance(self, x, level):
406 try:
407 return self.escape(cram(stripid(repr(x)), self.maxstring))
408 except:
409 return self.escape('<%s instance>' % x.__class__.__name__)
411 repr_unicode = repr_string
413 class HTMLDoc(Doc):
414 """Formatter class for HTML documentation."""
416 # ------------------------------------------- HTML formatting utilities
418 _repr_instance = HTMLRepr()
419 repr = _repr_instance.repr
420 escape = _repr_instance.escape
422 def page(self, title, contents):
423 """Format an HTML page."""
424 return '''
425 <!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.0 Transitional//EN">
426 <html><head><title>Python: %s</title>
427 </head><body bgcolor="#f0f0f8">
429 </body></html>''' % (title, contents)
431 def heading(self, title, fgcol, bgcol, extras=''):
432 """Format a page heading."""
433 return '''
434 <table width="100%%" cellspacing=0 cellpadding=2 border=0 summary="heading">
435 <tr bgcolor="%s">
436 <td valign=bottom>&nbsp;<br>
437 <font color="%s" face="helvetica, arial">&nbsp;<br>%s</font></td
438 ><td align=right valign=bottom
439 ><font color="%s" face="helvetica, arial">%s</font></td></tr></table>
440 ''' % (bgcol, fgcol, title, fgcol, extras or '&nbsp;')
442 def section(self, title, fgcol, bgcol, contents, width=6,
443 prelude='', marginalia=None, gap='&nbsp;'):
444 """Format a section with a heading."""
445 if marginalia is None:
446 marginalia = '<tt>' + '&nbsp;' * width + '</tt>'
447 result = '''<p>
448 <table width="100%%" cellspacing=0 cellpadding=2 border=0 summary="section">
449 <tr bgcolor="%s">
450 <td colspan=3 valign=bottom>&nbsp;<br>
451 <font color="%s" face="helvetica, arial">%s</font></td></tr>
452 ''' % (bgcol, fgcol, title)
453 if prelude:
454 result = result + '''
455 <tr bgcolor="%s"><td rowspan=2>%s</td>
456 <td colspan=2>%s</td></tr>
457 <tr><td>%s</td>''' % (bgcol, marginalia, prelude, gap)
458 else:
459 result = result + '''
460 <tr><td bgcolor="%s">%s</td><td>%s</td>''' % (bgcol, marginalia, gap)
462 return result + '\n<td width="100%%">%s</td></tr></table>' % contents
464 def bigsection(self, title, *args):
465 """Format a section with a big heading."""
466 title = '<big><strong>%s</strong></big>' % title
467 return self.section(title, *args)
469 def preformat(self, text):
470 """Format literal preformatted text."""
471 text = self.escape(expandtabs(text))
472 return replace(text, '\n\n', '\n \n', '\n\n', '\n \n',
473 ' ', '&nbsp;', '\n', '<br>\n')
475 def multicolumn(self, list, format, cols=4):
476 """Format a list of items into a multi-column list."""
477 result = ''
478 rows = (len(list)+cols-1)/cols
479 for col in range(cols):
480 result = result + '<td width="%d%%" valign=top>' % (100/cols)
481 for i in range(rows*col, rows*col+rows):
482 if i < len(list):
483 result = result + format(list[i]) + '<br>\n'
484 result = result + '</td>'
485 return '<table width="100%%" summary="list"><tr>%s</tr></table>' % result
487 def grey(self, text): return '<font color="#909090">%s</font>' % text
489 def namelink(self, name, *dicts):
490 """Make a link for an identifier, given name-to-URL mappings."""
491 for dict in dicts:
492 if name in dict:
493 return '<a href="%s">%s</a>' % (dict[name], name)
494 return name
496 def classlink(self, object, modname):
497 """Make a link for a class."""
498 name, module = object.__name__, sys.modules.get(object.__module__)
499 if hasattr(module, name) and getattr(module, name) is object:
500 return '<a href="%s.html#%s">%s</a>' % (
501 module.__name__, name, classname(object, modname))
502 return classname(object, modname)
504 def modulelink(self, object):
505 """Make a link for a module."""
506 return '<a href="%s.html">%s</a>' % (object.__name__, object.__name__)
508 def modpkglink(self, data):
509 """Make a link for a module or package to display in an index."""
510 name, path, ispackage, shadowed = data
511 if shadowed:
512 return self.grey(name)
513 if path:
514 url = '%s.%s.html' % (path, name)
515 else:
516 url = '%s.html' % name
517 if ispackage:
518 text = '<strong>%s</strong>&nbsp;(package)' % name
519 else:
520 text = name
521 return '<a href="%s">%s</a>' % (url, text)
523 def markup(self, text, escape=None, funcs={}, classes={}, methods={}):
524 """Mark up some plain text, given a context of symbols to look for.
525 Each context dictionary maps object names to anchor names."""
526 escape = escape or self.escape
527 results = []
528 here = 0
529 pattern = re.compile(r'\b((http|ftp)://\S+[\w/]|'
530 r'RFC[- ]?(\d+)|'
531 r'PEP[- ]?(\d+)|'
532 r'(self\.)?(\w+))')
533 while True:
534 match = pattern.search(text, here)
535 if not match: break
536 start, end = match.span()
537 results.append(escape(text[here:start]))
539 all, scheme, rfc, pep, selfdot, name = match.groups()
540 if scheme:
541 url = escape(all).replace('"', '&quot;')
542 results.append('<a href="%s">%s</a>' % (url, url))
543 elif rfc:
544 url = 'http://www.rfc-editor.org/rfc/rfc%d.txt' % int(rfc)
545 results.append('<a href="%s">%s</a>' % (url, escape(all)))
546 elif pep:
547 url = 'http://www.python.org/dev/peps/pep-%04d/' % int(pep)
548 results.append('<a href="%s">%s</a>' % (url, escape(all)))
549 elif text[end:end+1] == '(':
550 results.append(self.namelink(name, methods, funcs, classes))
551 elif selfdot:
552 results.append('self.<strong>%s</strong>' % name)
553 else:
554 results.append(self.namelink(name, classes))
555 here = end
556 results.append(escape(text[here:]))
557 return join(results, '')
559 # ---------------------------------------------- type-specific routines
561 def formattree(self, tree, modname, parent=None):
562 """Produce HTML for a class tree as given by inspect.getclasstree()."""
563 result = ''
564 for entry in tree:
565 if type(entry) is type(()):
566 c, bases = entry
567 result = result + '<dt><font face="helvetica, arial">'
568 result = result + self.classlink(c, modname)
569 if bases and bases != (parent,):
570 parents = []
571 for base in bases:
572 parents.append(self.classlink(base, modname))
573 result = result + '(' + join(parents, ', ') + ')'
574 result = result + '\n</font></dt>'
575 elif type(entry) is type([]):
576 result = result + '<dd>\n%s</dd>\n' % self.formattree(
577 entry, modname, c)
578 return '<dl>\n%s</dl>\n' % result
580 def docmodule(self, object, name=None, mod=None, *ignored):
581 """Produce HTML documentation for a module object."""
582 name = object.__name__ # ignore the passed-in name
583 try:
584 all = object.__all__
585 except AttributeError:
586 all = None
587 parts = split(name, '.')
588 links = []
589 for i in range(len(parts)-1):
590 links.append(
591 '<a href="%s.html"><font color="#ffffff">%s</font></a>' %
592 (join(parts[:i+1], '.'), parts[i]))
593 linkedname = join(links + parts[-1:], '.')
594 head = '<big><big><strong>%s</strong></big></big>' % linkedname
595 try:
596 path = inspect.getabsfile(object)
597 url = path
598 if sys.platform == 'win32':
599 import nturl2path
600 url = nturl2path.pathname2url(path)
601 filelink = '<a href="file:%s">%s</a>' % (url, path)
602 except TypeError:
603 filelink = '(built-in)'
604 info = []
605 if hasattr(object, '__version__'):
606 version = str(object.__version__)
607 if version[:11] == '$' + 'Revision: ' and version[-1:] == '$':
608 version = strip(version[11:-1])
609 info.append('version %s' % self.escape(version))
610 if hasattr(object, '__date__'):
611 info.append(self.escape(str(object.__date__)))
612 if info:
613 head = head + ' (%s)' % join(info, ', ')
614 docloc = self.getdocloc(object)
615 if docloc is not None:
616 docloc = '<br><a href="%(docloc)s">Module Docs</a>' % locals()
617 else:
618 docloc = ''
619 result = self.heading(
620 head, '#ffffff', '#7799ee',
621 '<a href=".">index</a><br>' + filelink + docloc)
623 modules = inspect.getmembers(object, inspect.ismodule)
625 classes, cdict = [], {}
626 for key, value in inspect.getmembers(object, inspect.isclass):
627 # if __all__ exists, believe it. Otherwise use old heuristic.
628 if (all is not None or
629 (inspect.getmodule(value) or object) is object):
630 if visiblename(key, all):
631 classes.append((key, value))
632 cdict[key] = cdict[value] = '#' + key
633 for key, value in classes:
634 for base in value.__bases__:
635 key, modname = base.__name__, base.__module__
636 module = sys.modules.get(modname)
637 if modname != name and module and hasattr(module, key):
638 if getattr(module, key) is base:
639 if not key in cdict:
640 cdict[key] = cdict[base] = modname + '.html#' + key
641 funcs, fdict = [], {}
642 for key, value in inspect.getmembers(object, inspect.isroutine):
643 # if __all__ exists, believe it. Otherwise use old heuristic.
644 if (all is not None or
645 inspect.isbuiltin(value) or inspect.getmodule(value) is object):
646 if visiblename(key, all):
647 funcs.append((key, value))
648 fdict[key] = '#-' + key
649 if inspect.isfunction(value): fdict[value] = fdict[key]
650 data = []
651 for key, value in inspect.getmembers(object, isdata):
652 if visiblename(key, all):
653 data.append((key, value))
655 doc = self.markup(getdoc(object), self.preformat, fdict, cdict)
656 doc = doc and '<tt>%s</tt>' % doc
657 result = result + '<p>%s</p>\n' % doc
659 if hasattr(object, '__path__'):
660 modpkgs = []
661 for importer, modname, ispkg in pkgutil.iter_modules(object.__path__):
662 modpkgs.append((modname, name, ispkg, 0))
663 modpkgs.sort()
664 contents = self.multicolumn(modpkgs, self.modpkglink)
665 result = result + self.bigsection(
666 'Package Contents', '#ffffff', '#aa55cc', contents)
667 elif modules:
668 contents = self.multicolumn(
669 modules, lambda key_value, s=self: s.modulelink(key_value[1]))
670 result = result + self.bigsection(
671 'Modules', '#ffffff', '#aa55cc', contents)
673 if classes:
674 classlist = map(lambda key_value: key_value[1], classes)
675 contents = [
676 self.formattree(inspect.getclasstree(classlist, 1), name)]
677 for key, value in classes:
678 contents.append(self.document(value, key, name, fdict, cdict))
679 result = result + self.bigsection(
680 'Classes', '#ffffff', '#ee77aa', join(contents))
681 if funcs:
682 contents = []
683 for key, value in funcs:
684 contents.append(self.document(value, key, name, fdict, cdict))
685 result = result + self.bigsection(
686 'Functions', '#ffffff', '#eeaa77', join(contents))
687 if data:
688 contents = []
689 for key, value in data:
690 contents.append(self.document(value, key))
691 result = result + self.bigsection(
692 'Data', '#ffffff', '#55aa55', join(contents, '<br>\n'))
693 if hasattr(object, '__author__'):
694 contents = self.markup(str(object.__author__), self.preformat)
695 result = result + self.bigsection(
696 'Author', '#ffffff', '#7799ee', contents)
697 if hasattr(object, '__credits__'):
698 contents = self.markup(str(object.__credits__), self.preformat)
699 result = result + self.bigsection(
700 'Credits', '#ffffff', '#7799ee', contents)
702 return result
704 def docclass(self, object, name=None, mod=None, funcs={}, classes={},
705 *ignored):
706 """Produce HTML documentation for a class object."""
707 realname = object.__name__
708 name = name or realname
709 bases = object.__bases__
711 contents = []
712 push = contents.append
714 # Cute little class to pump out a horizontal rule between sections.
715 class HorizontalRule:
716 def __init__(self):
717 self.needone = 0
718 def maybe(self):
719 if self.needone:
720 push('<hr>\n')
721 self.needone = 1
722 hr = HorizontalRule()
724 # List the mro, if non-trivial.
725 mro = deque(inspect.getmro(object))
726 if len(mro) > 2:
727 hr.maybe()
728 push('<dl><dt>Method resolution order:</dt>\n')
729 for base in mro:
730 push('<dd>%s</dd>\n' % self.classlink(base,
731 object.__module__))
732 push('</dl>\n')
734 def spill(msg, attrs, predicate):
735 ok, attrs = _split_list(attrs, predicate)
736 if ok:
737 hr.maybe()
738 push(msg)
739 for name, kind, homecls, value in ok:
740 push(self.document(getattr(object, name), name, mod,
741 funcs, classes, mdict, object))
742 push('\n')
743 return attrs
745 def spilldescriptors(msg, attrs, predicate):
746 ok, attrs = _split_list(attrs, predicate)
747 if ok:
748 hr.maybe()
749 push(msg)
750 for name, kind, homecls, value in ok:
751 push(self._docdescriptor(name, value, mod))
752 return attrs
754 def spilldata(msg, attrs, predicate):
755 ok, attrs = _split_list(attrs, predicate)
756 if ok:
757 hr.maybe()
758 push(msg)
759 for name, kind, homecls, value in ok:
760 base = self.docother(getattr(object, name), name, mod)
761 if (hasattr(value, '__call__') or
762 inspect.isdatadescriptor(value)):
763 doc = getattr(value, "__doc__", None)
764 else:
765 doc = None
766 if doc is None:
767 push('<dl><dt>%s</dl>\n' % base)
768 else:
769 doc = self.markup(getdoc(value), self.preformat,
770 funcs, classes, mdict)
771 doc = '<dd><tt>%s</tt>' % doc
772 push('<dl><dt>%s%s</dl>\n' % (base, doc))
773 push('\n')
774 return attrs
776 attrs = filter(lambda data: visiblename(data[0]),
777 classify_class_attrs(object))
778 mdict = {}
779 for key, kind, homecls, value in attrs:
780 mdict[key] = anchor = '#' + name + '-' + key
781 value = getattr(object, key)
782 try:
783 # The value may not be hashable (e.g., a data attr with
784 # a dict or list value).
785 mdict[value] = anchor
786 except TypeError:
787 pass
789 while attrs:
790 if mro:
791 thisclass = mro.popleft()
792 else:
793 thisclass = attrs[0][2]
794 attrs, inherited = _split_list(attrs, lambda t: t[2] is thisclass)
796 if thisclass is __builtin__.object:
797 attrs = inherited
798 continue
799 elif thisclass is object:
800 tag = 'defined here'
801 else:
802 tag = 'inherited from %s' % self.classlink(thisclass,
803 object.__module__)
804 tag += ':<br>\n'
806 # Sort attrs by name.
807 try:
808 attrs.sort(key=lambda t: t[0])
809 except TypeError:
810 attrs.sort(lambda t1, t2: cmp(t1[0], t2[0])) # 2.3 compat
812 # Pump out the attrs, segregated by kind.
813 attrs = spill('Methods %s' % tag, attrs,
814 lambda t: t[1] == 'method')
815 attrs = spill('Class methods %s' % tag, attrs,
816 lambda t: t[1] == 'class method')
817 attrs = spill('Static methods %s' % tag, attrs,
818 lambda t: t[1] == 'static method')
819 attrs = spilldescriptors('Data descriptors %s' % tag, attrs,
820 lambda t: t[1] == 'data descriptor')
821 attrs = spilldata('Data and other attributes %s' % tag, attrs,
822 lambda t: t[1] == 'data')
823 assert attrs == []
824 attrs = inherited
826 contents = ''.join(contents)
828 if name == realname:
829 title = '<a name="%s">class <strong>%s</strong></a>' % (
830 name, realname)
831 else:
832 title = '<strong>%s</strong> = <a name="%s">class %s</a>' % (
833 name, name, realname)
834 if bases:
835 parents = []
836 for base in bases:
837 parents.append(self.classlink(base, object.__module__))
838 title = title + '(%s)' % join(parents, ', ')
839 doc = self.markup(getdoc(object), self.preformat, funcs, classes, mdict)
840 doc = doc and '<tt>%s<br>&nbsp;</tt>' % doc
842 return self.section(title, '#000000', '#ffc8d8', contents, 3, doc)
844 def formatvalue(self, object):
845 """Format an argument default value as text."""
846 return self.grey('=' + self.repr(object))
848 def docroutine(self, object, name=None, mod=None,
849 funcs={}, classes={}, methods={}, cl=None):
850 """Produce HTML documentation for a function or method object."""
851 realname = object.__name__
852 name = name or realname
853 anchor = (cl and cl.__name__ or '') + '-' + name
854 note = ''
855 skipdocs = 0
856 if inspect.ismethod(object):
857 imclass = object.im_class
858 if cl:
859 if imclass is not cl:
860 note = ' from ' + self.classlink(imclass, mod)
861 else:
862 if object.im_self is not None:
863 note = ' method of %s instance' % self.classlink(
864 object.im_self.__class__, mod)
865 else:
866 note = ' unbound %s method' % self.classlink(imclass,mod)
867 object = object.im_func
869 if name == realname:
870 title = '<a name="%s"><strong>%s</strong></a>' % (anchor, realname)
871 else:
872 if (cl and realname in cl.__dict__ and
873 cl.__dict__[realname] is object):
874 reallink = '<a href="#%s">%s</a>' % (
875 cl.__name__ + '-' + realname, realname)
876 skipdocs = 1
877 else:
878 reallink = realname
879 title = '<a name="%s"><strong>%s</strong></a> = %s' % (
880 anchor, name, reallink)
881 if inspect.isfunction(object):
882 args, varargs, varkw, defaults = inspect.getargspec(object)
883 argspec = inspect.formatargspec(
884 args, varargs, varkw, defaults, formatvalue=self.formatvalue)
885 if realname == '<lambda>':
886 title = '<strong>%s</strong> <em>lambda</em> ' % name
887 argspec = argspec[1:-1] # remove parentheses
888 else:
889 argspec = '(...)'
891 decl = title + argspec + (note and self.grey(
892 '<font face="helvetica, arial">%s</font>' % note))
894 if skipdocs:
895 return '<dl><dt>%s</dt></dl>\n' % decl
896 else:
897 doc = self.markup(
898 getdoc(object), self.preformat, funcs, classes, methods)
899 doc = doc and '<dd><tt>%s</tt></dd>' % doc
900 return '<dl><dt>%s</dt>%s</dl>\n' % (decl, doc)
902 def _docdescriptor(self, name, value, mod):
903 results = []
904 push = results.append
906 if name:
907 push('<dl><dt><strong>%s</strong></dt>\n' % name)
908 if value.__doc__ is not None:
909 doc = self.markup(getdoc(value), self.preformat)
910 push('<dd><tt>%s</tt></dd>\n' % doc)
911 push('</dl>\n')
913 return ''.join(results)
915 def docproperty(self, object, name=None, mod=None, cl=None):
916 """Produce html documentation for a property."""
917 return self._docdescriptor(name, object, mod)
919 def docother(self, object, name=None, mod=None, *ignored):
920 """Produce HTML documentation for a data object."""
921 lhs = name and '<strong>%s</strong> = ' % name or ''
922 return lhs + self.repr(object)
924 def docdata(self, object, name=None, mod=None, cl=None):
925 """Produce html documentation for a data descriptor."""
926 return self._docdescriptor(name, object, mod)
928 def index(self, dir, shadowed=None):
929 """Generate an HTML index for a directory of modules."""
930 modpkgs = []
931 if shadowed is None: shadowed = {}
932 for importer, name, ispkg in pkgutil.iter_modules([dir]):
933 modpkgs.append((name, '', ispkg, name in shadowed))
934 shadowed[name] = 1
936 modpkgs.sort()
937 contents = self.multicolumn(modpkgs, self.modpkglink)
938 return self.bigsection(dir, '#ffffff', '#ee77aa', contents)
940 # -------------------------------------------- text documentation generator
942 class TextRepr(Repr):
943 """Class for safely making a text representation of a Python object."""
944 def __init__(self):
945 Repr.__init__(self)
946 self.maxlist = self.maxtuple = 20
947 self.maxdict = 10
948 self.maxstring = self.maxother = 100
950 def repr1(self, x, level):
951 if hasattr(type(x), '__name__'):
952 methodname = 'repr_' + join(split(type(x).__name__), '_')
953 if hasattr(self, methodname):
954 return getattr(self, methodname)(x, level)
955 return cram(stripid(repr(x)), self.maxother)
957 def repr_string(self, x, level):
958 test = cram(x, self.maxstring)
959 testrepr = repr(test)
960 if '\\' in test and '\\' not in replace(testrepr, r'\\', ''):
961 # Backslashes are only literal in the string and are never
962 # needed to make any special characters, so show a raw string.
963 return 'r' + testrepr[0] + test + testrepr[0]
964 return testrepr
966 repr_str = repr_string
968 def repr_instance(self, x, level):
969 try:
970 return cram(stripid(repr(x)), self.maxstring)
971 except:
972 return '<%s instance>' % x.__class__.__name__
974 class TextDoc(Doc):
975 """Formatter class for text documentation."""
977 # ------------------------------------------- text formatting utilities
979 _repr_instance = TextRepr()
980 repr = _repr_instance.repr
982 def bold(self, text):
983 """Format a string in bold by overstriking."""
984 return join(map(lambda ch: ch + '\b' + ch, text), '')
986 def indent(self, text, prefix=' '):
987 """Indent text by prepending a given prefix to each line."""
988 if not text: return ''
989 lines = split(text, '\n')
990 lines = map(lambda line, prefix=prefix: prefix + line, lines)
991 if lines: lines[-1] = rstrip(lines[-1])
992 return join(lines, '\n')
994 def section(self, title, contents):
995 """Format a section with a given heading."""
996 return self.bold(title) + '\n' + rstrip(self.indent(contents)) + '\n\n'
998 # ---------------------------------------------- type-specific routines
1000 def formattree(self, tree, modname, parent=None, prefix=''):
1001 """Render in text a class tree as returned by inspect.getclasstree()."""
1002 result = ''
1003 for entry in tree:
1004 if type(entry) is type(()):
1005 c, bases = entry
1006 result = result + prefix + classname(c, modname)
1007 if bases and bases != (parent,):
1008 parents = map(lambda c, m=modname: classname(c, m), bases)
1009 result = result + '(%s)' % join(parents, ', ')
1010 result = result + '\n'
1011 elif type(entry) is type([]):
1012 result = result + self.formattree(
1013 entry, modname, c, prefix + ' ')
1014 return result
1016 def docmodule(self, object, name=None, mod=None):
1017 """Produce text documentation for a given module object."""
1018 name = object.__name__ # ignore the passed-in name
1019 synop, desc = splitdoc(getdoc(object))
1020 result = self.section('NAME', name + (synop and ' - ' + synop))
1022 try:
1023 all = object.__all__
1024 except AttributeError:
1025 all = None
1027 try:
1028 file = inspect.getabsfile(object)
1029 except TypeError:
1030 file = '(built-in)'
1031 result = result + self.section('FILE', file)
1033 docloc = self.getdocloc(object)
1034 if docloc is not None:
1035 result = result + self.section('MODULE DOCS', docloc)
1037 if desc:
1038 result = result + self.section('DESCRIPTION', desc)
1040 classes = []
1041 for key, value in inspect.getmembers(object, inspect.isclass):
1042 # if __all__ exists, believe it. Otherwise use old heuristic.
1043 if (all is not None
1044 or (inspect.getmodule(value) or object) is object):
1045 if visiblename(key, all):
1046 classes.append((key, value))
1047 funcs = []
1048 for key, value in inspect.getmembers(object, inspect.isroutine):
1049 # if __all__ exists, believe it. Otherwise use old heuristic.
1050 if (all is not None or
1051 inspect.isbuiltin(value) or inspect.getmodule(value) is object):
1052 if visiblename(key, all):
1053 funcs.append((key, value))
1054 data = []
1055 for key, value in inspect.getmembers(object, isdata):
1056 if visiblename(key, all):
1057 data.append((key, value))
1059 modpkgs = []
1060 modpkgs_names = set()
1061 if hasattr(object, '__path__'):
1062 for importer, modname, ispkg in pkgutil.iter_modules(object.__path__):
1063 modpkgs_names.add(modname)
1064 if ispkg:
1065 modpkgs.append(modname + ' (package)')
1066 else:
1067 modpkgs.append(modname)
1069 modpkgs.sort()
1070 result = result + self.section(
1071 'PACKAGE CONTENTS', join(modpkgs, '\n'))
1073 # Detect submodules as sometimes created by C extensions
1074 submodules = []
1075 for key, value in inspect.getmembers(object, inspect.ismodule):
1076 if value.__name__.startswith(name + '.') and key not in modpkgs_names:
1077 submodules.append(key)
1078 if submodules:
1079 submodules.sort()
1080 result = result + self.section(
1081 'SUBMODULES', join(submodules, '\n'))
1083 if classes:
1084 classlist = map(lambda key_value: key_value[1], classes)
1085 contents = [self.formattree(
1086 inspect.getclasstree(classlist, 1), name)]
1087 for key, value in classes:
1088 contents.append(self.document(value, key, name))
1089 result = result + self.section('CLASSES', join(contents, '\n'))
1091 if funcs:
1092 contents = []
1093 for key, value in funcs:
1094 contents.append(self.document(value, key, name))
1095 result = result + self.section('FUNCTIONS', join(contents, '\n'))
1097 if data:
1098 contents = []
1099 for key, value in data:
1100 contents.append(self.docother(value, key, name, maxlen=70))
1101 result = result + self.section('DATA', join(contents, '\n'))
1103 if hasattr(object, '__version__'):
1104 version = str(object.__version__)
1105 if version[:11] == '$' + 'Revision: ' and version[-1:] == '$':
1106 version = strip(version[11:-1])
1107 result = result + self.section('VERSION', version)
1108 if hasattr(object, '__date__'):
1109 result = result + self.section('DATE', str(object.__date__))
1110 if hasattr(object, '__author__'):
1111 result = result + self.section('AUTHOR', str(object.__author__))
1112 if hasattr(object, '__credits__'):
1113 result = result + self.section('CREDITS', str(object.__credits__))
1114 return result
1116 def docclass(self, object, name=None, mod=None):
1117 """Produce text documentation for a given class object."""
1118 realname = object.__name__
1119 name = name or realname
1120 bases = object.__bases__
1122 def makename(c, m=object.__module__):
1123 return classname(c, m)
1125 if name == realname:
1126 title = 'class ' + self.bold(realname)
1127 else:
1128 title = self.bold(name) + ' = class ' + realname
1129 if bases:
1130 parents = map(makename, bases)
1131 title = title + '(%s)' % join(parents, ', ')
1133 doc = getdoc(object)
1134 contents = doc and [doc + '\n'] or []
1135 push = contents.append
1137 # List the mro, if non-trivial.
1138 mro = deque(inspect.getmro(object))
1139 if len(mro) > 2:
1140 push("Method resolution order:")
1141 for base in mro:
1142 push(' ' + makename(base))
1143 push('')
1145 # Cute little class to pump out a horizontal rule between sections.
1146 class HorizontalRule:
1147 def __init__(self):
1148 self.needone = 0
1149 def maybe(self):
1150 if self.needone:
1151 push('-' * 70)
1152 self.needone = 1
1153 hr = HorizontalRule()
1155 def spill(msg, attrs, predicate):
1156 ok, attrs = _split_list(attrs, predicate)
1157 if ok:
1158 hr.maybe()
1159 push(msg)
1160 for name, kind, homecls, value in ok:
1161 push(self.document(getattr(object, name),
1162 name, mod, object))
1163 return attrs
1165 def spilldescriptors(msg, attrs, predicate):
1166 ok, attrs = _split_list(attrs, predicate)
1167 if ok:
1168 hr.maybe()
1169 push(msg)
1170 for name, kind, homecls, value in ok:
1171 push(self._docdescriptor(name, value, mod))
1172 return attrs
1174 def spilldata(msg, attrs, predicate):
1175 ok, attrs = _split_list(attrs, predicate)
1176 if ok:
1177 hr.maybe()
1178 push(msg)
1179 for name, kind, homecls, value in ok:
1180 if (hasattr(value, '__call__') or
1181 inspect.isdatadescriptor(value)):
1182 doc = getdoc(value)
1183 else:
1184 doc = None
1185 push(self.docother(getattr(object, name),
1186 name, mod, maxlen=70, doc=doc) + '\n')
1187 return attrs
1189 attrs = filter(lambda data: visiblename(data[0]),
1190 classify_class_attrs(object))
1191 while attrs:
1192 if mro:
1193 thisclass = mro.popleft()
1194 else:
1195 thisclass = attrs[0][2]
1196 attrs, inherited = _split_list(attrs, lambda t: t[2] is thisclass)
1198 if thisclass is __builtin__.object:
1199 attrs = inherited
1200 continue
1201 elif thisclass is object:
1202 tag = "defined here"
1203 else:
1204 tag = "inherited from %s" % classname(thisclass,
1205 object.__module__)
1207 # Sort attrs by name.
1208 attrs.sort()
1210 # Pump out the attrs, segregated by kind.
1211 attrs = spill("Methods %s:\n" % tag, attrs,
1212 lambda t: t[1] == 'method')
1213 attrs = spill("Class methods %s:\n" % tag, attrs,
1214 lambda t: t[1] == 'class method')
1215 attrs = spill("Static methods %s:\n" % tag, attrs,
1216 lambda t: t[1] == 'static method')
1217 attrs = spilldescriptors("Data descriptors %s:\n" % tag, attrs,
1218 lambda t: t[1] == 'data descriptor')
1219 attrs = spilldata("Data and other attributes %s:\n" % tag, attrs,
1220 lambda t: t[1] == 'data')
1221 assert attrs == []
1222 attrs = inherited
1224 contents = '\n'.join(contents)
1225 if not contents:
1226 return title + '\n'
1227 return title + '\n' + self.indent(rstrip(contents), ' | ') + '\n'
1229 def formatvalue(self, object):
1230 """Format an argument default value as text."""
1231 return '=' + self.repr(object)
1233 def docroutine(self, object, name=None, mod=None, cl=None):
1234 """Produce text documentation for a function or method object."""
1235 realname = object.__name__
1236 name = name or realname
1237 note = ''
1238 skipdocs = 0
1239 if inspect.ismethod(object):
1240 imclass = object.im_class
1241 if cl:
1242 if imclass is not cl:
1243 note = ' from ' + classname(imclass, mod)
1244 else:
1245 if object.im_self is not None:
1246 note = ' method of %s instance' % classname(
1247 object.im_self.__class__, mod)
1248 else:
1249 note = ' unbound %s method' % classname(imclass,mod)
1250 object = object.im_func
1252 if name == realname:
1253 title = self.bold(realname)
1254 else:
1255 if (cl and realname in cl.__dict__ and
1256 cl.__dict__[realname] is object):
1257 skipdocs = 1
1258 title = self.bold(name) + ' = ' + realname
1259 if inspect.isfunction(object):
1260 args, varargs, varkw, defaults = inspect.getargspec(object)
1261 argspec = inspect.formatargspec(
1262 args, varargs, varkw, defaults, formatvalue=self.formatvalue)
1263 if realname == '<lambda>':
1264 title = self.bold(name) + ' lambda '
1265 argspec = argspec[1:-1] # remove parentheses
1266 else:
1267 argspec = '(...)'
1268 decl = title + argspec + note
1270 if skipdocs:
1271 return decl + '\n'
1272 else:
1273 doc = getdoc(object) or ''
1274 return decl + '\n' + (doc and rstrip(self.indent(doc)) + '\n')
1276 def _docdescriptor(self, name, value, mod):
1277 results = []
1278 push = results.append
1280 if name:
1281 push(self.bold(name))
1282 push('\n')
1283 doc = getdoc(value) or ''
1284 if doc:
1285 push(self.indent(doc))
1286 push('\n')
1287 return ''.join(results)
1289 def docproperty(self, object, name=None, mod=None, cl=None):
1290 """Produce text documentation for a property."""
1291 return self._docdescriptor(name, object, mod)
1293 def docdata(self, object, name=None, mod=None, cl=None):
1294 """Produce text documentation for a data descriptor."""
1295 return self._docdescriptor(name, object, mod)
1297 def docother(self, object, name=None, mod=None, parent=None, maxlen=None, doc=None):
1298 """Produce text documentation for a data object."""
1299 repr = self.repr(object)
1300 if maxlen:
1301 line = (name and name + ' = ' or '') + repr
1302 chop = maxlen - len(line)
1303 if chop < 0: repr = repr[:chop] + '...'
1304 line = (name and self.bold(name) + ' = ' or '') + repr
1305 if doc is not None:
1306 line += '\n' + self.indent(str(doc))
1307 return line
1309 # --------------------------------------------------------- user interfaces
1311 def pager(text):
1312 """The first time this is called, determine what kind of pager to use."""
1313 global pager
1314 pager = getpager()
1315 pager(text)
1317 def getpager():
1318 """Decide what method to use for paging through text."""
1319 if type(sys.stdout) is not types.FileType:
1320 return plainpager
1321 if not sys.stdin.isatty() or not sys.stdout.isatty():
1322 return plainpager
1323 if 'PAGER' in os.environ:
1324 if sys.platform == 'win32': # pipes completely broken in Windows
1325 return lambda text: tempfilepager(plain(text), os.environ['PAGER'])
1326 elif os.environ.get('TERM') in ('dumb', 'emacs'):
1327 return lambda text: pipepager(plain(text), os.environ['PAGER'])
1328 else:
1329 return lambda text: pipepager(text, os.environ['PAGER'])
1330 if os.environ.get('TERM') in ('dumb', 'emacs'):
1331 return plainpager
1332 if sys.platform == 'win32' or sys.platform.startswith('os2'):
1333 return lambda text: tempfilepager(plain(text), 'more <')
1334 if hasattr(os, 'system') and os.system('(less) 2>/dev/null') == 0:
1335 return lambda text: pipepager(text, 'less')
1337 import tempfile
1338 (fd, filename) = tempfile.mkstemp()
1339 os.close(fd)
1340 try:
1341 if hasattr(os, 'system') and os.system('more "%s"' % filename) == 0:
1342 return lambda text: pipepager(text, 'more')
1343 else:
1344 return ttypager
1345 finally:
1346 os.unlink(filename)
1348 def plain(text):
1349 """Remove boldface formatting from text."""
1350 return re.sub('.\b', '', text)
1352 def pipepager(text, cmd):
1353 """Page through text by feeding it to another program."""
1354 pipe = os.popen(cmd, 'w')
1355 try:
1356 pipe.write(text)
1357 pipe.close()
1358 except IOError:
1359 pass # Ignore broken pipes caused by quitting the pager program.
1361 def tempfilepager(text, cmd):
1362 """Page through text by invoking a program on a temporary file."""
1363 import tempfile
1364 filename = tempfile.mktemp()
1365 file = open(filename, 'w')
1366 file.write(text)
1367 file.close()
1368 try:
1369 os.system(cmd + ' "' + filename + '"')
1370 finally:
1371 os.unlink(filename)
1373 def ttypager(text):
1374 """Page through text on a text terminal."""
1375 lines = split(plain(text), '\n')
1376 try:
1377 import tty
1378 fd = sys.stdin.fileno()
1379 old = tty.tcgetattr(fd)
1380 tty.setcbreak(fd)
1381 getchar = lambda: sys.stdin.read(1)
1382 except (ImportError, AttributeError):
1383 tty = None
1384 getchar = lambda: sys.stdin.readline()[:-1][:1]
1386 try:
1387 r = inc = os.environ.get('LINES', 25) - 1
1388 sys.stdout.write(join(lines[:inc], '\n') + '\n')
1389 while lines[r:]:
1390 sys.stdout.write('-- more --')
1391 sys.stdout.flush()
1392 c = getchar()
1394 if c in ('q', 'Q'):
1395 sys.stdout.write('\r \r')
1396 break
1397 elif c in ('\r', '\n'):
1398 sys.stdout.write('\r \r' + lines[r] + '\n')
1399 r = r + 1
1400 continue
1401 if c in ('b', 'B', '\x1b'):
1402 r = r - inc - inc
1403 if r < 0: r = 0
1404 sys.stdout.write('\n' + join(lines[r:r+inc], '\n') + '\n')
1405 r = r + inc
1407 finally:
1408 if tty:
1409 tty.tcsetattr(fd, tty.TCSAFLUSH, old)
1411 def plainpager(text):
1412 """Simply print unformatted text. This is the ultimate fallback."""
1413 sys.stdout.write(plain(text))
1415 def describe(thing):
1416 """Produce a short description of the given thing."""
1417 if inspect.ismodule(thing):
1418 if thing.__name__ in sys.builtin_module_names:
1419 return 'built-in module ' + thing.__name__
1420 if hasattr(thing, '__path__'):
1421 return 'package ' + thing.__name__
1422 else:
1423 return 'module ' + thing.__name__
1424 if inspect.isbuiltin(thing):
1425 return 'built-in function ' + thing.__name__
1426 if inspect.isgetsetdescriptor(thing):
1427 return 'getset descriptor %s.%s.%s' % (
1428 thing.__objclass__.__module__, thing.__objclass__.__name__,
1429 thing.__name__)
1430 if inspect.ismemberdescriptor(thing):
1431 return 'member descriptor %s.%s.%s' % (
1432 thing.__objclass__.__module__, thing.__objclass__.__name__,
1433 thing.__name__)
1434 if inspect.isclass(thing):
1435 return 'class ' + thing.__name__
1436 if inspect.isfunction(thing):
1437 return 'function ' + thing.__name__
1438 if inspect.ismethod(thing):
1439 return 'method ' + thing.__name__
1440 if type(thing) is types.InstanceType:
1441 return 'instance of ' + thing.__class__.__name__
1442 return type(thing).__name__
1444 def locate(path, forceload=0):
1445 """Locate an object by name or dotted path, importing as necessary."""
1446 parts = [part for part in split(path, '.') if part]
1447 module, n = None, 0
1448 while n < len(parts):
1449 nextmodule = safeimport(join(parts[:n+1], '.'), forceload)
1450 if nextmodule: module, n = nextmodule, n + 1
1451 else: break
1452 if module:
1453 object = module
1454 for part in parts[n:]:
1455 try: object = getattr(object, part)
1456 except AttributeError: return None
1457 return object
1458 else:
1459 if hasattr(__builtin__, path):
1460 return getattr(__builtin__, path)
1462 # --------------------------------------- interactive interpreter interface
1464 text = TextDoc()
1465 html = HTMLDoc()
1467 class _OldStyleClass: pass
1468 _OLD_INSTANCE_TYPE = type(_OldStyleClass())
1470 def resolve(thing, forceload=0):
1471 """Given an object or a path to an object, get the object and its name."""
1472 if isinstance(thing, str):
1473 object = locate(thing, forceload)
1474 if not object:
1475 raise ImportError, 'no Python documentation found for %r' % thing
1476 return object, thing
1477 else:
1478 return thing, getattr(thing, '__name__', None)
1480 def render_doc(thing, title='Python Library Documentation: %s', forceload=0):
1481 """Render text documentation, given an object or a path to an object."""
1482 object, name = resolve(thing, forceload)
1483 desc = describe(object)
1484 module = inspect.getmodule(object)
1485 if name and '.' in name:
1486 desc += ' in ' + name[:name.rfind('.')]
1487 elif module and module is not object:
1488 desc += ' in module ' + module.__name__
1489 if type(object) is _OLD_INSTANCE_TYPE:
1490 # If the passed object is an instance of an old-style class,
1491 # document its available methods instead of its value.
1492 object = object.__class__
1493 elif not (inspect.ismodule(object) or
1494 inspect.isclass(object) or
1495 inspect.isroutine(object) or
1496 inspect.isgetsetdescriptor(object) or
1497 inspect.ismemberdescriptor(object) or
1498 isinstance(object, property)):
1499 # If the passed object is a piece of data or an instance,
1500 # document its available methods instead of its value.
1501 object = type(object)
1502 desc += ' object'
1503 return title % desc + '\n\n' + text.document(object, name)
1505 def doc(thing, title='Python Library Documentation: %s', forceload=0):
1506 """Display text documentation, given an object or a path to an object."""
1507 try:
1508 pager(render_doc(thing, title, forceload))
1509 except (ImportError, ErrorDuringImport), value:
1510 print value
1512 def writedoc(thing, forceload=0):
1513 """Write HTML documentation to a file in the current directory."""
1514 try:
1515 object, name = resolve(thing, forceload)
1516 page = html.page(describe(object), html.document(object, name))
1517 file = open(name + '.html', 'w')
1518 file.write(page)
1519 file.close()
1520 print 'wrote', name + '.html'
1521 except (ImportError, ErrorDuringImport), value:
1522 print value
1524 def writedocs(dir, pkgpath='', done=None):
1525 """Write out HTML documentation for all modules in a directory tree."""
1526 if done is None: done = {}
1527 for importer, modname, ispkg in pkgutil.walk_packages([dir], pkgpath):
1528 writedoc(modname)
1529 return
1531 class Helper:
1533 # These dictionaries map a topic name to either an alias, or a tuple
1534 # (label, seealso-items). The "label" is the label of the corresponding
1535 # section in the .rst file under Doc/ and an index into the dictionary
1536 # in pydoc_data/topics.py.
1538 # CAUTION: if you change one of these dictionaries, be sure to adapt the
1539 # list of needed labels in Doc/tools/sphinxext/pyspecific.py and
1540 # regenerate the pydoc_data/topics.py file by running
1541 # make pydoc-topics
1542 # in Doc/ and copying the output file into the Lib/ directory.
1544 keywords = {
1545 'and': 'BOOLEAN',
1546 'as': 'with',
1547 'assert': ('assert', ''),
1548 'break': ('break', 'while for'),
1549 'class': ('class', 'CLASSES SPECIALMETHODS'),
1550 'continue': ('continue', 'while for'),
1551 'def': ('function', ''),
1552 'del': ('del', 'BASICMETHODS'),
1553 'elif': 'if',
1554 'else': ('else', 'while for'),
1555 'except': 'try',
1556 'exec': ('exec', ''),
1557 'finally': 'try',
1558 'for': ('for', 'break continue while'),
1559 'from': 'import',
1560 'global': ('global', 'NAMESPACES'),
1561 'if': ('if', 'TRUTHVALUE'),
1562 'import': ('import', 'MODULES'),
1563 'in': ('in', 'SEQUENCEMETHODS2'),
1564 'is': 'COMPARISON',
1565 'lambda': ('lambda', 'FUNCTIONS'),
1566 'not': 'BOOLEAN',
1567 'or': 'BOOLEAN',
1568 'pass': ('pass', ''),
1569 'print': ('print', ''),
1570 'raise': ('raise', 'EXCEPTIONS'),
1571 'return': ('return', 'FUNCTIONS'),
1572 'try': ('try', 'EXCEPTIONS'),
1573 'while': ('while', 'break continue if TRUTHVALUE'),
1574 'with': ('with', 'CONTEXTMANAGERS EXCEPTIONS yield'),
1575 'yield': ('yield', ''),
1577 # Either add symbols to this dictionary or to the symbols dictionary
1578 # directly: Whichever is easier. They are merged later.
1579 _symbols_inverse = {
1580 'STRINGS' : ("'", "'''", "r'", "u'", '"""', '"', 'r"', 'u"'),
1581 'OPERATORS' : ('+', '-', '*', '**', '/', '//', '%', '<<', '>>', '&',
1582 '|', '^', '~', '<', '>', '<=', '>=', '==', '!=', '<>'),
1583 'COMPARISON' : ('<', '>', '<=', '>=', '==', '!=', '<>'),
1584 'UNARY' : ('-', '~'),
1585 'AUGMENTEDASSIGNMENT' : ('+=', '-=', '*=', '/=', '%=', '&=', '|=',
1586 '^=', '<<=', '>>=', '**=', '//='),
1587 'BITWISE' : ('<<', '>>', '&', '|', '^', '~'),
1588 'COMPLEX' : ('j', 'J')
1590 symbols = {
1591 '%': 'OPERATORS FORMATTING',
1592 '**': 'POWER',
1593 ',': 'TUPLES LISTS FUNCTIONS',
1594 '.': 'ATTRIBUTES FLOAT MODULES OBJECTS',
1595 '...': 'ELLIPSIS',
1596 ':': 'SLICINGS DICTIONARYLITERALS',
1597 '@': 'def class',
1598 '\\': 'STRINGS',
1599 '_': 'PRIVATENAMES',
1600 '__': 'PRIVATENAMES SPECIALMETHODS',
1601 '`': 'BACKQUOTES',
1602 '(': 'TUPLES FUNCTIONS CALLS',
1603 ')': 'TUPLES FUNCTIONS CALLS',
1604 '[': 'LISTS SUBSCRIPTS SLICINGS',
1605 ']': 'LISTS SUBSCRIPTS SLICINGS'
1607 for topic, symbols_ in _symbols_inverse.iteritems():
1608 for symbol in symbols_:
1609 topics = symbols.get(symbol, topic)
1610 if topic not in topics:
1611 topics = topics + ' ' + topic
1612 symbols[symbol] = topics
1614 topics = {
1615 'TYPES': ('types', 'STRINGS UNICODE NUMBERS SEQUENCES MAPPINGS '
1616 'FUNCTIONS CLASSES MODULES FILES inspect'),
1617 'STRINGS': ('strings', 'str UNICODE SEQUENCES STRINGMETHODS FORMATTING '
1618 'TYPES'),
1619 'STRINGMETHODS': ('string-methods', 'STRINGS FORMATTING'),
1620 'FORMATTING': ('formatstrings', 'OPERATORS'),
1621 'UNICODE': ('strings', 'encodings unicode SEQUENCES STRINGMETHODS '
1622 'FORMATTING TYPES'),
1623 'NUMBERS': ('numbers', 'INTEGER FLOAT COMPLEX TYPES'),
1624 'INTEGER': ('integers', 'int range'),
1625 'FLOAT': ('floating', 'float math'),
1626 'COMPLEX': ('imaginary', 'complex cmath'),
1627 'SEQUENCES': ('typesseq', 'STRINGMETHODS FORMATTING xrange LISTS'),
1628 'MAPPINGS': 'DICTIONARIES',
1629 'FUNCTIONS': ('typesfunctions', 'def TYPES'),
1630 'METHODS': ('typesmethods', 'class def CLASSES TYPES'),
1631 'CODEOBJECTS': ('bltin-code-objects', 'compile FUNCTIONS TYPES'),
1632 'TYPEOBJECTS': ('bltin-type-objects', 'types TYPES'),
1633 'FRAMEOBJECTS': 'TYPES',
1634 'TRACEBACKS': 'TYPES',
1635 'NONE': ('bltin-null-object', ''),
1636 'ELLIPSIS': ('bltin-ellipsis-object', 'SLICINGS'),
1637 'FILES': ('bltin-file-objects', ''),
1638 'SPECIALATTRIBUTES': ('specialattrs', ''),
1639 'CLASSES': ('types', 'class SPECIALMETHODS PRIVATENAMES'),
1640 'MODULES': ('typesmodules', 'import'),
1641 'PACKAGES': 'import',
1642 'EXPRESSIONS': ('operator-summary', 'lambda or and not in is BOOLEAN '
1643 'COMPARISON BITWISE SHIFTING BINARY FORMATTING POWER '
1644 'UNARY ATTRIBUTES SUBSCRIPTS SLICINGS CALLS TUPLES '
1645 'LISTS DICTIONARIES BACKQUOTES'),
1646 'OPERATORS': 'EXPRESSIONS',
1647 'PRECEDENCE': 'EXPRESSIONS',
1648 'OBJECTS': ('objects', 'TYPES'),
1649 'SPECIALMETHODS': ('specialnames', 'BASICMETHODS ATTRIBUTEMETHODS '
1650 'CALLABLEMETHODS SEQUENCEMETHODS1 MAPPINGMETHODS '
1651 'SEQUENCEMETHODS2 NUMBERMETHODS CLASSES'),
1652 'BASICMETHODS': ('customization', 'cmp hash repr str SPECIALMETHODS'),
1653 'ATTRIBUTEMETHODS': ('attribute-access', 'ATTRIBUTES SPECIALMETHODS'),
1654 'CALLABLEMETHODS': ('callable-types', 'CALLS SPECIALMETHODS'),
1655 'SEQUENCEMETHODS1': ('sequence-types', 'SEQUENCES SEQUENCEMETHODS2 '
1656 'SPECIALMETHODS'),
1657 'SEQUENCEMETHODS2': ('sequence-methods', 'SEQUENCES SEQUENCEMETHODS1 '
1658 'SPECIALMETHODS'),
1659 'MAPPINGMETHODS': ('sequence-types', 'MAPPINGS SPECIALMETHODS'),
1660 'NUMBERMETHODS': ('numeric-types', 'NUMBERS AUGMENTEDASSIGNMENT '
1661 'SPECIALMETHODS'),
1662 'EXECUTION': ('execmodel', 'NAMESPACES DYNAMICFEATURES EXCEPTIONS'),
1663 'NAMESPACES': ('naming', 'global ASSIGNMENT DELETION DYNAMICFEATURES'),
1664 'DYNAMICFEATURES': ('dynamic-features', ''),
1665 'SCOPING': 'NAMESPACES',
1666 'FRAMES': 'NAMESPACES',
1667 'EXCEPTIONS': ('exceptions', 'try except finally raise'),
1668 'COERCIONS': ('coercion-rules','CONVERSIONS'),
1669 'CONVERSIONS': ('conversions', 'COERCIONS'),
1670 'IDENTIFIERS': ('identifiers', 'keywords SPECIALIDENTIFIERS'),
1671 'SPECIALIDENTIFIERS': ('id-classes', ''),
1672 'PRIVATENAMES': ('atom-identifiers', ''),
1673 'LITERALS': ('atom-literals', 'STRINGS BACKQUOTES NUMBERS '
1674 'TUPLELITERALS LISTLITERALS DICTIONARYLITERALS'),
1675 'TUPLES': 'SEQUENCES',
1676 'TUPLELITERALS': ('exprlists', 'TUPLES LITERALS'),
1677 'LISTS': ('typesseq-mutable', 'LISTLITERALS'),
1678 'LISTLITERALS': ('lists', 'LISTS LITERALS'),
1679 'DICTIONARIES': ('typesmapping', 'DICTIONARYLITERALS'),
1680 'DICTIONARYLITERALS': ('dict', 'DICTIONARIES LITERALS'),
1681 'BACKQUOTES': ('string-conversions', 'repr str STRINGS LITERALS'),
1682 'ATTRIBUTES': ('attribute-references', 'getattr hasattr setattr '
1683 'ATTRIBUTEMETHODS'),
1684 'SUBSCRIPTS': ('subscriptions', 'SEQUENCEMETHODS1'),
1685 'SLICINGS': ('slicings', 'SEQUENCEMETHODS2'),
1686 'CALLS': ('calls', 'EXPRESSIONS'),
1687 'POWER': ('power', 'EXPRESSIONS'),
1688 'UNARY': ('unary', 'EXPRESSIONS'),
1689 'BINARY': ('binary', 'EXPRESSIONS'),
1690 'SHIFTING': ('shifting', 'EXPRESSIONS'),
1691 'BITWISE': ('bitwise', 'EXPRESSIONS'),
1692 'COMPARISON': ('comparisons', 'EXPRESSIONS BASICMETHODS'),
1693 'BOOLEAN': ('booleans', 'EXPRESSIONS TRUTHVALUE'),
1694 'ASSERTION': 'assert',
1695 'ASSIGNMENT': ('assignment', 'AUGMENTEDASSIGNMENT'),
1696 'AUGMENTEDASSIGNMENT': ('augassign', 'NUMBERMETHODS'),
1697 'DELETION': 'del',
1698 'PRINTING': 'print',
1699 'RETURNING': 'return',
1700 'IMPORTING': 'import',
1701 'CONDITIONAL': 'if',
1702 'LOOPING': ('compound', 'for while break continue'),
1703 'TRUTHVALUE': ('truth', 'if while and or not BASICMETHODS'),
1704 'DEBUGGING': ('debugger', 'pdb'),
1705 'CONTEXTMANAGERS': ('context-managers', 'with'),
1708 def __init__(self, input, output):
1709 self.input = input
1710 self.output = output
1712 def __repr__(self):
1713 if inspect.stack()[1][3] == '?':
1714 self()
1715 return ''
1716 return '<pydoc.Helper instance>'
1718 def __call__(self, request=None):
1719 if request is not None:
1720 self.help(request)
1721 else:
1722 self.intro()
1723 self.interact()
1724 self.output.write('''
1725 You are now leaving help and returning to the Python interpreter.
1726 If you want to ask for help on a particular object directly from the
1727 interpreter, you can type "help(object)". Executing "help('string')"
1728 has the same effect as typing a particular string at the help> prompt.
1729 ''')
1731 def interact(self):
1732 self.output.write('\n')
1733 while True:
1734 try:
1735 request = self.getline('help> ')
1736 if not request: break
1737 except (KeyboardInterrupt, EOFError):
1738 break
1739 request = strip(replace(request, '"', '', "'", ''))
1740 if lower(request) in ('q', 'quit'): break
1741 self.help(request)
1743 def getline(self, prompt):
1744 """Read one line, using raw_input when available."""
1745 if self.input is sys.stdin:
1746 return raw_input(prompt)
1747 else:
1748 self.output.write(prompt)
1749 self.output.flush()
1750 return self.input.readline()
1752 def help(self, request):
1753 if type(request) is type(''):
1754 request = request.strip()
1755 if request == 'help': self.intro()
1756 elif request == 'keywords': self.listkeywords()
1757 elif request == 'symbols': self.listsymbols()
1758 elif request == 'topics': self.listtopics()
1759 elif request == 'modules': self.listmodules()
1760 elif request[:8] == 'modules ':
1761 self.listmodules(split(request)[1])
1762 elif request in self.symbols: self.showsymbol(request)
1763 elif request in self.keywords: self.showtopic(request)
1764 elif request in self.topics: self.showtopic(request)
1765 elif request: doc(request, 'Help on %s:')
1766 elif isinstance(request, Helper): self()
1767 else: doc(request, 'Help on %s:')
1768 self.output.write('\n')
1770 def intro(self):
1771 self.output.write('''
1772 Welcome to Python %s! This is the online help utility.
1774 If this is your first time using Python, you should definitely check out
1775 the tutorial on the Internet at http://docs.python.org/tutorial/.
1777 Enter the name of any module, keyword, or topic to get help on writing
1778 Python programs and using Python modules. To quit this help utility and
1779 return to the interpreter, just type "quit".
1781 To get a list of available modules, keywords, or topics, type "modules",
1782 "keywords", or "topics". Each module also comes with a one-line summary
1783 of what it does; to list the modules whose summaries contain a given word
1784 such as "spam", type "modules spam".
1785 ''' % sys.version[:3])
1787 def list(self, items, columns=4, width=80):
1788 items = items[:]
1789 items.sort()
1790 colw = width / columns
1791 rows = (len(items) + columns - 1) / columns
1792 for row in range(rows):
1793 for col in range(columns):
1794 i = col * rows + row
1795 if i < len(items):
1796 self.output.write(items[i])
1797 if col < columns - 1:
1798 self.output.write(' ' + ' ' * (colw-1 - len(items[i])))
1799 self.output.write('\n')
1801 def listkeywords(self):
1802 self.output.write('''
1803 Here is a list of the Python keywords. Enter any keyword to get more help.
1805 ''')
1806 self.list(self.keywords.keys())
1808 def listsymbols(self):
1809 self.output.write('''
1810 Here is a list of the punctuation symbols which Python assigns special meaning
1811 to. Enter any symbol to get more help.
1813 ''')
1814 self.list(self.symbols.keys())
1816 def listtopics(self):
1817 self.output.write('''
1818 Here is a list of available topics. Enter any topic name to get more help.
1820 ''')
1821 self.list(self.topics.keys())
1823 def showtopic(self, topic, more_xrefs=''):
1824 try:
1825 import pydoc_data.topics
1826 except ImportError:
1827 self.output.write('''
1828 Sorry, topic and keyword documentation is not available because the
1829 module "pydoc_data.topics" could not be found.
1830 ''')
1831 return
1832 target = self.topics.get(topic, self.keywords.get(topic))
1833 if not target:
1834 self.output.write('no documentation found for %s\n' % repr(topic))
1835 return
1836 if type(target) is type(''):
1837 return self.showtopic(target, more_xrefs)
1839 label, xrefs = target
1840 try:
1841 doc = pydoc_data.topics.topics[label]
1842 except KeyError:
1843 self.output.write('no documentation found for %s\n' % repr(topic))
1844 return
1845 pager(strip(doc) + '\n')
1846 if more_xrefs:
1847 xrefs = (xrefs or '') + ' ' + more_xrefs
1848 if xrefs:
1849 import StringIO, formatter
1850 buffer = StringIO.StringIO()
1851 formatter.DumbWriter(buffer).send_flowing_data(
1852 'Related help topics: ' + join(split(xrefs), ', ') + '\n')
1853 self.output.write('\n%s\n' % buffer.getvalue())
1855 def showsymbol(self, symbol):
1856 target = self.symbols[symbol]
1857 topic, _, xrefs = target.partition(' ')
1858 self.showtopic(topic, xrefs)
1860 def listmodules(self, key=''):
1861 if key:
1862 self.output.write('''
1863 Here is a list of matching modules. Enter any module name to get more help.
1865 ''')
1866 apropos(key)
1867 else:
1868 self.output.write('''
1869 Please wait a moment while I gather a list of all available modules...
1871 ''')
1872 modules = {}
1873 def callback(path, modname, desc, modules=modules):
1874 if modname and modname[-9:] == '.__init__':
1875 modname = modname[:-9] + ' (package)'
1876 if find(modname, '.') < 0:
1877 modules[modname] = 1
1878 def onerror(modname):
1879 callback(None, modname, None)
1880 ModuleScanner().run(callback, onerror=onerror)
1881 self.list(modules.keys())
1882 self.output.write('''
1883 Enter any module name to get more help. Or, type "modules spam" to search
1884 for modules whose descriptions contain the word "spam".
1885 ''')
1887 help = Helper(sys.stdin, sys.stdout)
1889 class Scanner:
1890 """A generic tree iterator."""
1891 def __init__(self, roots, children, descendp):
1892 self.roots = roots[:]
1893 self.state = []
1894 self.children = children
1895 self.descendp = descendp
1897 def next(self):
1898 if not self.state:
1899 if not self.roots:
1900 return None
1901 root = self.roots.pop(0)
1902 self.state = [(root, self.children(root))]
1903 node, children = self.state[-1]
1904 if not children:
1905 self.state.pop()
1906 return self.next()
1907 child = children.pop(0)
1908 if self.descendp(child):
1909 self.state.append((child, self.children(child)))
1910 return child
1913 class ModuleScanner:
1914 """An interruptible scanner that searches module synopses."""
1916 def run(self, callback, key=None, completer=None, onerror=None):
1917 if key: key = lower(key)
1918 self.quit = False
1919 seen = {}
1921 for modname in sys.builtin_module_names:
1922 if modname != '__main__':
1923 seen[modname] = 1
1924 if key is None:
1925 callback(None, modname, '')
1926 else:
1927 desc = split(__import__(modname).__doc__ or '', '\n')[0]
1928 if find(lower(modname + ' - ' + desc), key) >= 0:
1929 callback(None, modname, desc)
1931 for importer, modname, ispkg in pkgutil.walk_packages(onerror=onerror):
1932 if self.quit:
1933 break
1934 if key is None:
1935 callback(None, modname, '')
1936 else:
1937 loader = importer.find_module(modname)
1938 if hasattr(loader,'get_source'):
1939 import StringIO
1940 desc = source_synopsis(
1941 StringIO.StringIO(loader.get_source(modname))
1942 ) or ''
1943 if hasattr(loader,'get_filename'):
1944 path = loader.get_filename(modname)
1945 else:
1946 path = None
1947 else:
1948 module = loader.load_module(modname)
1949 desc = (module.__doc__ or '').splitlines()[0]
1950 path = getattr(module,'__file__',None)
1951 if find(lower(modname + ' - ' + desc), key) >= 0:
1952 callback(path, modname, desc)
1954 if completer:
1955 completer()
1957 def apropos(key):
1958 """Print all the one-line module summaries that contain a substring."""
1959 def callback(path, modname, desc):
1960 if modname[-9:] == '.__init__':
1961 modname = modname[:-9] + ' (package)'
1962 print modname, desc and '- ' + desc
1963 try: import warnings
1964 except ImportError: pass
1965 else: warnings.filterwarnings('ignore') # ignore problems during import
1966 ModuleScanner().run(callback, key)
1968 # --------------------------------------------------- web browser interface
1970 def serve(port, callback=None, completer=None):
1971 import BaseHTTPServer, mimetools, select
1973 # Patch up mimetools.Message so it doesn't break if rfc822 is reloaded.
1974 class Message(mimetools.Message):
1975 def __init__(self, fp, seekable=1):
1976 Message = self.__class__
1977 Message.__bases__[0].__bases__[0].__init__(self, fp, seekable)
1978 self.encodingheader = self.getheader('content-transfer-encoding')
1979 self.typeheader = self.getheader('content-type')
1980 self.parsetype()
1981 self.parseplist()
1983 class DocHandler(BaseHTTPServer.BaseHTTPRequestHandler):
1984 def send_document(self, title, contents):
1985 try:
1986 self.send_response(200)
1987 self.send_header('Content-Type', 'text/html')
1988 self.end_headers()
1989 self.wfile.write(html.page(title, contents))
1990 except IOError: pass
1992 def do_GET(self):
1993 path = self.path
1994 if path[-5:] == '.html': path = path[:-5]
1995 if path[:1] == '/': path = path[1:]
1996 if path and path != '.':
1997 try:
1998 obj = locate(path, forceload=1)
1999 except ErrorDuringImport, value:
2000 self.send_document(path, html.escape(str(value)))
2001 return
2002 if obj:
2003 self.send_document(describe(obj), html.document(obj, path))
2004 else:
2005 self.send_document(path,
2006 'no Python documentation found for %s' % repr(path))
2007 else:
2008 heading = html.heading(
2009 '<big><big><strong>Python: Index of Modules</strong></big></big>',
2010 '#ffffff', '#7799ee')
2011 def bltinlink(name):
2012 return '<a href="%s.html">%s</a>' % (name, name)
2013 names = filter(lambda x: x != '__main__',
2014 sys.builtin_module_names)
2015 contents = html.multicolumn(names, bltinlink)
2016 indices = ['<p>' + html.bigsection(
2017 'Built-in Modules', '#ffffff', '#ee77aa', contents)]
2019 seen = {}
2020 for dir in sys.path:
2021 indices.append(html.index(dir, seen))
2022 contents = heading + join(indices) + '''<p align=right>
2023 <font color="#909090" face="helvetica, arial"><strong>
2024 pydoc</strong> by Ka-Ping Yee &lt;ping@lfw.org&gt;</font>'''
2025 self.send_document('Index of Modules', contents)
2027 def log_message(self, *args): pass
2029 class DocServer(BaseHTTPServer.HTTPServer):
2030 def __init__(self, port, callback):
2031 host = 'localhost'
2032 self.address = ('', port)
2033 self.url = 'http://%s:%d/' % (host, port)
2034 self.callback = callback
2035 self.base.__init__(self, self.address, self.handler)
2037 def serve_until_quit(self):
2038 import select
2039 self.quit = False
2040 while not self.quit:
2041 rd, wr, ex = select.select([self.socket.fileno()], [], [], 1)
2042 if rd: self.handle_request()
2044 def server_activate(self):
2045 self.base.server_activate(self)
2046 if self.callback: self.callback(self)
2048 DocServer.base = BaseHTTPServer.HTTPServer
2049 DocServer.handler = DocHandler
2050 DocHandler.MessageClass = Message
2051 try:
2052 try:
2053 DocServer(port, callback).serve_until_quit()
2054 except (KeyboardInterrupt, select.error):
2055 pass
2056 finally:
2057 if completer: completer()
2059 # ----------------------------------------------------- graphical interface
2061 def gui():
2062 """Graphical interface (starts web server and pops up a control window)."""
2063 class GUI:
2064 def __init__(self, window, port=7464):
2065 self.window = window
2066 self.server = None
2067 self.scanner = None
2069 import Tkinter
2070 self.server_frm = Tkinter.Frame(window)
2071 self.title_lbl = Tkinter.Label(self.server_frm,
2072 text='Starting server...\n ')
2073 self.open_btn = Tkinter.Button(self.server_frm,
2074 text='open browser', command=self.open, state='disabled')
2075 self.quit_btn = Tkinter.Button(self.server_frm,
2076 text='quit serving', command=self.quit, state='disabled')
2078 self.search_frm = Tkinter.Frame(window)
2079 self.search_lbl = Tkinter.Label(self.search_frm, text='Search for')
2080 self.search_ent = Tkinter.Entry(self.search_frm)
2081 self.search_ent.bind('<Return>', self.search)
2082 self.stop_btn = Tkinter.Button(self.search_frm,
2083 text='stop', pady=0, command=self.stop, state='disabled')
2084 if sys.platform == 'win32':
2085 # Trying to hide and show this button crashes under Windows.
2086 self.stop_btn.pack(side='right')
2088 self.window.title('pydoc')
2089 self.window.protocol('WM_DELETE_WINDOW', self.quit)
2090 self.title_lbl.pack(side='top', fill='x')
2091 self.open_btn.pack(side='left', fill='x', expand=1)
2092 self.quit_btn.pack(side='right', fill='x', expand=1)
2093 self.server_frm.pack(side='top', fill='x')
2095 self.search_lbl.pack(side='left')
2096 self.search_ent.pack(side='right', fill='x', expand=1)
2097 self.search_frm.pack(side='top', fill='x')
2098 self.search_ent.focus_set()
2100 font = ('helvetica', sys.platform == 'win32' and 8 or 10)
2101 self.result_lst = Tkinter.Listbox(window, font=font, height=6)
2102 self.result_lst.bind('<Button-1>', self.select)
2103 self.result_lst.bind('<Double-Button-1>', self.goto)
2104 self.result_scr = Tkinter.Scrollbar(window,
2105 orient='vertical', command=self.result_lst.yview)
2106 self.result_lst.config(yscrollcommand=self.result_scr.set)
2108 self.result_frm = Tkinter.Frame(window)
2109 self.goto_btn = Tkinter.Button(self.result_frm,
2110 text='go to selected', command=self.goto)
2111 self.hide_btn = Tkinter.Button(self.result_frm,
2112 text='hide results', command=self.hide)
2113 self.goto_btn.pack(side='left', fill='x', expand=1)
2114 self.hide_btn.pack(side='right', fill='x', expand=1)
2116 self.window.update()
2117 self.minwidth = self.window.winfo_width()
2118 self.minheight = self.window.winfo_height()
2119 self.bigminheight = (self.server_frm.winfo_reqheight() +
2120 self.search_frm.winfo_reqheight() +
2121 self.result_lst.winfo_reqheight() +
2122 self.result_frm.winfo_reqheight())
2123 self.bigwidth, self.bigheight = self.minwidth, self.bigminheight
2124 self.expanded = 0
2125 self.window.wm_geometry('%dx%d' % (self.minwidth, self.minheight))
2126 self.window.wm_minsize(self.minwidth, self.minheight)
2127 self.window.tk.willdispatch()
2129 import threading
2130 threading.Thread(
2131 target=serve, args=(port, self.ready, self.quit)).start()
2133 def ready(self, server):
2134 self.server = server
2135 self.title_lbl.config(
2136 text='Python documentation server at\n' + server.url)
2137 self.open_btn.config(state='normal')
2138 self.quit_btn.config(state='normal')
2140 def open(self, event=None, url=None):
2141 url = url or self.server.url
2142 try:
2143 import webbrowser
2144 webbrowser.open(url)
2145 except ImportError: # pre-webbrowser.py compatibility
2146 if sys.platform == 'win32':
2147 os.system('start "%s"' % url)
2148 else:
2149 rc = os.system('netscape -remote "openURL(%s)" &' % url)
2150 if rc: os.system('netscape "%s" &' % url)
2152 def quit(self, event=None):
2153 if self.server:
2154 self.server.quit = 1
2155 self.window.quit()
2157 def search(self, event=None):
2158 key = self.search_ent.get()
2159 self.stop_btn.pack(side='right')
2160 self.stop_btn.config(state='normal')
2161 self.search_lbl.config(text='Searching for "%s"...' % key)
2162 self.search_ent.forget()
2163 self.search_lbl.pack(side='left')
2164 self.result_lst.delete(0, 'end')
2165 self.goto_btn.config(state='disabled')
2166 self.expand()
2168 import threading
2169 if self.scanner:
2170 self.scanner.quit = 1
2171 self.scanner = ModuleScanner()
2172 threading.Thread(target=self.scanner.run,
2173 args=(self.update, key, self.done)).start()
2175 def update(self, path, modname, desc):
2176 if modname[-9:] == '.__init__':
2177 modname = modname[:-9] + ' (package)'
2178 self.result_lst.insert('end',
2179 modname + ' - ' + (desc or '(no description)'))
2181 def stop(self, event=None):
2182 if self.scanner:
2183 self.scanner.quit = 1
2184 self.scanner = None
2186 def done(self):
2187 self.scanner = None
2188 self.search_lbl.config(text='Search for')
2189 self.search_lbl.pack(side='left')
2190 self.search_ent.pack(side='right', fill='x', expand=1)
2191 if sys.platform != 'win32': self.stop_btn.forget()
2192 self.stop_btn.config(state='disabled')
2194 def select(self, event=None):
2195 self.goto_btn.config(state='normal')
2197 def goto(self, event=None):
2198 selection = self.result_lst.curselection()
2199 if selection:
2200 modname = split(self.result_lst.get(selection[0]))[0]
2201 self.open(url=self.server.url + modname + '.html')
2203 def collapse(self):
2204 if not self.expanded: return
2205 self.result_frm.forget()
2206 self.result_scr.forget()
2207 self.result_lst.forget()
2208 self.bigwidth = self.window.winfo_width()
2209 self.bigheight = self.window.winfo_height()
2210 self.window.wm_geometry('%dx%d' % (self.minwidth, self.minheight))
2211 self.window.wm_minsize(self.minwidth, self.minheight)
2212 self.expanded = 0
2214 def expand(self):
2215 if self.expanded: return
2216 self.result_frm.pack(side='bottom', fill='x')
2217 self.result_scr.pack(side='right', fill='y')
2218 self.result_lst.pack(side='top', fill='both', expand=1)
2219 self.window.wm_geometry('%dx%d' % (self.bigwidth, self.bigheight))
2220 self.window.wm_minsize(self.minwidth, self.bigminheight)
2221 self.expanded = 1
2223 def hide(self, event=None):
2224 self.stop()
2225 self.collapse()
2227 import Tkinter
2228 try:
2229 root = Tkinter.Tk()
2230 # Tk will crash if pythonw.exe has an XP .manifest
2231 # file and the root has is not destroyed explicitly.
2232 # If the problem is ever fixed in Tk, the explicit
2233 # destroy can go.
2234 try:
2235 gui = GUI(root)
2236 root.mainloop()
2237 finally:
2238 root.destroy()
2239 except KeyboardInterrupt:
2240 pass
2242 # -------------------------------------------------- command-line interface
2244 def ispath(x):
2245 return isinstance(x, str) and find(x, os.sep) >= 0
2247 def cli():
2248 """Command-line interface (looks at sys.argv to decide what to do)."""
2249 import getopt
2250 class BadUsage: pass
2252 # Scripts don't get the current directory in their path by default
2253 # unless they are run with the '-m' switch
2254 if '' not in sys.path:
2255 scriptdir = os.path.dirname(sys.argv[0])
2256 if scriptdir in sys.path:
2257 sys.path.remove(scriptdir)
2258 sys.path.insert(0, '.')
2260 try:
2261 opts, args = getopt.getopt(sys.argv[1:], 'gk:p:w')
2262 writing = 0
2264 for opt, val in opts:
2265 if opt == '-g':
2266 gui()
2267 return
2268 if opt == '-k':
2269 apropos(val)
2270 return
2271 if opt == '-p':
2272 try:
2273 port = int(val)
2274 except ValueError:
2275 raise BadUsage
2276 def ready(server):
2277 print 'pydoc server ready at %s' % server.url
2278 def stopped():
2279 print 'pydoc server stopped'
2280 serve(port, ready, stopped)
2281 return
2282 if opt == '-w':
2283 writing = 1
2285 if not args: raise BadUsage
2286 for arg in args:
2287 if ispath(arg) and not os.path.exists(arg):
2288 print 'file %r does not exist' % arg
2289 break
2290 try:
2291 if ispath(arg) and os.path.isfile(arg):
2292 arg = importfile(arg)
2293 if writing:
2294 if ispath(arg) and os.path.isdir(arg):
2295 writedocs(arg)
2296 else:
2297 writedoc(arg)
2298 else:
2299 help.help(arg)
2300 except ErrorDuringImport, value:
2301 print value
2303 except (getopt.error, BadUsage):
2304 cmd = os.path.basename(sys.argv[0])
2305 print """pydoc - the Python documentation tool
2307 %s <name> ...
2308 Show text documentation on something. <name> may be the name of a
2309 Python keyword, topic, function, module, or package, or a dotted
2310 reference to a class or function within a module or module in a
2311 package. If <name> contains a '%s', it is used as the path to a
2312 Python source file to document. If name is 'keywords', 'topics',
2313 or 'modules', a listing of these things is displayed.
2315 %s -k <keyword>
2316 Search for a keyword in the synopsis lines of all available modules.
2318 %s -p <port>
2319 Start an HTTP server on the given port on the local machine.
2321 %s -g
2322 Pop up a graphical interface for finding and serving documentation.
2324 %s -w <name> ...
2325 Write out the HTML documentation for a module to a file in the current
2326 directory. If <name> contains a '%s', it is treated as a filename; if
2327 it names a directory, documentation is written for all the contents.
2328 """ % (cmd, os.sep, cmd, cmd, cmd, cmd, os.sep)
2330 if __name__ == '__main__': cli()