Python sys.executable() Examples
The following are 30 code examples for showing how to use sys.executable(). These examples are extracted from open source projects. You can vote up the ones you like or vote down the ones you don't like, and go to the original project or source file by following the links above each example.
You may check out the related API usage on the sidebar.
You may also want to check out all available functions/classes of the module
sys
, or try the search function
.
Example 1
Project: django-rest-polymorphic Author: apirobot File: setup.py License: MIT License | 6 votes |
def run(self): try: self.status('Removing previous builds…') rmtree(os.path.join(here, 'dist')) except OSError: pass self.status('Building Source and Wheel (universal) distribution…') os.system('{0} setup.py sdist bdist_wheel --universal'.format( sys.executable )) self.status('Uploading the package to PyPi via Twine…') os.system('twine upload dist/*') sys.exit()
Example 2
Project: EDeN Author: fabriziocosta File: example_restart_python.py License: MIT License | 6 votes |
def main(): env = os.environ.copy() # in case the PYTHONHASHSEED was not set, set to 0 to denote # that hash randomization should be disabled and # restart python for the changes to take effect if 'PYTHONHASHSEED' not in env: env['PYTHONHASHSEED'] = "0" proc = subprocess.Popen([sys.executable] + sys.argv, env=env) proc.communicate() exit(proc.returncode) # check if hash has been properly de-randomized in python 3 # by comparing hash of magic tuple h = hash(eden.__magic__) assert h == eden.__magic_py2hash__ or h == eden.__magic_py3hash__, 'Unexpected hash value: "{}". Please check if python 3 hash normalization is disabled by setting shell variable PYTHONHASHSEED=0.'.format(h) # run program and exit print("This is the magic python hash restart script.") exit(0)
Example 3
Project: keras_mixnets Author: titu1994 File: setup.py License: MIT License | 6 votes |
def run(self): try: self.status('Removing previous builds...') rmtree(os.path.join(base_path, 'dist')) except OSError: pass self.status('Building Source and Wheel (universal) distribution...') os.system('{0} setup.py sdist bdist_wheel'.format(sys.executable)) self.status('Pushing git tags...') os.system('git tag v{0}'.format(get_version())) os.system('git push --tags') try: self.status('Removing build artifacts...') rmtree(os.path.join(base_path, 'build')) rmtree(os.path.join(base_path, '{}.egg-info'.format(PACKAGE_NAME))) except OSError: pass sys.exit()
Example 4
Project: cherrypy Author: cherrypy File: wspbus.py License: BSD 3-Clause "New" or "Revised" License | 6 votes |
def _get_interpreter_argv(): """Retrieve current Python interpreter's arguments. Returns empty tuple in case of frozen mode, uses built-in arguments reproduction function otherwise. Frozen mode is possible for the app has been packaged into a binary executable using py2exe. In this case the interpreter's arguments are already built-in into that executable. :seealso: https://github.com/cherrypy/cherrypy/issues/1526 Ref: https://pythonhosted.org/PyInstaller/runtime-information.html """ return ([] if getattr(sys, 'frozen', False) else subprocess._args_from_interpreter_flags())
Example 5
Project: django-click Author: GaretJax File: conftest.py License: MIT License | 6 votes |
def manage(): def call(*args, **kwargs): ignore_errors = kwargs.pop("ignore_errors", False) assert not kwargs cmd = [ sys.executable, os.path.join(os.path.dirname(__file__), "testprj", "manage.py"), ] + list(args) try: return subprocess.check_output(cmd, stderr=subprocess.STDOUT) except subprocess.CalledProcessError as e: if not ignore_errors: raise return e.output return call
Example 6
Project: LPHK Author: nimaid File: LPHK.py License: GNU General Public License v3.0 | 6 votes |
def shutdown(): if lp_events.timer != None: lp_events.timer.cancel() scripts.to_run = [] for x in range(9): for y in range(9): if scripts.threads[x][y] != None: scripts.threads[x][y].kill.set() if window.lp_connected: scripts.unbind_all() lp_events.timer.cancel() launchpad_connector.disconnect(lp) window.lp_connected = False logger.stop() if window.restart: if IS_EXE: os.startfile(sys.argv[0]) else: os.execv(sys.executable, ["\"" + sys.executable + "\""] + sys.argv) sys.exit("[LPHK] Shutting down...")
Example 7
Project: PyOptiX Author: ozen File: setup.py License: MIT License | 6 votes |
def save_pyoptix_conf(nvcc_path, compile_args, include_dirs, library_dirs, libraries): try: config = ConfigParser() config.add_section('pyoptix') config.set('pyoptix', 'nvcc_path', nvcc_path) config.set('pyoptix', 'compile_args', os.pathsep.join(compile_args)) config.set('pyoptix', 'include_dirs', os.pathsep.join(include_dirs)) config.set('pyoptix', 'library_dirs', os.pathsep.join(library_dirs)) config.set('pyoptix', 'libraries', os.pathsep.join(libraries)) tmp = NamedTemporaryFile(mode='w+', delete=False) config.write(tmp) tmp.close() config_path = os.path.join(os.path.dirname(sys.executable), 'pyoptix.conf') check_call_sudo_if_fails(['cp', tmp.name, config_path]) check_call_sudo_if_fails(['cp', tmp.name, '/etc/pyoptix.conf']) check_call_sudo_if_fails(['chmod', '644', config_path]) check_call_sudo_if_fails(['chmod', '644', '/etc/pyoptix.conf']) except Exception as e: print("PyOptiX configuration could not be saved. When you use pyoptix.Compiler, " "nvcc path must be in PATH, OptiX library paths must be in LD_LIBRARY_PATH, and pyoptix.Compiler " "attributes should be set manually.")
Example 8
Project: delocate Author: matthew-brett File: test_wheelies.py License: BSD 2-Clause "Simplified" License | 6 votes |
def test_patch_wheel(): # Check patching of wheel with InTemporaryDirectory(): # First wheel needs proper wheel filename for later unpack test out_fname = basename(PURE_WHEEL) patch_wheel(PURE_WHEEL, WHEEL_PATCH, out_fname) zip2dir(out_fname, 'wheel1') with open(pjoin('wheel1', 'fakepkg2', '__init__.py'), 'rt') as fobj: assert_equal(fobj.read(), 'print("Am in init")\n') # Check that wheel unpack works back_tick([sys.executable, '-m', 'wheel', 'unpack', out_fname]) # Copy the original, check it doesn't have patch shutil.copyfile(PURE_WHEEL, 'copied.whl') zip2dir('copied.whl', 'wheel2') with open(pjoin('wheel2', 'fakepkg2', '__init__.py'), 'rt') as fobj: assert_equal(fobj.read(), '') # Overwrite input wheel (the default) patch_wheel('copied.whl', WHEEL_PATCH) # Patched zip2dir('copied.whl', 'wheel3') with open(pjoin('wheel3', 'fakepkg2', '__init__.py'), 'rt') as fobj: assert_equal(fobj.read(), 'print("Am in init")\n') # Check bad patch raises error assert_raises(RuntimeError, patch_wheel, PURE_WHEEL, WHEEL_PATCH_BAD, 'out.whl')
Example 9
Project: lirpg Author: Hwhitetooth File: mpi_fork.py License: MIT License | 6 votes |
def mpi_fork(n, bind_to_core=False): """Re-launches the current script with workers Returns "parent" for original parent, "child" for MPI children """ if n<=1: return "child" if os.getenv("IN_MPI") is None: env = os.environ.copy() env.update( MKL_NUM_THREADS="1", OMP_NUM_THREADS="1", IN_MPI="1" ) args = ["mpirun", "-np", str(n)] if bind_to_core: args += ["-bind-to", "core"] args += [sys.executable] + sys.argv subprocess.check_call(args, env=env) return "parent" else: return "child"
Example 10
Project: calmjs Author: calmjs File: test_dist.py License: GNU General Public License v2.0 | 6 votes |
def test_build_calmjs_artifact(self): """ Emulate the execution of ``python setup.py egg_info``. Ensure everything is covered. """ # run the step directly to see that the command is registered, # though the actual effects cannot be tested, as the test # package is not going to be installed and there are no valid # artifact build functions defined. p = Popen( [sys.executable, 'setup.py', 'build_calmjs_artifacts'], stdout=PIPE, stderr=PIPE, cwd=self.pkg_root, ) stdout, stderr = p.communicate() stdout = stdout.decode(locale) self.assertIn('running build_calmjs_artifacts', stdout)
Example 11
Project: keras-utility-layer-collection Author: zimmerrol File: setup.py License: MIT License | 6 votes |
def run(self): try: self.status('Removing previous builds…') rmtree(os.path.join(here, 'dist')) except OSError: pass self.status('Building Source and Wheel (universal) distribution…') os.system('{0} setup.py sdist bdist_wheel --universal'.format(sys.executable)) self.status('Uploading the package to PyPi via Twine…') os.system('twine upload dist/*') self.status('Pushing git tags…') os.system('git tag v{0}'.format(about['__version__'])) os.system('git push --tags') sys.exit() # Where the magic happens:
Example 12
Project: HardRLWithYoutube Author: MaxSobolMark File: util.py License: MIT License | 6 votes |
def mpi_fork(n, extra_mpi_args=[]): """Re-launches the current script with workers Returns "parent" for original parent, "child" for MPI children """ if n <= 1: return "child" if os.getenv("IN_MPI") is None: env = os.environ.copy() env.update( MKL_NUM_THREADS="1", OMP_NUM_THREADS="1", IN_MPI="1" ) # "-bind-to core" is crucial for good performance args = ["mpirun", "-np", str(n)] + \ extra_mpi_args + \ [sys.executable] args += sys.argv subprocess.check_call(args, env=env) return "parent" else: install_mpi_excepthook() return "child"
Example 13
Project: HardRLWithYoutube Author: MaxSobolMark File: mpi_fork.py License: MIT License | 6 votes |
def mpi_fork(n, bind_to_core=False): """Re-launches the current script with workers Returns "parent" for original parent, "child" for MPI children """ if n<=1: return "child" if os.getenv("IN_MPI") is None: env = os.environ.copy() env.update( MKL_NUM_THREADS="1", OMP_NUM_THREADS="1", IN_MPI="1" ) args = ["mpirun", "-np", str(n)] if bind_to_core: args += ["-bind-to", "core"] args += [sys.executable] + sys.argv subprocess.check_call(args, env=env) return "parent" else: return "child"
Example 14
Project: MarkdownPicPicker Author: kingname File: __init__.py License: GNU General Public License v3.0 | 6 votes |
def read_config(): _dict = {} if getattr(sys, 'frozen', None): config_path = os.path.join(os.path.dirname(sys.executable), 'config', 'config.ini') else: config_path = os.path.join(os.path.dirname(os.path.realpath(__file__)), 'config.ini') if not os.path.exists(config_path): print('can not find the config.ini, use the default sm uploader.' 'attention: this website may breakdown in the future, only used temporarily.') _dict['picture_host'] = 'SmUploader' return _dict configs = ConfigParser() configs.read(config_path) _dict['picture_folder'] = configs['basic'].get('picture_folder', '') _dict['picture_suffix'] = configs['basic'].get('picture_suffix', '') _dict['picture_host'] = configs['basic'].get('picture_host', '') _dict['config_path'] = config_path if _dict['picture_host']: _dict['uploader_info'] = configs[_dict['picture_host']] return _dict
Example 15
Project: circleci-demo-python-flask Author: CircleCI-Public File: manage.py License: MIT License | 6 votes |
def test(coverage=False): """Run the unit tests.""" if coverage and not os.environ.get('FLASK_COVERAGE'): import sys os.environ['FLASK_COVERAGE'] = '1' os.execvp(sys.executable, [sys.executable] + sys.argv) import unittest import xmlrunner tests = unittest.TestLoader().discover('tests') # run tests with unittest-xml-reporting and output to $CIRCLE_TEST_REPORTS on CircleCI or test-reports locally xmlrunner.XMLTestRunner(output=os.environ.get('CIRCLE_TEST_REPORTS','test-reports')).run(tests) if COV: COV.stop() COV.save() print('Coverage Summary:') COV.report() basedir = os.path.abspath(os.path.dirname(__file__)) covdir = os.path.join(basedir, 'tmp/coverage') COV.html_report(directory=covdir) print('HTML version: file://%s/index.html' % covdir) COV.erase()
Example 16
Project: me-ica Author: ME-ICA File: freeze.py License: GNU Lesser General Public License v2.1 | 6 votes |
def get_resource_path(*args): if is_frozen(): # MEIPASS explanation: # https://pythonhosted.org/PyInstaller/#run-time-operation basedir = getattr(sys, '_MEIPASS', None) if not basedir: basedir = os.path.dirname(sys.executable) resource_dir = os.path.join(basedir, 'gooey') if not os.path.isdir(resource_dir): raise IOError( ("Cannot locate Gooey resources. It seems that the program was frozen, " "but resource files were not copied into directory of the executable " "file. Please copy `languages` and `images` folders from gooey module " "directory into `{}{}` directory. Using PyInstaller, a.datas in .spec " "file must be specified.".format(resource_dir, os.sep))) else: resource_dir = os.path.normpath(os.path.join(os.path.dirname(__file__), '..', '..')) return os.path.join(resource_dir, *args)
Example 17
Project: me-ica Author: ME-ICA File: pkg_info.py License: GNU Lesser General Public License v2.1 | 6 votes |
def get_pkg_info(pkg_path): ''' Return dict describing the context of this package Parameters ---------- pkg_path : str path containing __init__.py for package Returns ------- context : dict with named parameters of interest ''' src, hsh = pkg_commit_hash(pkg_path) import numpy return dict( pkg_path=pkg_path, commit_source=src, commit_hash=hsh, sys_version=sys.version, sys_executable=sys.executable, sys_platform=sys.platform, np_version=numpy.__version__)
Example 18
Project: simnibs Author: simnibs File: postinstall_simnibs.py License: GNU General Public License v3.0 | 6 votes |
def matlab_prepare(): with open(os.path.join(SIMNIBSDIR, 'matlab', 'SIMNIBSDIR.m'), 'w') as f: f.write("function path=SIMNIBSDIR\n") f.write("% Function writen by SimNIBS postinstaller\n") f.write(f"path='{os.path.join(SIMNIBSDIR)}';\n") f.write("end\n") with open(os.path.join(SIMNIBSDIR, 'matlab', 'SIMNIBSPYTHON.m'), 'w') as f: if sys.platform == 'win32': python_call = f'call "{_get_activate_bin()}" simnibs_env && python -E -u ' else: python_call = f'"{sys.executable}" -E -u ' f.write("function python_call=SIMNIBSPYTHON\n") f.write("% Function writen by SimNIBS postinstaller\n") f.write(f"python_call='{python_call}';\n") f.write("end\n")
Example 19
Project: custodia Author: latchset File: test_cli.py License: GNU General Public License v3.0 | 6 votes |
def _custodia_cli(self, *args): env = os.environ.copy() env['PYTHONWARNINGS'] = 'ignore' pexec = shlex.split(env.get('CUSTODIAPYTHON', sys.executable)) cli = pexec + [ '-m', 'custodia.cli', '--verbose' ] cli.extend(args) try: # Python 2.7 doesn't have CalledProcessError.stderr output = subprocess.check_output( cli, env=env, stderr=subprocess.STDOUT ) except subprocess.CalledProcessError as e: output = e.output if not isinstance(e.output, six.text_type): e.output = e.output.decode('utf-8') raise else: if not isinstance(output, six.text_type): output = output.decode('utf-8') return output
Example 20
Project: pyspider Author: binux File: test_bench.py License: Apache License 2.0 | 6 votes |
def test_10_bench(self): import subprocess #cmd = [sys.executable] cmd = ['coverage', 'run'] p = subprocess.Popen(cmd+[ inspect.getsourcefile(run), '--queue-maxsize=0', 'bench', '--total=500' ], close_fds=True, stderr=subprocess.PIPE) stdout, stderr = p.communicate() stderr = utils.text(stderr) print(stderr) self.assertEqual(p.returncode, 0, stderr) self.assertIn('Crawled', stderr) self.assertIn('Fetched', stderr) self.assertIn('Processed', stderr) self.assertIn('Saved', stderr)
Example 21
Project: pyGSTi Author: pyGSTio File: mpinoseutils.py License: Apache License 2.0 | 6 votes |
def __init__(self, max_nprocs): import subprocess import sys import os import zmq # Since the output terminals are used for lots of debug output etc., we use # ZeroMQ to communicate with the workers. zctx = zmq.Context() socket = zctx.socket(zmq.REQ) port = socket.bind_to_random_port("tcp://*") cmd = 'import %s as mod; mod._mpi_worker("tcp://127.0.0.1:%d")' % (__name__, port) env = dict(os.environ) env['PYTHONPATH'] = ':'.join(sys.path) self.child = subprocess.Popen(['mpiexec', '-np', str(max_nprocs), sys.executable, '-c', cmd], env=env) self.socket = socket
Example 22
Project: apm-python-agent-principle Author: mozillazg File: agent.py License: MIT License | 5 votes |
def main(): args = sys.argv[1:] os.environ['PYTHONPATH'] = boot_dir # 执行后面的 python 程序命令 # sys.executable 是 python 解释器程序的绝对路径 ``which python`` # >>> sys.executable # '/usr/local/var/pyenv/versions/3.5.1/bin/python3.5' os.execl(sys.executable, sys.executable, *args)
Example 23
Project: cherrypy Author: cherrypy File: wspbus.py License: BSD 3-Clause "New" or "Revised" License | 5 votes |
def _do_execv(self): """Re-execute the current process. This must be called from the main thread, because certain platforms (OS X) don't allow execv to be called in a child thread very well. """ try: args = self._get_true_argv() except NotImplementedError: """It's probably win32 or GAE""" args = [sys.executable] + self._get_interpreter_argv() + sys.argv self.log('Re-spawning %s' % ' '.join(args)) self._extend_pythonpath(os.environ) if sys.platform[:4] == 'java': from _systemrestart import SystemRestart raise SystemRestart else: if sys.platform == 'win32': args = ['"%s"' % arg for arg in args] os.chdir(_startup_cwd) if self.max_cloexec_files: self._set_cloexec() os.execv(sys.executable, args)
Example 24
Project: ciocheck Author: ContinuumIO File: formatters.py License: MIT License | 5 votes |
def _format_files(self, paths): """Helper method to start a seaparate subprocess.""" cmd = [sys.executable, os.path.join(HERE, 'format_task.py')] env = os.environ.copy() env['CIOCHECK_PROJECT_ROOT'] = self.cmd_root env['CIOCHECK_CHECK'] = str(self.check) proc = subprocess.Popen( cmd + paths, env=env, stdout=subprocess.PIPE, stderr=subprocess.PIPE) return proc
Example 25
Project: friendly-telegram Author: friendly-telegram File: updater.py License: GNU Affero General Public License v3.0 | 5 votes |
def prerestart_common(self, message): logger.debug("Self-update. " + sys.executable + " -m " + utils.get_base_dir()) check = str(uuid.uuid4()) await self._db.set(__name__, "selfupdatecheck", check) await asyncio.sleep(3) if self._db.get(__name__, "selfupdatecheck", "") != check: raise ValueError("An update is already in progress!") self._db.set(__name__, "selfupdatechat", utils.get_chat_id(message)) await self._db.set(__name__, "selfupdatemsg", message.id)
Example 26
Project: friendly-telegram Author: friendly-telegram File: updater.py License: GNU Affero General Public License v3.0 | 5 votes |
def req_common(self): # Now we have downloaded new code, install requirements logger.debug("Installing new requirements...") try: subprocess.run([sys.executable, "-m", "pip", "install", "-r", os.path.join(os.path.dirname(utils.get_base_dir()), "requirements.txt"), "--user"]) except subprocess.CalledProcessError: logger.exception("Req install failed")
Example 27
Project: friendly-telegram Author: friendly-telegram File: updater.py License: GNU Affero General Public License v3.0 | 5 votes |
def restart(*args): os.execl(sys.executable, sys.executable, "-m", os.path.relpath(utils.get_base_dir()), *args) ################################################################################### # Blobs (mp3 files from the Internet Archive, Windows XP shutdown/startup sounds) # ###################################################################################
Example 28
Project: fullrmc Author: bachiraoun File: Collection.py License: GNU Affero General Public License v3.0 | 5 votes |
def get_path(key=None): """ Get all paths information needed about the running script and python executable path. :Parameters: #. key (None, string): the path to return. If not None is given, it can take any of the following:\n #. cwd: current working directory #. script: the script's total path #. exe: python executable path #. script_name: the script name #. relative_script_dir: the script's relative directory path #. script_dir: the script's absolute directory path #. fullrmc: fullrmc package path :Returns: #. path (dictionary, value): If key is not None it returns the value of paths dictionary key. Otherwise all the dictionary is returned. """ import fullrmc # check key type if key is not None: assert isinstance(key, basestring), LOGGER.error("key must be a string of None") key=str(key).lower().strip() # create paths paths = {} paths["cwd"] = os.getcwd() paths["script"] = sys.argv[0] paths["exe"] = os.path.dirname(sys.executable) pathname, scriptName = os.path.split(sys.argv[0]) paths["script_name"] = scriptName paths["relative_script_dir"] = pathname paths["script_dir"] = os.path.abspath(pathname) paths["fullrmc"] = os.path.split(fullrmc.__file__)[0] # return paths if key is None: return paths else: assert key in paths, LOGGER.error("key is not defined") return paths[key]
Example 29
Project: CyberTK-Self Author: CyberTKR File: Self.py License: GNU General Public License v2.0 | 5 votes |
def restart_program(): python = sys.executable os.execl(python, python, * sys.argv)
Example 30
Project: delocate Author: matthew-brett File: test_fuse.py License: BSD 2-Clause "Simplified" License | 5 votes |
def test_fuse_wheels(): # Test function to fuse two wheels wheel_base = basename(PURE_WHEEL) with InTemporaryDirectory(): zip2dir(PURE_WHEEL, 'to_wheel') zip2dir(PURE_WHEEL, 'from_wheel') dir2zip('to_wheel', 'to_wheel.whl') dir2zip('from_wheel', 'from_wheel.whl') fuse_wheels('to_wheel.whl', 'from_wheel.whl', wheel_base) zip2dir(wheel_base, 'fused_wheel') assert_same_tree('to_wheel', 'fused_wheel') # Check unpacking works on fused wheel back_tick([sys.executable, '-m', 'wheel', 'unpack', wheel_base]) # Put lib into wheel shutil.copyfile(LIB64A, pjoin('from_wheel', 'fakepkg2', 'liba.a')) rewrite_record('from_wheel') dir2zip('from_wheel', 'from_wheel.whl') fuse_wheels('to_wheel.whl', 'from_wheel.whl', wheel_base) zip2dir(wheel_base, 'fused_wheel') assert_same_tree('fused_wheel', 'from_wheel') # Check we can fuse two identical wheels with a library in # (checks that fuse doesn't error for identical library) fuse_wheels(wheel_base, 'from_wheel.whl', wheel_base) zip2dir(wheel_base, 'fused_wheel') assert_same_tree('fused_wheel', 'from_wheel') # Test fusing a library shutil.copyfile(LIB64, pjoin('from_wheel', 'fakepkg2', 'liba.dylib')) shutil.copyfile(LIB32, pjoin('to_wheel', 'fakepkg2', 'liba.dylib')) dir2zip('from_wheel', 'from_wheel.whl') dir2zip('to_wheel', 'to_wheel.whl') fuse_wheels('to_wheel.whl', 'from_wheel.whl', wheel_base) zip2dir(wheel_base, 'fused_wheel') fused_fname = pjoin('fused_wheel', 'fakepkg2', 'liba.dylib') assert_equal(get_archs(fused_fname), set(('i386', 'x86_64')))