| 12
 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
 
 | """ A Python based configuration file with hierarchical sections. """
class PyConfigFile(dict):
    """ A Python based configuration file with hierarchical sections. """
    ###########################################################################
    # 'object' interface.
    ###########################################################################
    def __init__(self, file_or_filename=None):
        """ Constructor.
        If 'file_or_filename' is specified it will be loaded immediately. It
        can be either:-
        a) a filename
        b) a file-like object that must be open for reading
        """
        # A dictionary containing one namespace instance for each root of the
        # config hierarchy (see the '_Namespace' class for more details).
        #
        # e.g. If the following sections have been loaded:-
        #
        # [acme.foo]
        # ...
        # [acme.bar]
        # ...
        # [tds]
        # ...
        # [tds.baz]
        # ...
        #
        # Then the dictionary will contain:-
        #
        # {'acme' : <A _Namespace instance>, 'tds' : <A _Namespace instance>}
        #
        self._namespaces = {}
        if file_or_filename is not None:
            self.load(file_or_filename)
        return
    ###########################################################################
    # 'PyConfigFile' interface.
    ###########################################################################
    def load(self, file_or_filename):
        """ Load the configuration from a file.
        'file_or_filename' can be either:-
        a) a filename
        b) a file-like object that must be open for reading
        """
        # Get an open file to read from.
        f = self._get_file(file_or_filename)
        section_name = None
        for line in f:
            stripped = line.strip()
            # Is this line a section header?
            #
            # If so then parse the preceding section (if there is one) and
            # start collecting the body of the new section.
            if stripped.startswith('[') and stripped.endswith(']'):
                if section_name is not None:
                    self._parse_section(section_name, section_body)
                section_name = stripped[1:-1]
                section_body = ''
            # Otherwise, this is *not* a section header so add the line to the
            # body of the current section. If there is no current section then
            # we simply ignore it!
            else:
                if section_name is not None:
                    section_body += line
        # Parse the last section in the file.
        if section_name is not None:
            self._parse_section(section_name, section_body)
        f.close()
        return
    def save(self, file_or_filename):
        """ Save the configuration to a file.
        'file_or_filename' can be either:-
        a) a filename
        b) a file-like object that must be open for writing
        """
        f = self._get_file(file_or_filename, 'w')
        for section_name, section_data in self.items():
            self._write_section(f, section_name, section_data)
        f.close()
        return
    ###########################################################################
    # Private interface.
    ###########################################################################
    def _get_file(self, file_or_filename, mode='r'):
        """ Return an open file object from a file or a filename.
        The mode is only used if a filename is specified.
        """
        if isinstance(file_or_filename, basestring):
            f = open(file_or_filename, mode)
        else:
            f = file_or_filename
        return f
    def _get_namespace(self, section_name):
        """ Return the namespace that represents the section. """
        components = section_name.split('.')
        namespace = self._namespaces.setdefault(components[0], _Namespace())
        for component in components[1:]:
            namespace = getattr(namespace, component)
        return namespace
    def _parse_section(self, section_name, section_body):
        """ Parse a section.
        In this implementation, we don't actually 'parse' anything - we just
        execute the body of the section as Python code ;^)
        """
        # If this is the first time that we have come across the section then
        # start with an empty dictionary for its contents. Otherwise, we will
        # update its existing contents.
        section = self.setdefault(section_name, {})
        # Execute the Python code in the section dictionary.
        #
        # We use 'self._namespaces' as the globals for the code execution so
        # that config values can refer to other config values using familiar
        # Python syntax (see the '_Namespace' class for more details).
        #
        # e.g.
        #
        # [acme.foo]
        # bar = 1
        # baz = 99
        #
        # [acme.blargle]
        # blitzel = acme.foo.bar + acme.foo.baz
        exec section_body in self._namespaces, section
        # The '__builtins__' dictionary gets added to 'self._namespaces' as
        # by the call to 'exec'. However, we want 'self._namespaces' to only
        # contain '_Namespace' instances, so we do the cleanup here.
        del self._namespaces['__builtins__']
        # Get the section's corresponding node in the 'dotted' namespace and
        # update it with the config values.
        namespace = self._get_namespace(section_name)
        namespace.__dict__.update(section)
        return
    def _write_section(self, f, section_name, section_data):
        """ Write a section to a file. """
        f.write('[%s]\n' % section_name)
        for name, value in section_data.items():
            f.write('%s = %s\n' % (name, repr(value)))
        f.write('\n')
        return
    ###########################################################################
    # Debugging interface.
    ###########################################################################
    def _pretty_print_namespaces(self):
        """ Pretty print the 'dotted' namespaces. """
        for name, value in self._namespaces.items():
            print 'Namespace:', name
            value.pretty_print('  ')
        return
###############################################################################
# Internal use only.
###############################################################################
class _Namespace(object):
    """ An object that represents a node in a dotted namespace.
    We build up a dotted namespace so that config values can refer to other
    config values using familiar Python syntax.
    e.g.
    [acme.foo]
    bar = 1
    baz = 99
    [acme.blargle]
    blitzel = acme.foo.bar + acme.foo.baz
    """
    ###########################################################################
    # 'object' interface.
    ###########################################################################
    def __getattr__(self, name):
        """ Return the attribute with the specified name. """
        # This looks a little weird, but we are simply creating the next level
        # in the namespace hierarchy 'on-demand'.
        namespace = self.__dict__[name] = _Namespace()
        return namespace
    ###########################################################################
    # Debugging interface.
    ###########################################################################
    def pretty_print(self, indent=''):
        """ Pretty print the namespace. """
        for name, value in self.__dict__.items():
            if isinstance(value, _Namespace):
                print indent, 'Namespace:', name
                value.pretty_print(indent + '  ')
            else:
                print indent, name, ':', value
        return
#### EOF ######################################################################
 |