Python subprocess.CalledProcessError() Examples
The following are 30 code examples for showing how to use subprocess.CalledProcessError(). 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
subprocess
, or try the search function
.
Example 1
Project: aegea Author: kislyuk File: test.py License: Apache License 2.0 | 13 votes |
def call(self, cmd, **kwargs): print('Running "{}"'.format(cmd), file=sys.stderr) expect = kwargs.pop("expect", [dict(return_codes=[os.EX_OK], stdout=None, stderr=None)]) process = subprocess.Popen(cmd, stdin=kwargs.get("stdin", subprocess.PIPE), stdout=subprocess.PIPE, stderr=subprocess.PIPE, **kwargs) out, err = process.communicate() return_code = process.poll() out = out.decode(sys.stdin.encoding) err = err.decode(sys.stdin.encoding) def match(return_code, out, err, expected): exit_ok = return_code in expected["return_codes"] stdout_ok = re.search(expected.get("stdout") or "", out) stderr_ok = re.search(expected.get("stderr") or "", err) return exit_ok and stdout_ok and stderr_ok if not any(match(return_code, out, err, exp) for exp in expect): print(err) e = subprocess.CalledProcessError(return_code, cmd, output=out) e.stdout, e.stderr = out, err raise e return self.SubprocessResult(out, err, return_code)
Example 2
Project: godot-mono-builds Author: godotengine File: os_utils.py License: MIT License | 8 votes |
def run_command(command, args=[], cwd=None, env=None, name='command'): def cmd_args_to_str(cmd_args): return ' '.join([arg if not ' ' in arg else '"%s"' % arg for arg in cmd_args]) assert isinstance(command, str) and isinstance(args, list) args = [command] + args check_call_args = {} if cwd is not None: check_call_args['cwd'] = cwd if env is not None: check_call_args['env'] = env import subprocess try: print('Running command \'%s\': %s' % (name, subprocess.list2cmdline(args))) subprocess.check_call(args, **check_call_args) print('Command \'%s\' completed successfully' % name) except subprocess.CalledProcessError as e: raise BuildError('\'%s\' exited with error code: %s' % (name, e.returncode))
Example 3
Project: harmony-ops Author: harmony-one File: testHmy.py License: MIT License | 8 votes |
def load_addresses(): """ Separate function to avoid announce when loading addresses from keystore. """ global ADDRESSES try: response = subprocess.check_output(["hmy", "keys", "list"], env=ENVIRONMENT).decode() except subprocess.CalledProcessError as err: raise RuntimeError(f"Could not list keys.\n" f"\tGot exit code {err.returncode}. Msg: {err.output}") from err lines = response.split("\n") if "NAME" not in lines[0] or "ADDRESS" not in lines[0]: raise RuntimeError(f"Name or Address not found on first line if key list.") for line in lines[1:]: if not line: continue try: name, address = line.split("\t") except ValueError: raise RuntimeError(f"Unexpected key list format.") ADDRESSES[name.strip()] = address
Example 4
Project: django-click Author: GaretJax File: conftest.py License: MIT License | 7 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 5
Project: neural-fingerprinting Author: StephanZheng File: validate_and_copy_submissions.py License: BSD 3-Clause "New" or "Revised" License | 7 votes |
def run(self): """Runs validation of all submissions.""" cmd = ['gsutil', 'ls', os.path.join(self.source_dir, '**')] try: files_list = subprocess.check_output(cmd).split('\n') except subprocess.CalledProcessError: logging.error('Can''t read source directory') all_submissions = [ s for s in files_list if s.endswith('.zip') or s.endswith('.tar') or s.endswith('.tar.gz') ] for submission_path in all_submissions: self.validate_and_copy_one_submission(submission_path) self.stats.log_stats() self.save_id_to_path_mapping() if self.containers_file: with open(self.containers_file, 'w') as f: f.write('\n'.join(sorted(self.list_of_containers)))
Example 6
Project: incubator-spot Author: apache File: gti.py License: Apache License 2.0 | 6 votes |
def _call_gti(self, command, num_values): try: response_json = check_output(command, shell=True) result_dict = json.loads(response_json[0:len(response_json) - 1]) responses = result_dict['a'] return responses except CalledProcessError as e: self._logger.error("Error calling McAfee GTI client in gti module: " + e.output) error_resp = [{self.REP_KEY: self.DEFAULT_REP}] * num_values return error_resp except ValueError as e: self._logger.error("Error reading JSON response in gti module: " + e.message) error_resp = [{self.REP_KEY: self.DEFAULT_REP}] * num_values return error_resp
Example 7
Project: django-click Author: GaretJax File: test_adapter.py License: MIT License | 6 votes |
def test_django_traceback(manage): with pytest.raises(subprocess.CalledProcessError) as e: manage("errcmd") assert e.value.output == b"CommandError: Raised error description\n" assert e.value.returncode == 1 with pytest.raises(subprocess.CalledProcessError) as e: manage("errcmd", "--traceback") e = e.value lines = e.output.splitlines() assert lines[0] == b"Traceback (most recent call last):" for line in lines[1:-1]: assert line.startswith(b" ") # Use `.endswith()` because of differences between CPython and pypy assert lines[-1].endswith(b"CommandError: Raised error description") assert e.returncode == 1
Example 8
Project: neural-fingerprinting Author: StephanZheng File: validate_submission_lib.py License: BSD 3-Clause "New" or "Revised" License | 6 votes |
def _verify_docker_image_size(self, image_name): """Verifies size of Docker image. Args: image_name: name of the Docker image. Returns: True if image size is withing the limits, False otherwise. """ shell_call(['docker', 'pull', image_name]) try: image_size = subprocess.check_output( ['docker', 'inspect', '--format={{.Size}}', image_name]).strip() image_size = int(image_size) if PY3 else long(image_size) except (ValueError, subprocess.CalledProcessError) as e: logging.error('Failed to determine docker image size: %s', e) return False logging.info('Size of docker image %s is %d', image_name, image_size) if image_size > MAX_DOCKER_IMAGE_SIZE: logging.error('Image size exceeds limit %d', MAX_DOCKER_IMAGE_SIZE) return image_size <= MAX_DOCKER_IMAGE_SIZE
Example 9
Project: neural-fingerprinting Author: StephanZheng File: validate_submission_lib.py License: BSD 3-Clause "New" or "Revised" License | 6 votes |
def _verify_docker_image_size(self, image_name): """Verifies size of Docker image. Args: image_name: name of the Docker image. Returns: True if image size is within the limits, False otherwise. """ shell_call(['docker', 'pull', image_name]) try: image_size = subprocess.check_output( ['docker', 'inspect', '--format={{.Size}}', image_name]).strip() image_size = int(image_size) if PY3 else long(image_size) except (ValueError, subprocess.CalledProcessError) as e: logging.error('Failed to determine docker image size: %s', e) return False logging.info('Size of docker image %s is %d', image_name, image_size) if image_size > MAX_DOCKER_IMAGE_SIZE: logging.error('Image size exceeds limit %d', MAX_DOCKER_IMAGE_SIZE) return image_size <= MAX_DOCKER_IMAGE_SIZE
Example 10
Project: friendly-telegram Author: friendly-telegram File: updater.py License: GNU Affero General Public License v3.0 | 6 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 11
Project: dynamic-training-with-apache-mxnet-on-aws Author: awslabs File: docker_cache.py License: Apache License 2.0 | 6 votes |
def delete_local_docker_cache(docker_tag): """ Delete the local docker cache for the entire docker image chain :param docker_tag: Docker tag :return: None """ history_cmd = ['docker', 'history', '-q', docker_tag] try: image_ids_b = subprocess.check_output(history_cmd) image_ids_str = image_ids_b.decode('utf-8').strip() layer_ids = [id.strip() for id in image_ids_str.split('\n') if id != '<missing>'] delete_cmd = ['docker', 'image', 'rm', '--force'] delete_cmd.extend(layer_ids) subprocess.check_call(delete_cmd) except subprocess.CalledProcessError as error: # Could be caused by the image not being present logging.debug('Error during local cache deletion %s', error)
Example 12
Project: InsightAgent Author: insightfinder File: getmessages_elasticsearch2.py License: Apache License 2.0 | 6 votes |
def check_project(project_name): if 'token' in if_config_vars and len(if_config_vars['token']) != 0: logger.debug(project_name) try: # check for existing project check_url = urlparse.urljoin(if_config_vars['if_url'], '/api/v1/getprojectstatus') output_check_project = subprocess.check_output('curl "' + check_url + '?userName=' + if_config_vars['user_name'] + '&token=' + if_config_vars['token'] + '&projectList=%5B%7B%22projectName%22%3A%22' + project_name + '%22%2C%22customerName%22%3A%22' + if_config_vars['user_name'] + '%22%2C%22projectType%22%3A%22CUSTOM%22%7D%5D&tzOffset=-14400000"', shell=True) # create project if no existing project if project_name not in output_check_project: logger.debug('creating project') create_url = urlparse.urljoin(if_config_vars['if_url'], '/api/v1/add-custom-project') output_create_project = subprocess.check_output('no_proxy= curl -d "userName=' + if_config_vars['user_name'] + '&token=' + if_config_vars['token'] + '&projectName=' + project_name + '&instanceType=PrivateCloud&projectCloudType=PrivateCloud&dataType=' + get_data_type_from_project_type() + '&samplingInterval=' + str(if_config_vars['sampling_interval'] / 60) + '&samplingIntervalInSeconds=' + str(if_config_vars['sampling_interval']) + '&zone=&email=&access-key=&secrete-key=&insightAgentType=' + get_insight_agent_type_from_project_type() + '" -H "Content-Type: application/x-www-form-urlencoded" -X POST ' + create_url + '?tzOffset=-18000000', shell=True) # set project name to proposed name if_config_vars['project_name'] = project_name # try to add new project to system if 'system_name' in if_config_vars and len(if_config_vars['system_name']) != 0: system_url = urlparse.urljoin(if_config_vars['if_url'], '/api/v1/projects/update') output_update_project = subprocess.check_output('no_proxy= curl -d "userName=' + if_config_vars['user_name'] + '&token=' + if_config_vars['token'] + '&operation=updateprojsettings&projectName=' + project_name + '&systemName=' + if_config_vars['system_name'] + '" -H "Content-Type: application/x-www-form-urlencoded" -X POST ' + system_url + '?tzOffset=-18000000', shell=True) except subprocess.CalledProcessError as e: logger.error('Unable to create project for ' + project_name + '. Data will be sent to ' + if_config_vars['project_name'])
Example 13
Project: InsightAgent Author: insightfinder File: getmessages_file_replay.py License: Apache License 2.0 | 6 votes |
def check_project(project_name): if 'token' in if_config_vars and len(if_config_vars['token']) != 0: logger.debug(project_name) try: # check for existing project check_url = urlparse.urljoin(if_config_vars['if_url'], '/api/v1/getprojectstatus') output_check_project = subprocess.check_output('curl "' + check_url + '?userName=' + if_config_vars['user_name'] + '&token=' + if_config_vars['token'] + '&projectList=%5B%7B%22projectName%22%3A%22' + project_name + '%22%2C%22customerName%22%3A%22' + if_config_vars['user_name'] + '%22%2C%22projectType%22%3A%22CUSTOM%22%7D%5D&tzOffset=-14400000"', shell=True) # create project if no existing project if project_name not in output_check_project: logger.debug('creating project') create_url = urlparse.urljoin(if_config_vars['if_url'], '/api/v1/add-custom-project') output_create_project = subprocess.check_output('no_proxy= curl -d "userName=' + if_config_vars['user_name'] + '&token=' + if_config_vars['token'] + '&projectName=' + project_name + '&instanceType=PrivateCloud&projectCloudType=PrivateCloud&dataType=' + get_data_type_from_project_type() + '&samplingInterval=' + str(if_config_vars['sampling_interval'] / 60) + '&samplingIntervalInSeconds=' + str(if_config_vars['sampling_interval']) + '&zone=&email=&access-key=&secrete-key=&insightAgentType=' + get_insight_agent_type_from_project_type() + '" -H "Content-Type: application/x-www-form-urlencoded" -X POST ' + create_url + '?tzOffset=-18000000', shell=True) # set project name to proposed name if_config_vars['project_name'] = project_name # try to add new project to system if 'system_name' in if_config_vars and len(if_config_vars['system_name']) != 0: system_url = urlparse.urljoin(if_config_vars['if_url'], '/api/v1/projects/update') output_update_project = subprocess.check_output('no_proxy= curl -d "userName=' + if_config_vars['user_name'] + '&token=' + if_config_vars['token'] + '&operation=updateprojsettings&projectName=' + project_name + '&systemName=' + if_config_vars['system_name'] + '" -H "Content-Type: application/x-www-form-urlencoded" -X POST ' + system_url + '?tzOffset=-18000000', shell=True) except subprocess.CalledProcessError as e: logger.error('Unable to create project for ' + project_name + '. Data will be sent to ' + if_config_vars['project_name'])
Example 14
Project: InsightAgent Author: insightfinder File: getmetrics_sar.py License: Apache License 2.0 | 6 votes |
def check_project(project_name): if 'token' in if_config_vars and len(if_config_vars['token']) != 0: logger.debug(project_name) try: # check for existing project check_url = urlparse.urljoin(if_config_vars['if_url'], '/api/v1/getprojectstatus') output_check_project = subprocess.check_output('curl "' + check_url + '?userName=' + if_config_vars['user_name'] + '&token=' + if_config_vars['token'] + '&projectList=%5B%7B%22projectName%22%3A%22' + project_name + '%22%2C%22customerName%22%3A%22' + if_config_vars['user_name'] + '%22%2C%22projectType%22%3A%22CUSTOM%22%7D%5D&tzOffset=-14400000"', shell=True) # create project if no existing project if project_name not in output_check_project: logger.debug('creating project') create_url = urlparse.urljoin(if_config_vars['if_url'], '/api/v1/add-custom-project') output_create_project = subprocess.check_output('no_proxy= curl -d "userName=' + if_config_vars['user_name'] + '&token=' + if_config_vars['token'] + '&projectName=' + project_name + '&instanceType=PrivateCloud&projectCloudType=PrivateCloud&dataType=' + get_data_type_from_project_type() + '&samplingInterval=' + str(if_config_vars['sampling_interval'] / 60) + '&samplingIntervalInSeconds=' + str(if_config_vars['sampling_interval']) + '&zone=&email=&access-key=&secrete-key=&insightAgentType=' + get_insight_agent_type_from_project_type() + '" -H "Content-Type: application/x-www-form-urlencoded" -X POST ' + create_url + '?tzOffset=-18000000', shell=True) # set project name to proposed name if_config_vars['project_name'] = project_name # try to add new project to system if 'system_name' in if_config_vars and len(if_config_vars['system_name']) != 0: system_url = urlparse.urljoin(if_config_vars['if_url'], '/api/v1/projects/update') output_update_project = subprocess.check_output('no_proxy= curl -d "userName=' + if_config_vars['user_name'] + '&token=' + if_config_vars['token'] + '&operation=updateprojsettings&projectName=' + project_name + '&systemName=' + if_config_vars['system_name'] + '" -H "Content-Type: application/x-www-form-urlencoded" -X POST ' + system_url + '?tzOffset=-18000000', shell=True) except subprocess.CalledProcessError as e: logger.error('Unable to create project for ' + project_name + '. Data will be sent to ' + if_config_vars['project_name'])
Example 15
Project: InsightAgent Author: insightfinder File: getlogs_hadoop-mapreduce.py License: Apache License 2.0 | 6 votes |
def check_project(project_name): if 'token' in if_config_vars and len(if_config_vars['token']) != 0: logger.debug(project_name) try: # check for existing project check_url = urlparse.urljoin(if_config_vars['if_url'], '/api/v1/getprojectstatus') output_check_project = subprocess.check_output('curl "' + check_url + '?userName=' + if_config_vars['user_name'] + '&token=' + if_config_vars['token'] + '&projectList=%5B%7B%22projectName%22%3A%22' + project_name + '%22%2C%22customerName%22%3A%22' + if_config_vars['user_name'] + '%22%2C%22projectType%22%3A%22CUSTOM%22%7D%5D&tzOffset=-14400000"', shell=True) # create project if no existing project if project_name not in output_check_project: logger.debug('creating project') create_url = urlparse.urljoin(if_config_vars['if_url'], '/api/v1/add-custom-project') output_create_project = subprocess.check_output('no_proxy= curl -d "userName=' + if_config_vars['user_name'] + '&token=' + if_config_vars['token'] + '&projectName=' + project_name + '&instanceType=PrivateCloud&projectCloudType=PrivateCloud&dataType=' + get_data_type_from_project_type() + '&samplingInterval=' + str(if_config_vars['sampling_interval'] / 60) + '&samplingIntervalInSeconds=' + str(if_config_vars['sampling_interval']) + '&zone=&email=&access-key=&secrete-key=&insightAgentType=' + get_insight_agent_type_from_project_type() + '" -H "Content-Type: application/x-www-form-urlencoded" -X POST ' + create_url + '?tzOffset=-18000000', shell=True) # set project name to proposed name if_config_vars['project_name'] = project_name # try to add new project to system if 'system_name' in if_config_vars and len(if_config_vars['system_name']) != 0: system_url = urlparse.urljoin(if_config_vars['if_url'], '/api/v1/projects/update') output_update_project = subprocess.check_output('no_proxy= curl -d "userName=' + if_config_vars['user_name'] + '&token=' + if_config_vars['token'] + '&operation=updateprojsettings&projectName=' + project_name + '&systemName=' + if_config_vars['system_name'] + '" -H "Content-Type: application/x-www-form-urlencoded" -X POST ' + system_url + '?tzOffset=-18000000', shell=True) except subprocess.CalledProcessError as e: logger.error('Unable to create project for ' + project_name + '. Data will be sent to ' + if_config_vars['project_name'])
Example 16
Project: mealpy Author: edmundmok File: venv_update.py License: MIT License | 6 votes |
def invalid_virtualenv_reason(venv_path, source_python, destination_python, options): try: orig_path = get_original_path(venv_path) except CalledProcessError: return 'could not inspect metadata' if not samefile(orig_path, venv_path): return 'virtualenv moved %s -> %s' % (timid_relpath(orig_path), timid_relpath(venv_path)) elif has_system_site_packages(destination_python) != options.system_site_packages: return 'system-site-packages changed, to %s' % options.system_site_packages if source_python is None: return destination_version = get_python_version(destination_python) source_version = get_python_version(source_python) if source_version != destination_version: return 'python version changed %s -> %s' % (destination_version, source_version)
Example 17
Project: Paradrop Author: ParadropLabs File: main.py License: Apache License 2.0 | 6 votes |
def runTail(logFile): cmd = ['tail', '-n', '100', '-f', LOG_FILE] while (True): try: proc = subprocess.Popen(cmd, \ stdout=subprocess.PIPE, \ universal_newlines=True) for line in iter(proc.stdout.readline, ''): yield line proc.stdout.close() proc.wait() except subprocess.CalledProcessError: print('Failed to open the log file, will try again...') sleep(1) continue sleep(2)
Example 18
Project: harmony-ops Author: harmony-one File: testHmy.py License: MIT License | 6 votes |
def test_and_load_keystore_directory(): """ CRITICAL TEST """ global KEYSTORE_PATH try: response = subprocess.check_output(["hmy", "keys", "location"], env=ENVIRONMENT).decode().strip() except subprocess.CalledProcessError as err: log(f"Failed: Could not get keystore path.\n" f"\tGot exit code {err.returncode}. Msg: {err.output}") return False if not os.path.exists(response): log(f"Failed: '{response}' is not a valid path") return False KEYSTORE_PATH = response log("Passed", error=False) return True
Example 19
Project: twitch-viewer Author: ohyou File: twitch-viewer.py License: Apache License 2.0 | 6 votes |
def get_url(): # Getting the json with all data regarding the stream try: response = subprocess.Popen( ["livestreamer.exe", "--http-header", "Client-ID=ewvlchtxgqq88ru9gmfp1gmyt6h2b93", channel_url, "-j"], stdout=subprocess.PIPE).communicate()[0] except subprocess.CalledProcessError: print "An error has occurred while trying to get the stream data. Is the channel online? Is the channel name correct?" sys.exit(1) except OSError: print "An error has occurred while trying to use livestreamer package. Is it installed? Do you have Python in your PATH variable?" # Decoding the url to the worst quality of the stream try: url = json.loads(response)['streams']['audio_only']['url'] except: try: url = json.loads(response)['streams']['worst']['url'] except (ValueError, KeyError): print "An error has occurred while trying to get the stream data. Is the channel online? Is the channel name correct?" sys.exit(1) return url
Example 20
Project: sublime-GitConflictResolver Author: sascha-wolf File: util.py License: MIT License | 6 votes |
def execute_command(command, working_dir=None): startupinfo = None # hide console window on windows if os.name == 'nt': startupinfo = subprocess.STARTUPINFO() startupinfo.dwFlags |= subprocess.STARTF_USESHOWWINDOW output = None try: output = subprocess.check_output( command, cwd=working_dir, startupinfo=startupinfo ) except (subprocess.CalledProcessError, AttributeError): # Git will return an error when the given directory # is not a repository, which means that we can ignore this error pass else: output = str(output, encoding="utf-8").strip() return output
Example 21
Project: ciftify Author: edickie File: config.py License: MIT License | 6 votes |
def get_git_log(git_dir, file_name=None): git_cmd = ["cd {}; git log".format(git_dir)] if file_name: git_cmd.append("--follow {}".format(file_name)) git_cmd.append("| head") git_cmd = " ".join(git_cmd) # Silence stderr try: with open(os.devnull, 'w') as DEVNULL: file_log = util.check_output(git_cmd, stderr=DEVNULL) except subprocess.CalledProcessError: # Fail safe in git command returns non-zero value logger = logging.getLogger(__name__) logger.error("Unrecognized command: {} " "\nReturning empty git log.".format(git_cmd)) file_log = "" return file_log
Example 22
Project: svviz Author: svviz File: export.py License: MIT License | 5 votes |
def checkWebkitToPDF(): try: subprocess.check_call("webkitToPDF", stderr=subprocess.PIPE, shell=True) return True except subprocess.CalledProcessError: return False
Example 23
Project: svviz Author: svviz File: export.py License: MIT License | 5 votes |
def checkRSVGConvert(): try: subprocess.check_call("rsvg-convert -v", stdout=subprocess.PIPE, shell=True) return True except subprocess.CalledProcessError: return False
Example 24
Project: svviz Author: svviz File: export.py License: MIT License | 5 votes |
def checkInkscape(): try: subprocess.check_call("inkscape --version", stdout=subprocess.PIPE, shell=True) return True except subprocess.CalledProcessError: return False
Example 25
Project: svviz Author: svviz File: export.py License: MIT License | 5 votes |
def _convertSVG_webkitToPDF(inpath, outpath, outformat): if outformat.lower() != "pdf": return None try: cmd = "webkitToPDF {} {}".format(inpath, outpath) subprocess.check_call(cmd, shell=True)#, stderr=subprocess.PIPE) except subprocess.CalledProcessError: return None return open(outpath, "rb").read()
Example 26
Project: svviz Author: svviz File: export.py License: MIT License | 5 votes |
def _convertSVG_inkscape(inpath, outpath, outformat): options = "" outformat = outformat.lower() if outformat == "png": options = "--export-dpi 150 --export-background white" try: subprocess.check_call("inkscape {} {} --export-{}={}".format(options, inpath, outformat, outpath), shell=True) except subprocess.CalledProcessError as e: print("EXPORT ERROR:", str(e)) return open(outpath, "rb").read()
Example 27
Project: incubator-spot Author: apache File: utils.py License: Apache License 2.0 | 5 votes |
def remove_kafka_topic(cls,zk,topic,logger): rm_kafka_topic = "kafka-topics --delete --zookeeper {0} --topic {1}".format(zk,topic) try: logger.info("SPOT.Utils: Executing: {0}".format(rm_kafka_topic)) subprocess.call(rm_kafka_topic,shell=True) except subprocess.CalledProcessError as e: logger.error("SPOT.Utils: There was an error executing: {0}".format(e.cmd)) sys.exit(1)
Example 28
Project: incubator-spot Author: apache File: utils.py License: Apache License 2.0 | 5 votes |
def execute_cmd(cls,command,logger): try: logger.info("SPOT.Utils: Executing: {0}".format(command)) subprocess.call(command,shell=True) except subprocess.CalledProcessError as e: logger.error("SPOT.Utils: There was an error executing: {0}".format(e.cmd)) sys.exit(1)
Example 29
Project: incubator-spot Author: apache File: utilities.py License: Apache License 2.0 | 5 votes |
def execute_cmd(cls,command,logger): try: logger.info("SPOT.Utils: Executing: {0}".format(command)) subprocess.call(command,shell=True) except subprocess.CalledProcessError as e: logger.error("SPOT.Utils: There was an error executing: {0}".format(e.cmd)) sys.exit(1)
Example 30
Project: arm_now Author: nongiach File: utils.py License: MIT License | 5 votes |
def which(filename, **kwargs): try: subprocess.check_output(["which", filename]) return True except subprocess.CalledProcessError: if distribution() in kwargs: print(kwargs[distribution()]) else: print(kwargs["ubuntu"]) return False