/usr/lib/python2.7/dist-packages/pex/installer.py is in python-pex 1.1.14-2ubuntu2.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
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 246 247 248 249 250 251 252 | # Copyright 2014 Pants project contributors (see CONTRIBUTORS.md).
# Licensed under the Apache License, Version 2.0 (see LICENSE).
from __future__ import absolute_import, print_function
import os
import sys
import tempfile
from pkg_resources import Distribution, PathMetadata
from .common import safe_mkdtemp, safe_rmtree
from .compatibility import WINDOWS
from .executor import Executor
from .interpreter import PythonInterpreter
from .tracer import TRACER
from .version import SETUPTOOLS_REQUIREMENT, WHEEL_REQUIREMENT
__all__ = (
'Installer',
'Packager'
)
def after_installation(function):
def function_wrapper(self, *args, **kw):
self._installed = self.run()
if not self._installed:
raise Installer.InstallFailure('Failed to install %s' % self._source_dir)
return function(self, *args, **kw)
return function_wrapper
class InstallerBase(object):
SETUP_BOOTSTRAP_HEADER = "import sys"
SETUP_BOOTSTRAP_MODULE = "sys.path.insert(0, %(path)r); import %(module)s"
SETUP_BOOTSTRAP_FOOTER = """
__file__ = 'setup.py'
sys.argv[0] = 'setup.py'
exec(compile(open(__file__, 'rb').read(), __file__, 'exec'))
"""
class Error(Exception): pass
class InstallFailure(Error): pass
class IncapableInterpreter(Error): pass
def __init__(self, source_dir, strict=True, interpreter=None, install_dir=None):
"""
Create an installer from an unpacked source distribution in source_dir.
If strict=True, fail if any installation dependencies (e.g. distribute)
are missing.
"""
self._source_dir = source_dir
self._install_tmp = install_dir or safe_mkdtemp()
self._installed = None
self._strict = strict
self._interpreter = interpreter or PythonInterpreter.get()
if not self._interpreter.satisfies(self.capability) and strict:
raise self.IncapableInterpreter('Interpreter %s not capable of running %s' % (
self._interpreter.binary, self.__class__.__name__))
def mixins(self):
"""Return a map from import name to requirement to load into setup script prior to invocation.
May be subclassed.
"""
return {}
@property
def install_tmp(self):
return self._install_tmp
def _setup_command(self):
"""the setup command-line to run, to be implemented by subclasses."""
raise NotImplementedError
def _postprocess(self):
"""a post-processing function to run following setup.py invocation."""
@property
def capability(self):
"""returns the list of requirements for the interpreter to run this installer."""
return list(self.mixins().values())
@property
def bootstrap_script(self):
bootstrap_modules = []
for module, requirement in self.mixins().items():
path = self._interpreter.get_location(requirement)
if not path:
assert not self._strict # This should be caught by validation
continue
bootstrap_modules.append(self.SETUP_BOOTSTRAP_MODULE % {'path': path, 'module': module})
return '\n'.join(
[self.SETUP_BOOTSTRAP_HEADER] + bootstrap_modules + [self.SETUP_BOOTSTRAP_FOOTER])
def run(self):
if self._installed is not None:
return self._installed
with TRACER.timed('Installing %s' % self._install_tmp, V=2):
command = [self._interpreter.binary, '-'] + self._setup_command()
try:
Executor.execute(command,
env=self._interpreter.sanitized_environment(),
cwd=self._source_dir,
stdin_payload=self.bootstrap_script.encode('ascii'))
self._installed = True
except Executor.NonZeroExit as e:
self._installed = False
name = os.path.basename(self._source_dir)
print('**** Failed to install %s (caused by: %r\n):' % (name, e), file=sys.stderr)
print('stdout:\n%s\nstderr:\n%s\n' % (e.stdout, e.stderr), file=sys.stderr)
return self._installed
self._postprocess()
return self._installed
def cleanup(self):
safe_rmtree(self._install_tmp)
class Installer(InstallerBase):
"""Install an unpacked distribution with a setup.py."""
def __init__(self, source_dir, strict=True, interpreter=None):
"""
Create an installer from an unpacked source distribution in source_dir.
If strict=True, fail if any installation dependencies (e.g. setuptools)
are missing.
"""
super(Installer, self).__init__(source_dir, strict=strict, interpreter=interpreter)
self._egg_info = None
fd, self._install_record = tempfile.mkstemp()
os.close(fd)
def _setup_command(self):
return ['install',
'--root=%s' % self._install_tmp,
'--prefix=',
'--single-version-externally-managed',
'--record', self._install_record]
def _postprocess(self):
installed_files = []
egg_info = None
with open(self._install_record) as fp:
installed_files = fp.read().splitlines()
for line in installed_files:
if line.endswith('.egg-info'):
assert line.startswith('/'), 'Expect .egg-info to be within install_tmp!'
egg_info = line
break
if not egg_info:
self._installed = False
return self._installed
installed_files = [os.path.relpath(fn, egg_info) for fn in installed_files if fn != egg_info]
self._egg_info = os.path.join(self._install_tmp, egg_info[1:])
with open(os.path.join(self._egg_info, 'installed-files.txt'), 'w') as fp:
fp.write('\n'.join(installed_files))
fp.write('\n')
return self._installed
@after_installation
def egg_info(self):
return self._egg_info
@after_installation
def root(self):
egg_info = self.egg_info()
assert egg_info
return os.path.realpath(os.path.dirname(egg_info))
@after_installation
def distribution(self):
base_dir = self.root()
egg_info = self.egg_info()
metadata = PathMetadata(base_dir, egg_info)
return Distribution.from_location(base_dir, os.path.basename(egg_info), metadata=metadata)
class DistributionPackager(InstallerBase):
def mixins(self):
mixins = super(DistributionPackager, self).mixins().copy()
mixins.update(setuptools=SETUPTOOLS_REQUIREMENT)
return mixins
def find_distribution(self):
dists = os.listdir(self.install_tmp)
if len(dists) == 0:
raise self.InstallFailure('No distributions were produced!')
elif len(dists) > 1:
raise self.InstallFailure('Ambiguous source distributions found: %s' % (' '.join(dists)))
else:
return os.path.join(self.install_tmp, dists[0])
class Packager(DistributionPackager):
"""
Create a source distribution from an unpacked setup.py-based project.
"""
def _setup_command(self):
if WINDOWS:
return ['sdist', '--formats=zip', '--dist-dir=%s' % self._install_tmp]
else:
return ['sdist', '--formats=gztar', '--dist-dir=%s' % self._install_tmp]
@after_installation
def sdist(self):
return self.find_distribution()
class EggInstaller(DistributionPackager):
"""
Create a source distribution from an unpacked setup.py-based project.
"""
def _setup_command(self):
return ['bdist_egg', '--dist-dir=%s' % self._install_tmp]
@after_installation
def bdist(self):
return self.find_distribution()
class WheelInstaller(DistributionPackager):
"""
Create a source distribution from an unpacked setup.py-based project.
"""
MIXINS = {
'setuptools': SETUPTOOLS_REQUIREMENT,
'wheel': WHEEL_REQUIREMENT,
}
def mixins(self):
mixins = super(WheelInstaller, self).mixins().copy()
mixins.update(self.MIXINS)
return mixins
def _setup_command(self):
return ['bdist_wheel', '--dist-dir=%s' % self._install_tmp]
@after_installation
def bdist(self):
return self.find_distribution()
|