#!/usr/bin/env python # # Copyright (c) 2014 Piston Cloud Computing, Inc. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); you may # not use this file except in compliance with the License. You may obtain # a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, WITHOUT # WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the # License for the specific language governing permissions and limitations # under the License. # """ Run Tempest and upload results to Refstack. This module runs the Tempest test suite on an OpenStack environment given a Tempest configuration file. """ import argparse import binascii import ConfigParser import itertools import json import logging import os import subprocess import time from Crypto.Hash import SHA256 from Crypto.PublicKey import RSA from Crypto.Signature import PKCS1_v1_5 from keystoneclient.v2_0 import client as ksclient import requests import requests.exceptions import six.moves from subunit_processor import SubunitProcessor def get_input(): """ Wrapper for raw_input. Necessary for testing. """ return raw_input().lower() # pragma: no cover class RefstackClient: log_format = "%(asctime)s %(name)s:%(lineno)d %(levelname)s %(message)s" def __init__(self, args): '''Prepare a tempest test against a cloud.''' self.logger = logging.getLogger("refstack_client") self.console_log_handle = logging.StreamHandler() self.console_log_handle.setFormatter( logging.Formatter(self.log_format)) self.logger.addHandler(self.console_log_handle) self.args = args self.tempest_dir = '.tempest' if self.args.verbose > 1: self.logger.setLevel(logging.DEBUG) elif self.args.verbose == 1: self.logger.setLevel(logging.INFO) else: self.logger.setLevel(logging.ERROR) def _prep_test(self): '''Prepare a tempest test against a cloud.''' # Check that the config file exists. if not os.path.isfile(self.args.conf_file): self.logger.error("Conf file not valid: %s" % self.args.conf_file) exit(1) # Check that the Tempest directory is an existing directory. if not os.path.isdir(self.tempest_dir): self.logger.error("Tempest directory given is not a directory or " "does not exist: %s" % self.tempest_dir) exit(1) self.tempest_script = os.path.join(self.tempest_dir, 'run_tempest.sh') self.conf_file = self.args.conf_file self.conf = ConfigParser.SafeConfigParser() self.conf.read(self.args.conf_file) self.tempest_script = os.path.join(self.tempest_dir, 'run_tempest.sh') def _prep_upload(self): '''Prepare an upload to the Refstack_api''' if not os.path.isfile(self.args.file): self.logger.error("File not valid: %s" % self.args.file) exit(1) self.upload_file = self.args.file def _get_next_stream_subunit_output_file(self, tempest_dir): '''This method reads from the next-stream file in the .testrepository directory of the given Tempest path. The integer here is the name of the file where subunit output will be saved to.''' try: subunit_file = open(os.path.join( tempest_dir, '.testrepository', 'next-stream'), 'r').read().rstrip() except (IOError, OSError): self.logger.debug('The .testrepository/next-stream file was not ' 'found. Assuming subunit results will be stored ' 'in file 0.') # Testr saves the first test stream to .testrepository/0 when # there is a newly generated .testrepository directory. subunit_file = "0" return os.path.join(tempest_dir, '.testrepository', subunit_file) def _get_cpid_from_keystone(self, conf_file): '''This will get the Keystone service ID which is used as the CPID.''' try: args = {'auth_url': conf_file.get('identity', 'uri'), 'username': conf_file.get('identity', 'admin_username'), 'password': conf_file.get('identity', 'admin_password')} if self.conf.has_option('identity', 'admin_tenant_id'): args['tenant_id'] = conf_file.get('identity', 'admin_tenant_id') else: args['tenant_name'] = conf_file.get('identity', 'admin_tenant_name') client = ksclient.Client(**args) services = client.services.list() for service in services: if service.type == "identity": return service.id except ConfigParser.Error as e: # Most likely a missing section or option in the config file. self.logger.error("Invalid Config File: %s" % e) exit(1) def _form_result_content(self, cpid, duration, results): '''This method will create the content for the request. The spec at github.com/stackforge/refstack/blob/master/specs/approved/api-v1.md. defines the format expected by the API.''' content = {} content['cpid'] = cpid content['duration_seconds'] = duration content['results'] = results return content def _save_json_results(self, results, path): '''Save the output results from the Tempest run as a JSON file''' file = open(path, "w+") file.write(json.dumps(results, indent=4, separators=(',', ': '))) file.close() def _user_query(self, q): """Ask user a query. Return true if user agreed (yes/y)""" if self.args.quiet: return True try: inp = six.moves.input(q + ' (yes/y): ') except KeyboardInterrupt: return else: return inp.lower() in ('yes', 'y') def get_passed_tests(self, result_file): '''Get a list of tests IDs that passed Tempest from a subunit file.''' subunit_processor = SubunitProcessor(result_file) results = subunit_processor.process_stream() return results def post_results(self, url, content, sign_with=None): '''Post the combined results back to the server.''' endpoint = '%s/v1/results/' % url headers = {'Content-type': 'application/json'} data = json.dumps(content) self.logger.debug('API request content: %s ' % content) if sign_with: data_hash = SHA256.new() data_hash.update(data.encode('utf-8')) with open(sign_with) as key_pair_file: try: key = RSA.importKey(key_pair_file.read()) except (IOError, ValueError) as e: self.logger.info('Error during upload key pair %s' '' % key_pair_file) self.logger.exception(e) return signer = PKCS1_v1_5.new(key) sign = signer.sign(data_hash) headers['X-Signature'] = binascii.b2a_hex(sign) headers['X-Public-Key'] = key.publickey().exportKey('OpenSSH') try: response = requests.post(endpoint, data=data, headers=headers, verify=self.args.insecure) self.logger.info(endpoint + " Response: " + str(response.text)) except Exception as e: self.logger.info('Failed to post %s - %s ' % (endpoint, e)) self.logger.exception(e) return if response.status_code == 201: resp = response.json() print 'Test results uploaded!\nURL: %s' % resp.get('url', '') def test(self): '''Execute Tempest test against the cloud.''' self._prep_test() results_file = self._get_next_stream_subunit_output_file( self.tempest_dir) cpid = self._get_cpid_from_keystone(self.conf) self.logger.info("Starting Tempest test...") start_time = time.time() # Run the tempest script, specifying the conf file, the flag # telling it to use a virtual environment (-V), and the flag # telling it to run the tests serially (-t). cmd = (self.tempest_script, '-C', self.conf_file, '-V', '-t') # Add the tempest test cases to test as arguments. If no test # cases are specified, then all Tempest API tests will be run. if self.args.test_cases: cmd += ('--', self.args.test_cases) else: cmd += ('--', "tempest.api") # If there were two verbose flags, show tempest results. if self.args.verbose > 1: stderr = None else: # Suppress tempest results output. Note that testr prints # results to stderr. stderr = open(os.devnull, 'w') # Execute the tempest test script in a subprocess. process = subprocess.Popen(cmd, stderr=stderr) process.communicate() # If the subunit file was created, then the Tempest test was at least # started successfully. if os.path.isfile(results_file): end_time = time.time() elapsed = end_time - start_time duration = int(elapsed) self.logger.info('Tempest test complete.') self.logger.info('Subunit results located in: %s' % results_file) results = self.get_passed_tests(results_file) self.logger.info("Number of passed tests: %d" % len(results)) content = self._form_result_content(cpid, duration, results) if self.args.result_tag: file_name = os.path.basename(results_file) directory = os.path.dirname(results_file) file_name = '-'.join([self.args.result_tag, file_name]) results_file = os.path.join(directory, file_name) json_path = results_file + ".json" self._save_json_results(content, json_path) self.logger.info('JSON results saved in: %s' % json_path) # If the user specified the upload argument, then post # the results. if self.args.upload: self.post_results(self.args.url, content, sign_with=self.args.priv_key) else: self.logger.error("Problem executing Tempest script. Exit code %d", process.returncode) def upload(self): '''Perform upload to Refstack URL.''' self._prep_upload() json_file = open(self.upload_file) json_data = json.load(json_file) json_file.close() if self._user_query('Test results will be uploaded to %s. ' 'Ok?' % self.args.url): self.post_results(self.args.url, json_data, sign_with=self.args.priv_key) def yield_results(self, url, start_page=1, start_date='', end_date='', cpid=''): endpoint = '%s/v1/results/' % url headers = {'Content-type': 'application/json'} for page in itertools.count(start_page): params = {'page': page} for param in ('start_date', 'end_date', 'cpid'): if locals()[param]: params.update({param: locals()[param]}) try: resp = requests.get(endpoint, headers=headers, params=params) resp.raise_for_status() except requests.exceptions.HTTPError as e: self.logger.info('Failed to list %s - %s ' % (endpoint, e)) raise StopIteration else: resp = resp.json() results = resp.get('results', []) yield results if resp['pagination']['total_pages'] == page: raise StopIteration def list(self): """Retrieve list with last test results from Refstack.""" results = self.yield_results(self.args.url, start_date=self.args.start_date, end_date=self.args.end_date) for page_of_results in results: for r in page_of_results: print('%s - %s' % (r['created_at'], r['url'])) try: six.moves.input('Press Enter to go to next page...') except KeyboardInterrupt: return def parse_cli_args(args=None): usage_string = ('refstack-client [-h] <ARG> ...\n\n' 'To see help on specific argument, do:\n' 'refstack-client <ARG> -h') parser = argparse.ArgumentParser(description='Refstack-client arguments', formatter_class=argparse. ArgumentDefaultsHelpFormatter, usage=usage_string) subparsers = parser.add_subparsers(help='Available subcommands.') # Arguments that go with all subcommands. shared_args = argparse.ArgumentParser(add_help=False) shared_args.add_argument('-v', '--verbose', action='count', help='Show verbose output.') shared_args.add_argument('--url', action='store', required=False, default=os.environ.get( 'REFSTACK_URL', 'http://api.refstack.net'), type=str, help='Refstack API URL to upload results to. ' 'Defaults to env[REFSTACK_URL] or ' 'http://api.refstack.net if it is not set ' '(--url http://localhost:8000).') shared_args.add_argument('-k', '--insecure', action='store_false', dest='insecure', required=False, help='Assume Yes to all prompt queries') shared_args.add_argument('-i', '--sign', type=str, required=False, dest='priv_key', help='Private RSA key. ' 'OpenSSH RSA keys format supported (' '-i ~/.ssh/id-rsa)') shared_args.add_argument('-y', action='store_true', dest='quiet', required=False, help='Assume Yes to all prompt queries') # Upload command parser_upload = subparsers.add_parser( 'upload', parents=[shared_args], help='Upload an existing result file.' ) parser_upload.add_argument('file', type=str, help='Path of JSON results file.') parser_upload.set_defaults(func="upload") # Test command parser_test = subparsers.add_parser( 'test', parents=[shared_args], help='Run Tempest against a cloud.') parser_test.add_argument('-c', '--conf-file', action='store', required=True, dest='conf_file', type=str, help='Path of the Tempest configuration file to ' 'use.') parser_test.add_argument('-r', '--result-file-tag', action='store', required=False, dest='result_tag', type=str, help='Specify a string to prefix the result ' 'file with to easier distinguish them. ') parser_test.add_argument('-t', '--test-cases', action='store', required=False, dest='test_cases', type=str, help='Specify a subset of test cases to run ' '(e.g. --test-cases tempest.api.compute).') parser_test.add_argument('-u', '--upload', action='store_true', required=False, help='After running Tempest, upload the test ' 'results to the default Refstack API server ' 'or the server specified by --url.') parser_test.set_defaults(func="test") # List command parser_list = subparsers.add_parser( 'list', parents=[shared_args], help='List last results from Refstack') parser_list.add_argument('--start-date', required=False, dest='start_date', type=str, help='Specify a date for start listing of ' 'test results ' '(e.g. --start-date "2015-04-24 01:23:56").') parser_list.add_argument('--end-date', required=False, dest='end_date', type=str, help='Specify a date for end listing of ' 'test results ' '(e.g. --end-date "2015-04-24 01:23:56").') parser_list.set_defaults(func='list') return parser.parse_args(args=args)