/usr/share/pyshared/mvpa/base/dochelpers.py is in python-mvpa 0.4.8-1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 | # emacs: -*- mode: python; py-indent-offset: 4; indent-tabs-mode: nil -*-
# vi: set ft=python sts=4 ts=4 sw=4 et:
### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ##
#
# See COPYING file distributed along with the PyMVPA package for the
# copyright and license terms.
#
### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ##
"""Various helpers to improve docstrings and textual output"""
__docformat__ = 'restructuredtext'
import re, textwrap
# for table2string
import numpy as N
from math import ceil
from StringIO import StringIO
from mvpa import cfg
from mvpa.base import externals
if __debug__:
from mvpa.base import debug
__add_init2doc = False
__in_ipython = externals.exists('running ipython env')
# if ran within IPython -- might need to add doc to init
if __in_ipython:
__rst_mode = 0 # either to do ReST links at all
_rst_sep = ""
_rst_sep2 = ""
from IPython import Release
# XXX figure out exact version when init doc started to be added to class
# description
if Release.version <= '0.8.1':
__add_init2doc = True
else:
__rst_mode = 1
_rst_sep = "`"
_rst_sep2 = ":"
def _rst(s, snotrst=''):
"""Produce s only in __rst mode"""
if __rst_mode:
return s
else:
return snotrst
def rstUnderline(text, markup):
"""Add and underline RsT string matching the length of the given string.
"""
return text + '\n' + markup * len(text)
def singleOrPlural(single, plural, n):
"""Little helper to spit out single or plural version of a word.
"""
ni = int(n)
if ni > 1 or ni == 0:
# 1 forest, 2 forests, 0 forests
return plural
else:
return single
def handleDocString(text, polite=True):
"""Take care of empty and non existing doc strings."""
if text == None or not len(text):
if polite:
return 'No documentation found. Sorry!'
else:
return ''
else:
# Problem is that first line might often have no offset, so might
# need to be ignored from dedent call
if not text.startswith(' '):
lines = text.split('\n')
text2 = '\n'.join(lines[1:])
return lines[0] + "\n" + textwrap.dedent(text2)
else:
return textwrap.dedent(text)
def _indent(text, istr=' '):
"""Simple indenter
"""
return '\n'.join(istr + s for s in text.split('\n'))
__parameters_str_re = re.compile("[\n^]\s*:?Parameters?:?\s*\n")
"""regexp to match :Parameter: and :Parameters: stand alone in a line"""
def _splitOutParametersStr(initdoc):
"""Split documentation into (header, parameters, suffix)
:Parameters:
initdoc : string
The documentation string
"""
# TODO: bind it to the only word in the line
p_res = __parameters_str_re.search(initdoc)
if p_res is None:
result = initdoc, "", ""
else:
# Could have been accomplished also via re.match
# where new line is after :Parameters:
# parameters header index
ph_i = p_res.start()
# parameters body index
pb_i = p_res.end()
# end of parameters
try:
pe_i = initdoc.index('\n\n', pb_i)
except ValueError:
pe_i = len(initdoc)
result = initdoc[:ph_i].rstrip('\n '), \
initdoc[pb_i:pe_i], initdoc[pe_i:]
# XXX a bit of duplication of effort since handleDocString might
# do splitting internally
return [handleDocString(x, polite=False).strip('\n') for x in result]
__re_params = re.compile('(?:\n\S.*?)+$')
__re_spliter1 = re.compile('(?:\n|\A)(?=\S)')
__re_spliter2 = re.compile('[\n:]')
def _parseParameters(paramdoc):
"""Parse parameters and return list of (name, full_doc_string)
It is needed to remove multiple entries for the same parameter
like it could be with adding parameters from the parent class
It assumes that previousely parameters were unwrapped, so their
documentation starts at the begining of the string, like what
should it be after _splitOutParametersStr
"""
entries = __re_spliter1.split(paramdoc)
result = [(__re_spliter2.split(e)[0].strip(), e)
for e in entries if e != '']
if __debug__:
debug('DOCH', 'parseParameters: Given "%s", we split into %s' %
(paramdoc, result))
return result
def enhancedDocString(item, *args, **kwargs):
"""Generate enhanced doc strings for various items.
:Parameters:
item : basestring or class
What object requires enhancing of documentation
*args : list
Includes base classes to look for parameters, as well, first item
must be a dictionary of locals if item is given by a string
force_extend : bool
Either to force looking for the documentation in the parents.
By default force_extend = False, and lookup happens only if kwargs
is one of the arguments to the respective function (e.g. item.__init__)
skip_params : list of basestring
List of parameters (in addition to [kwargs]) which should not
be added to the documentation of the class.
It is to be used from a collector, ie whenever class is already created
"""
# Handling of arguments
if len(kwargs):
if set(kwargs.keys()).issubset(set(['force_extend'])):
raise ValueError, "Got unknown keyword arguments (smth among %s)" \
" in enhancedDocString." % kwargs
force_extend = kwargs.get('force_extend', False)
skip_params = kwargs.get('skip_params', [])
# XXX make it work also not only with classes but with methods as well
if isinstance(item, basestring):
if len(args)<1 or not isinstance(args[0], dict):
raise ValueError, \
"Please provide locals for enhancedDocString of %s" % item
name = item
lcl = args[0]
args = args[1:]
elif hasattr(item, "im_class"):
# bound method
raise NotImplementedError, \
"enhancedDocString is not yet implemented for methods"
elif hasattr(item, "__name__"):
name = item.__name__
lcl = item.__dict__
else:
raise ValueError, "Don't know how to extend docstring for %s" % item
# check whether docstring magic is requested or not
if not cfg.getboolean('doc', 'pimp docstrings', True):
return lcl['__doc__']
#return lcl['__doc__']
rst_lvlmarkup = ["=", "-", "_"]
# would then be called for any child... ok - ad hoc for SVM???
if hasattr(item, '_customizeDoc') and name=='SVM':
item._customizeDoc()
initdoc = ""
if lcl.has_key('__init__'):
func = lcl['__init__']
initdoc = func.__doc__
# either to extend arguments
# do only if kwargs is one of the arguments
# in python 2.5 args are no longer in co_names but in varnames
extend_args = force_extend or \
'kwargs' in (func.func_code.co_names +
func.func_code.co_varnames)
if __debug__ and not extend_args:
debug('DOCH', 'Not extending parameters for %s' % name)
if initdoc is None:
initdoc = "Initialize instance of %s" % name
initdoc, params, suffix = _splitOutParametersStr(initdoc)
if lcl.has_key('_paramsdoc'):
params += '\n' + handleDocString(lcl['_paramsdoc'])
params_list = _parseParameters(params)
known_params = set([i[0] for i in params_list])
# no need for placeholders
skip_params = set(skip_params + ['kwargs', '**kwargs'])
# XXX we do evil check here, refactor code to separate
# regressions out of the classifiers, and making
# retrainable flag not available for those classes which
# can't actually do retraining. Although it is not
# actually that obvious for Meta Classifiers
if hasattr(item, '_clf_internals'):
clf_internals = item._clf_internals
skip_params.update([i for i in ('regression', 'retrainable')
if not (i in clf_internals)])
known_params.update(skip_params)
if extend_args:
# go through all the parents and obtain their init parameters
parent_params_list = []
for i in args:
if hasattr(i, '__init__'):
# XXX just assign within a class to don't redo without need
initdoc_ = i.__init__.__doc__
if initdoc_ is None:
continue
splits_ = _splitOutParametersStr(initdoc_)
params_ = splits_[1]
parent_params_list += _parseParameters(params_.lstrip())
# extend with ones which are not known to current init
for i, v in parent_params_list:
if not (i in known_params):
params_list += [(i, v)]
known_params.update([i])
# if there are parameters -- populate the list
if len(params_list):
params_ = '\n'.join([i[1].rstrip() for i in params_list
if not i[0] in skip_params])
initdoc += "\n\n%sParameters%s\n" % ( (_rst_sep2,)*2 ) \
+ _indent(params_)
if suffix != "":
initdoc += "\n\n" + suffix
initdoc = handleDocString(initdoc)
# Finally assign generated doc to the constructor
lcl['__init__'].__doc__ = initdoc
docs = [ handleDocString(lcl['__doc__']) ]
# Optionally populate the class documentation with it
if __add_init2doc and initdoc != "":
docs += [ rstUnderline('Constructor information for `%s` class' % name,
rst_lvlmarkup[2]),
initdoc ]
# Add information about the states if available
if lcl.has_key('_statesdoc'):
# no indent is necessary since states list must be already indented
docs += [_rst('.. note::\n ') + 'Available state variables:',
handleDocString(item._statesdoc)]
if len(args):
bc_intro = _rst(' ') + 'Please refer to the documentation of the ' \
'base %s for more information:' \
% (singleOrPlural('class', 'classes', len(args)))
docs += [_rst('\n.. seealso::'),
bc_intro,
' ' + ',\n '.join(['%s%s.%s%s' % (_rst(':class:`~'),
i.__module__,
i.__name__,
_rst_sep)
for i in args])
]
itemdoc = '\n\n'.join(docs)
# remove some bogus new lines -- never 3 empty lines in doc are useful
result = re.sub("\s*\n\s*\n\s*\n", "\n\n", itemdoc)
return result
def table2string(table, out=None):
"""Given list of lists figure out their common widths and print to out
:Parameters:
table : list of lists of strings
What is aimed to be printed
out : None or stream
Where to print. If None -- will print and return string
:Returns:
string if out was None
"""
print2string = out is None
if print2string:
out = StringIO()
# equalize number of elements in each row
Nelements_max = max(len(x) for x in table)
for i, table_ in enumerate(table):
table[i] += [''] * (Nelements_max - len(table_))
# figure out lengths within each column
atable = N.asarray(table)
markup_strip = re.compile('^@[lrc]')
col_width = [ max( [len(markup_strip.sub('', x))
for x in column] ) for column in atable.T ]
string = ""
for i, table_ in enumerate(table):
string_ = ""
for j, item in enumerate(table_):
item = str(item)
if item.startswith('@'):
align = item[1]
item = item[2:]
if not align in ['l', 'r', 'c']:
raise ValueError, 'Unknown alignment %s. Known are l,r,c'
else:
align = 'c'
NspacesL = ceil((col_width[j] - len(item))/2.0)
NspacesR = col_width[j] - NspacesL - len(item)
if align == 'c':
pass
elif align == 'l':
NspacesL, NspacesR = 0, NspacesL + NspacesR
elif align == 'r':
NspacesL, NspacesR = NspacesL + NspacesR, 0
else:
raise RuntimeError, 'Should not get here with align=%s' % align
string_ += "%%%ds%%s%%%ds " \
% (NspacesL, NspacesR) % ('', item, '')
string += string_.rstrip() + '\n'
out.write(string)
if print2string:
value = out.getvalue()
out.close()
return value
|