/usr/share/pyshared/mvpa/misc/cmdline.py is in python-mvpa 0.4.7-2ubuntu1.
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 | # 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.
#
### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ##
"""Common functions and options definitions for command line
__docformat__ = 'restructuredtext'
Conventions:
Every option (instance of optparse.Option) has prefix "opt". Lists of options
has prefix opts (e.g. `opts.common`).
Option name should be camelbacked version of .dest for the option.
"""
import mvpa
# TODO? all options (opt*) might migrate to respective module? discuss
from optparse import OptionParser, Option, OptionGroup, OptionConflictError
# needed for verboseCallback
from mvpa.base import verbose, externals
# we need to make copies of the options if we place them into the
# groups, since otherwise it is impossible to use them without using
# the whole group. May be we should make some late creation of the
# groups -- ie only if user requests a group, options are added to it.
from mvpa.support import copy
class Options(object):
"""Just a convinience placeholder for all available options
"""
pass
class OptionGroups(object):
"""Group creation is delayed until instance is requested.
This allows to overcome the problem of poluting handled cmdline options
"""
def __init__(self, parser):
self._d = {}
self._parser = parser
def add(self, name, l, doc):
self._d[name] = (doc, l)
def _getGroup(self, name):
try:
doc, l = self._d[name]
except KeyError:
raise ValueError, "No group with name %s" % name
opts = OptionGroup(self._parser, doc)
#opts.add_options(copy.deepcopy(l)) # may be copy?
try:
opts.add_options(l)
except OptionConflictError:
print "Problem addition options to the group '%s'. Most probably" \
" the option was independently added already." % name
raise
return opts
def __getattribute__(self, index):
if index[0] == '_':
return object.__getattribute__(self, index)
if self._d.has_key(index):
return self._getGroup(index)
return object.__getattribute__(self, index)
# TODO: try to make groups definition somewhat lazy, since now
# whenever a group is created, those parameters are already known by
# parser, although might not be listed in the list of used and not by
# --help. But their specification on cmdline doesn't lead to
# error/help msg.
#
# Conflict hanlder to resolve situation that we have the same option added
# to some group and also available 'freely'
#
# set default version string, otherwise '--version' option is not enabled
# can be overwritten later on by assigning to `parser.version`
parser = OptionParser(version="%prog",
add_help_option=False,
conflict_handler="error")
opt = Options()
opts = OptionGroups(parser)
#
# Verbosity options
#
def _verboseCallback(option, optstr, value, parser):
"""Callback for -v|--verbose cmdline option
"""
if __debug__:
debug("CMDLINE", "Setting verbose.level to %s" % str(value))
verbose.level = value
optstr = optstr # pylint shut up
setattr(parser.values, option.dest, value)
opt.help = \
Option("-h", "--help", "--sos",
action="help",
help="Show this help message and exit")
opt.verbose = \
Option("-v", "--verbose", "--verbosity",
action="callback", callback=_verboseCallback, nargs=1,
type="int", dest="verbose", default=0,
help="Verbosity level of output")
"""Pre-cooked `optparse`'s option to specify verbose level"""
commonopts_list = [opt.verbose, opt.help]
if __debug__:
from mvpa.base import debug
def _debugCallback(option, optstr, value, parser):
"""Callback for -d|--debug cmdline option
"""
if value == "list":
print "Registered debug IDs:"
keys = debug.registered.keys()
keys.sort()
for k in keys:
print "%-7s: %s" % (k, debug.registered[k])
print "Use ALL: to enable all of the debug IDs listed above."
print "Use python regular expressions to select group. CLF.* will" \
" enable all debug entries starting with CLF (e.g. CLFBIN, CLFMC)"
raise SystemExit, 0
optstr = optstr # pylint shut up
debug.setActiveFromString(value)
setattr(parser.values, option.dest, value)
optDebug = Option("-d", "--debug",
action="callback", callback=_debugCallback,
nargs=1,
type="string", dest="debug", default="",
help="Debug entries to report. " +
"Run with '-d list' to get a list of " +
"registered entries")
commonopts_list.append(optDebug)
opts.add("common", commonopts_list, "Common generic options")
#
# Classifiers options
#
opt.clf = \
Option("--clf",
type="choice", dest="clf",
choices=['knn', 'svm', 'ridge', 'gpr', 'smlr'], default='svm',
help="Type of classifier to be used. Default: svm")
opt.radius = \
Option("-r", "--radius",
action="store", type="float", dest="radius",
default=5.0,
help="Radius to be used (eg for the searchlight). Default: 5.0")
opt.knearestdegree = \
Option("-k", "--k-nearest",
action="store", type="int", dest="knearestdegree", default=3,
help="Degree of k-nearest classifier. Default: 3")
opts.add('KNN', [opt.radius, opt.knearestdegree], "Specification of kNN")
opt.svm_C = \
Option("-C", "--svm-C",
action="store", type="float", dest="svm_C", default=1.0,
help="C parameter for soft-margin C-SVM classification. " \
"Default: 1.0")
opt.svm_nu = \
Option("--nu", "--svm-nu",
action="store", type="float", dest="svm_nu", default=0.1,
help="nu parameter for soft-margin nu-SVM classification. " \
"Default: 0.1")
opt.svm_gamma = \
Option("--gamma", "--svm-gamma",
action="store", type="float", dest="svm_gamma", default=1.0,
help="gamma parameter for Gaussian kernel of RBF SVM. " \
"Default: 1.0")
opts.add('SVM', [opt.svm_nu, opt.svm_C, opt.svm_gamma], "SVM specification")
opt.do_sweep = \
Option("--sweep",
action="store_true", dest="do_sweep",
default=False,
help="Sweep through various classifiers")
# Crossvalidation options
opt.crossfolddegree = \
Option("-c", "--crossfold",
action="store", type="int", dest="crossfolddegree", default=1,
help="Degree of N-fold crossfold. Default: 1")
opts.add('general', [opt.crossfolddegree], "Generalization estimates")
# preprocess options
opt.zscore = \
Option("--zscore",
action="store_true", dest="zscore", default=0,
help="Enable zscoring of dataset samples. Default: Off")
opt.tr = \
Option("--tr",
action="store", dest="tr", default=2.0, type='float',
help="fMRI volume repetition time. Default: 2.0")
opt.detrend = \
Option("--detrend",
action="store_true", dest="detrend", default=0,
help="Do linear detrending. Default: Off")
opts.add('preproc', [opt.zscore, opt.tr, opt.detrend], "Preprocessing options")
# Wavelets options
if externals.exists('pywt'):
import pywt
def _waveletFamilyCallback(option, optstr, value, parser):
"""Callback for -w|--wavelet-family cmdline option
"""
wl_list = pywt.wavelist()
wl_list_str = ", ".join(
['-1: None'] + ['%d:%s' % w for w in enumerate(wl_list)])
if value == "list":
print "Available wavelet families: " + wl_list_str
raise SystemExit, 0
wl_family = value
try:
# may be int? ;-)
wl_family_index = int(value)
if wl_family_index >= 0:
try:
wl_family = wl_list[wl_family_index]
except IndexError:
print "Index is out of range. " + \
"Following indexes with names are known: " + \
wl_list_str
raise SystemExit, -1
else:
wl_family = 'None'
except ValueError:
pass
# Check the value
wl_family = wl_family.lower()
if wl_family == 'none':
wl_family = None
elif not wl_family in wl_list:
print "Uknown family '%s'. Known are %s" % (wl_family, ', '.join(wl_list))
raise SystemExit, -1
# Store it in the parser
setattr(parser.values, option.dest, wl_family)
opt.wavelet_family = \
Option("-w", "--wavelet-family", callback=_waveletFamilyCallback,
action="callback", type="string", dest="wavelet_family",
default='-1',
help="Wavelet family: string or index among the available. " +
"Run with '-w list' to see available families")
opt.wavelet_decomposition = \
Option("-W", "--wavelet-decomposition",
action="store", type="choice", dest="wavelet_decomposition",
default='dwt', choices=['dwt', 'dwp'],
help="Wavelet decomposition: discrete wavelet transform "+
"(dwt) or packet (dwp)")
opts.add('wavelet', [opt.wavelet_family, opt.wavelet_decomposition],
"Wavelets mappers")
# Box options
opt.boxlength = \
Option("--boxlength",
action="store", dest="boxlength", default=1, type='int',
help="Length of the box in volumes (integer). Default: 1")
opt.boxoffset = \
Option("--boxoffset",
action="store", dest="boxoffset", default=0, type='int',
help="Offset of the box from the event onset in volumes. Default: 0")
opts.add('box', [opt.boxlength, opt.boxoffset], "Box options")
# sample attributes
opt.chunk = \
Option("--chunk",
action="store", dest="chunk", default='0',
help="Id of the data chunk. Default: 0")
opt.chunkLimits = \
Option("--chunklimits",
action="store", dest="chunklimits", default=None,
help="Limit processing to a certain chunk of data given by start " \
"and end volume number (including lower, excluding upper " \
"limit). Numbering starts with zero.")
opts.add('chunk', [opt.chunk, opt.chunkLimits], "Chunk options AKA Sample attributes XXX")
|