virtualenv-clone-0.2.5/0000755000076500000240000000000012327215342016576 5ustar edwardgeorgestaff00000000000000virtualenv-clone-0.2.5/clonevirtualenv.py0000644000076500000240000002165112327214766022406 0ustar edwardgeorgestaff00000000000000from __future__ import with_statement import logging import optparse import os import re import shutil import subprocess import sys version_info = (0, 2, 4) __version__ = '.'.join(map(str, version_info)) logger = logging.getLogger() if sys.version_info < (2, 6): next = lambda gen: gen.next() env_bin_dir = 'bin' if sys.platform == 'win32': env_bin_dir = 'Scripts' class UserError(Exception): pass def _dirmatch(path, matchwith): """Check if path is within matchwith's tree. >>> _dirmatch('/home/foo/bar', '/home/foo/bar') True >>> _dirmatch('/home/foo/bar/', '/home/foo/bar') True >>> _dirmatch('/home/foo/bar/etc', '/home/foo/bar') True >>> _dirmatch('/home/foo/bar2', '/home/foo/bar') False >>> _dirmatch('/home/foo/bar2/etc', '/home/foo/bar') False """ matchlen = len(matchwith) if (path.startswith(matchwith) and path[matchlen:matchlen + 1] in [os.sep, '']): return True return False def _virtualenv_sys(venv_path): "obtain version and path info from a virtualenv." executable = os.path.join(venv_path, env_bin_dir, 'python') # Must use "executable" as the first argument rather than as the # keyword argument "executable" to get correct value from sys.path p = subprocess.Popen([executable, '-c', 'import sys;' 'print (sys.version[:3]);' 'print ("\\n".join(sys.path));'], env={}, stdout=subprocess.PIPE) stdout, err = p.communicate() assert not p.returncode and stdout lines = stdout.decode('utf-8').splitlines() return lines[0], filter(bool, lines[1:]) def clone_virtualenv(src_dir, dst_dir): if not os.path.exists(src_dir): raise UserError('src dir %r does not exist' % src_dir) if os.path.exists(dst_dir): raise UserError('dest dir %r exists' % dst_dir) #sys_path = _virtualenv_syspath(src_dir) logger.info('cloning virtualenv \'%s\' => \'%s\'...' % (src_dir, dst_dir)) shutil.copytree(src_dir, dst_dir, symlinks=True, ignore=shutil.ignore_patterns('*.pyc')) version, sys_path = _virtualenv_sys(dst_dir) logger.info('fixing scripts in bin...') fixup_scripts(src_dir, dst_dir, version) has_old = lambda s: any(i for i in s if _dirmatch(i, src_dir)) if has_old(sys_path): # only need to fix stuff in sys.path if we have old # paths in the sys.path of new python env. right? logger.info('fixing paths in sys.path...') fixup_syspath_items(sys_path, src_dir, dst_dir) v_sys = _virtualenv_sys(dst_dir) remaining = has_old(v_sys[1]) assert not remaining, v_sys def fixup_scripts(old_dir, new_dir, version, rewrite_env_python=False): bin_dir = os.path.join(new_dir, env_bin_dir) root, dirs, files = next(os.walk(bin_dir)) pybinre = re.compile('pythonw?([0-9]+(\.[0-9]+(\.[0-9]+)?)?)?$') for file_ in files: filename = os.path.join(root, file_) if file_ in ['python', 'python%s' % version, 'activate_this.py']: continue elif file_.startswith('python') and pybinre.match(file_): # ignore other possible python binaries continue elif file_.endswith('.pyc'): # ignore compiled files continue elif file_ == 'activate' or file_.startswith('activate.'): fixup_activate(os.path.join(root, file_), old_dir, new_dir) elif os.path.islink(filename): fixup_link(filename, old_dir, new_dir) elif os.path.isfile(filename): fixup_script_(root, file_, old_dir, new_dir, version, rewrite_env_python=rewrite_env_python) def fixup_script_(root, file_, old_dir, new_dir, version, rewrite_env_python=False): old_shebang = '#!%s/bin/python' % os.path.normcase(os.path.abspath(old_dir)) new_shebang = '#!%s/bin/python' % os.path.normcase(os.path.abspath(new_dir)) env_shebang = '#!/usr/bin/env python' filename = os.path.join(root, file_) with open(filename, 'rb') as f: if f.read(2) != b'#!': # no shebang return f.seek(0) lines = f.readlines() if not lines: # warn: empty script return def rewrite_shebang(version=None): logger.debug('fixing %s' % filename) shebang = new_shebang if version: shebang = shebang + version shebang = (shebang + '\n').encode('utf-8') with open(filename, 'wb') as f: f.write(shebang) f.writelines(lines[1:]) try: bang = lines[0].decode('utf-8').strip() except UnicodeDecodeError: # binary file return if not bang.startswith('#!'): return elif bang == old_shebang: rewrite_shebang() elif (bang.startswith(old_shebang) and bang[len(old_shebang):] == version): rewrite_shebang(version) elif rewrite_env_python and bang.startswith(env_shebang): if bang == env_shebang: rewrite_shebang() elif bang[len(env_shebang):] == version: rewrite_shebang(version) else: # can't do anything return def fixup_activate(filename, old_dir, new_dir): logger.debug('fixing %s' % filename) with open(filename, 'rb') as f: data = f.read().decode('utf-8') data = data.replace(old_dir, new_dir) with open(filename, 'wb') as f: f.write(data.encode('utf-8')) def fixup_link(filename, old_dir, new_dir, target=None): logger.debug('fixing %s' % filename) if target is None: target = os.readlink(filename) origdir = os.path.dirname(os.path.abspath(filename)).replace( new_dir, old_dir) if not os.path.isabs(target): target = os.path.abspath(os.path.join(origdir, target)) rellink = True else: rellink = False if _dirmatch(target, old_dir): if rellink: # keep relative links, but don't keep original in case it # traversed up out of, then back into the venv. # so, recreate a relative link from absolute. target = target[len(origdir):].lstrip(os.sep) else: target = target.replace(old_dir, new_dir, 1) # else: links outside the venv, replaced with absolute path to target. _replace_symlink(filename, target) def _replace_symlink(filename, newtarget): tmpfn = "%s.new" % filename os.symlink(newtarget, tmpfn) os.rename(tmpfn, filename) def fixup_syspath_items(syspath, old_dir, new_dir): for path in syspath: if not os.path.isdir(path): continue path = os.path.normcase(os.path.abspath(path)) if _dirmatch(path, old_dir): path = path.replace(old_dir, new_dir, 1) if not os.path.exists(path): continue elif not _dirmatch(path, new_dir): continue root, dirs, files = next(os.walk(path)) for file_ in files: filename = os.path.join(root, file_) if filename.endswith('.pth'): fixup_pth_file(filename, old_dir, new_dir) elif filename.endswith('.egg-link'): fixup_egglink_file(filename, old_dir, new_dir) def fixup_pth_file(filename, old_dir, new_dir): logger.debug('fixing %s' % filename) with open(filename, 'rb') as f: lines = f.readlines() has_change = False for num, line in enumerate(lines): line = line.decode('utf-8').strip() if not line or line.startswith('#') or line.startswith('import '): continue elif _dirmatch(line, old_dir): lines[num] = line.replace(old_dir, new_dir, 1) has_change = True if has_change: with open(filename, 'wb') as f: f.writelines(lines) def fixup_egglink_file(filename, old_dir, new_dir): logger.debug('fixing %s' % filename) with open(filename, 'rb') as f: link = f.read().decode('utf-8').strip() if _dirmatch(link, old_dir): link = link.replace(old_dir, new_dir, 1) with open(filename, 'wb') as f: link = (link + '\n').encode('utf-8') f.write(link) def main(): parser = optparse.OptionParser("usage: %prog [options]" " /path/to/existing/venv /path/to/cloned/venv") parser.add_option('-v', action="count", dest='verbose', default=False, help='verbosity') options, args = parser.parse_args() try: old_dir, new_dir = args except ValueError: parser.error("not enough arguments given.") old_dir = os.path.normpath(os.path.abspath(old_dir)) new_dir = os.path.normpath(os.path.abspath(new_dir)) loglevel = (logging.WARNING, logging.INFO, logging.DEBUG)[min(2, options.verbose)] logging.basicConfig(level=loglevel, format='%(message)s') try: clone_virtualenv(old_dir, new_dir) except UserError: e = sys.exc_info()[1] parser.error(str(e)) if __name__ == '__main__': main() virtualenv-clone-0.2.5/LICENSE0000644000076500000240000000213212327214766017612 0ustar edwardgeorgestaff00000000000000Copyright (c) 2011, Edward George, based on code contained within the virtualenv project. Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. virtualenv-clone-0.2.5/MANIFEST.in0000644000076500000240000000003712327214766020345 0ustar edwardgeorgestaff00000000000000include README include LICENSE virtualenv-clone-0.2.5/PKG-INFO0000644000076500000240000000113012327215342017666 0ustar edwardgeorgestaff00000000000000Metadata-Version: 1.1 Name: virtualenv-clone Version: 0.2.5 Summary: script to clone virtualenvs. Home-page: http://github.com/edwardgeorge/virtualenv-clone Author: Edward George Author-email: edwardgeorge@gmail.com License: MIT Description: UNKNOWN Platform: UNKNOWN Classifier: License :: OSI Approved :: MIT License Classifier: Programming Language :: Python Classifier: Intended Audience :: Developers Classifier: Development Status :: 3 - Alpha Classifier: Programming Language :: Python :: 2.6 Classifier: Programming Language :: Python :: 2.7 Classifier: Programming Language :: Python :: 3.2 virtualenv-clone-0.2.5/README0000644000076500000240000000270512327214766017473 0ustar edwardgeorgestaff00000000000000virtualenv cloning script. A script for cloning a non-relocatable virtualenv. Virtualenv provides a way to make virtualenv's relocatable which could then be copied as we wanted. However making a virtualenv relocatable this way breaks the no-site-packages isolation of the virtualenv as well as other aspects that come with relative paths and '/usr/bin/env' shebangs that may be undesirable. Also, the .pth and .egg-link rewriting doesn't seem to work as intended. This attempts to overcome these issues and provide a way to easily clone an existing virtualenv. It performs the following: - copies sys.argv[1] dir to sys.argv[2] - updates the hardcoded VIRTUAL_ENV variable in the activate script to the new repo location. (--relocatable doesn't touch this) - updates the shebangs of the various scripts in bin to the new python if they pointed to the old python. (version numbering is retained.) it can also change '/usr/bin/env python' shebangs to be absolute too, though this functionality is not exposed at present. - checks sys.path of the cloned virtualenv and if any of the paths are from the old environment it finds any .pth or .egg-link files within sys.path located in the new environment and makes sure any absolute paths to the old environment are updated to the new environment. - finally it double checks sys.path again and will fail if there are still paths from the old environment present. NOTE: This script requires Python >= 2.5 virtualenv-clone-0.2.5/setup.cfg0000644000076500000240000000007312327215342020417 0ustar edwardgeorgestaff00000000000000[egg_info] tag_build = tag_date = 0 tag_svn_revision = 0 virtualenv-clone-0.2.5/setup.py0000644000076500000240000000247112327215026020313 0ustar edwardgeorgestaff00000000000000import sys from setuptools.command.test import test as TestCommand from setuptools import setup if __name__ == '__main__' and sys.version_info < (2, 5): raise SystemExit("Python >= 2.5 required for virtualenv-clone") test_requirements = [ 'virtualenv', 'tox', 'pytest' ] class ToxTest(TestCommand): def finalize_options(self): TestCommand.finalize_options(self) self.test_args = [] self.test_suite = True def run_tests(self): import tox tox.cmdline() setup(name="virtualenv-clone", version='0.2.5', description='script to clone virtualenvs.', author='Edward George', author_email='edwardgeorge@gmail.com', url='http://github.com/edwardgeorge/virtualenv-clone', license="MIT", py_modules=["clonevirtualenv"], entry_points={ 'console_scripts': [ 'virtualenv-clone=clonevirtualenv:main', ]}, classifiers=[ "License :: OSI Approved :: MIT License", "Programming Language :: Python", "Intended Audience :: Developers", "Development Status :: 3 - Alpha", "Programming Language :: Python :: 2.6", "Programming Language :: Python :: 2.7", "Programming Language :: Python :: 3.2", ], tests_require=test_requirements, cmdclass={'test': ToxTest} ) virtualenv-clone-0.2.5/virtualenv_clone.egg-info/0000755000076500000240000000000012327215342023647 5ustar edwardgeorgestaff00000000000000virtualenv-clone-0.2.5/virtualenv_clone.egg-info/dependency_links.txt0000644000076500000240000000000112327215317027717 0ustar edwardgeorgestaff00000000000000 virtualenv-clone-0.2.5/virtualenv_clone.egg-info/entry_points.txt0000644000076500000240000000007312327215317027147 0ustar edwardgeorgestaff00000000000000[console_scripts] virtualenv-clone = clonevirtualenv:main virtualenv-clone-0.2.5/virtualenv_clone.egg-info/PKG-INFO0000644000076500000240000000113012327215317024741 0ustar edwardgeorgestaff00000000000000Metadata-Version: 1.1 Name: virtualenv-clone Version: 0.2.5 Summary: script to clone virtualenvs. Home-page: http://github.com/edwardgeorge/virtualenv-clone Author: Edward George Author-email: edwardgeorge@gmail.com License: MIT Description: UNKNOWN Platform: UNKNOWN Classifier: License :: OSI Approved :: MIT License Classifier: Programming Language :: Python Classifier: Intended Audience :: Developers Classifier: Development Status :: 3 - Alpha Classifier: Programming Language :: Python :: 2.6 Classifier: Programming Language :: Python :: 2.7 Classifier: Programming Language :: Python :: 3.2 virtualenv-clone-0.2.5/virtualenv_clone.egg-info/SOURCES.txt0000644000076500000240000000040112327215317025530 0ustar edwardgeorgestaff00000000000000LICENSE MANIFEST.in README clonevirtualenv.py setup.py virtualenv_clone.egg-info/PKG-INFO virtualenv_clone.egg-info/SOURCES.txt virtualenv_clone.egg-info/dependency_links.txt virtualenv_clone.egg-info/entry_points.txt virtualenv_clone.egg-info/top_level.txtvirtualenv-clone-0.2.5/virtualenv_clone.egg-info/top_level.txt0000644000076500000240000000002012327215317026373 0ustar edwardgeorgestaff00000000000000clonevirtualenv