]>
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 require 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 filesystem for the directories on sys.path, it will fail in a
43 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')
58 import sys
, os
, glob
, fnmatch
62 class VersionError(Exception):
65 #----------------------------------------------------------------------
69 Search for a wxPython installation that matches version. If one
70 is found then sys.path is modified so that version will be
71 imported with a 'import wx', otherwise a VersionError exception is
72 raised. This funciton should only be caled once at the begining
73 of the application before wxPython is imported.
75 :param version: Specifies the version to look for, it can
76 either be a string or a list of strings. Each
77 string is compared to the installed wxPythons
78 and the best match is inserted into the
79 sys.path, allowing an 'import wx' to find that
82 The version string is composed of the dotted
83 version number (at least 2 of the 4 components)
84 optionally followed by hyphen ('-') separated
85 options (wx port, unicode/ansi, flavour, etc.) A
86 match is determined by how much of the installed
87 version matches what is given in the version
88 parameter. If the version number components don't
89 match then the score is zero, otherwise the score
90 is increased for every specified optional component
91 that is specified and that matches.
93 if type(versions
) == str:
97 if _selected
is not None:
98 # A version was previously selected, ensure that it matches
101 if _selected
.Score(_wxPackageInfo(ver
)) > 0:
103 # otherwise, raise an exception
104 raise VersionError("A previously selected wx version does not match the new request.")
106 # If we get here then this is the first time wxversion is used.
107 # Ensure that wxPython hasn't been imported yet.
108 if sys
.modules
.has_key('wx') or sys
.modules
.has_key('wxPython'):
109 raise VersionError("wxversion.require() must be called before wxPython is imported")
111 # Look for a matching version and manipulate the sys.path as
112 # needed to allow it to be imported.
113 packages
= _find_installed(True)
114 bestMatch
= _get_best_match(packages
, versions
)
116 if bestMatch
is None:
117 raise VersionError("Requested version of wxPython not found")
119 sys
.path
.insert(0, bestMatch
.pathname
)
120 _selected
= bestMatch
122 #----------------------------------------------------------------------
124 def checkInstalled(versions
):
126 Check if there is a version of wxPython installed that matches one
127 of the versions given. Returns True if so, False if not. This
128 can be used to determine if calling `select` will succeed or not.
130 :param version: Same as in `select`, either a string or a list
131 of strings specifying the version(s) to check
135 if type(versions
) == str:
136 versions
= [versions
]
137 packages
= _find_installed()
138 bestMatch
= _get_best_match(packages
, versions
)
139 return bestMatch
is not None
141 #----------------------------------------------------------------------
145 Returns a list of strings representing the installed wxPython
146 versions that are found on the system.
148 packages
= _find_installed()
149 return [os
.path
.basename(p
.pathname
)[3:] for p
in packages
]
153 #----------------------------------------------------------------------
156 def _get_best_match(packages
, versions
):
161 score
= pkg
.Score(_wxPackageInfo(ver
))
162 if score
> bestScore
:
168 _pattern
= "wx-[0-9].*"
169 def _find_installed(removeExisting
=False):
174 # empty means to look in the current dir
178 # skip it if it's not a package dir
179 if not os
.path
.isdir(pth
):
182 base
= os
.path
.basename(pth
)
184 # if it's a wx path that's already in the sys.path then mark
185 # it for removal and then skip it
186 if fnmatch
.fnmatchcase(base
, _pattern
):
190 # now look in the dir for matching subdirs
191 for name
in glob
.glob(os
.path
.join(pth
, _pattern
)):
192 # make sure it's a directory
193 if not os
.path
.isdir(name
):
195 # and has a wx subdir
196 if not os
.path
.exists(os
.path
.join(name
, 'wx')):
198 installed
.append(_wxPackageInfo(name
, True))
202 del sys
.path
[sys
.path
.index(rem
)]
209 class _wxPackageInfo(object):
210 def __init__(self
, pathname
, stripFirst
=False):
211 self
.pathname
= pathname
212 base
= os
.path
.basename(pathname
)
213 segments
= base
.split('-')
215 segments
= segments
[1:]
216 self
.version
= tuple([int(x
) for x
in segments
[0].split('.')])
217 self
.options
= segments
[1:]
220 def Score(self
, other
):
223 # whatever version components given in other must match exactly
224 minlen
= min(len(self
.version
), len(other
.version
))
225 if self
.version
[:minlen
] != other
.version
[:minlen
]:
227 score
+= 1 # todo: should it be +=minlen to reward longer matches?
229 for opt
in other
.options
:
230 if opt
in self
.options
:
235 # TODO: factor self.options into the sort order?
236 def __lt__(self
, other
):
237 return self
.version
< other
.version
238 def __gt__(self
, other
):
239 return self
.version
> other
.version
240 def __eq__(self
, other
):
241 return self
.version
== other
.version
245 #----------------------------------------------------------------------
247 if __name__
== '__main__':
251 savepath
= sys
.path
[:]
255 print "Asked for %s:\t got: %s" % (version
, sys
.path
[0])
256 #pprint.pprint(sys.path)
260 sys
.path
= savepath
[:]
265 # make some test dirs
268 'wx-2.5.2.9-gtk2-unicode',
269 'wx-2.5.2.9-gtk-ansi',
271 'wx-2.5.2.8-gtk2-unicode',
274 d
= os
.path
.join('/tmp', name
)
276 os
.mkdir(os
.path
.join(d
, 'wx'))
278 # setup sys.path to see those dirs
279 sys
.path
.append('/tmp')
283 pprint
.pprint( getInstalled())
284 print checkInstalled("2.4")
285 print checkInstalled("2.5-unicode")
286 print checkInstalled("2.99-bogus")
294 # There isn't a unicode match for this one, but it will give the best
295 # available 2.4. Should it give an error instead? I don't think so...
298 # Try asking for multiple versions
299 test(["2.6", "2.5.3", "2.5.2-gtk2"])
302 # expecting an error on this one
304 except VersionError
, e
:
305 print "Asked for 2.6:\t got Exception:", e
307 # check for exception when incompatible versions are requested
311 except VersionError
, e
:
312 print "Asked for incompatible versions, got Exception:", e
316 d
= os
.path
.join('/tmp', name
)
317 os
.rmdir(os
.path
.join(d
, 'wx'))