-
Notifications
You must be signed in to change notification settings - Fork 7
/
Copy pathPlugIn.py
190 lines (145 loc) · 6.68 KB
/
PlugIn.py
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
import os
import sys
from MiscUtils.PropertiesObject import PropertiesObject
class PlugInError(Exception):
"""Plug-in error."""
class PlugIn:
"""Template for Webware Plug-ins.
A plug-in is a software component that is loaded by Webware in order to
provide additional Webware functionality without necessarily having to
modify Webware's source. The most infamous plug-in is PSP (Python Server
Pages) which ships with Webware.
Plug-ins often provide additional servlet factories, servlet subclasses,
examples and documentation. Ultimately, it is the plug-in author's choice
as to what to provide and in what manner.
Instances of this class represent plug-ins which are ultimately Python
packages.
A plug-in must also be a Webware component which means that it will have
a Properties.py file advertising its name, version, requirements, etc.
You can ask a plug-in for its properties().
The plug-in/package must have an __init__.py which must contain the
following function::
def installInWebware(application):
...
This function is invoked to take whatever actions are needed to plug the
new component into Webware. See PSP for an example.
If you ask an Application for its plugIns(), you will get a list of
instances of this class.
The path of the plug-in is added to sys.path, if it's not already there.
This is convenient, but we may need a more sophisticated solution in the
future to avoid name collisions between plug-ins.
Note that this class is hardly ever subclassed. The software in the
plug-in package is what provides new functionality and there is currently
no way to tell the Application to use custom subclasses of this class on a
case-by-case basis (and so far there is currently no need).
Instructions for invoking::
# 'self' is typically Application. It gets passed to installInWebware()
p = PlugIn(self, 'Foo', '../Foo')
willNotLoadReason = plugIn.load()
if willNotLoadReason:
print(f'Plug-in {path} cannot be loaded because:')
print(willNotLoadReason)
return None
p.install()
# Note that load() and install() could raise exceptions.
# You should expect this.
"""
# region Init, load and install
def __init__(self, application, name, module):
"""Initializes the plug-in with basic information.
This lightweight constructor does not access the file system.
"""
self._app = application
self._name = name
self._module = module
self._path = module.__path__[0]
try:
self._builtin = module.__package__ == f'webware.{name}'
except AttributeError:
self._builtin = False
self._dir = os.path.dirname(self._path)
self._cacheDir = os.path.join(self._app._cacheDir, self._name)
self._examplePages = self._examplePagesContext = None
def load(self, verbose=True):
"""Loads the plug-in into memory, but does not yet install it.
Will return None on success, otherwise a message (string) that says
why the plug-in could not be loaded.
"""
if verbose:
print(f'Loading plug-in: {self._name} at {self._path}')
# Grab the Properties.py
self._properties = PropertiesObject(
self.serverSidePath('Properties.py'))
if self._builtin and 'version' not in self._properties:
self._properties['version'] = self._app._webwareVersion
self._properties['versionString'] = self._app._webwareVersionString
if not self._properties['willRun']:
return self._properties['willNotRunReason']
# Update sys.path
if self._dir not in sys.path:
sys.path.append(self._dir)
# Inspect it and verify some required conventions
if not hasattr(self._module, 'installInWebware'):
raise PlugInError(
f"Plug-in '{self._name!r}' in {self._dir!r}"
" has no installInWebware() function.")
# Give the module a pointer back to us
setattr(self._module, 'plugIn', self)
# Make a subdirectory for it in the Cache directory:
if not os.path.exists(self._cacheDir):
os.mkdir(self._cacheDir)
self.setUpExamplePages()
def setUpExamplePages(self):
"""Add a context for the examples."""
if self._app.hasContext('Examples'):
config = self._properties.get('webwareConfig', {})
self._examplePages = config.get('examplePages') or None
if self.hasExamplePages():
examplesPath = self.serverSidePath('Examples')
if not os.path.exists(examplesPath):
raise PlugInError(
f'Plug-in {self._name!r} says it has example pages, '
'but there is no Examples/ subdir.')
if os.path.exists(os.path.join(examplesPath, '__init__.py')):
ctxName = self._name + '/Examples'
if not self._app.hasContext(ctxName):
self._app.addContext(ctxName, examplesPath)
self._examplePagesContext = ctxName
else:
raise PlugInError(
'Cannot create Examples context for'
f' plug-in {self._name!r} (no __init__.py found).')
def examplePages(self):
return self._examplePages
def hasExamplePages(self):
return self._examplePages is not None
def examplePagesContext(self):
return self._examplePagesContext
def install(self):
"""Install plug-in by invoking its installInWebware() function."""
self._module.installInWebware(self._app)
# endregion Init, load and install
# region Access
def name(self):
"""Return the name of the plug-in. Example: 'Foo'"""
return self._name
def directory(self):
"""Return the directory in which the plug-in resides. Example: '..'"""
return self._dir
def path(self):
"""Return the full path of the plug-in. Example: '../Foo'"""
return self._path
def serverSidePath(self, path=None):
if path:
return os.path.normpath(os.path.join(self._path, path))
return self._path
def module(self):
"""Return the Python module object of the plug-in."""
return self._module
def properties(self):
"""Return the properties.
This is a dictionary-like object, of the plug-in which comes
from its Properties.py file. See MiscUtils.PropertiesObject.py.
"""
return self._properties
# endregion Access