当前位置: 首页>>代码示例>>Python>>正文


Python Secret.get方法代码示例

本文整理汇总了Python中app.util.secret.Secret.get方法的典型用法代码示例。如果您正苦于以下问题:Python Secret.get方法的具体用法?Python Secret.get怎么用?Python Secret.get使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在app.util.secret.Secret的用法示例。


在下文中一共展示了Secret.get方法的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Python代码示例。

示例1: _create_test_config_file

# 需要导入模块: from app.util.secret import Secret [as 别名]
# 或者: from app.util.secret.Secret import get [as 别名]
    def _create_test_config_file(self, base_dir_sys_path):
        """
        Create a temporary conf file just for this test.

        :param base_dir_sys_path: Sys path of the base app dir
        :type base_dir_sys_path: unicode

        :return: The path to the conf file
        :rtype: str
        """
        # Copy default conf file to tmp location
        self._conf_template_path = join(self._clusterrunner_repo_dir, 'conf', 'default_clusterrunner.conf')
        # Create the conf file inside base dir so we can clean up the test at the end just by removing the base dir
        test_conf_file_path = tempfile.NamedTemporaryFile(dir=base_dir_sys_path).name
        shutil.copy(self._conf_template_path, test_conf_file_path)
        os.chmod(test_conf_file_path, ConfigFile.CONFIG_FILE_MODE)
        conf_file = ConfigFile(test_conf_file_path)

        # Set custom conf file values for this test
        conf_values_to_set = {
            'secret': Secret.get(),
            'base_directory': base_dir_sys_path,
            'max_log_file_size': 1024 * 5,
        }
        for conf_key, conf_value in conf_values_to_set.items():
            conf_file.write_value(conf_key, conf_value, BASE_CONFIG_FILE_SECTION)

        return test_conf_file_path
开发者ID:fengshao0907,项目名称:ClusterRunner,代码行数:30,代码来源:functional_test_cluster.py

示例2: setup

# 需要导入模块: from app.util.secret import Secret [as 别名]
# 或者: from app.util.secret.Secret import get [as 别名]
    def setup(self, build: Build, executor_start_index: int) -> bool:
        """
        Execute a setup command on the slave for the specified build. The setup process executes asynchronously on the
        slave and the slave will alert the master when setup is complete and it is ready to start working on subjobs.

        :param build: The build to set up this slave to work on
        :param executor_start_index: The index the slave should number its executors from for this build
        :return: Whether or not the call to start setup on the slave was successful
        """
        slave_project_type_params = build.build_request.build_parameters().copy()
        slave_project_type_params.update(build.project_type.slave_param_overrides())

        setup_url = self._slave_api.url('build', build.build_id(), 'setup')
        post_data = {
            'project_type_params': slave_project_type_params,
            'build_executor_start_index': executor_start_index,
        }

        self.current_build_id = build.build_id()
        try:
            self._network.post_with_digest(setup_url, post_data, Secret.get())
        except (requests.ConnectionError, requests.Timeout) as ex:
            self._logger.warning('Setup call to {} failed with {}: {}.', self, ex.__class__.__name__, str(ex))
            self.mark_dead()
            return False
        return True
开发者ID:box,项目名称:ClusterRunner,代码行数:28,代码来源:slave.py

示例3: kill

# 需要导入模块: from app.util.secret import Secret [as 别名]
# 或者: from app.util.secret.Secret import get [as 别名]
 def kill(self):
     """
     Instructs the slave process to kill itself.
     """
     kill_url = self._slave_api.url('kill')
     self._network.post_with_digest(kill_url, {}, Secret.get())
     self.mark_dead()
开发者ID:fengshao0907,项目名称:ClusterRunner,代码行数:9,代码来源:slave.py

示例4: test_git_project_params_are_modified_for_slave

# 需要导入模块: from app.util.secret import Secret [as 别名]
# 或者: from app.util.secret.Secret import get [as 别名]
    def test_git_project_params_are_modified_for_slave(self):
        slave = self._create_slave()
        slave._network.post_with_digest = Mock()

        build_request = BuildRequest({
            'type': 'git',
            'url': 'http://original-user-specified-url',
        })
        mock_git = Mock(slave_param_overrides=Mock(return_value={
            'url': 'ssh://new-url-for-clusterrunner-master',
            'extra': 'something_extra',
        }))
        mock_build = MagicMock(spec=Build, build_request=build_request,
                               build_id=Mock(return_value=888), project_type=mock_git)

        slave.setup(mock_build, executor_start_index=777)

        slave._network.post_with_digest.assert_called_with(
            'http://{}/v1/build/888/setup'.format(self._FAKE_SLAVE_URL),
            {
                'build_executor_start_index': 777,
                'project_type_params': {
                    'type': 'git',
                    'url': 'ssh://new-url-for-clusterrunner-master',
                    'extra': 'something_extra'}
            },
            Secret.get()
        )
开发者ID:box,项目名称:ClusterRunner,代码行数:30,代码来源:test_slave.py

示例5: _notify_master_of_state_change

# 需要导入模块: from app.util.secret import Secret [as 别名]
# 或者: from app.util.secret.Secret import get [as 别名]
    def _notify_master_of_state_change(self, new_state):
        """
        Send a state notification to the master. This is used to notify the master of events occurring on the slave
        related to build execution progress.

        :type new_state: SlaveState
        """
        state_url = self._master_api.url('slave', self._slave_id)
        self._network.put_with_digest(state_url, request_params={'slave': {'state': new_state}},
                                      secret=Secret.get(), error_on_failure=True)
开发者ID:dncarley,项目名称:ClusterRunner,代码行数:12,代码来源:cluster_slave.py

示例6: _async_start_subjob

# 需要导入模块: from app.util.secret import Secret [as 别名]
# 或者: from app.util.secret.Secret import get [as 别名]
    def _async_start_subjob(self, subjob):
        """
        :type subjob: Subjob
        """
        execution_url = self._slave_api.url('build', subjob.build_id(), 'subjob', subjob.subjob_id())
        post_data = {'atomic_commands': subjob.atomic_commands()}
        response = self._network.post_with_digest(execution_url, post_data, Secret.get(), error_on_failure=True)

        subjob_executor_id = response.json().get('executor_id')
        analytics.record_event(analytics.MASTER_TRIGGERED_SUBJOB, executor_id=subjob_executor_id,
                               build_id=subjob.build_id(), subjob_id=subjob.subjob_id(), slave_id=self.id)
开发者ID:fengshao0907,项目名称:ClusterRunner,代码行数:13,代码来源:slave.py

示例7: test_run_instantiates_buildrunner_with_correct_constructor_args_for_git_project_type

# 需要导入模块: from app.util.secret import Secret [as 别名]
# 或者: from app.util.secret.Secret import get [as 别名]
 def test_run_instantiates_buildrunner_with_correct_constructor_args_for_git_project_type(self):
     Configuration['hostname'] = 'localhost'
     Configuration['port'] = 43000
     build_subcommand = BuildSubcommand()
     build_subcommand.run(None, None, type='git')
     # assert on constructor params
     self.mock_BuildRunner.assert_called_once_with(
         'localhost:43000',
         request_params={'type': 'git'},
         secret=Secret.get()
     )
开发者ID:Medium,项目名称:ClusterRunner,代码行数:13,代码来源:test_build_subcommand.py

示例8: kill

# 需要导入模块: from app.util.secret import Secret [as 别名]
# 或者: from app.util.secret.Secret import get [as 别名]
 def kill(self):
     """
     Instruct the slave process to kill itself.
     """
     self._logger.notice('Killing {}', self)
     kill_url = self._slave_api.url('kill')
     try:
         self._network.post_with_digest(kill_url, {}, Secret.get())
     except (requests.ConnectionError, requests.Timeout):
         pass
     self.mark_dead()
开发者ID:box,项目名称:ClusterRunner,代码行数:13,代码来源:slave.py

示例9: _graceful_shutdown_slaves

# 需要导入模块: from app.util.secret import Secret [as 别名]
# 或者: from app.util.secret.Secret import get [as 别名]
 def _graceful_shutdown_slaves(self, body):
     """
     :type body: dict
     :rtype: requests.Response
     """
     shutdown_url = self._api.url('slave', 'shutdown')
     response = self._network.post_with_digest(
         shutdown_url,
         body,
         Secret.get(),
         error_on_failure=True
     )
     return response
开发者ID:Medium,项目名称:ClusterRunner,代码行数:15,代码来源:cluster_api_client.py

示例10: test_run_instantiates_buildrunner_with_correct_constructor_args_for_directory_project_type

# 需要导入模块: from app.util.secret import Secret [as 别名]
# 或者: from app.util.secret.Secret import get [as 别名]
 def test_run_instantiates_buildrunner_with_correct_constructor_args_for_directory_project_type(self):
     Configuration['hostname'] = 'localhost'
     Configuration['port'] = 43000
     os_getcwd_patch = self.patch('os.getcwd')
     os_getcwd_patch.return_value = '/current/directory'
     build_subcommand = BuildSubcommand()
     build_subcommand.run(None, None)
     # assert on constructor params
     self.mock_BuildRunner.assert_called_once_with(
         'localhost:43000',
         request_params={'type':'directory', 'project_directory':'/current/directory'},
         secret=Secret.get()
     )
开发者ID:Medium,项目名称:ClusterRunner,代码行数:15,代码来源:test_build_subcommand.py

示例11: cancel_build

# 需要导入模块: from app.util.secret import Secret [as 别名]
# 或者: from app.util.secret.Secret import get [as 别名]
 def cancel_build(self, build_id):
     """
     PUT a request to the master to cancel a build.
     :param build_id: The id of the build we want to cancel
     :type build_id: int
     :return: The API response
     :rtype: dict
     """
     build_url = self._api.url('build', build_id)
     response = self._network.put_with_digest(
         build_url,
         {'status': 'canceled'},
         Secret.get(),
         error_on_failure=True
     )
     return response.json()
开发者ID:Medium,项目名称:ClusterRunner,代码行数:18,代码来源:cluster_api_client.py

示例12: test_git_project_params_are_modified_for_slave

# 需要导入模块: from app.util.secret import Secret [as 别名]
# 或者: from app.util.secret.Secret import get [as 别名]
    def test_git_project_params_are_modified_for_slave(self):
        remote_path = 'central.sourcecode.example.com/company/project'
        base_directory = '/home/cr_user/.clusterrunner'
        Configuration['repo_directory'] = '{}/repos/master'.format(base_directory)
        slave = self._create_slave()
        slave._network.post_with_digest = Mock()

        slave.setup(1, {'type': 'git', 'url': 'http://{}'.format(remote_path)})

        slave._network.post_with_digest.assert_called_with('http://{}/v1/build/1/setup'.format(self._FAKE_SLAVE_URL),
                                                           {'project_type_params': {
                                                               'url': 'ssh://{}{}/repos/master/{}'.format(
                                                                   self._fake_hostname,
                                                                   base_directory,
                                                                   remote_path),
                                                               'type': 'git'}}, Secret.get())
开发者ID:mdengler,项目名称:ClusterRunner,代码行数:18,代码来源:test_slave.py

示例13: setup

# 需要导入模块: from app.util.secret import Secret [as 别名]
# 或者: from app.util.secret.Secret import get [as 别名]
    def setup(self, build_id, project_type_params):
        """
        Execute a setup command on the slave for the specified build. The command is executed asynchronously from the
        perspective of this method, but any subjobs will block until the slave finishes executing the setup command.

        :param build_id: The build id that this setup command is for.
        :type build_id: int

        :param project_type_params: The parameters that define the project type this build will execute in
        :typeproject_type_paramss: dict
        """
        setup_url = self._slave_api.url('build', build_id, 'setup')
        post_data = {
            'project_type_params': project_type_params,
        }
        self._network.post_with_digest(setup_url, post_data, Secret.get())
开发者ID:drobertduke,项目名称:ClusterRunner,代码行数:18,代码来源:slave.py

示例14: setUp

# 需要导入模块: from app.util.secret import Secret [as 别名]
# 或者: from app.util.secret.Secret import get [as 别名]
    def setUp(self):
        # Configure logging to go to stdout. This makes debugging easier by allowing us to see logs for failed tests.
        log.configure_logging('DEBUG')

        Secret.set('testsecret')
        self.test_app_base_dir = tempfile.TemporaryDirectory()

        self.test_conf_file_path = self._create_test_config_file({
            'secret': Secret.get(),
            'base_directory': self.test_app_base_dir.name,
        })

        self.cluster = FunctionalTestCluster(
            conf_file_path=self.test_conf_file_path,
            verbose=self._get_test_verbosity(),
        )
开发者ID:drobertduke,项目名称:ClusterRunner,代码行数:18,代码来源:base_functional_test_case.py

示例15: post_new_build

# 需要导入模块: from app.util.secret import Secret [as 别名]
# 或者: from app.util.secret.Secret import get [as 别名]
    def post_new_build(self, request_params):
        """
        Send a post request to the master to start a new build with the specified parameters.

        :param request_params: The build parameters to send in the post body
        :type request_params: dict
        :return: The API response data
        :rtype: dict
        """
        build_url = self._api.url('build')
        response = self._network.post_with_digest(
            build_url,
            request_params,
            Secret.get(),
            error_on_failure=True
        )
        return response.json()
开发者ID:Medium,项目名称:ClusterRunner,代码行数:19,代码来源:cluster_api_client.py


注:本文中的app.util.secret.Secret.get方法示例由纯净天空整理自Github/MSDocs等开源代码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。