__init__.py 19 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448
  1. """
  2. Virtual environment (venv) package for Python. Based on PEP 405.
  3. Copyright (C) 2011-2014 Vinay Sajip.
  4. Licensed to the PSF under a contributor agreement.
  5. usage: python -m venv [-h] [--system-site-packages] [--symlinks] [--clear]
  6. [--upgrade]
  7. ENV_DIR [ENV_DIR ...]
  8. Creates virtual Python environments in one or more target directories.
  9. positional arguments:
  10. ENV_DIR A directory to create the environment in.
  11. optional arguments:
  12. -h, --help show this help message and exit
  13. --system-site-packages
  14. Give the virtual environment access to the system
  15. site-packages dir.
  16. --symlinks Attempt to symlink rather than copy.
  17. --clear Delete the contents of the environment directory if it
  18. already exists, before environment creation.
  19. --upgrade Upgrade the environment directory to use this version
  20. of Python, assuming Python has been upgraded in-place.
  21. --without-pip Skips installing or upgrading pip in the virtual
  22. environment (pip is bootstrapped by default)
  23. """
  24. import logging
  25. import os
  26. import shutil
  27. import subprocess
  28. import sys
  29. import types
  30. logger = logging.getLogger(__name__)
  31. class EnvBuilder:
  32. """
  33. This class exists to allow virtual environment creation to be
  34. customized. The constructor parameters determine the builder's
  35. behaviour when called upon to create a virtual environment.
  36. By default, the builder makes the system (global) site-packages dir
  37. *un*available to the created environment.
  38. If invoked using the Python -m option, the default is to use copying
  39. on Windows platforms but symlinks elsewhere. If instantiated some
  40. other way, the default is to *not* use symlinks.
  41. :param system_site_packages: If True, the system (global) site-packages
  42. dir is available to created environments.
  43. :param clear: If True, delete the contents of the environment directory if
  44. it already exists, before environment creation.
  45. :param symlinks: If True, attempt to symlink rather than copy files into
  46. virtual environment.
  47. :param upgrade: If True, upgrade an existing virtual environment.
  48. :param with_pip: If True, ensure pip is installed in the virtual
  49. environment
  50. """
  51. def __init__(self, system_site_packages=False, clear=False,
  52. symlinks=False, upgrade=False, with_pip=False):
  53. self.system_site_packages = system_site_packages
  54. self.clear = clear
  55. self.symlinks = symlinks
  56. self.upgrade = upgrade
  57. self.with_pip = with_pip
  58. def create(self, env_dir):
  59. """
  60. Create a virtual environment in a directory.
  61. :param env_dir: The target directory to create an environment in.
  62. """
  63. env_dir = os.path.abspath(env_dir)
  64. context = self.ensure_directories(env_dir)
  65. self.create_configuration(context)
  66. self.setup_python(context)
  67. if self.with_pip:
  68. self._setup_pip(context)
  69. if not self.upgrade:
  70. self.setup_scripts(context)
  71. self.post_setup(context)
  72. def clear_directory(self, path):
  73. for fn in os.listdir(path):
  74. fn = os.path.join(path, fn)
  75. if os.path.islink(fn) or os.path.isfile(fn):
  76. os.remove(fn)
  77. elif os.path.isdir(fn):
  78. shutil.rmtree(fn)
  79. def ensure_directories(self, env_dir):
  80. """
  81. Create the directories for the environment.
  82. Returns a context object which holds paths in the environment,
  83. for use by subsequent logic.
  84. """
  85. def create_if_needed(d):
  86. if not os.path.exists(d):
  87. os.makedirs(d)
  88. elif os.path.islink(d) or os.path.isfile(d):
  89. raise ValueError('Unable to create directory %r' % d)
  90. if os.path.exists(env_dir) and self.clear:
  91. self.clear_directory(env_dir)
  92. context = types.SimpleNamespace()
  93. context.env_dir = env_dir
  94. context.env_name = os.path.split(env_dir)[1]
  95. context.prompt = '(%s) ' % context.env_name
  96. create_if_needed(env_dir)
  97. env = os.environ
  98. if sys.platform == 'darwin' and '__PYVENV_LAUNCHER__' in env:
  99. executable = os.environ['__PYVENV_LAUNCHER__']
  100. else:
  101. executable = sys.executable
  102. dirname, exename = os.path.split(os.path.abspath(executable))
  103. context.executable = executable
  104. context.python_dir = dirname
  105. context.python_exe = exename
  106. if sys.platform == 'win32':
  107. binname = 'Scripts'
  108. incpath = 'Include'
  109. libpath = os.path.join(env_dir, 'Lib', 'site-packages')
  110. else:
  111. binname = 'bin'
  112. incpath = 'include'
  113. libpath = os.path.join(env_dir, 'lib',
  114. 'python%d.%d' % sys.version_info[:2],
  115. 'site-packages')
  116. context.inc_path = path = os.path.join(env_dir, incpath)
  117. create_if_needed(path)
  118. create_if_needed(libpath)
  119. # Issue 21197: create lib64 as a symlink to lib on 64-bit non-OS X POSIX
  120. if ((sys.maxsize > 2**32) and (os.name == 'posix') and
  121. (sys.platform != 'darwin')):
  122. link_path = os.path.join(env_dir, 'lib64')
  123. if not os.path.exists(link_path): # Issue #21643
  124. os.symlink('lib', link_path)
  125. context.bin_path = binpath = os.path.join(env_dir, binname)
  126. context.bin_name = binname
  127. context.env_exe = os.path.join(binpath, exename)
  128. create_if_needed(binpath)
  129. return context
  130. def create_configuration(self, context):
  131. """
  132. Create a configuration file indicating where the environment's Python
  133. was copied from, and whether the system site-packages should be made
  134. available in the environment.
  135. :param context: The information for the environment creation request
  136. being processed.
  137. """
  138. context.cfg_path = path = os.path.join(context.env_dir, 'pyvenv.cfg')
  139. with open(path, 'w', encoding='utf-8') as f:
  140. f.write('home = %s\n' % context.python_dir)
  141. if self.system_site_packages:
  142. incl = 'true'
  143. else:
  144. incl = 'false'
  145. f.write('include-system-site-packages = %s\n' % incl)
  146. f.write('version = %d.%d.%d\n' % sys.version_info[:3])
  147. if os.name == 'nt':
  148. def include_binary(self, f):
  149. if f.endswith(('.pyd', '.dll')):
  150. result = True
  151. else:
  152. result = f.startswith('python') and f.endswith('.exe')
  153. return result
  154. def symlink_or_copy(self, src, dst, relative_symlinks_ok=False):
  155. """
  156. Try symlinking a file, and if that fails, fall back to copying.
  157. """
  158. force_copy = not self.symlinks
  159. if not force_copy:
  160. try:
  161. if not os.path.islink(dst): # can't link to itself!
  162. if relative_symlinks_ok:
  163. assert os.path.dirname(src) == os.path.dirname(dst)
  164. os.symlink(os.path.basename(src), dst)
  165. else:
  166. os.symlink(src, dst)
  167. except Exception: # may need to use a more specific exception
  168. logger.warning('Unable to symlink %r to %r', src, dst)
  169. force_copy = True
  170. if force_copy:
  171. shutil.copyfile(src, dst)
  172. def setup_python(self, context):
  173. """
  174. Set up a Python executable in the environment.
  175. :param context: The information for the environment creation request
  176. being processed.
  177. """
  178. binpath = context.bin_path
  179. path = context.env_exe
  180. copier = self.symlink_or_copy
  181. copier(context.executable, path)
  182. dirname = context.python_dir
  183. if os.name != 'nt':
  184. if not os.path.islink(path):
  185. os.chmod(path, 0o755)
  186. for suffix in ('python', 'python3'):
  187. path = os.path.join(binpath, suffix)
  188. if not os.path.exists(path):
  189. # Issue 18807: make copies if
  190. # symlinks are not wanted
  191. copier(context.env_exe, path, relative_symlinks_ok=True)
  192. if not os.path.islink(path):
  193. os.chmod(path, 0o755)
  194. else:
  195. subdir = 'DLLs'
  196. include = self.include_binary
  197. files = [f for f in os.listdir(dirname) if include(f)]
  198. for f in files:
  199. src = os.path.join(dirname, f)
  200. dst = os.path.join(binpath, f)
  201. if dst != context.env_exe: # already done, above
  202. copier(src, dst)
  203. dirname = os.path.join(dirname, subdir)
  204. if os.path.isdir(dirname):
  205. files = [f for f in os.listdir(dirname) if include(f)]
  206. for f in files:
  207. src = os.path.join(dirname, f)
  208. dst = os.path.join(binpath, f)
  209. copier(src, dst)
  210. # copy init.tcl over
  211. for root, dirs, files in os.walk(context.python_dir):
  212. if 'init.tcl' in files:
  213. tcldir = os.path.basename(root)
  214. tcldir = os.path.join(context.env_dir, 'Lib', tcldir)
  215. if not os.path.exists(tcldir):
  216. os.makedirs(tcldir)
  217. src = os.path.join(root, 'init.tcl')
  218. dst = os.path.join(tcldir, 'init.tcl')
  219. shutil.copyfile(src, dst)
  220. break
  221. def _setup_pip(self, context):
  222. """Installs or upgrades pip in a virtual environment"""
  223. # We run ensurepip in isolated mode to avoid side effects from
  224. # environment vars, the current directory and anything else
  225. # intended for the global Python environment
  226. cmd = [context.env_exe, '-Im', 'ensurepip', '--upgrade',
  227. '--default-pip']
  228. subprocess.check_output(cmd, stderr=subprocess.STDOUT)
  229. def setup_scripts(self, context):
  230. """
  231. Set up scripts into the created environment from a directory.
  232. This method installs the default scripts into the environment
  233. being created. You can prevent the default installation by overriding
  234. this method if you really need to, or if you need to specify
  235. a different location for the scripts to install. By default, the
  236. 'scripts' directory in the venv package is used as the source of
  237. scripts to install.
  238. """
  239. path = os.path.abspath(os.path.dirname(__file__))
  240. path = os.path.join(path, 'scripts')
  241. self.install_scripts(context, path)
  242. def post_setup(self, context):
  243. """
  244. Hook for post-setup modification of the venv. Subclasses may install
  245. additional packages or scripts here, add activation shell scripts, etc.
  246. :param context: The information for the environment creation request
  247. being processed.
  248. """
  249. pass
  250. def replace_variables(self, text, context):
  251. """
  252. Replace variable placeholders in script text with context-specific
  253. variables.
  254. Return the text passed in , but with variables replaced.
  255. :param text: The text in which to replace placeholder variables.
  256. :param context: The information for the environment creation request
  257. being processed.
  258. """
  259. text = text.replace('__VENV_DIR__', context.env_dir)
  260. text = text.replace('__VENV_NAME__', context.env_name)
  261. text = text.replace('__VENV_PROMPT__', context.prompt)
  262. text = text.replace('__VENV_BIN_NAME__', context.bin_name)
  263. text = text.replace('__VENV_PYTHON__', context.env_exe)
  264. return text
  265. def install_scripts(self, context, path):
  266. """
  267. Install scripts into the created environment from a directory.
  268. :param context: The information for the environment creation request
  269. being processed.
  270. :param path: Absolute pathname of a directory containing script.
  271. Scripts in the 'common' subdirectory of this directory,
  272. and those in the directory named for the platform
  273. being run on, are installed in the created environment.
  274. Placeholder variables are replaced with environment-
  275. specific values.
  276. """
  277. binpath = context.bin_path
  278. plen = len(path)
  279. for root, dirs, files in os.walk(path):
  280. if root == path: # at top-level, remove irrelevant dirs
  281. for d in dirs[:]:
  282. if d not in ('common', os.name):
  283. dirs.remove(d)
  284. continue # ignore files in top level
  285. for f in files:
  286. srcfile = os.path.join(root, f)
  287. suffix = root[plen:].split(os.sep)[2:]
  288. if not suffix:
  289. dstdir = binpath
  290. else:
  291. dstdir = os.path.join(binpath, *suffix)
  292. if not os.path.exists(dstdir):
  293. os.makedirs(dstdir)
  294. dstfile = os.path.join(dstdir, f)
  295. with open(srcfile, 'rb') as f:
  296. data = f.read()
  297. if srcfile.endswith('.exe'):
  298. mode = 'wb'
  299. else:
  300. mode = 'w'
  301. try:
  302. data = data.decode('utf-8')
  303. data = self.replace_variables(data, context)
  304. except UnicodeDecodeError as e:
  305. data = None
  306. logger.warning('unable to copy script %r, '
  307. 'may be binary: %s', srcfile, e)
  308. if data is not None:
  309. with open(dstfile, mode) as f:
  310. f.write(data)
  311. shutil.copymode(srcfile, dstfile)
  312. def create(env_dir, system_site_packages=False, clear=False,
  313. symlinks=False, with_pip=False):
  314. """
  315. Create a virtual environment in a directory.
  316. By default, makes the system (global) site-packages dir *un*available to
  317. the created environment, and uses copying rather than symlinking for files
  318. obtained from the source Python installation.
  319. :param env_dir: The target directory to create an environment in.
  320. :param system_site_packages: If True, the system (global) site-packages
  321. dir is available to the environment.
  322. :param clear: If True, delete the contents of the environment directory if
  323. it already exists, before environment creation.
  324. :param symlinks: If True, attempt to symlink rather than copy files into
  325. virtual environment.
  326. :param with_pip: If True, ensure pip is installed in the virtual
  327. environment
  328. """
  329. builder = EnvBuilder(system_site_packages=system_site_packages,
  330. clear=clear, symlinks=symlinks, with_pip=with_pip)
  331. builder.create(env_dir)
  332. def main(args=None):
  333. compatible = True
  334. if sys.version_info < (3, 3):
  335. compatible = False
  336. elif not hasattr(sys, 'base_prefix'):
  337. compatible = False
  338. if not compatible:
  339. raise ValueError('This script is only for use with Python >= 3.3')
  340. else:
  341. import argparse
  342. parser = argparse.ArgumentParser(prog=__name__,
  343. description='Creates virtual Python '
  344. 'environments in one or '
  345. 'more target '
  346. 'directories.',
  347. epilog='Once an environment has been '
  348. 'created, you may wish to '
  349. 'activate it, e.g. by '
  350. 'sourcing an activate script '
  351. 'in its bin directory.')
  352. parser.add_argument('dirs', metavar='ENV_DIR', nargs='+',
  353. help='A directory to create the environment in.')
  354. parser.add_argument('--system-site-packages', default=False,
  355. action='store_true', dest='system_site',
  356. help='Give the virtual environment access to the '
  357. 'system site-packages dir.')
  358. if os.name == 'nt':
  359. use_symlinks = False
  360. else:
  361. use_symlinks = True
  362. group = parser.add_mutually_exclusive_group()
  363. group.add_argument('--symlinks', default=use_symlinks,
  364. action='store_true', dest='symlinks',
  365. help='Try to use symlinks rather than copies, '
  366. 'when symlinks are not the default for '
  367. 'the platform.')
  368. group.add_argument('--copies', default=not use_symlinks,
  369. action='store_false', dest='symlinks',
  370. help='Try to use copies rather than symlinks, '
  371. 'even when symlinks are the default for '
  372. 'the platform.')
  373. parser.add_argument('--clear', default=False, action='store_true',
  374. dest='clear', help='Delete the contents of the '
  375. 'environment directory if it '
  376. 'already exists, before '
  377. 'environment creation.')
  378. parser.add_argument('--upgrade', default=False, action='store_true',
  379. dest='upgrade', help='Upgrade the environment '
  380. 'directory to use this version '
  381. 'of Python, assuming Python '
  382. 'has been upgraded in-place.')
  383. parser.add_argument('--without-pip', dest='with_pip',
  384. default=True, action='store_false',
  385. help='Skips installing or upgrading pip in the '
  386. 'virtual environment (pip is bootstrapped '
  387. 'by default)')
  388. options = parser.parse_args(args)
  389. if options.upgrade and options.clear:
  390. raise ValueError('you cannot supply --upgrade and --clear together.')
  391. builder = EnvBuilder(system_site_packages=options.system_site,
  392. clear=options.clear,
  393. symlinks=options.symlinks,
  394. upgrade=options.upgrade,
  395. with_pip=options.with_pip)
  396. for d in options.dirs:
  397. builder.create(d)
  398. if __name__ == '__main__':
  399. rc = 1
  400. try:
  401. main()
  402. rc = 0
  403. except Exception as e:
  404. print('Error: %s' % e, file=sys.stderr)
  405. sys.exit(rc)