summaryrefslogtreecommitdiff
path: root/trunk/dimbola/pluginmgr.py
blob: e10be85ddbdf0b9a2ba7af249f8a28488c4c7759 (plain)
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
# Copyright (C) 2009  Lars Wirzenius <liw@liw.fi>
# 
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
# 
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
# GNU General Public License for more details.
# 
# You should have received a copy of the GNU General Public License
# along with this program.  If not, see <http://www.gnu.org/licenses/>.


'''A generic plugin manager.

The plugin manager finds files with plugins and loads them. It looks
for plugins in a number of locations specified by the caller. To add
a plugin to be loaded, it is enough to put it in one of the locations,
and name it *_plugin.py. (The naming convention is to allow having
other modules as well, such as unit tests, in the same locations.)

'''


import imp
import inspect
import os


class Plugin(object):

    '''Base class for plugins.
    
    A plugin MUST NOT have any side effects when it is instantiated.
    This is necessary so that it can be safely loaded by unit tests,
    and so that a user interface can allow the user to disable it,
    even if it is installed, with no ill effects. Any side effects
    that would normally happen should occur in the enable() method,
    and be undone by the disable() method. These methods must be
    callable any number of times.
    
    The subclass MAY define the following attributes:
    
    * name
    * description
    * version
    * required_application_version
    
    name is the user-visible identifier for the plugin. It defaults
    to the plugin's classname.
    
    description is the user-visible description of the plugin. It may
    be arbitrarily long, and can use pango markup language. Defaults
    to the empty string.
    
    version is the plugin version. Defaults to '0.0.0'. It MUST be a
    sequence of integers separated by periods. If several plugins with
    the same name are found, the newest version is used. Versions are
    compared integer by integer, starting with the first one, and a 
    missing integer treated as a zero. If two plugins have the same 
    version, either might be used.
    
    required_application_version gives the version of the minimal 
    application version the plugin is written for. The first integer
    must match exactly: if the application is version 2.3.4, the
    plugin's required_application_version must be at least 2 and
    at most 2.3.4 to be loaded. Defaults to 0.
    
    '''
    
    @property
    def name(self):
        return self.__class__.__name__
        
    @property
    def description(self):
        return ''
        
    @property
    def version(self):
        return '0.0.0'
        
    @property
    def required_application_version(self):
        return '0.0.0'
    
    def enable(self):
        '''Enable the plugin.'''
        raise Exception('Unimplemented')
    
    def disable(self):
        '''Disable the plugin.'''
        raise Exception('Unimplemented')
        
    def enable_signal(self, obj, signal_name, callback):
        '''Connect to a GObject signal.
        
        This will remember the id so that disable_signals may do its stuff.
        
        '''
        
        if not hasattr(self, 'gobject_connect_ids'):
            self.gobject_connect_ids = list()
        conn_id = obj.connect(signal_name, callback)
        self.gobject_connect_ids.append((obj, conn_id))
        
    def disable_signals(self):
        '''Disable all signals enabled with enable_signal.'''
        if hasattr(self, 'gobject_connect_ids'):
            for obj, conn_id in self.gobject_connect_ids:
                obj.disconnect(conn_id)
            del self.gobject_connect_ids[:]
        


class PluginManager(object):

    '''Manage plugins.
    
    This class finds and loads plugins, and keeps a list of them that
    can be accessed in various ways.
    
    The locations are set via the locations attribute, which is a list.
    
    When a plugin is loaded, an instance of its class is created. This
    instance is initialized using normal and keyword arguments specified
    in the plugin manager attributes plugin_arguments and 
    plugin_keyword_arguments.
    
    The version of the application using the plugin manager is set via
    the application_version attribute. This defaults to '0.0.0'.
    
    '''
    
    suffix = '_plugin.py'

    def __init__(self):
        self.locations = []
        self._plugins = None
        self._plugin_files = None
        self.plugin_arguments = []
        self.plugin_keyword_arguments = {}
        self.application_version = '0.0.0'

    @property
    def plugin_files(self):
        if self._plugin_files is None:
            self._plugin_files = self.find_plugin_files()
        return self._plugin_files

    @property
    def plugins(self):
        if self._plugins is None:
            self._plugins = self.load_plugins()
        return self._plugins

    def __getitem__(self, name):
        for plugin in self.plugins:
            if plugin.name == name:
                return plugin
        raise KeyError('Plugin %s is not known' % name)

    def find_plugin_files(self):
        '''Find files that may contain plugins.
        
        This finds all files named *_plugin.py in all locations.
        The returned list is sorted.
        
        '''
        
        pathnames = []
        
        for location in self.locations:
            try:
                basenames = os.listdir(location)
            except os.error:
                continue
            for basename in basenames:
                s = os.path.join(location, basename)
                if s.endswith(self.suffix) and os.path.exists(s):
                    pathnames.append(s)
        
        return sorted(pathnames)

    def load_plugins(self):
        '''Load plugins from all plugin files.'''
        
        plugins = dict()
        
        for pathname in self.plugin_files:
            for plugin in self.load_plugin_file(pathname):
                if plugin.name in plugins:
                    p = plugins[plugin.name]
                    if self.is_older(p.version, plugin.version):
                        plugins[plugin.name] = plugin
                else:
                    plugins[plugin.name] = plugin

        return plugins.values()

    def is_older(self, version1, version2):
        '''Is version1 older than version2?'''
        return self.parse_version(version1) < self.parse_version(version2)

    def load_plugin_file(self, pathname):
        '''Return plugin classes in a plugin file.'''

        name, ext = os.path.splitext(os.path.basename(pathname))
        f = file(pathname, 'r')
        module = imp.load_module(name, f, pathname, 
                                 ('.py', 'r', imp.PY_SOURCE))
        f.close()
        
        plugins = []
        for dummy, member in inspect.getmembers(module, inspect.isclass):
            if issubclass(member, Plugin):
                p = member(*self.plugin_arguments,
                           **self.plugin_keyword_arguments)
                if self.compatible_version(p.required_application_version):
                    plugins.append(p)
        
        return plugins

    def compatible_version(self, required_application_version):
        '''Check that the plugin is version-compatible with the application.
        
        This checks the plugin's required_application_version against
        the declared application version and returns True if they are
        compatible, and False if not.
        
        '''

        req = self.parse_version(required_application_version)
        app = self.parse_version(self.application_version)
        
        return app[0] == req[0] and app >= req

    def parse_version(self, version):
        '''Parse a string represenation of a version into list of ints.'''
        
        return [int(s) for s in version.split('.')]