configobj (version 4.3.2)
index
/home/ut3hax/bin/pylib/configobj.py

# configobj.py
# A config file reader/writer that supports nested sections in config files.
# Copyright (C) 2005-2006 Michael Foord, Nicola Larosa
# E-mail: fuzzyman AT voidspace DOT org DOT uk
#         nico AT tekNico DOT net

 
Modules
       
compiler
os
re
sys

 
Classes
       
__builtin__.object
SimpleVal
Section(__builtin__.dict)
ConfigObj
exceptions.Exception
UnknownType
exceptions.SyntaxError(exceptions.StandardError)
ConfigObjError
ConfigspecError
DuplicateError
InterpolationError
InterpolationDepthError
MissingInterpolationOption
NestingError
ParseError
RepeatSectionError
UnreprError

 
class ConfigObj(Section)
    An object to read, create, and write config files.
 
 
Method resolution order:
ConfigObj
Section
__builtin__.dict
__builtin__.object

Methods defined here:
__init__(self, infile=None, options=None, **kwargs)
Parse or create a config file object.
 
``ConfigObj(infile=None, options=None, **kwargs)``
__repr__(self)
save(self)
validate(self, validator, preserve_errors=False, copy=False, section=None)
Test the ConfigObj against a configspec.
 
It uses the ``validator`` object from *validate.py*.
 
To run ``validate`` on the current ConfigObj, call: ::
 
    test = config.validate(validator)
 
(Normally having previously passed in the configspec when the ConfigObj
was created - you can dynamically assign a dictionary of checks to the
``configspec`` attribute of a section though).
 
It returns ``True`` if everything passes, or a dictionary of
pass/fails (True/False). If every member of a subsection passes, it
will just have the value ``True``. (It also returns ``False`` if all
members fail).
 
In addition, it converts the values from strings to their native
types if their checks pass (and ``stringify`` is set).
 
If ``preserve_errors`` is ``True`` (``False`` is default) then instead
of a marking a fail with a ``False``, it will preserve the actual
exception object. This can contain info about the reason for failure.
For example the ``VdtValueTooSmallError`` indeicates that the value
supplied was too small. If a value (or section) is missing it will
still be marked as ``False``.
 
You must have the validate module to use ``preserve_errors=True``.
 
You can then use the ``flatten_errors`` function to turn your nested
results dictionary into a flattened list of failures - useful for
displaying meaningful error messages.
write(self, outfile=None, section=None)
Write the current ConfigObj as a file
 
tekNico: FIXME-IGNORED: use StringIO instead of real files
 
>>> filename = a.filename
>>> a.filename = 'test.ini'
>>> a.write()
>>> a.filename = filename
>>> a == ConfigObj('test.ini', raise_errors=True)
1

Methods inherited from Section:
__delitem__(self, key)
Remove items from the sequence when deleting.
__getitem__(self, key)
Fetch the item and do string interpolation.
__iter__ = iterkeys(self)
__setitem__(self, key, value, unrepr=False)
Correctly set a value.
 
Making dictionary values Section instances.
(We have to special case 'Section' instances - which are also dicts)
 
Keys must be strings.
Values need only be strings (or lists of strings) if
``main.stringify`` is set.
 
`unrepr`` must be set when setting a value to a dictionary, without
creating a new sub-section.
__str__ = __repr__(self)
as_bool(self, key)
Accepts a key as input. The corresponding value must be a string or
the objects (``True`` or 1) or (``False`` or 0). We allow 0 and 1 to
retain compatibility with Python 2.2.
 
If the string is one of  ``True``, ``On``, ``Yes``, or ``1`` it returns 
``True``.
 
If the string is one of  ``False``, ``Off``, ``No``, or ``0`` it returns 
``False``.
 
``as_bool`` is not case sensitive.
 
Any other input will raise a ``ValueError``.
 
>>> a = ConfigObj()
>>> a['a'] = 'fish'
>>> a.as_bool('a')
Traceback (most recent call last):
ValueError: Value "fish" is neither True nor False
>>> a['b'] = 'True'
>>> a.as_bool('b')
1
>>> a['b'] = 'off'
>>> a.as_bool('b')
0
as_float(self, key)
A convenience method which coerces the specified value to a float.
 
If the value is an invalid literal for ``float``, a ``ValueError`` will
be raised.
 
>>> a = ConfigObj()
>>> a['a'] = 'fish'
>>> a.as_float('a')
Traceback (most recent call last):
ValueError: invalid literal for float(): fish
>>> a['b'] = '1'
>>> a.as_float('b')
1.0
>>> a['b'] = '3.2'
>>> a.as_float('b')
3.2000000000000002
as_int(self, key)
A convenience method which coerces the specified value to an integer.
 
If the value is an invalid literal for ``int``, a ``ValueError`` will
be raised.
 
>>> a = ConfigObj()
>>> a['a'] = 'fish'
>>> a.as_int('a')
Traceback (most recent call last):
ValueError: invalid literal for int(): fish
>>> a['b'] = '1'
>>> a.as_int('b')
1
>>> a['b'] = '3.2'
>>> a.as_int('b')
Traceback (most recent call last):
ValueError: invalid literal for int(): 3.2
clear(self)
A version of clear that also affects scalars/sections
Also clears comments and configspec.
 
Leaves other attributes alone :
    depth/main/parent are not affected
decode(self, encoding)
Decode all strings and values to unicode, using the specified encoding.
 
Works with subsections and list values.
 
Uses the ``walk`` method.
 
Testing ``encode`` and ``decode``.
>>> m = ConfigObj(a)
>>> m.decode('ascii')
>>> def testuni(val):
...     for entry in val:
...         if not isinstance(entry, unicode):
...             print >> sys.stderr, type(entry)
...             raise AssertionError, 'decode failed.'
...         if isinstance(val[entry], dict):
...             testuni(val[entry])
...         elif not isinstance(val[entry], unicode):
...             raise AssertionError, 'decode failed.'
>>> testuni(m)
>>> m.encode('ascii')
>>> a == m
1
dict(self)
Return a deepcopy of self as a dictionary.
 
All members that are ``Section`` instances are recursively turned to
ordinary dictionaries - by calling their ``dict`` method.
 
>>> n = a.dict()
>>> n == a
1
>>> n is a
0
encode(self, encoding)
Encode all strings and values from unicode,
using the specified encoding.
 
Works with subsections and list values.
Uses the ``walk`` method.
get(self, key, default=None)
A version of ``get`` that doesn't bypass string interpolation.
istrue(self, key)
A deprecated version of ``as_bool``.
items(self)
iteritems(self)
iterkeys(self)
itervalues(self)
keys(self)
merge(self, indict)
A recursive update - useful for merging config files.
 
>>> a = '''[section1]
...     option1 = True
...     [[subsection]]
...     more_options = False
...     # end of file'''.splitlines()
>>> b = '''# File is user.ini
...     [section1]
...     option1 = False
...     # end of file'''.splitlines()
>>> c1 = ConfigObj(b)
>>> c2 = ConfigObj(a)
>>> c2.merge(c1)
>>> c2
{'section1': {'option1': 'False', 'subsection': {'more_options': 'False'}}}
pop(self, key, *args)
popitem(self)
Pops the first (key,val)
rename(self, oldkey, newkey)
Change a keyname to another, without changing position in sequence.
 
Implemented so that transformations can be made on keys,
as well as on values. (used by encode and decode)
 
Also renames comments.
setdefault(self, key, default=None)
A version of setdefault that sets sequence if appropriate.
update(self, indict)
A version of update that uses our ``__setitem__``.
values(self)
walk(self, function, raise_errors=True, call_on_sections=False, **keywargs)
Walk every member and call a function on the keyword and value.
 
Return a dictionary of the return values
 
If the function raises an exception, raise the errror
unless ``raise_errors=False``, in which case set the return value to
``False``.
 
Any unrecognised keyword arguments you pass to walk, will be pased on
to the function you pass in.
 
Note: if ``call_on_sections`` is ``True`` then - on encountering a
subsection, *first* the function is called for the *whole* subsection,
and then recurses into it's members. This means your function must be
able to handle strings, dictionaries and lists. This allows you
to change the key of subsections as well as for ordinary members. The
return value when called on the whole subsection has to be discarded.
 
See  the encode and decode methods for examples, including functions.
 
.. caution::
 
    You can use ``walk`` to transform the names of members of a section
    but you mustn't add or delete members.
 
>>> config = '''[XXXXsection]
... XXXXkey = XXXXvalue'''.splitlines()
>>> cfg = ConfigObj(config)
>>> cfg
{'XXXXsection': {'XXXXkey': 'XXXXvalue'}}
>>> def transform(section, key):
...     val = section[key]
...     newkey = key.replace('XXXX', 'CLIENT1')
...     section.rename(key, newkey)
...     if isinstance(val, (tuple, list, dict)):
...         pass
...     else:
...         val = val.replace('XXXX', 'CLIENT1')
...         section[newkey] = val
>>> cfg.walk(transform, call_on_sections=True)
{'CLIENT1section': {'CLIENT1key': None}}
>>> cfg
{'CLIENT1section': {'CLIENT1key': 'CLIENT1value'}}

Data and other attributes inherited from Section:
__dict__ = <dictproxy object>
dictionary for instance variables (if defined)
__weakref__ = <attribute '__weakref__' of 'Section' objects>
list of weak references to the object (if defined)

Methods inherited from __builtin__.dict:
__cmp__(...)
x.__cmp__(y) <==> cmp(x,y)
__contains__(...)
D.__contains__(k) -> True if D has a key k, else False
__eq__(...)
x.__eq__(y) <==> x==y
__ge__(...)
x.__ge__(y) <==> x>=y
__getattribute__(...)
x.__getattribute__('name') <==> x.name
__gt__(...)
x.__gt__(y) <==> x>y
__hash__(...)
x.__hash__() <==> hash(x)
__le__(...)
x.__le__(y) <==> x<=y
__len__(...)
x.__len__() <==> len(x)
__lt__(...)
x.__lt__(y) <==> x<y
__ne__(...)
x.__ne__(y) <==> x!=y
copy(...)
D.copy() -> a shallow copy of D
has_key(...)
D.has_key(k) -> True if D has a key k, else False

Data and other attributes inherited from __builtin__.dict:
__new__ = <built-in method __new__ of type object>
T.__new__(S, ...) -> a new object with type S, a subtype of T
fromkeys = <built-in method fromkeys of type object>
dict.fromkeys(S[,v]) -> New dict with keys from S and values equal to v.
v defaults to None.

 
class ConfigObjError(exceptions.SyntaxError)
    This is the base class for all errors that ConfigObj raises.
It is a subclass of SyntaxError.
 
 
Method resolution order:
ConfigObjError
exceptions.SyntaxError
exceptions.StandardError
exceptions.Exception

Methods defined here:
__init__(self, message='', line_number=None, line='')

Methods inherited from exceptions.SyntaxError:
__str__(...)

Data and other attributes inherited from exceptions.SyntaxError:
filename = None
lineno = None
msg = ''
offset = None
print_file_and_line = None
text = None

Methods inherited from exceptions.Exception:
__getitem__(...)

 
class ConfigspecError(ConfigObjError)
    An error occured whilst parsing a configspec.
 
 
Method resolution order:
ConfigspecError
ConfigObjError
exceptions.SyntaxError
exceptions.StandardError
exceptions.Exception

Methods inherited from ConfigObjError:
__init__(self, message='', line_number=None, line='')

Methods inherited from exceptions.SyntaxError:
__str__(...)

Data and other attributes inherited from exceptions.SyntaxError:
filename = None
lineno = None
msg = ''
offset = None
print_file_and_line = None
text = None

Methods inherited from exceptions.Exception:
__getitem__(...)

 
class DuplicateError(ConfigObjError)
    The keyword or section specified already exists.
 
 
Method resolution order:
DuplicateError
ConfigObjError
exceptions.SyntaxError
exceptions.StandardError
exceptions.Exception

Methods inherited from ConfigObjError:
__init__(self, message='', line_number=None, line='')

Methods inherited from exceptions.SyntaxError:
__str__(...)

Data and other attributes inherited from exceptions.SyntaxError:
filename = None
lineno = None
msg = ''
offset = None
print_file_and_line = None
text = None

Methods inherited from exceptions.Exception:
__getitem__(...)

 
class InterpolationDepthError(InterpolationError)
    Maximum interpolation depth exceeded in string interpolation.
 
 
Method resolution order:
InterpolationDepthError
InterpolationError
ConfigObjError
exceptions.SyntaxError
exceptions.StandardError
exceptions.Exception

Methods defined here:
__init__(self, option)

Methods inherited from exceptions.SyntaxError:
__str__(...)

Data and other attributes inherited from exceptions.SyntaxError:
filename = None
lineno = None
msg = ''
offset = None
print_file_and_line = None
text = None

Methods inherited from exceptions.Exception:
__getitem__(...)

 
class InterpolationError(ConfigObjError)
    Base class for the two interpolation errors.
 
 
Method resolution order:
InterpolationError
ConfigObjError
exceptions.SyntaxError
exceptions.StandardError
exceptions.Exception

Methods inherited from ConfigObjError:
__init__(self, message='', line_number=None, line='')

Methods inherited from exceptions.SyntaxError:
__str__(...)

Data and other attributes inherited from exceptions.SyntaxError:
filename = None
lineno = None
msg = ''
offset = None
print_file_and_line = None
text = None

Methods inherited from exceptions.Exception:
__getitem__(...)

 
class MissingInterpolationOption(InterpolationError)
    A value specified for interpolation was missing.
 
 
Method resolution order:
MissingInterpolationOption
InterpolationError
ConfigObjError
exceptions.SyntaxError
exceptions.StandardError
exceptions.Exception

Methods defined here:
__init__(self, option)

Methods inherited from exceptions.SyntaxError:
__str__(...)

Data and other attributes inherited from exceptions.SyntaxError:
filename = None
lineno = None
msg = ''
offset = None
print_file_and_line = None
text = None

Methods inherited from exceptions.Exception:
__getitem__(...)

 
class NestingError(ConfigObjError)
    This error indicates a level of nesting that doesn't match.
 
 
Method resolution order:
NestingError
ConfigObjError
exceptions.SyntaxError
exceptions.StandardError
exceptions.Exception

Methods inherited from ConfigObjError:
__init__(self, message='', line_number=None, line='')

Methods inherited from exceptions.SyntaxError:
__str__(...)

Data and other attributes inherited from exceptions.SyntaxError:
filename = None
lineno = None
msg = ''
offset = None
print_file_and_line = None
text = None

Methods inherited from exceptions.Exception:
__getitem__(...)

 
class ParseError(ConfigObjError)
    This error indicates that a line is badly written.
It is neither a valid ``key = value`` line,
nor a valid section marker line.
 
 
Method resolution order:
ParseError
ConfigObjError
exceptions.SyntaxError
exceptions.StandardError
exceptions.Exception

Methods inherited from ConfigObjError:
__init__(self, message='', line_number=None, line='')

Methods inherited from exceptions.SyntaxError:
__str__(...)

Data and other attributes inherited from exceptions.SyntaxError:
filename = None
lineno = None
msg = ''
offset = None
print_file_and_line = None
text = None

Methods inherited from exceptions.Exception:
__getitem__(...)

 
class RepeatSectionError(ConfigObjError)
    This error indicates additional sections in a section with a
``__many__`` (repeated) section.
 
 
Method resolution order:
RepeatSectionError
ConfigObjError
exceptions.SyntaxError
exceptions.StandardError
exceptions.Exception

Methods inherited from ConfigObjError:
__init__(self, message='', line_number=None, line='')

Methods inherited from exceptions.SyntaxError:
__str__(...)

Data and other attributes inherited from exceptions.SyntaxError:
filename = None
lineno = None
msg = ''
offset = None
print_file_and_line = None
text = None

Methods inherited from exceptions.Exception:
__getitem__(...)

 
class SimpleVal(__builtin__.object)
    A simple validator.
Can be used to check that all members expected are present.
 
To use it, provide a configspec with all your members in (the value given
will be ignored). Pass an instance of ``SimpleVal`` to the ``validate``
method of your ``ConfigObj``. ``validate`` will return ``True`` if all
members are present, or a dictionary with True/False meaning
present/missing. (Whole missing sections will be replaced with ``False``)
 
  Methods defined here:
__init__(self)
check(self, check, member, missing=False)
A dummy check method, always returns the value unchanged.

Data and other attributes defined here:
__dict__ = <dictproxy object>
dictionary for instance variables (if defined)
__weakref__ = <attribute '__weakref__' of 'SimpleVal' objects>
list of weak references to the object (if defined)

 
class UnknownType(exceptions.Exception)
     Methods inherited from exceptions.Exception:
__getitem__(...)
__init__(...)
__str__(...)

 
class UnreprError(ConfigObjError)
    An error parsing in unrepr mode.
 
 
Method resolution order:
UnreprError
ConfigObjError
exceptions.SyntaxError
exceptions.StandardError
exceptions.Exception

Methods inherited from ConfigObjError:
__init__(self, message='', line_number=None, line='')

Methods inherited from exceptions.SyntaxError:
__str__(...)

Data and other attributes inherited from exceptions.SyntaxError:
filename = None
lineno = None
msg = ''
offset = None
print_file_and_line = None
text = None

Methods inherited from exceptions.Exception:
__getitem__(...)

 
Functions
       
flatten_errors(cfg, res, levels=None, results=None)
An example function that will turn a nested dictionary of results
(as returned by ``ConfigObj.validate``) into a flat list.
 
``cfg`` is the ConfigObj instance being checked, ``res`` is the results
dictionary returned by ``validate``.
 
(This is a recursive function, so you shouldn't use the ``levels`` or
``results`` arguments - they are used by the function.
 
Returns a list of keys that failed. Each member of the list is a tuple :
::
 
    ([list of sections...], key, result)
 
If ``validate`` was called with ``preserve_errors=False`` (the default)
then ``result`` will always be ``False``.
 
*list of sections* is a flattened list of sections that the key was found
in.
 
If the section was missing then key will be ``None``.
 
If the value (or section) was missing then ``result`` will be ``False``.
 
If ``validate`` was called with ``preserve_errors=True`` and a value
was present, but failed the check, then ``result`` will be the exception
object returned. You can use this as a string that describes the failure.
 
For example *The value "3" is of the wrong type*.
 
>>> import validate
>>> vtor = validate.Validator()
>>> my_ini = '''
...     option1 = True
...     [section1]
...     option1 = True
...     [section2]
...     another_option = Probably
...     [section3]
...     another_option = True
...     [[section3b]]
...     value = 3
...     value2 = a
...     value3 = 11
...     '''
>>> my_cfg = '''
...     option1 = boolean()
...     option2 = boolean()
...     option3 = boolean(default=Bad_value)
...     [section1]
...     option1 = boolean()
...     option2 = boolean()
...     option3 = boolean(default=Bad_value)
...     [section2]
...     another_option = boolean()
...     [section3]
...     another_option = boolean()
...     [[section3b]]
...     value = integer
...     value2 = integer
...     value3 = integer(0, 10)
...         [[[section3b-sub]]]
...         value = string
...     [section4]
...     another_option = boolean()
...     '''
>>> cs = my_cfg.split('\n')
>>> ini = my_ini.split('\n')
>>> cfg = ConfigObj(ini, configspec=cs)
>>> res = cfg.validate(vtor, preserve_errors=True)
>>> errors = []
>>> for entry in flatten_errors(cfg, res):
...     section_list, key, error = entry
...     section_list.insert(0, '[root]')
...     if key is not None:
...        section_list.append(key)
...     else:
...         section_list.append('[missing]')
...     section_string = ', '.join(section_list)
...     errors.append((section_string, ' = ', error))
>>> errors.sort()
>>> for entry in errors:
...     print entry[0], entry[1], (entry[2] or 0)
[root], option2  =  0
[root], option3  =  the value "Bad_value" is of the wrong type.
[root], section1, option2  =  0
[root], section1, option3  =  the value "Bad_value" is of the wrong type.
[root], section2, another_option  =  the value "Probably" is of the wrong type.
[root], section3, section3b, section3b-sub, [missing]  =  0
[root], section3, section3b, value2  =  the value "a" is of the wrong type.
[root], section3, section3b, value3  =  the value "11" is too big.
[root], section4, [missing]  =  0

 
Data
        DEFAULT_INDENT_TYPE = ' '
MAX_INTERPOL_DEPTH = 10
NUM_INDENT_SPACES = 4
__all__ = ('__version__', 'DEFAULT_INDENT_TYPE', 'NUM_INDENT_SPACES', 'MAX_INTERPOL_DEPTH', 'ConfigObjError', 'NestingError', 'ParseError', 'DuplicateError', 'ConfigspecError', 'ConfigObj', 'SimpleVal', 'InterpolationError', 'InterpolationDepthError', 'MissingInterpolationOption', 'RepeatSectionError', 'UnreprError', 'UnknownType', '__docformat__', 'flatten_errors')
__docformat__ = 'restructuredtext en'
__license__ = '# ##############################################...############################################## #\n'
__revision__ = '$Id: configobj.py 156 2006-01-31 14:57:08Z fuzzyman $'
__version__ = '4.3.2'