Python subprocess.check_output() Examples
The following are 30
code examples of subprocess.check_output().
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 also want to check out all available functions/classes of the module
subprocess
, or try the search function
.
Example #1
Source File: conftest.py From django-click with MIT License | 10 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 #2
Source File: terminal.py From clikit with MIT License | 8 votes |
def _get_terminal_size_tput(self): # get terminal width # src: http://stackoverflow.com/questions/263890/how-do-i-find-the-width-height-of-a-terminal-window try: cols = int( subprocess.check_output( shlex.split("tput cols"), stderr=subprocess.STDOUT ) ) rows = int( subprocess.check_output( shlex.split("tput lines"), stderr=subprocess.STDOUT ) ) return (cols, rows) except: pass
Example #3
Source File: testHmy.py From harmony-ops with 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
Source File: validate_and_copy_submissions.py From neural-fingerprinting with 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 #5
Source File: util.py From wechat-alfred-workflow with MIT License | 7 votes |
def run_command(cmd, **kwargs): """Run a command and return the output. .. versionadded:: 1.31 A thin wrapper around :func:`subprocess.check_output` that ensures all arguments are encoded to UTF-8 first. Args: cmd (list): Command arguments to pass to ``check_output``. **kwargs: Keyword arguments to pass to ``check_output``. Returns: str: Output returned by ``check_output``. """ cmd = [utf8ify(s) for s in cmd] return subprocess.check_output(cmd, **kwargs)
Example #6
Source File: build.py From dockerfiles with Apache License 2.0 | 6 votes |
def build(dockerfile, show_tag_only): image_tag = assert_image_tag_from_dockerfile(logger, dockerfile) if show_tag_only: print(image_tag) return dockerfile_dir = os.path.dirname(dockerfile) project_dir = os.path.dirname(dockerfile_dir) logger.info('--------------------------------------------') logger.info('[*] Building %s with tag %s...', dockerfile, image_tag) logger.info('--------------------------------------------') check_call('docker build --rm -t %s -f %s %s' % (image_tag, dockerfile, project_dir), shell=True) logger.info(check_output(['docker', 'images']))
Example #7
Source File: vcc_utils.py From VEX_Syntax with MIT License | 6 votes |
def context_function_signatures(context, vcc_path=VCC_PATH): ctx_info = subprocess.check_output([vcc_path, '-X', context]) ctx_info = ctx_info.decode('ascii') sigs = [] for s in re.findall('(\w+(\[\])?) (\w+)\((.*)\)', ctx_info): sig_str = '%s %s(%s)' % (s[0], s[2], s[3]) if s[3] == 'void': hint_str = '' else: hint_str = '%s\n(%s)' % (s[0], s[3].rstrip().lstrip().rstrip(';')) args = [x.strip() for x in s[3].split(';')] sigs.append({'returns':s[0], 'name':s[2], 'ctx':context, 'args':args, 'str':sig_str, 'hint':hint_str}) return sigs
Example #8
Source File: gti.py From incubator-spot with 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 #9
Source File: validate_submission_lib.py From neural-fingerprinting with 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 #10
Source File: validate_submission_lib.py From neural-fingerprinting with 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 #11
Source File: benchmark.py From dynamic-training-with-apache-mxnet-on-aws with Apache License 2.0 | 6 votes |
def stop_old_processes(hosts_file, prog_name): stop_args = ['python', '../../tools/kill-mxnet.py', hosts_file, 'python', prog_name] stop_args_str = ' '.join(stop_args) LOGGER.info('killing old remote processes\n %s', stop_args_str) stop = subprocess.check_output(stop_args, stderr=subprocess.STDOUT) LOGGER.debug(stop) time.sleep(1)
Example #12
Source File: test_utils.py From dynamic-training-with-apache-mxnet-on-aws with Apache License 2.0 | 6 votes |
def list_gpus(): """Return a list of GPUs Returns ------- list of int: If there are n GPUs, then return a list [0,1,...,n-1]. Otherwise returns []. """ re = '' nvidia_smi = ['nvidia-smi', '/usr/bin/nvidia-smi', '/usr/local/nvidia/bin/nvidia-smi'] for cmd in nvidia_smi: try: re = subprocess.check_output([cmd, "-L"], universal_newlines=True) except OSError: pass return range(len([i for i in re.split('\n') if 'GPU' in i]))
Example #13
Source File: getmessages_elasticsearch2.py From InsightAgent with 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
Source File: getmessages_file_replay.py From InsightAgent with 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
Source File: getlogs_tcpdump.py From InsightAgent with 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
Source File: getmetrics_sar.py From InsightAgent with 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 #17
Source File: testHmy.py From harmony-ops with 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 #18
Source File: docker_cache.py From dynamic-training-with-apache-mxnet-on-aws with 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 #19
Source File: angrysearch.py From ANGRYsearch with GNU General Public License v2.0 | 6 votes |
def detect_file_manager(self): try: fm = subprocess.check_output(['xdg-mime', 'query', 'default', 'inode/directory']) detected_fm = fm.decode('utf-8').strip().lower() known_fm = ['dolphin', 'nemo', 'nautilus', 'doublecmd', 'thunar', 'pcmanfm-qt', 'pcmanfm', 'spacefm'] for x in known_fm: if x in detected_fm: print('autodetected file manager: ' + x) return x return 'xdg-open' except Exception as err: print(err) return 'xdg-open'
Example #20
Source File: mx_native.py From mx with GNU General Public License v2.0 | 6 votes |
def _ninja_deps(cls): # pylint: disable=no-self-argument deps = [] try: subprocess.check_output(['ninja', '--version'], stderr=subprocess.STDOUT) except OSError: dep = mx.library('NINJA', False) if dep: deps.append(dep.qualifiedName()) Ninja.binary = mx.join(dep.get_path(False), 'ninja') else: # necessary until GR-13214 is resolved mx.warn('Make `ninja` binary available via PATH to build native projects.') try: import ninja_syntax # pylint: disable=unused-variable, unused-import except ImportError: dep = mx.library('NINJA_SYNTAX') deps.append(dep.qualifiedName()) module_path = mx.join(dep.get_path(False), 'ninja_syntax-{}'.format(dep.version)) mx.ensure_dir_exists(module_path) # otherwise, import machinery will ignore it sys.path.append(module_path) return deps
Example #21
Source File: runTests.py From svviz with MIT License | 6 votes |
def saveTimingInfo(summary): timingsPath = "test_timings.csv" git_version = subprocess.check_output(["git", "describe"]).strip() new_row = summary[["timing"]].T new_row["date"] = [datetime.datetime.now()] new_row["version"] = git_version if os.path.exists(timingsPath): timings = pandas.read_csv(timingsPath, index_col=0) timings = pandas.concat([timings, new_row]) else: timings = new_row timings.to_csv(timingsPath) print(timings)
Example #22
Source File: publish_model.py From mmdetection with Apache License 2.0 | 5 votes |
def process_checkpoint(in_file, out_file): checkpoint = torch.load(in_file, map_location='cpu') # remove optimizer for smaller file size if 'optimizer' in checkpoint: del checkpoint['optimizer'] # if it is necessary to remove some sensitive data in checkpoint['meta'], # add the code here. torch.save(checkpoint, out_file) sha = subprocess.check_output(['sha256sum', out_file]).decode() if out_file.endswith('.pth'): out_file = out_file[:-4] final_file = out_file + f'-{sha[:8]}.pth' subprocess.Popen(['mv', out_file, final_file])
Example #23
Source File: getlogs_servicenow.py From InsightAgent with Apache License 2.0 | 5 votes |
def run_subproc_once(command, **passthrough): command = format_command(command) output = subprocess.check_output(command, universal_newlines=True, **passthrough).split('\n') for line in output: yield line
Example #24
Source File: getlogs_tcpdump.py From InsightAgent with Apache License 2.0 | 5 votes |
def run_subproc_once(command, **passthrough): command = format_command(command) output = subprocess.check_output(command, universal_newlines=True, **passthrough).split('\n') for line in output: yield line
Example #25
Source File: insightagent-boilerplate.py From InsightAgent with Apache License 2.0 | 5 votes |
def run_subproc_once(command, **passthrough): command = format_command(command) output = subprocess.check_output(command, universal_newlines=True, **passthrough).split('\n') for line in output: yield line
Example #26
Source File: getmetrics_sar.py From InsightAgent with Apache License 2.0 | 5 votes |
def get_sar_data_cmd(call): logger.debug(call) try: return subprocess.check_output(call, shell=True) except Exception as e: logger.warning(e) return ''
Example #27
Source File: utils.py From arm_now with 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
Example #28
Source File: getmessages_mariadb.py From InsightAgent with Apache License 2.0 | 5 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 #29
Source File: getmessages_kafka2.py From InsightAgent with Apache License 2.0 | 5 votes |
def run_subproc_once(command, **passthrough): command = format_command(command) output = subprocess.check_output(command, universal_newlines=True, **passthrough).split('\n') for line in output: yield line
Example #30
Source File: getmessages_mariadb.py From InsightAgent with Apache License 2.0 | 5 votes |
def run_subproc_once(command, **passthrough): command = format_command(command) output = subprocess.check_output(command, universal_newlines=True, **passthrough).split('\n') for line in output: yield line