]>
git.saurik.com Git - wxWidgets.git/blob - wxPython/wxversion/wxversion.py
1 #----------------------------------------------------------------------
3 # Purpose: Allows a wxPython program to search for alternate
4 # installations of the wxPython packages and modify sys.path
5 # so they will be found when "import wx" is done.
9 # Created: 24-Sept-2004
11 # Copyright: (c) 2004 by Total Control Software
12 # Licence: wxWindows license
13 #----------------------------------------------------------------------
16 If you have more than one version of wxPython installed this module
17 allows your application to choose which version of wxPython will be
18 imported when it does 'import wx'. You use it like this::
21 wxversion.select('2.4')
24 Or additional build options can also be selected, like this::
27 wxversion.select('2.5.3-unicode')
30 Of course the default wxPython version can also be controlled by
31 setting PYTHONPATH or by editing the wx.pth path configuration file,
32 but using wxversion will allow an application to manage the version
33 selection itself rather than depend on the user to setup the
34 environment correctly.
36 It works by searching the sys.path for directories matching wx-* and
37 then comparing them to what was passed to the select function. If a
38 match is found then that path is inserted into sys.path.
40 NOTE: If you are making a 'bundle' of your application with a tool
41 like py2exe then you should *not* use the wxversion module since it
42 looks at the filesystem for the directories on sys.path, it will fail
43 in a bundled environment. Instead you should simply ensure that the
44 version of wxPython that you want is found by default on the sys.path
45 when making the bundled version by setting PYTHONPATH. Then that
46 version will be included in your bundle and your app will work as
47 expected. Py2exe and the others usually have a way to tell at runtime
48 if they are running from a bundle or running raw, so you can check
49 that and only use wxversion if needed. For example, for py2exe::
51 if not hasattr(sys, 'frozen'):
53 wxversion.select('2.5')
56 More documentation on wxversion and multi-version installs can be
57 found at: http://wiki.wxpython.org/index.cgi/MultiVersionInstalls
61 import sys
, os
, glob
, fnmatch
65 class VersionError(Exception):
68 #----------------------------------------------------------------------
72 Search for a wxPython installation that matches version. If one
73 is found then sys.path is modified so that version will be
74 imported with a 'import wx', otherwise a VersionError exception is
75 raised. This funciton should only be caled once at the begining
76 of the application before wxPython is imported.
78 :param version: Specifies the version to look for, it can
79 either be a string or a list of strings. Each
80 string is compared to the installed wxPythons
81 and the best match is inserted into the
82 sys.path, allowing an 'import wx' to find that
85 The version string is composed of the dotted
86 version number (at least 2 of the 4 components)
87 optionally followed by hyphen ('-') separated
88 options (wx port, unicode/ansi, flavour, etc.) A
89 match is determined by how much of the installed
90 version matches what is given in the version
91 parameter. If the version number components don't
92 match then the score is zero, otherwise the score
93 is increased for every specified optional component
94 that is specified and that matches.
96 if type(versions
) == str:
100 if _selected
is not None:
101 # A version was previously selected, ensure that it matches
104 if _selected
.Score(_wxPackageInfo(ver
)) > 0:
106 # otherwise, raise an exception
107 raise VersionError("A previously selected wx version does not match the new request.")
109 # If we get here then this is the first time wxversion is used,
110 # ensure that wxPython hasn't been imported yet.
111 if sys
.modules
.has_key('wx') or sys
.modules
.has_key('wxPython'):
112 raise VersionError("wxversion.select() must be called before wxPython is imported")
114 # Look for a matching version and manipulate the sys.path as
115 # needed to allow it to be imported.
116 installed
= _find_installed(True)
117 bestMatch
= _get_best_match(installed
, versions
)
119 if bestMatch
is None:
120 raise VersionError("Requested version of wxPython not found")
122 sys
.path
.insert(0, bestMatch
.pathname
)
123 _selected
= bestMatch
125 #----------------------------------------------------------------------
128 def ensureMinimal(minVersion
):
130 Checks to see if the default version of wxPython is greater-than
131 or equal to `minVersion`. If not then it will try to find an
132 installed version that is >= minVersion. If none are available
133 then a message is displayed that will inform the user and will
134 offer to open their web browser to the wxPython downloads page,
135 and will then exit the application.
137 assert type(minVersion
) == str
139 # ensure that wxPython hasn't been imported yet.
140 if sys
.modules
.has_key('wx') or sys
.modules
.has_key('wxPython'):
141 raise VersionError("wxversion.ensureMinimal() must be called before wxPython is imported")
144 minv
= _wxPackageInfo(minVersion
)
145 defaultPath
= _find_default()
147 defv
= _wxPackageInfo(defaultPath
, True)
151 if bestMatch
is None:
152 installed
= _find_installed()
154 # The list is in reverse sorted order, so if the first one is
155 # big enough then choose it
156 if installed
[0] >= minv
:
157 bestMatch
= installed
[0]
159 if bestMatch
is None:
160 import wx
, webbrowser
161 versions
= "\n".join([" "+ver
for ver
in getInstalled()])
162 app
= wx
.PySimpleApp()
163 result
= wx
.MessageBox("This application requires a version of wxPython "
164 "greater than or equal to %s, but a matching version "
166 "You currently have these version(s) installed:\n%s\n\n"
167 "Would you like to download a new version of wxPython?\n"
168 % (minVersion
, versions
),
169 "wxPython Upgrade Needed", style
=wx
.YES_NO
)
171 webbrowser
.open("http://sourceforge.net/project/showfiles.php?group_id=10718")
175 sys
.path
.insert(0, bestMatch
.pathname
)
176 _selected
= bestMatch
179 #----------------------------------------------------------------------
181 def checkInstalled(versions
):
183 Check if there is a version of wxPython installed that matches one
184 of the versions given. Returns True if so, False if not. This
185 can be used to determine if calling `select` will succeed or not.
187 :param version: Same as in `select`, either a string or a list
188 of strings specifying the version(s) to check
192 if type(versions
) == str:
193 versions
= [versions
]
194 installed
= _find_installed()
195 bestMatch
= _get_best_match(installed
, versions
)
196 return bestMatch
is not None
198 #----------------------------------------------------------------------
202 Returns a list of strings representing the installed wxPython
203 versions that are found on the system.
205 installed
= _find_installed()
206 return [os
.path
.basename(p
.pathname
)[3:] for p
in installed
]
210 #----------------------------------------------------------------------
213 def _get_best_match(installed
, versions
):
216 for pkg
in installed
:
218 score
= pkg
.Score(_wxPackageInfo(ver
))
219 if score
> bestScore
:
225 _pattern
= "wx-[0-9].*"
226 def _find_installed(removeExisting
=False):
231 # empty means to look in the current dir
235 # skip it if it's not a package dir
236 if not os
.path
.isdir(pth
):
239 base
= os
.path
.basename(pth
)
241 # if it's a wx path that's already in the sys.path then mark
242 # it for removal and then skip it
243 if fnmatch
.fnmatchcase(base
, _pattern
):
247 # now look in the dir for matching subdirs
248 for name
in glob
.glob(os
.path
.join(pth
, _pattern
)):
249 # make sure it's a directory
250 if not os
.path
.isdir(name
):
252 # and has a wx subdir
253 if not os
.path
.exists(os
.path
.join(name
, 'wx')):
255 installed
.append(_wxPackageInfo(name
, True))
259 del sys
.path
[sys
.path
.index(rem
)]
266 # Scan the sys.path looking for either a directory matching _pattern,
270 # empty means to look in the current dir
274 # skip it if it's not a package dir
275 if not os
.path
.isdir(pth
):
278 # does it match the pattern?
279 base
= os
.path
.basename(pth
)
280 if fnmatch
.fnmatchcase(base
, _pattern
):
286 if not os
.path
.isdir(pth
):
288 if os
.path
.exists(os
.path
.join(pth
, 'wx.pth')):
289 base
= open(os
.path
.join(pth
, 'wx.pth')).read()
290 return os
.path
.join(pth
, base
)
295 class _wxPackageInfo(object):
296 def __init__(self
, pathname
, stripFirst
=False):
297 self
.pathname
= pathname
298 base
= os
.path
.basename(pathname
)
299 segments
= base
.split('-')
301 segments
= segments
[1:]
302 self
.version
= tuple([int(x
) for x
in segments
[0].split('.')])
303 self
.options
= segments
[1:]
306 def Score(self
, other
):
309 # whatever number of version components given in other must
311 minlen
= min(len(self
.version
), len(other
.version
))
312 if self
.version
[:minlen
] != other
.version
[:minlen
]:
316 for opt
in other
.options
:
317 if opt
in self
.options
:
323 def __lt__(self
, other
):
324 return self
.version
< other
.version
or \
325 (self
.version
== other
.version
and self
.options
< other
.options
)
326 def __le__(self
, other
):
327 return self
.version
<= other
.version
or \
328 (self
.version
== other
.version
and self
.options
<= other
.options
)
330 def __gt__(self
, other
):
331 return self
.version
> other
.version
or \
332 (self
.version
== other
.version
and self
.options
> other
.options
)
333 def __ge__(self
, other
):
334 return self
.version
>= other
.version
or \
335 (self
.version
== other
.version
and self
.options
>= other
.options
)
337 def __eq__(self
, other
):
338 return self
.version
== other
.version
and self
.options
== other
.options
342 #----------------------------------------------------------------------
344 if __name__
== '__main__':
347 #ensureMinimal('2.5')
348 #pprint.pprint(sys.path)
354 savepath
= sys
.path
[:]
358 print "Asked for %s:\t got: %s" % (version
, sys
.path
[0])
359 pprint
.pprint(sys
.path
)
363 sys
.path
= savepath
[:]
368 # make some test dirs
371 'wx-2.5.2.9-gtk2-unicode',
372 'wx-2.5.2.9-gtk-ansi',
374 'wx-2.5.2.8-gtk2-unicode',
377 d
= os
.path
.join('/tmp', name
)
379 os
.mkdir(os
.path
.join(d
, 'wx'))
381 # setup sys.path to see those dirs
382 sys
.path
.append('/tmp')
386 pprint
.pprint( getInstalled())
387 print checkInstalled("2.4")
388 print checkInstalled("2.5-unicode")
389 print checkInstalled("2.99-bogus")
390 print "Current sys.path:"
391 pprint
.pprint(sys
.path
)
401 # There isn't a unicode match for this one, but it will give the best
402 # available 2.4. Should it give an error instead? I don't think so...
405 # Try asking for multiple versions
406 test(["2.6", "2.5.3", "2.5.2-gtk2"])
409 # expecting an error on this one
411 except VersionError
, e
:
412 print "Asked for 2.6:\t got Exception:", e
414 # check for exception when incompatible versions are requested
418 except VersionError
, e
:
419 print "Asked for incompatible versions, got Exception:", e
423 d
= os
.path
.join('/tmp', name
)
424 os
.rmdir(os
.path
.join(d
, 'wx'))