60c117dea26a9477373d45effd4c30b0ceca8f45
[functest.git] / functest / opnfv_tests / openstack / tempest / tempest.py
1 #!/usr/bin/env python
2 #
3 # Copyright (c) 2015 All rights reserved
4 # This program and the accompanying materials
5 # are made available under the terms of the Apache License, Version 2.0
6 # which accompanies this distribution, and is available at
7 #
8 # http://www.apache.org/licenses/LICENSE-2.0
9 #
10
11 """Tempest testcases implementation."""
12
13 from __future__ import division
14
15 import json
16 import logging
17 import os
18 import re
19 import shutil
20 import subprocess
21 import time
22
23 import pkg_resources
24 from six.moves import configparser
25 from xtesting.core import testcase
26 import yaml
27
28 from functest.core import singlevm
29 from functest.opnfv_tests.openstack.rally import rally
30 from functest.utils import config
31 from functest.utils import env
32 from functest.utils import functest_utils
33
34 LOGGER = logging.getLogger(__name__)
35
36
37 class TempestCommon(singlevm.VmReady2):
38     # pylint: disable=too-many-instance-attributes,too-many-public-methods
39     """TempestCommon testcases implementation class."""
40
41     visibility = 'public'
42     filename_alt = '/home/opnfv/functest/images/cirros-0.5.1-x86_64-disk.img'
43     shared_network = True
44     tempest_conf_yaml = pkg_resources.resource_filename(
45         'functest',
46         'opnfv_tests/openstack/tempest/custom_tests/tempest_conf.yaml')
47     tempest_custom = pkg_resources.resource_filename(
48         'functest',
49         'opnfv_tests/openstack/tempest/custom_tests/test_list.txt')
50     tempest_blacklist = pkg_resources.resource_filename(
51         'functest',
52         'opnfv_tests/openstack/tempest/custom_tests/blacklist.yaml')
53     tempest_public_blacklist = pkg_resources.resource_filename(
54         'functest',
55         'opnfv_tests/openstack/tempest/custom_tests/public_blacklist.yaml')
56
57     def __init__(self, **kwargs):
58         if "case_name" not in kwargs:
59             kwargs["case_name"] = 'tempest'
60         super(TempestCommon, self).__init__(**kwargs)
61         assert self.orig_cloud
62         assert self.cloud
63         assert self.project
64         if self.orig_cloud.get_role("admin"):
65             self.role_name = "admin"
66         elif self.orig_cloud.get_role("Admin"):
67             self.role_name = "Admin"
68         else:
69             raise Exception("Cannot detect neither admin nor Admin")
70         self.orig_cloud.grant_role(
71             self.role_name, user=self.project.user.id,
72             project=self.project.project.id,
73             domain=self.project.domain.id)
74         self.orig_cloud.grant_role(
75             self.role_name, user=self.project.user.id,
76             domain=self.project.domain.id)
77         self.deployment_id = None
78         self.verifier_id = None
79         self.verifier_repo_dir = None
80         self.deployment_dir = None
81         self.verification_id = None
82         self.res_dir = os.path.join(
83             getattr(config.CONF, 'dir_results'), self.case_name)
84         self.raw_list = os.path.join(self.res_dir, 'test_raw_list.txt')
85         self.list = os.path.join(self.res_dir, 'test_list.txt')
86         self.conf_file = None
87         self.image_alt = None
88         self.flavor_alt = None
89         self.services = []
90         try:
91             self.services = kwargs['run']['args']['services']
92         except Exception:  # pylint: disable=broad-except
93             pass
94         self.neutron_extensions = []
95         try:
96             self.neutron_extensions = kwargs['run']['args'][
97                 'neutron_extensions']
98         except Exception:  # pylint: disable=broad-except
99             pass
100         self.deny_skipping = kwargs.get("deny_skipping", False)
101         self.tests_count = kwargs.get("tests_count", 0)
102
103     def check_services(self):
104         """Check the mandatory services."""
105         for service in self.services:
106             try:
107                 self.cloud.search_services(service)[0]
108             except Exception:  # pylint: disable=broad-except
109                 self.is_skipped = True
110                 break
111
112     def check_extensions(self):
113         """Check the mandatory network extensions."""
114         extensions = self.cloud.get_network_extensions()
115         for network_extension in self.neutron_extensions:
116             if network_extension not in extensions:
117                 LOGGER.warning(
118                     "Cannot find Neutron extension: %s", network_extension)
119                 self.is_skipped = True
120                 break
121
122     def check_requirements(self):
123         self.check_services()
124         self.check_extensions()
125         if self.is_skipped:
126             self.project.clean()
127
128     @staticmethod
129     def read_file(filename):
130         """Read file and return content as a stripped list."""
131         with open(filename) as src:
132             return [line.strip() for line in src.readlines()]
133
134     @staticmethod
135     def get_verifier_result(verif_id):
136         """Retrieve verification results."""
137         result = {
138             'num_tests': 0,
139             'num_success': 0,
140             'num_failures': 0,
141             'num_skipped': 0
142         }
143         cmd = ["rally", "verify", "show", "--uuid", verif_id]
144         LOGGER.info("Showing result for a verification: '%s'.", cmd)
145         proc = subprocess.Popen(cmd,
146                                 stdout=subprocess.PIPE,
147                                 stderr=subprocess.STDOUT)
148         for line in proc.stdout:
149             LOGGER.info(line.decode("utf-8").rstrip())
150             new_line = line.decode("utf-8").replace(' ', '').split('|')
151             if 'Tests' in new_line:
152                 break
153             if 'Testscount' in new_line:
154                 result['num_tests'] = int(new_line[2])
155             elif 'Success' in new_line:
156                 result['num_success'] = int(new_line[2])
157             elif 'Skipped' in new_line:
158                 result['num_skipped'] = int(new_line[2])
159             elif 'Failures' in new_line:
160                 result['num_failures'] = int(new_line[2])
161         return result
162
163     @staticmethod
164     def backup_tempest_config(conf_file, res_dir):
165         """
166         Copy config file to tempest results directory
167         """
168         if not os.path.exists(res_dir):
169             os.makedirs(res_dir)
170         shutil.copyfile(conf_file,
171                         os.path.join(res_dir, 'tempest.conf'))
172
173     @staticmethod
174     def create_verifier():
175         """Create new verifier"""
176         LOGGER.info("Create verifier from existing repo...")
177         cmd = ['rally', 'verify', 'delete-verifier',
178                '--id', str(getattr(config.CONF, 'tempest_verifier_name')),
179                '--force']
180         try:
181             output = subprocess.check_output(cmd)
182             LOGGER.info("%s\n%s", " ".join(cmd), output.decode("utf-8"))
183         except subprocess.CalledProcessError:
184             pass
185
186         cmd = ['rally', 'verify', 'create-verifier',
187                '--source', str(getattr(config.CONF, 'dir_repo_tempest')),
188                '--name', str(getattr(config.CONF, 'tempest_verifier_name')),
189                '--type', 'tempest', '--system-wide']
190         output = subprocess.check_output(cmd)
191         LOGGER.info("%s\n%s", " ".join(cmd), output.decode("utf-8"))
192         return TempestCommon.get_verifier_id()
193
194     @staticmethod
195     def get_verifier_id():
196         """
197         Returns verifier id for current Tempest
198         """
199         cmd = ("rally verify list-verifiers | awk '/" +
200                getattr(config.CONF, 'tempest_verifier_name') +
201                "/ {print $2}'")
202         proc = subprocess.Popen(cmd, shell=True,
203                                 stdout=subprocess.PIPE,
204                                 stderr=subprocess.DEVNULL)
205         verifier_uuid = proc.stdout.readline().rstrip()
206         return verifier_uuid.decode("utf-8")
207
208     @staticmethod
209     def get_verifier_repo_dir(verifier_id):
210         """
211         Returns installed verifier repo directory for Tempest
212         """
213         return os.path.join(getattr(config.CONF, 'dir_rally_inst'),
214                             'verification',
215                             'verifier-{}'.format(verifier_id),
216                             'repo')
217
218     @staticmethod
219     def get_verifier_deployment_dir(verifier_id, deployment_id):
220         """
221         Returns Rally deployment directory for current verifier
222         """
223         return os.path.join(getattr(config.CONF, 'dir_rally_inst'),
224                             'verification',
225                             'verifier-{}'.format(verifier_id),
226                             'for-deployment-{}'.format(deployment_id))
227
228     @staticmethod
229     def update_tempest_conf_file(conf_file, rconfig):
230         """Update defined paramters into tempest config file"""
231         with open(TempestCommon.tempest_conf_yaml) as yfile:
232             conf_yaml = yaml.safe_load(yfile)
233         if conf_yaml:
234             sections = rconfig.sections()
235             for section in conf_yaml:
236                 if section not in sections:
237                     rconfig.add_section(section)
238                 sub_conf = conf_yaml.get(section)
239                 for key, value in sub_conf.items():
240                     rconfig.set(section, key, value)
241
242         with open(conf_file, 'w') as config_file:
243             rconfig.write(config_file)
244
245     @staticmethod
246     def configure_tempest_update_params(
247             tempest_conf_file, image_id=None, flavor_id=None,
248             compute_cnt=1, image_alt_id=None, flavor_alt_id=None,
249             admin_role_name='admin', cidr='192.168.120.0/24',
250             domain_id='default'):
251         # pylint: disable=too-many-branches,too-many-arguments
252         # pylint: disable=too-many-statements,too-many-locals
253         """
254         Add/update needed parameters into tempest.conf file
255         """
256         LOGGER.debug("Updating selected tempest.conf parameters...")
257         rconfig = configparser.RawConfigParser()
258         rconfig.read(tempest_conf_file)
259         rconfig.set(
260             'compute', 'volume_device_name', env.get('VOLUME_DEVICE_NAME'))
261         if image_id is not None:
262             rconfig.set('compute', 'image_ref', image_id)
263         if image_alt_id is not None:
264             rconfig.set('compute', 'image_ref_alt', image_alt_id)
265         if flavor_id is not None:
266             rconfig.set('compute', 'flavor_ref', flavor_id)
267         if flavor_alt_id is not None:
268             rconfig.set('compute', 'flavor_ref_alt', flavor_alt_id)
269         if compute_cnt > 1:
270             # enable multinode tests
271             rconfig.set('compute', 'min_compute_nodes', compute_cnt)
272             rconfig.set('compute-feature-enabled', 'live_migration', True)
273         if os.environ.get('OS_REGION_NAME'):
274             rconfig.set('identity', 'region', os.environ.get('OS_REGION_NAME'))
275         rconfig.set('identity', 'admin_role', admin_role_name)
276         rconfig.set('identity', 'default_domain_id', domain_id)
277         if not rconfig.has_section('network'):
278             rconfig.add_section('network')
279         rconfig.set('network', 'default_network', cidr)
280         rconfig.set('network', 'project_network_cidr', cidr)
281         rconfig.set('network', 'project_networks_reachable', False)
282         rconfig.set(
283             'identity', 'v3_endpoint_type',
284             os.environ.get('OS_INTERFACE', 'public'))
285
286         sections = rconfig.sections()
287         services_list = [
288             'compute', 'volume', 'image', 'network', 'data-processing',
289             'object-storage', 'orchestration']
290         for service in services_list:
291             if service not in sections:
292                 rconfig.add_section(service)
293             rconfig.set(service, 'endpoint_type',
294                         os.environ.get('OS_INTERFACE', 'public'))
295
296         LOGGER.debug('Add/Update required params defined in tempest_conf.yaml '
297                      'into tempest.conf file')
298         TempestCommon.update_tempest_conf_file(tempest_conf_file, rconfig)
299
300     @staticmethod
301     def configure_verifier(deployment_dir):
302         """
303         Execute rally verify configure-verifier, which generates tempest.conf
304         """
305         cmd = ['rally', 'verify', 'configure-verifier', '--reconfigure',
306                '--id', str(getattr(config.CONF, 'tempest_verifier_name'))]
307         output = subprocess.check_output(cmd)
308         LOGGER.info("%s\n%s", " ".join(cmd), output.decode("utf-8"))
309
310         LOGGER.debug("Looking for tempest.conf file...")
311         tempest_conf_file = os.path.join(deployment_dir, "tempest.conf")
312         if not os.path.isfile(tempest_conf_file):
313             LOGGER.error("Tempest configuration file %s NOT found.",
314                          tempest_conf_file)
315             return None
316         return tempest_conf_file
317
318     def generate_test_list(self, **kwargs):
319         """Generate test list based on the test mode."""
320         LOGGER.debug("Generating test case list...")
321         self.backup_tempest_config(self.conf_file, '/etc')
322         if kwargs.get('mode') == 'custom':
323             if os.path.isfile(self.tempest_custom):
324                 shutil.copyfile(
325                     self.tempest_custom, self.list)
326             else:
327                 raise Exception("Tempest test list file %s NOT found."
328                                 % self.tempest_custom)
329         else:
330             testr_mode = kwargs.get(
331                 'mode', r'^tempest\.(api|scenario).*\[.*\bsmoke\b.*\]$')
332             cmd = "(cd {0}; stestr list '{1}' >{2} 2>/dev/null)".format(
333                 self.verifier_repo_dir, testr_mode, self.list)
334             output = subprocess.check_output(cmd, shell=True)
335             LOGGER.info("%s\n%s", cmd, output.decode("utf-8"))
336         os.remove('/etc/tempest.conf')
337
338     def apply_tempest_blacklist(self, black_list):
339         """Exclude blacklisted test cases."""
340         LOGGER.debug("Applying tempest blacklist...")
341         if os.path.exists(self.raw_list):
342             os.remove(self.raw_list)
343         os.rename(self.list, self.raw_list)
344         cases_file = self.read_file(self.raw_list)
345         result_file = open(self.list, 'w')
346         black_tests = []
347         try:
348             deploy_scenario = env.get('DEPLOY_SCENARIO')
349             if bool(deploy_scenario):
350                 # if DEPLOY_SCENARIO is set we read the file
351                 black_list_file = open(black_list)
352                 black_list_yaml = yaml.safe_load(black_list_file)
353                 black_list_file.close()
354                 for item in black_list_yaml:
355                     scenarios = item['scenarios']
356                     in_it = rally.RallyBase.in_iterable_re
357                     if in_it(deploy_scenario, scenarios):
358                         tests = item['tests']
359                         black_tests.extend(tests)
360         except Exception:  # pylint: disable=broad-except
361             black_tests = []
362             LOGGER.debug("Tempest blacklist file does not exist.")
363
364         for cases_line in cases_file:
365             for black_tests_line in black_tests:
366                 if re.search(black_tests_line, cases_line):
367                     break
368             else:
369                 result_file.write(str(cases_line) + '\n')
370         result_file.close()
371
372     def run_verifier_tests(self, **kwargs):
373         """Execute tempest test cases."""
374         cmd = ["rally", "verify", "start", "--load-list",
375                self.list]
376         cmd.extend(kwargs.get('option', []))
377         LOGGER.info("Starting Tempest test suite: '%s'.", cmd)
378
379         f_stdout = open(
380             os.path.join(self.res_dir, "tempest.log"), 'w+')
381
382         proc = subprocess.Popen(
383             cmd,
384             stdout=subprocess.PIPE,
385             stderr=subprocess.STDOUT,
386             bufsize=1)
387
388         with proc.stdout:
389             for line in iter(proc.stdout.readline, b''):
390                 if re.search(r"\} tempest\.", line.decode("utf-8")):
391                     LOGGER.info(line.rstrip())
392                 elif re.search(r'(?=\(UUID=(.*)\))', line.decode("utf-8")):
393                     self.verification_id = re.search(
394                         r'(?=\(UUID=(.*)\))', line.decode("utf-8")).group(1)
395                 f_stdout.write(line.decode("utf-8"))
396         proc.wait()
397         f_stdout.close()
398
399         if self.verification_id is None:
400             raise Exception('Verification UUID not found')
401         LOGGER.info('Verification UUID: %s', self.verification_id)
402
403         shutil.copy(
404             "{}/tempest.log".format(self.deployment_dir),
405             "{}/tempest.debug.log".format(self.res_dir))
406
407     def parse_verifier_result(self):
408         """Parse and save test results."""
409         stat = self.get_verifier_result(self.verification_id)
410         try:
411             num_executed = stat['num_tests'] - stat['num_skipped']
412             try:
413                 self.result = 100 * stat['num_success'] / num_executed
414             except ZeroDivisionError:
415                 self.result = 0
416                 if stat['num_tests'] > 0:
417                     LOGGER.info("All tests have been skipped")
418                 else:
419                     LOGGER.error("No test has been executed")
420                     return
421
422             with open(os.path.join(self.res_dir,
423                                    "rally.log"), 'r') as logfile:
424                 output = logfile.read()
425
426             success_testcases = []
427             for match in re.findall(r'.*\{\d{1,2}\} (.*?) \.{3} success ',
428                                     output):
429                 success_testcases.append(match)
430             failed_testcases = []
431             for match in re.findall(r'.*\{\d{1,2}\} (.*?) \.{3} fail',
432                                     output):
433                 failed_testcases.append(match)
434             skipped_testcases = []
435             for match in re.findall(r'.*\{\d{1,2}\} (.*?) \.{3} skip(?::| )',
436                                     output):
437                 skipped_testcases.append(match)
438
439             self.details = {"tests_number": stat['num_tests'],
440                             "success_number": stat['num_success'],
441                             "skipped_number": stat['num_skipped'],
442                             "failures_number": stat['num_failures'],
443                             "success": success_testcases,
444                             "skipped": skipped_testcases,
445                             "failures": failed_testcases}
446         except Exception:  # pylint: disable=broad-except
447             self.result = 0
448
449         LOGGER.info("Tempest %s success_rate is %s%%",
450                     self.case_name, self.result)
451
452     def update_rally_regex(self, rally_conf='/etc/rally/rally.conf'):
453         """Set image name as tempest img_name_regex"""
454         rconfig = configparser.RawConfigParser()
455         rconfig.read(rally_conf)
456         if not rconfig.has_section('openstack'):
457             rconfig.add_section('openstack')
458         rconfig.set('openstack', 'img_name_regex', '^{}$'.format(
459             self.image.name))
460         with open(rally_conf, 'w') as config_file:
461             rconfig.write(config_file)
462
463     def update_default_role(self, rally_conf='/etc/rally/rally.conf'):
464         """Detect and update the default role if required"""
465         role = self.get_default_role(self.cloud)
466         if not role:
467             return
468         rconfig = configparser.RawConfigParser()
469         rconfig.read(rally_conf)
470         if not rconfig.has_section('openstack'):
471             rconfig.add_section('openstack')
472         rconfig.set('openstack', 'swift_operator_role', role.name)
473         with open(rally_conf, 'w') as config_file:
474             rconfig.write(config_file)
475
476     @staticmethod
477     def clean_rally_conf(rally_conf='/etc/rally/rally.conf'):
478         """Clean Rally config"""
479         rconfig = configparser.RawConfigParser()
480         rconfig.read(rally_conf)
481         if rconfig.has_option('openstack', 'img_name_regex'):
482             rconfig.remove_option('openstack', 'img_name_regex')
483         if rconfig.has_option('openstack', 'swift_operator_role'):
484             rconfig.remove_option('openstack', 'swift_operator_role')
485         with open(rally_conf, 'w') as config_file:
486             rconfig.write(config_file)
487
488     def update_auth_section(self):
489         """Update auth section in tempest.conf"""
490         rconfig = configparser.RawConfigParser()
491         rconfig.read(self.conf_file)
492         if not rconfig.has_section("auth"):
493             rconfig.add_section("auth")
494         if env.get("NEW_USER_ROLE").lower() != "member":
495             tempest_roles = []
496             if rconfig.has_option("auth", "tempest_roles"):
497                 tempest_roles = functest_utils.convert_ini_to_list(
498                     rconfig.get("auth", "tempest_roles"))
499             rconfig.set(
500                 'auth', 'tempest_roles',
501                 functest_utils.convert_list_to_ini(
502                     [env.get("NEW_USER_ROLE")] + tempest_roles))
503         if not json.loads(env.get("USE_DYNAMIC_CREDENTIALS").lower()):
504             rconfig.set('auth', 'use_dynamic_credentials', False)
505             account_file = os.path.join(
506                 getattr(config.CONF, 'dir_functest_data'), 'accounts.yaml')
507             assert os.path.exists(
508                 account_file), "{} doesn't exist".format(account_file)
509             rconfig.set('auth', 'test_accounts_file', account_file)
510         if env.get('NO_TENANT_NETWORK').lower() == 'true':
511             rconfig.set('auth', 'create_isolated_networks', False)
512         with open(self.conf_file, 'w') as config_file:
513             rconfig.write(config_file)
514
515     def update_network_section(self):
516         """Update network section in tempest.conf"""
517         rconfig = configparser.RawConfigParser()
518         rconfig.read(self.conf_file)
519         if self.ext_net:
520             if not rconfig.has_section('network'):
521                 rconfig.add_section('network')
522             rconfig.set('network', 'public_network_id', self.ext_net.id)
523             rconfig.set('network', 'floating_network_name', self.ext_net.name)
524             rconfig.set('network-feature-enabled', 'floating_ips', True)
525         else:
526             if not rconfig.has_section('network-feature-enabled'):
527                 rconfig.add_section('network-feature-enabled')
528             rconfig.set('network-feature-enabled', 'floating_ips', False)
529         with open(self.conf_file, 'w') as config_file:
530             rconfig.write(config_file)
531
532     def update_compute_section(self):
533         """Update compute section in tempest.conf"""
534         rconfig = configparser.RawConfigParser()
535         rconfig.read(self.conf_file)
536         if not rconfig.has_section('compute'):
537             rconfig.add_section('compute')
538         rconfig.set(
539             'compute', 'fixed_network_name',
540             self.network.name if self.network else env.get("EXTERNAL_NETWORK"))
541         with open(self.conf_file, 'w') as config_file:
542             rconfig.write(config_file)
543
544     def update_validation_section(self):
545         """Update validation section in tempest.conf"""
546         rconfig = configparser.RawConfigParser()
547         rconfig.read(self.conf_file)
548         if not rconfig.has_section('validation'):
549             rconfig.add_section('validation')
550         rconfig.set(
551             'validation', 'connect_method',
552             'floating' if self.ext_net else 'fixed')
553         rconfig.set(
554             'validation', 'network_for_ssh',
555             self.network.name if self.network else env.get("EXTERNAL_NETWORK"))
556         with open(self.conf_file, 'w') as config_file:
557             rconfig.write(config_file)
558
559     def update_scenario_section(self):
560         """Update scenario section in tempest.conf"""
561         rconfig = configparser.RawConfigParser()
562         rconfig.read(self.conf_file)
563         filename = getattr(
564             config.CONF, '{}_image'.format(self.case_name), self.filename)
565         if not rconfig.has_section('scenario'):
566             rconfig.add_section('scenario')
567         rconfig.set('scenario', 'img_file', filename)
568         rconfig.set('scenario', 'img_disk_format', getattr(
569             config.CONF, '{}_image_format'.format(self.case_name),
570             self.image_format))
571         extra_properties = self.extra_properties.copy()
572         if env.get('IMAGE_PROPERTIES'):
573             extra_properties.update(
574                 functest_utils.convert_ini_to_dict(
575                     env.get('IMAGE_PROPERTIES')))
576         extra_properties.update(
577             getattr(config.CONF, '{}_extra_properties'.format(
578                 self.case_name), {}))
579         rconfig.set(
580             'scenario', 'img_properties',
581             functest_utils.convert_dict_to_ini(extra_properties))
582         with open(self.conf_file, 'w') as config_file:
583             rconfig.write(config_file)
584
585     def update_dashboard_section(self):
586         """Update dashboard section in tempest.conf"""
587         rconfig = configparser.RawConfigParser()
588         rconfig.read(self.conf_file)
589         if env.get('DASHBOARD_URL'):
590             if not rconfig.has_section('dashboard'):
591                 rconfig.add_section('dashboard')
592             rconfig.set('dashboard', 'dashboard_url', env.get('DASHBOARD_URL'))
593         else:
594             rconfig.set('service_available', 'horizon', False)
595         with open(self.conf_file, 'w') as config_file:
596             rconfig.write(config_file)
597
598     def configure(self, **kwargs):  # pylint: disable=unused-argument
599         """
600         Create all openstack resources for tempest-based testcases and write
601         tempest.conf.
602         """
603         if not os.path.exists(self.res_dir):
604             os.makedirs(self.res_dir)
605         self.deployment_id = rally.RallyBase.create_rally_deployment(
606             environ=self.project.get_environ())
607         if not self.deployment_id:
608             raise Exception("Deployment create failed")
609         self.verifier_id = self.create_verifier()
610         if not self.verifier_id:
611             raise Exception("Verifier create failed")
612         self.verifier_repo_dir = self.get_verifier_repo_dir(
613             self.verifier_id)
614         self.deployment_dir = self.get_verifier_deployment_dir(
615             self.verifier_id, self.deployment_id)
616
617         compute_cnt = self.count_hypervisors() if self.count_hypervisors(
618             ) <= 10 else 10
619         self.image_alt = self.publish_image_alt()
620         self.flavor_alt = self.create_flavor_alt()
621         LOGGER.debug("flavor: %s", self.flavor_alt)
622
623         self.conf_file = self.configure_verifier(self.deployment_dir)
624         if not self.conf_file:
625             raise Exception("Tempest verifier configuring failed")
626         self.configure_tempest_update_params(
627             self.conf_file,
628             image_id=self.image.id,
629             flavor_id=self.flavor.id,
630             compute_cnt=compute_cnt,
631             image_alt_id=self.image_alt.id,
632             flavor_alt_id=self.flavor_alt.id,
633             admin_role_name=self.role_name, cidr=self.cidr,
634             domain_id=self.project.domain.id)
635         self.update_auth_section()
636         self.update_network_section()
637         self.update_compute_section()
638         self.update_validation_section()
639         self.update_scenario_section()
640         self.update_dashboard_section()
641         self.backup_tempest_config(self.conf_file, self.res_dir)
642
643     def run(self, **kwargs):
644         self.start_time = time.time()
645         try:
646             assert super(TempestCommon, self).run(
647                 **kwargs) == testcase.TestCase.EX_OK
648             if not os.path.exists(self.res_dir):
649                 os.makedirs(self.res_dir)
650             self.update_rally_regex()
651             self.update_default_role()
652             rally.RallyBase.update_rally_logs(self.res_dir)
653             shutil.copy("/etc/rally/rally.conf", self.res_dir)
654             self.configure(**kwargs)
655             self.generate_test_list(**kwargs)
656             self.apply_tempest_blacklist(TempestCommon.tempest_blacklist)
657             if env.get('PUBLIC_ENDPOINT_ONLY').lower() == 'true':
658                 self.apply_tempest_blacklist(
659                     TempestCommon.tempest_public_blacklist)
660             self.run_verifier_tests(**kwargs)
661             self.parse_verifier_result()
662             rally.RallyBase.verify_report(
663                 os.path.join(self.res_dir, "tempest-report.html"),
664                 self.verification_id)
665             rally.RallyBase.verify_report(
666                 os.path.join(self.res_dir, "tempest-report.xml"),
667                 self.verification_id, "junit-xml")
668             res = testcase.TestCase.EX_OK
669         except Exception:  # pylint: disable=broad-except
670             LOGGER.exception('Error with run')
671             self.result = 0
672             res = testcase.TestCase.EX_RUN_ERROR
673         self.stop_time = time.time()
674         return res
675
676     def clean(self):
677         """
678         Cleanup all OpenStack objects. Should be called on completion.
679         """
680         self.clean_rally_conf()
681         rally.RallyBase.clean_rally_logs()
682         if self.image_alt:
683             self.cloud.delete_image(self.image_alt)
684         if self.flavor_alt:
685             self.orig_cloud.delete_flavor(self.flavor_alt.id)
686         super(TempestCommon, self).clean()
687
688     def is_successful(self):
689         """The overall result of the test."""
690         skips = self.details.get("skipped_number", 0)
691         if skips > 0 and self.deny_skipping:
692             return testcase.TestCase.EX_TESTCASE_FAILED
693         if self.tests_count and (
694                 self.details.get("tests_number", 0) != self.tests_count):
695             return testcase.TestCase.EX_TESTCASE_FAILED
696         return super(TempestCommon, self).is_successful()
697
698
699 class TempestHeat(TempestCommon):
700     """Tempest Heat testcase implementation class."""
701
702     filename_alt = ('/home/opnfv/functest/images/'
703                     'Fedora-Cloud-Base-30-1.2.x86_64.qcow2')
704     flavor_alt_ram = 512
705     flavor_alt_vcpus = 1
706     flavor_alt_disk = 4
707
708     def __init__(self, **kwargs):
709         super(TempestHeat, self).__init__(**kwargs)
710         self.user2 = self.orig_cloud.create_user(
711             name='{}-user2_{}'.format(self.case_name, self.project.guid),
712             password=self.project.password,
713             domain_id=self.project.domain.id)
714         self.orig_cloud.grant_role(
715             self.role_name, user=self.user2.id,
716             project=self.project.project.id, domain=self.project.domain.id)
717         if not self.orig_cloud.get_role("heat_stack_owner"):
718             self.role = self.orig_cloud.create_role("heat_stack_owner")
719         self.orig_cloud.grant_role(
720             "heat_stack_owner", user=self.user2.id,
721             project=self.project.project.id,
722             domain=self.project.domain.id)
723
724     def configure(self, **kwargs):
725         assert self.user2
726         super(TempestHeat, self).configure(**kwargs)
727         rconfig = configparser.RawConfigParser()
728         rconfig.read(self.conf_file)
729         if not rconfig.has_section('heat_plugin'):
730             rconfig.add_section('heat_plugin')
731         # It fails if region and domain ids are unset
732         rconfig.set(
733             'heat_plugin', 'region',
734             os.environ.get('OS_REGION_NAME', 'RegionOne'))
735         rconfig.set('heat_plugin', 'auth_url', os.environ["OS_AUTH_URL"])
736         rconfig.set('heat_plugin', 'project_domain_id', self.project.domain.id)
737         rconfig.set('heat_plugin', 'user_domain_id', self.project.domain.id)
738         rconfig.set(
739             'heat_plugin', 'project_domain_name', self.project.domain.name)
740         rconfig.set(
741             'heat_plugin', 'user_domain_name', self.project.domain.name)
742         rconfig.set('heat_plugin', 'username', self.user2.name)
743         rconfig.set('heat_plugin', 'password', self.project.password)
744         rconfig.set('heat_plugin', 'project_name', self.project.project.name)
745         rconfig.set('heat_plugin', 'admin_username', self.project.user.name)
746         rconfig.set('heat_plugin', 'admin_password', self.project.password)
747         rconfig.set(
748             'heat_plugin', 'admin_project_name', self.project.project.name)
749         rconfig.set('heat_plugin', 'image_ref', self.image_alt.id)
750         rconfig.set('heat_plugin', 'instance_type', self.flavor_alt.id)
751         rconfig.set('heat_plugin', 'minimal_image_ref', self.image.id)
752         rconfig.set('heat_plugin', 'minimal_instance_type', self.flavor.id)
753         if self.ext_net:
754             rconfig.set(
755                 'heat_plugin', 'floating_network_name', self.ext_net.name)
756         if self.network:
757             rconfig.set('heat_plugin', 'fixed_network_name', self.network.name)
758             rconfig.set('heat_plugin', 'fixed_subnet_name', self.subnet.name)
759             rconfig.set('heat_plugin', 'network_for_ssh', self.network.name)
760         else:
761             LOGGER.warning(
762                 'No tenant network created. '
763                 'Trying EXTERNAL_NETWORK as a fallback')
764             rconfig.set(
765                 'heat_plugin', 'fixed_network_name',
766                 env.get("EXTERNAL_NETWORK"))
767             rconfig.set(
768                 'heat_plugin', 'network_for_ssh', env.get("EXTERNAL_NETWORK"))
769         with open(self.conf_file, 'w') as config_file:
770             rconfig.write(config_file)
771         self.backup_tempest_config(self.conf_file, self.res_dir)
772
773     def clean(self):
774         """
775         Cleanup all OpenStack objects. Should be called on completion.
776         """
777         super(TempestHeat, self).clean()
778         if self.user2:
779             self.orig_cloud.delete_user(self.user2.id)