blob: 5d5d5c0100a9a9263db73b432f423d6e03636803 [file] [log] [blame]
Tarek Ziadé5633a802010-01-23 09:23:15 +00001"""Provide access to Python's configuration information.
2
3"""
4import sys
5import os
Florent Xicluna85677612010-03-10 23:58:42 +00006from os.path import pardir, realpath
Tarek Ziadé5633a802010-01-23 09:23:15 +00007
8_INSTALL_SCHEMES = {
9 'posix_prefix': {
10 'stdlib': '{base}/lib/python{py_version_short}',
11 'platstdlib': '{platbase}/lib/python{py_version_short}',
12 'purelib': '{base}/lib/python{py_version_short}/site-packages',
13 'platlib': '{platbase}/lib/python{py_version_short}/site-packages',
14 'include': '{base}/include/python{py_version_short}',
15 'platinclude': '{platbase}/include/python{py_version_short}',
16 'scripts': '{base}/bin',
17 'data': '{base}',
18 },
19 'posix_home': {
20 'stdlib': '{base}/lib/python',
21 'platstdlib': '{base}/lib/python',
22 'purelib': '{base}/lib/python',
23 'platlib': '{base}/lib/python',
24 'include': '{base}/include/python',
25 'platinclude': '{base}/include/python',
26 'scripts': '{base}/bin',
27 'data' : '{base}',
28 },
29 'nt': {
30 'stdlib': '{base}/Lib',
31 'platstdlib': '{base}/Lib',
32 'purelib': '{base}/Lib/site-packages',
33 'platlib': '{base}/Lib/site-packages',
34 'include': '{base}/Include',
35 'platinclude': '{base}/Include',
36 'scripts': '{base}/Scripts',
37 'data' : '{base}',
38 },
39 'os2': {
40 'stdlib': '{base}/Lib',
41 'platstdlib': '{base}/Lib',
42 'purelib': '{base}/Lib/site-packages',
43 'platlib': '{base}/Lib/site-packages',
44 'include': '{base}/Include',
45 'platinclude': '{base}/Include',
46 'scripts': '{base}/Scripts',
47 'data' : '{base}',
48 },
49 'os2_home': {
Tarek Ziadé8f692272010-05-19 22:20:14 +000050 'stdlib': '{userbase}/lib/python{py_version_short}',
51 'platstdlib': '{userbase}/lib/python{py_version_short}',
52 'purelib': '{userbase}/lib/python{py_version_short}/site-packages',
53 'platlib': '{userbase}/lib/python{py_version_short}/site-packages',
Tarek Ziadé5633a802010-01-23 09:23:15 +000054 'include': '{userbase}/include/python{py_version_short}',
55 'scripts': '{userbase}/bin',
56 'data' : '{userbase}',
57 },
58 'nt_user': {
59 'stdlib': '{userbase}/Python{py_version_nodot}',
60 'platstdlib': '{userbase}/Python{py_version_nodot}',
61 'purelib': '{userbase}/Python{py_version_nodot}/site-packages',
62 'platlib': '{userbase}/Python{py_version_nodot}/site-packages',
63 'include': '{userbase}/Python{py_version_nodot}/Include',
64 'scripts': '{userbase}/Scripts',
65 'data' : '{userbase}',
66 },
67 'posix_user': {
Tarek Ziadé8f692272010-05-19 22:20:14 +000068 'stdlib': '{userbase}/lib/python{py_version_short}',
69 'platstdlib': '{userbase}/lib/python{py_version_short}',
70 'purelib': '{userbase}/lib/python{py_version_short}/site-packages',
71 'platlib': '{userbase}/lib/python{py_version_short}/site-packages',
Tarek Ziadé5633a802010-01-23 09:23:15 +000072 'include': '{userbase}/include/python{py_version_short}',
73 'scripts': '{userbase}/bin',
74 'data' : '{userbase}',
75 },
Ronald Oussoren2f88bfd2010-05-08 10:29:06 +000076 'osx_framework_user': {
77 'stdlib': '{userbase}/lib/python',
78 'platstdlib': '{userbase}/lib/python',
79 'purelib': '{userbase}/lib/python/site-packages',
80 'platlib': '{userbase}/lib/python/site-packages',
81 'include': '{userbase}/include',
82 'scripts': '{userbase}/bin',
83 'data' : '{userbase}',
84 },
Tarek Ziadé5633a802010-01-23 09:23:15 +000085 }
86
87_SCHEME_KEYS = ('stdlib', 'platstdlib', 'purelib', 'platlib', 'include',
88 'scripts', 'data')
89_PY_VERSION = sys.version.split()[0]
90_PY_VERSION_SHORT = sys.version[:3]
91_PY_VERSION_SHORT_NO_DOT = _PY_VERSION[0] + _PY_VERSION[2]
92_PREFIX = os.path.normpath(sys.prefix)
93_EXEC_PREFIX = os.path.normpath(sys.exec_prefix)
94_CONFIG_VARS = None
95_USER_BASE = None
Victor Stinnerd2f6ae62010-10-12 22:53:51 +000096
97def _safe_realpath(path):
98 try:
99 return realpath(path)
100 except OSError:
101 return path
102
Victor Stinner4a7e0c852010-03-11 12:34:39 +0000103if sys.executable:
Victor Stinnerd2f6ae62010-10-12 22:53:51 +0000104 _PROJECT_BASE = os.path.dirname(_safe_realpath(sys.executable))
Victor Stinner4a7e0c852010-03-11 12:34:39 +0000105else:
106 # sys.executable can be empty if argv[0] has been changed and Python is
107 # unable to retrieve the real program name
Victor Stinnerd2f6ae62010-10-12 22:53:51 +0000108 _PROJECT_BASE = _safe_realpath(os.getcwd())
Tarek Ziadé5633a802010-01-23 09:23:15 +0000109
110if os.name == "nt" and "pcbuild" in _PROJECT_BASE[-8:].lower():
Victor Stinnerd2f6ae62010-10-12 22:53:51 +0000111 _PROJECT_BASE = _safe_realpath(os.path.join(_PROJECT_BASE, pardir))
Tarek Ziadé5633a802010-01-23 09:23:15 +0000112# PC/VS7.1
113if os.name == "nt" and "\\pc\\v" in _PROJECT_BASE[-10:].lower():
Victor Stinnerd2f6ae62010-10-12 22:53:51 +0000114 _PROJECT_BASE = _safe_realpath(os.path.join(_PROJECT_BASE, pardir, pardir))
Tarek Ziadé5633a802010-01-23 09:23:15 +0000115# PC/AMD64
116if os.name == "nt" and "\\pcbuild\\amd64" in _PROJECT_BASE[-14:].lower():
Victor Stinnerd2f6ae62010-10-12 22:53:51 +0000117 _PROJECT_BASE = _safe_realpath(os.path.join(_PROJECT_BASE, pardir, pardir))
Tarek Ziadé5633a802010-01-23 09:23:15 +0000118
119def is_python_build():
120 for fn in ("Setup.dist", "Setup.local"):
121 if os.path.isfile(os.path.join(_PROJECT_BASE, "Modules", fn)):
122 return True
123 return False
124
125_PYTHON_BUILD = is_python_build()
126
127if _PYTHON_BUILD:
128 for scheme in ('posix_prefix', 'posix_home'):
129 _INSTALL_SCHEMES[scheme]['include'] = '{projectbase}/Include'
130 _INSTALL_SCHEMES[scheme]['platinclude'] = '{srcdir}'
131
132def _subst_vars(s, local_vars):
133 try:
134 return s.format(**local_vars)
135 except KeyError:
136 try:
137 return s.format(**os.environ)
138 except KeyError, var:
139 raise AttributeError('{%s}' % var)
140
141def _extend_dict(target_dict, other_dict):
142 target_keys = target_dict.keys()
143 for key, value in other_dict.items():
144 if key in target_keys:
145 continue
146 target_dict[key] = value
147
148def _expand_vars(scheme, vars):
149 res = {}
150 if vars is None:
151 vars = {}
152 _extend_dict(vars, get_config_vars())
153
154 for key, value in _INSTALL_SCHEMES[scheme].items():
155 if os.name in ('posix', 'nt'):
156 value = os.path.expanduser(value)
157 res[key] = os.path.normpath(_subst_vars(value, vars))
158 return res
159
160def _get_default_scheme():
161 if os.name == 'posix':
162 # the default scheme for posix is posix_prefix
163 return 'posix_prefix'
164 return os.name
165
166def _getuserbase():
167 env_base = os.environ.get("PYTHONUSERBASE", None)
168 def joinuser(*args):
169 return os.path.expanduser(os.path.join(*args))
170
171 # what about 'os2emx', 'riscos' ?
172 if os.name == "nt":
173 base = os.environ.get("APPDATA") or "~"
174 return env_base if env_base else joinuser(base, "Python")
175
Ronald Oussoren2f88bfd2010-05-08 10:29:06 +0000176 if sys.platform == "darwin":
177 framework = get_config_var("PYTHONFRAMEWORK")
178 if framework:
179 return joinuser("~", "Library", framework, "%d.%d"%(
180 sys.version_info[:2]))
181
Tarek Ziadé5633a802010-01-23 09:23:15 +0000182 return env_base if env_base else joinuser("~", ".local")
183
184
185def _parse_makefile(filename, vars=None):
186 """Parse a Makefile-style file.
187
188 A dictionary containing name/value pairs is returned. If an
189 optional dictionary is passed in as the second argument, it is
190 used instead of a new dictionary.
191 """
192 import re
193 # Regexes needed for parsing Makefile (and similar syntaxes,
194 # like old-style Setup files).
195 _variable_rx = re.compile("([a-zA-Z][a-zA-Z0-9_]+)\s*=\s*(.*)")
196 _findvar1_rx = re.compile(r"\$\(([A-Za-z][A-Za-z0-9_]*)\)")
197 _findvar2_rx = re.compile(r"\${([A-Za-z][A-Za-z0-9_]*)}")
198
199 if vars is None:
200 vars = {}
201 done = {}
202 notdone = {}
203
204 with open(filename) as f:
205 lines = f.readlines()
206
207 for line in lines:
208 if line.startswith('#') or line.strip() == '':
209 continue
210 m = _variable_rx.match(line)
211 if m:
212 n, v = m.group(1, 2)
213 v = v.strip()
214 # `$$' is a literal `$' in make
215 tmpv = v.replace('$$', '')
216
217 if "$" in tmpv:
218 notdone[n] = v
219 else:
220 try:
221 v = int(v)
222 except ValueError:
223 # insert literal `$'
224 done[n] = v.replace('$$', '$')
225 else:
226 done[n] = v
227
228 # do variable interpolation here
229 while notdone:
230 for name in notdone.keys():
231 value = notdone[name]
232 m = _findvar1_rx.search(value) or _findvar2_rx.search(value)
233 if m:
234 n = m.group(1)
235 found = True
236 if n in done:
237 item = str(done[n])
238 elif n in notdone:
239 # get it on a subsequent round
240 found = False
241 elif n in os.environ:
242 # do it like make: fall back to environment
243 item = os.environ[n]
244 else:
245 done[n] = item = ""
246 if found:
247 after = value[m.end():]
248 value = value[:m.start()] + item + after
249 if "$" in after:
250 notdone[name] = value
251 else:
252 try: value = int(value)
253 except ValueError:
254 done[name] = value.strip()
255 else:
256 done[name] = value
257 del notdone[name]
258 else:
259 # bogus variable reference; just drop it since we can't deal
260 del notdone[name]
Antoine Pitrou58dab672010-10-10 09:54:59 +0000261 # strip spurious spaces
262 for k, v in done.items():
263 if isinstance(v, str):
264 done[k] = v.strip()
265
Tarek Ziadé5633a802010-01-23 09:23:15 +0000266 # save the results in the global dictionary
267 vars.update(done)
268 return vars
269
Tarek Ziadé5633a802010-01-23 09:23:15 +0000270
271def _get_makefile_filename():
272 if _PYTHON_BUILD:
273 return os.path.join(_PROJECT_BASE, "Makefile")
274 return os.path.join(get_path('stdlib'), "config", "Makefile")
275
Tarek Ziadé5633a802010-01-23 09:23:15 +0000276
277def _init_posix(vars):
278 """Initialize the module as appropriate for POSIX systems."""
279 # load the installed Makefile:
280 makefile = _get_makefile_filename()
281 try:
282 _parse_makefile(makefile, vars)
283 except IOError, e:
284 msg = "invalid Python installation: unable to open %s" % makefile
285 if hasattr(e, "strerror"):
286 msg = msg + " (%s)" % e.strerror
287 raise IOError(msg)
288
289 # load the installed pyconfig.h:
290 config_h = get_config_h_filename()
291 try:
292 parse_config_h(open(config_h), vars)
293 except IOError, e:
294 msg = "invalid Python installation: unable to open %s" % config_h
295 if hasattr(e, "strerror"):
296 msg = msg + " (%s)" % e.strerror
297 raise IOError(msg)
298
299 # On MacOSX we need to check the setting of the environment variable
300 # MACOSX_DEPLOYMENT_TARGET: configure bases some choices on it so
301 # it needs to be compatible.
302 # If it isn't set we set it to the configure-time value
303 if sys.platform == 'darwin' and 'MACOSX_DEPLOYMENT_TARGET' in vars:
304 cfg_target = vars['MACOSX_DEPLOYMENT_TARGET']
305 cur_target = os.getenv('MACOSX_DEPLOYMENT_TARGET', '')
306 if cur_target == '':
307 cur_target = cfg_target
308 os.putenv('MACOSX_DEPLOYMENT_TARGET', cfg_target)
309 elif map(int, cfg_target.split('.')) > map(int, cur_target.split('.')):
310 msg = ('$MACOSX_DEPLOYMENT_TARGET mismatch: now "%s" but "%s" '
311 'during configure' % (cur_target, cfg_target))
312 raise IOError(msg)
313
314 # On AIX, there are wrong paths to the linker scripts in the Makefile
315 # -- these paths are relative to the Python source, but when installed
316 # the scripts are in another directory.
317 if _PYTHON_BUILD:
318 vars['LDSHARED'] = vars['BLDSHARED']
319
320def _init_non_posix(vars):
321 """Initialize the module as appropriate for NT"""
322 # set basic install directories
323 vars['LIBDEST'] = get_path('stdlib')
324 vars['BINLIBDEST'] = get_path('platstdlib')
325 vars['INCLUDEPY'] = get_path('include')
326 vars['SO'] = '.pyd'
327 vars['EXE'] = '.exe'
328 vars['VERSION'] = _PY_VERSION_SHORT_NO_DOT
Victor Stinnerd2f6ae62010-10-12 22:53:51 +0000329 vars['BINDIR'] = os.path.dirname(_safe_realpath(sys.executable))
Tarek Ziadé5633a802010-01-23 09:23:15 +0000330
331#
332# public APIs
333#
334
Tarek Ziadécc118172010-02-02 22:50:23 +0000335
336def parse_config_h(fp, vars=None):
337 """Parse a config.h-style file.
338
339 A dictionary containing name/value pairs is returned. If an
340 optional dictionary is passed in as the second argument, it is
341 used instead of a new dictionary.
342 """
343 import re
344 if vars is None:
345 vars = {}
346 define_rx = re.compile("#define ([A-Z][A-Za-z0-9_]+) (.*)\n")
347 undef_rx = re.compile("/[*] #undef ([A-Z][A-Za-z0-9_]+) [*]/\n")
348
349 while True:
350 line = fp.readline()
351 if not line:
352 break
353 m = define_rx.match(line)
354 if m:
355 n, v = m.group(1, 2)
356 try: v = int(v)
357 except ValueError: pass
358 vars[n] = v
359 else:
360 m = undef_rx.match(line)
361 if m:
362 vars[m.group(1)] = 0
363 return vars
364
365def get_config_h_filename():
366 """Returns the path of pyconfig.h."""
367 if _PYTHON_BUILD:
368 if os.name == "nt":
369 inc_dir = os.path.join(_PROJECT_BASE, "PC")
370 else:
371 inc_dir = _PROJECT_BASE
372 else:
373 inc_dir = get_path('platinclude')
374 return os.path.join(inc_dir, 'pyconfig.h')
375
Tarek Ziadé5633a802010-01-23 09:23:15 +0000376def get_scheme_names():
Tarek Ziadécc118172010-02-02 22:50:23 +0000377 """Returns a tuple containing the schemes names."""
Tarek Ziadée81b0282010-02-02 22:54:28 +0000378 schemes = _INSTALL_SCHEMES.keys()
379 schemes.sort()
380 return tuple(schemes)
Tarek Ziadé5633a802010-01-23 09:23:15 +0000381
382def get_path_names():
Tarek Ziadécc118172010-02-02 22:50:23 +0000383 """Returns a tuple containing the paths names."""
Tarek Ziadé5633a802010-01-23 09:23:15 +0000384 return _SCHEME_KEYS
385
386def get_paths(scheme=_get_default_scheme(), vars=None, expand=True):
387 """Returns a mapping containing an install scheme.
388
389 ``scheme`` is the install scheme name. If not provided, it will
390 return the default scheme for the current platform.
391 """
392 if expand:
393 return _expand_vars(scheme, vars)
394 else:
395 return _INSTALL_SCHEMES[scheme]
396
397def get_path(name, scheme=_get_default_scheme(), vars=None, expand=True):
398 """Returns a path corresponding to the scheme.
399
400 ``scheme`` is the install scheme name.
401 """
402 return get_paths(scheme, vars, expand)[name]
403
404def get_config_vars(*args):
405 """With no arguments, return a dictionary of all configuration
406 variables relevant for the current platform.
407
408 On Unix, this means every variable defined in Python's installed Makefile;
409 On Windows and Mac OS it's a much smaller set.
410
411 With arguments, return a list of values that result from looking up
412 each argument in the configuration variable dictionary.
413 """
414 import re
415 global _CONFIG_VARS
416 if _CONFIG_VARS is None:
417 _CONFIG_VARS = {}
418 # Normalized versions of prefix and exec_prefix are handy to have;
419 # in fact, these are the standard versions used most places in the
420 # Distutils.
421 _CONFIG_VARS['prefix'] = _PREFIX
422 _CONFIG_VARS['exec_prefix'] = _EXEC_PREFIX
423 _CONFIG_VARS['py_version'] = _PY_VERSION
424 _CONFIG_VARS['py_version_short'] = _PY_VERSION_SHORT
425 _CONFIG_VARS['py_version_nodot'] = _PY_VERSION[0] + _PY_VERSION[2]
426 _CONFIG_VARS['base'] = _PREFIX
427 _CONFIG_VARS['platbase'] = _EXEC_PREFIX
Tarek Ziadé5633a802010-01-23 09:23:15 +0000428 _CONFIG_VARS['projectbase'] = _PROJECT_BASE
429
430 if os.name in ('nt', 'os2'):
431 _init_non_posix(_CONFIG_VARS)
432 if os.name == 'posix':
433 _init_posix(_CONFIG_VARS)
434
Ronald Oussoren2f88bfd2010-05-08 10:29:06 +0000435 # Setting 'userbase' is done below the call to the
436 # init function to enable using 'get_config_var' in
437 # the init-function.
438 _CONFIG_VARS['userbase'] = _getuserbase()
439
Tarek Ziadé5633a802010-01-23 09:23:15 +0000440 if 'srcdir' not in _CONFIG_VARS:
441 _CONFIG_VARS['srcdir'] = _PROJECT_BASE
442
443 # Convert srcdir into an absolute path if it appears necessary.
444 # Normally it is relative to the build directory. However, during
445 # testing, for example, we might be running a non-installed python
446 # from a different directory.
447 if _PYTHON_BUILD and os.name == "posix":
448 base = _PROJECT_BASE
Victor Stinnerd2f6ae62010-10-12 22:53:51 +0000449 try:
450 cwd = os.getcwd()
451 except OSError:
452 cwd = None
Tarek Ziadé5633a802010-01-23 09:23:15 +0000453 if (not os.path.isabs(_CONFIG_VARS['srcdir']) and
Victor Stinnerd2f6ae62010-10-12 22:53:51 +0000454 base != cwd):
Tarek Ziadé5633a802010-01-23 09:23:15 +0000455 # srcdir is relative and we are not in the same directory
456 # as the executable. Assume executable is in the build
457 # directory and make srcdir absolute.
458 srcdir = os.path.join(base, _CONFIG_VARS['srcdir'])
459 _CONFIG_VARS['srcdir'] = os.path.normpath(srcdir)
460
461 if sys.platform == 'darwin':
462 kernel_version = os.uname()[2] # Kernel version (8.4.3)
463 major_version = int(kernel_version.split('.')[0])
464
465 if major_version < 8:
466 # On Mac OS X before 10.4, check if -arch and -isysroot
467 # are in CFLAGS or LDFLAGS and remove them if they are.
468 # This is needed when building extensions on a 10.3 system
469 # using a universal build of python.
470 for key in ('LDFLAGS', 'BASECFLAGS',
471 # a number of derived variables. These need to be
472 # patched up as well.
473 'CFLAGS', 'PY_CFLAGS', 'BLDSHARED'):
474 flags = _CONFIG_VARS[key]
475 flags = re.sub('-arch\s+\w+\s', ' ', flags)
476 flags = re.sub('-isysroot [^ \t]*', ' ', flags)
477 _CONFIG_VARS[key] = flags
478 else:
479 # Allow the user to override the architecture flags using
480 # an environment variable.
481 # NOTE: This name was introduced by Apple in OSX 10.5 and
482 # is used by several scripting languages distributed with
483 # that OS release.
484 if 'ARCHFLAGS' in os.environ:
485 arch = os.environ['ARCHFLAGS']
486 for key in ('LDFLAGS', 'BASECFLAGS',
487 # a number of derived variables. These need to be
488 # patched up as well.
489 'CFLAGS', 'PY_CFLAGS', 'BLDSHARED'):
490
491 flags = _CONFIG_VARS[key]
492 flags = re.sub('-arch\s+\w+\s', ' ', flags)
493 flags = flags + ' ' + arch
494 _CONFIG_VARS[key] = flags
495
496 # If we're on OSX 10.5 or later and the user tries to
497 # compiles an extension using an SDK that is not present
498 # on the current machine it is better to not use an SDK
499 # than to fail.
500 #
501 # The major usecase for this is users using a Python.org
502 # binary installer on OSX 10.6: that installer uses
503 # the 10.4u SDK, but that SDK is not installed by default
504 # when you install Xcode.
505 #
506 CFLAGS = _CONFIG_VARS.get('CFLAGS', '')
507 m = re.search('-isysroot\s+(\S+)', CFLAGS)
508 if m is not None:
509 sdk = m.group(1)
510 if not os.path.exists(sdk):
511 for key in ('LDFLAGS', 'BASECFLAGS',
512 # a number of derived variables. These need to be
513 # patched up as well.
514 'CFLAGS', 'PY_CFLAGS', 'BLDSHARED'):
515
516 flags = _CONFIG_VARS[key]
517 flags = re.sub('-isysroot\s+\S+(\s|$)', ' ', flags)
518 _CONFIG_VARS[key] = flags
519
520 if args:
521 vals = []
522 for name in args:
523 vals.append(_CONFIG_VARS.get(name))
524 return vals
525 else:
526 return _CONFIG_VARS
527
528def get_config_var(name):
529 """Return the value of a single variable using the dictionary returned by
530 'get_config_vars()'.
531
532 Equivalent to get_config_vars().get(name)
533 """
534 return get_config_vars().get(name)
535
536def get_platform():
537 """Return a string that identifies the current platform.
538
539 This is used mainly to distinguish platform-specific build directories and
540 platform-specific built distributions. Typically includes the OS name
541 and version and the architecture (as supplied by 'os.uname()'),
542 although the exact information included depends on the OS; eg. for IRIX
543 the architecture isn't particularly important (IRIX only runs on SGI
544 hardware), but for Linux the kernel version isn't particularly
545 important.
546
547 Examples of returned values:
548 linux-i586
549 linux-alpha (?)
550 solaris-2.6-sun4u
551 irix-5.3
552 irix64-6.2
553
554 Windows will return one of:
555 win-amd64 (64bit Windows on AMD64 (aka x86_64, Intel64, EM64T, etc)
556 win-ia64 (64bit Windows on Itanium)
557 win32 (all others - specifically, sys.platform is returned)
558
559 For other non-POSIX platforms, currently just returns 'sys.platform'.
560 """
561 import re
562 if os.name == 'nt':
563 # sniff sys.version for architecture.
564 prefix = " bit ("
565 i = sys.version.find(prefix)
566 if i == -1:
567 return sys.platform
568 j = sys.version.find(")", i)
569 look = sys.version[i+len(prefix):j].lower()
570 if look == 'amd64':
571 return 'win-amd64'
572 if look == 'itanium':
573 return 'win-ia64'
574 return sys.platform
575
576 if os.name != "posix" or not hasattr(os, 'uname'):
577 # XXX what about the architecture? NT is Intel or Alpha,
578 # Mac OS is M68k or PPC, etc.
579 return sys.platform
580
581 # Try to distinguish various flavours of Unix
582 osname, host, release, version, machine = os.uname()
583
584 # Convert the OS name to lowercase, remove '/' characters
585 # (to accommodate BSD/OS), and translate spaces (for "Power Macintosh")
586 osname = osname.lower().replace('/', '')
587 machine = machine.replace(' ', '_')
588 machine = machine.replace('/', '-')
589
590 if osname[:5] == "linux":
591 # At least on Linux/Intel, 'machine' is the processor --
592 # i386, etc.
593 # XXX what about Alpha, SPARC, etc?
594 return "%s-%s" % (osname, machine)
595 elif osname[:5] == "sunos":
596 if release[0] >= "5": # SunOS 5 == Solaris 2
597 osname = "solaris"
598 release = "%d.%s" % (int(release[0]) - 3, release[2:])
599 # fall through to standard osname-release-machine representation
600 elif osname[:4] == "irix": # could be "irix64"!
601 return "%s-%s" % (osname, release)
602 elif osname[:3] == "aix":
603 return "%s-%s.%s" % (osname, version, release)
604 elif osname[:6] == "cygwin":
605 osname = "cygwin"
606 rel_re = re.compile (r'[\d.]+')
607 m = rel_re.match(release)
608 if m:
609 release = m.group()
610 elif osname[:6] == "darwin":
611 #
612 # For our purposes, we'll assume that the system version from
613 # distutils' perspective is what MACOSX_DEPLOYMENT_TARGET is set
614 # to. This makes the compatibility story a bit more sane because the
615 # machine is going to compile and link as if it were
616 # MACOSX_DEPLOYMENT_TARGET.
617 cfgvars = get_config_vars()
618 macver = os.environ.get('MACOSX_DEPLOYMENT_TARGET')
619 if not macver:
620 macver = cfgvars.get('MACOSX_DEPLOYMENT_TARGET')
621
622 if 1:
623 # Always calculate the release of the running machine,
624 # needed to determine if we can build fat binaries or not.
625
626 macrelease = macver
627 # Get the system version. Reading this plist is a documented
628 # way to get the system version (see the documentation for
629 # the Gestalt Manager)
630 try:
631 f = open('/System/Library/CoreServices/SystemVersion.plist')
632 except IOError:
633 # We're on a plain darwin box, fall back to the default
634 # behaviour.
635 pass
636 else:
637 m = re.search(
638 r'<key>ProductUserVisibleVersion</key>\s*' +
639 r'<string>(.*?)</string>', f.read())
640 f.close()
641 if m is not None:
642 macrelease = '.'.join(m.group(1).split('.')[:2])
643 # else: fall back to the default behaviour
644
645 if not macver:
646 macver = macrelease
647
648 if macver:
649 release = macver
650 osname = "macosx"
651
652 if (macrelease + '.') >= '10.4.' and \
653 '-arch' in get_config_vars().get('CFLAGS', '').strip():
654 # The universal build will build fat binaries, but not on
655 # systems before 10.4
656 #
657 # Try to detect 4-way universal builds, those have machine-type
658 # 'universal' instead of 'fat'.
659
660 machine = 'fat'
661 cflags = get_config_vars().get('CFLAGS')
662
663 archs = re.findall('-arch\s+(\S+)', cflags)
Ronald Oussoren75956202010-07-11 08:52:52 +0000664 archs = tuple(sorted(set(archs)))
Tarek Ziadé5633a802010-01-23 09:23:15 +0000665
666 if len(archs) == 1:
667 machine = archs[0]
668 elif archs == ('i386', 'ppc'):
669 machine = 'fat'
670 elif archs == ('i386', 'x86_64'):
671 machine = 'intel'
672 elif archs == ('i386', 'ppc', 'x86_64'):
673 machine = 'fat3'
674 elif archs == ('ppc64', 'x86_64'):
675 machine = 'fat64'
676 elif archs == ('i386', 'ppc', 'ppc64', 'x86_64'):
677 machine = 'universal'
678 else:
679 raise ValueError(
680 "Don't know machine value for archs=%r"%(archs,))
681
682 elif machine == 'i386':
683 # On OSX the machine type returned by uname is always the
684 # 32-bit variant, even if the executable architecture is
685 # the 64-bit variant
686 if sys.maxint >= 2**32:
687 machine = 'x86_64'
688
689 elif machine in ('PowerPC', 'Power_Macintosh'):
690 # Pick a sane name for the PPC architecture.
691 # See 'i386' case
692 if sys.maxint >= 2**32:
693 machine = 'ppc64'
694 else:
695 machine = 'ppc'
696
697 return "%s-%s-%s" % (osname, release, machine)
698
699
700def get_python_version():
701 return _PY_VERSION_SHORT