Move static data to tempest_conf.yaml
[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.4.0-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         if env.get("NEW_USER_ROLE").lower() != "member":
276             rconfig.set(
277                 'auth', 'tempest_roles',
278                 functest_utils.convert_list_to_ini([env.get("NEW_USER_ROLE")]))
279         if not json.loads(env.get("USE_DYNAMIC_CREDENTIALS").lower()):
280             rconfig.set('auth', 'use_dynamic_credentials', False)
281             account_file = os.path.join(
282                 getattr(config.CONF, 'dir_functest_data'), 'accounts.yaml')
283             assert os.path.exists(
284                 account_file), "{} doesn't exist".format(account_file)
285             rconfig.set('auth', 'test_accounts_file', account_file)
286         rconfig.set('identity', 'admin_role', admin_role_name)
287         rconfig.set('identity', 'default_domain_id', domain_id)
288         if not rconfig.has_section('network'):
289             rconfig.add_section('network')
290         rconfig.set('network', 'default_network', cidr)
291         rconfig.set('network', 'project_network_cidr', cidr)
292         rconfig.set('network', 'project_networks_reachable', False)
293         rconfig.set(
294             'identity', 'v3_endpoint_type',
295             os.environ.get('OS_INTERFACE', 'public'))
296
297         sections = rconfig.sections()
298         services_list = [
299             'compute', 'volume', 'image', 'network', 'data-processing',
300             'object-storage', 'orchestration']
301         for service in services_list:
302             if service not in sections:
303                 rconfig.add_section(service)
304             rconfig.set(service, 'endpoint_type',
305                         os.environ.get('OS_INTERFACE', 'public'))
306
307         LOGGER.debug('Add/Update required params defined in tempest_conf.yaml '
308                      'into tempest.conf file')
309         TempestCommon.update_tempest_conf_file(tempest_conf_file, rconfig)
310
311     @staticmethod
312     def configure_verifier(deployment_dir):
313         """
314         Execute rally verify configure-verifier, which generates tempest.conf
315         """
316         cmd = ['rally', 'verify', 'configure-verifier', '--reconfigure',
317                '--id', str(getattr(config.CONF, 'tempest_verifier_name'))]
318         output = subprocess.check_output(cmd)
319         LOGGER.info("%s\n%s", " ".join(cmd), output.decode("utf-8"))
320
321         LOGGER.debug("Looking for tempest.conf file...")
322         tempest_conf_file = os.path.join(deployment_dir, "tempest.conf")
323         if not os.path.isfile(tempest_conf_file):
324             LOGGER.error("Tempest configuration file %s NOT found.",
325                          tempest_conf_file)
326             return None
327         return tempest_conf_file
328
329     def generate_test_list(self, **kwargs):
330         """Generate test list based on the test mode."""
331         LOGGER.debug("Generating test case list...")
332         self.backup_tempest_config(self.conf_file, '/etc')
333         if kwargs.get('mode') == 'custom':
334             if os.path.isfile(self.tempest_custom):
335                 shutil.copyfile(
336                     self.tempest_custom, self.list)
337             else:
338                 raise Exception("Tempest test list file %s NOT found."
339                                 % self.tempest_custom)
340         else:
341             testr_mode = kwargs.get(
342                 'mode', r'^tempest\.(api|scenario).*\[.*\bsmoke\b.*\]$')
343             cmd = "(cd {0}; stestr list '{1}' >{2} 2>/dev/null)".format(
344                 self.verifier_repo_dir, testr_mode, self.list)
345             output = subprocess.check_output(cmd, shell=True)
346             LOGGER.info("%s\n%s", cmd, output.decode("utf-8"))
347         os.remove('/etc/tempest.conf')
348
349     def apply_tempest_blacklist(self, black_list):
350         """Exclude blacklisted test cases."""
351         LOGGER.debug("Applying tempest blacklist...")
352         if os.path.exists(self.raw_list):
353             os.remove(self.raw_list)
354         os.rename(self.list, self.raw_list)
355         cases_file = self.read_file(self.raw_list)
356         result_file = open(self.list, 'w')
357         black_tests = []
358         try:
359             deploy_scenario = env.get('DEPLOY_SCENARIO')
360             if bool(deploy_scenario):
361                 # if DEPLOY_SCENARIO is set we read the file
362                 black_list_file = open(black_list)
363                 black_list_yaml = yaml.safe_load(black_list_file)
364                 black_list_file.close()
365                 for item in black_list_yaml:
366                     scenarios = item['scenarios']
367                     in_it = rally.RallyBase.in_iterable_re
368                     if in_it(deploy_scenario, scenarios):
369                         tests = item['tests']
370                         black_tests.extend(tests)
371         except Exception:  # pylint: disable=broad-except
372             black_tests = []
373             LOGGER.debug("Tempest blacklist file does not exist.")
374
375         for cases_line in cases_file:
376             for black_tests_line in black_tests:
377                 if re.search(black_tests_line, cases_line):
378                     break
379             else:
380                 result_file.write(str(cases_line) + '\n')
381         result_file.close()
382
383     def run_verifier_tests(self, **kwargs):
384         """Execute tempest test cases."""
385         cmd = ["rally", "verify", "start", "--load-list",
386                self.list]
387         cmd.extend(kwargs.get('option', []))
388         LOGGER.info("Starting Tempest test suite: '%s'.", cmd)
389
390         f_stdout = open(
391             os.path.join(self.res_dir, "tempest.log"), 'w+')
392
393         proc = subprocess.Popen(
394             cmd,
395             stdout=subprocess.PIPE,
396             stderr=subprocess.STDOUT,
397             bufsize=1)
398
399         with proc.stdout:
400             for line in iter(proc.stdout.readline, b''):
401                 if re.search(r"\} tempest\.", line.decode("utf-8")):
402                     LOGGER.info(line.rstrip())
403                 elif re.search(r'(?=\(UUID=(.*)\))', line.decode("utf-8")):
404                     self.verification_id = re.search(
405                         r'(?=\(UUID=(.*)\))', line.decode("utf-8")).group(1)
406                 f_stdout.write(line.decode("utf-8"))
407         proc.wait()
408         f_stdout.close()
409
410         if self.verification_id is None:
411             raise Exception('Verification UUID not found')
412         LOGGER.info('Verification UUID: %s', self.verification_id)
413
414         shutil.copy(
415             "{}/tempest.log".format(self.deployment_dir),
416             "{}/tempest.debug.log".format(self.res_dir))
417
418     def parse_verifier_result(self):
419         """Parse and save test results."""
420         stat = self.get_verifier_result(self.verification_id)
421         try:
422             num_executed = stat['num_tests'] - stat['num_skipped']
423             try:
424                 self.result = 100 * stat['num_success'] / num_executed
425             except ZeroDivisionError:
426                 self.result = 0
427                 if stat['num_tests'] > 0:
428                     LOGGER.info("All tests have been skipped")
429                 else:
430                     LOGGER.error("No test has been executed")
431                     return
432
433             with open(os.path.join(self.res_dir,
434                                    "rally.log"), 'r') as logfile:
435                 output = logfile.read()
436
437             success_testcases = []
438             for match in re.findall(r'.*\{\d{1,2}\} (.*?) \.{3} success ',
439                                     output):
440                 success_testcases.append(match)
441             failed_testcases = []
442             for match in re.findall(r'.*\{\d{1,2}\} (.*?) \.{3} fail',
443                                     output):
444                 failed_testcases.append(match)
445             skipped_testcases = []
446             for match in re.findall(r'.*\{\d{1,2}\} (.*?) \.{3} skip(?::| )',
447                                     output):
448                 skipped_testcases.append(match)
449
450             self.details = {"tests_number": stat['num_tests'],
451                             "success_number": stat['num_success'],
452                             "skipped_number": stat['num_skipped'],
453                             "failures_number": stat['num_failures'],
454                             "success": success_testcases,
455                             "skipped": skipped_testcases,
456                             "failures": failed_testcases}
457         except Exception:  # pylint: disable=broad-except
458             self.result = 0
459
460         LOGGER.info("Tempest %s success_rate is %s%%",
461                     self.case_name, self.result)
462
463     def update_rally_regex(self, rally_conf='/etc/rally/rally.conf'):
464         """Set image name as tempest img_name_regex"""
465         rconfig = configparser.RawConfigParser()
466         rconfig.read(rally_conf)
467         if not rconfig.has_section('openstack'):
468             rconfig.add_section('openstack')
469         rconfig.set('openstack', 'img_name_regex', '^{}$'.format(
470             self.image.name))
471         with open(rally_conf, 'w') as config_file:
472             rconfig.write(config_file)
473
474     def update_default_role(self, rally_conf='/etc/rally/rally.conf'):
475         """Detect and update the default role if required"""
476         role = self.get_default_role(self.cloud)
477         if not role:
478             return
479         rconfig = configparser.RawConfigParser()
480         rconfig.read(rally_conf)
481         if not rconfig.has_section('openstack'):
482             rconfig.add_section('openstack')
483         rconfig.set('openstack', 'swift_operator_role', role.name)
484         with open(rally_conf, 'w') as config_file:
485             rconfig.write(config_file)
486
487     @staticmethod
488     def clean_rally_conf(rally_conf='/etc/rally/rally.conf'):
489         """Clean Rally config"""
490         rconfig = configparser.RawConfigParser()
491         rconfig.read(rally_conf)
492         if rconfig.has_option('openstack', 'img_name_regex'):
493             rconfig.remove_option('openstack', 'img_name_regex')
494         if rconfig.has_option('openstack', 'swift_operator_role'):
495             rconfig.remove_option('openstack', 'swift_operator_role')
496         with open(rally_conf, 'w') as config_file:
497             rconfig.write(config_file)
498
499     def update_network_section(self):
500         """Update network section in tempest.conf"""
501         rconfig = configparser.RawConfigParser()
502         rconfig.read(self.conf_file)
503         if not rconfig.has_section('network'):
504             rconfig.add_section('network')
505         rconfig.set('network', 'public_network_id', self.ext_net.id)
506         rconfig.set('network', 'floating_network_name', self.ext_net.name)
507         with open(self.conf_file, 'w') as config_file:
508             rconfig.write(config_file)
509
510     def update_compute_section(self):
511         """Update compute section in tempest.conf"""
512         rconfig = configparser.RawConfigParser()
513         rconfig.read(self.conf_file)
514         if not rconfig.has_section('compute'):
515             rconfig.add_section('compute')
516         rconfig.set('compute', 'fixed_network_name', self.network.name)
517         with open(self.conf_file, 'w') as config_file:
518             rconfig.write(config_file)
519
520     def update_scenario_section(self):
521         """Update scenario section in tempest.conf"""
522         rconfig = configparser.RawConfigParser()
523         rconfig.read(self.conf_file)
524         filename = getattr(
525             config.CONF, '{}_image'.format(self.case_name), self.filename)
526         if not rconfig.has_section('scenario'):
527             rconfig.add_section('scenario')
528         rconfig.set('scenario', 'img_file', os.path.basename(filename))
529         rconfig.set('scenario', 'img_dir', os.path.dirname(filename))
530         rconfig.set('scenario', 'img_disk_format', getattr(
531             config.CONF, '{}_image_format'.format(self.case_name),
532             self.image_format))
533         extra_properties = self.extra_properties.copy()
534         if env.get('IMAGE_PROPERTIES'):
535             extra_properties.update(
536                 functest_utils.convert_ini_to_dict(
537                     env.get('IMAGE_PROPERTIES')))
538         extra_properties.update(
539             getattr(config.CONF, '{}_extra_properties'.format(
540                 self.case_name), {}))
541         rconfig.set(
542             'scenario', 'img_properties',
543             functest_utils.convert_dict_to_ini(extra_properties))
544         with open(self.conf_file, 'w') as config_file:
545             rconfig.write(config_file)
546
547     def configure(self, **kwargs):  # pylint: disable=unused-argument
548         """
549         Create all openstack resources for tempest-based testcases and write
550         tempest.conf.
551         """
552         if not os.path.exists(self.res_dir):
553             os.makedirs(self.res_dir)
554         self.deployment_id = rally.RallyBase.create_rally_deployment(
555             environ=self.project.get_environ())
556         if not self.deployment_id:
557             raise Exception("Deployment create failed")
558         self.verifier_id = self.create_verifier()
559         if not self.verifier_id:
560             raise Exception("Verifier create failed")
561         self.verifier_repo_dir = self.get_verifier_repo_dir(
562             self.verifier_id)
563         self.deployment_dir = self.get_verifier_deployment_dir(
564             self.verifier_id, self.deployment_id)
565
566         compute_cnt = self.count_hypervisors()
567         self.image_alt = self.publish_image_alt()
568         self.flavor_alt = self.create_flavor_alt()
569         LOGGER.debug("flavor: %s", self.flavor_alt)
570
571         self.conf_file = self.configure_verifier(self.deployment_dir)
572         if not self.conf_file:
573             raise Exception("Tempest verifier configuring failed")
574         self.configure_tempest_update_params(
575             self.conf_file,
576             image_id=self.image.id,
577             flavor_id=self.flavor.id,
578             compute_cnt=compute_cnt,
579             image_alt_id=self.image_alt.id,
580             flavor_alt_id=self.flavor_alt.id,
581             admin_role_name=self.role_name, cidr=self.cidr,
582             domain_id=self.project.domain.id)
583         self.update_network_section()
584         self.update_compute_section()
585         self.update_scenario_section()
586         self.backup_tempest_config(self.conf_file, self.res_dir)
587
588     def run(self, **kwargs):
589         self.start_time = time.time()
590         try:
591             assert super(TempestCommon, self).run(
592                 **kwargs) == testcase.TestCase.EX_OK
593             if not os.path.exists(self.res_dir):
594                 os.makedirs(self.res_dir)
595             self.update_rally_regex()
596             self.update_default_role()
597             rally.RallyBase.update_rally_logs(self.res_dir)
598             shutil.copy("/etc/rally/rally.conf", self.res_dir)
599             self.configure(**kwargs)
600             self.generate_test_list(**kwargs)
601             self.apply_tempest_blacklist(TempestCommon.tempest_blacklist)
602             if env.get('PUBLIC_ENDPOINT_ONLY').lower() == 'true':
603                 self.apply_tempest_blacklist(
604                     TempestCommon.tempest_public_blacklist)
605             self.run_verifier_tests(**kwargs)
606             self.parse_verifier_result()
607             rally.RallyBase.verify_report(
608                 os.path.join(self.res_dir, "tempest-report.html"),
609                 self.verification_id)
610             rally.RallyBase.verify_report(
611                 os.path.join(self.res_dir, "tempest-report.xml"),
612                 self.verification_id, "junit-xml")
613             res = testcase.TestCase.EX_OK
614         except Exception:  # pylint: disable=broad-except
615             LOGGER.exception('Error with run')
616             self.result = 0
617             res = testcase.TestCase.EX_RUN_ERROR
618         self.stop_time = time.time()
619         return res
620
621     def clean(self):
622         """
623         Cleanup all OpenStack objects. Should be called on completion.
624         """
625         self.clean_rally_conf()
626         rally.RallyBase.clean_rally_logs()
627         if self.image_alt:
628             self.cloud.delete_image(self.image_alt)
629         if self.flavor_alt:
630             self.orig_cloud.delete_flavor(self.flavor_alt.id)
631         super(TempestCommon, self).clean()
632
633     def is_successful(self):
634         """The overall result of the test."""
635         skips = self.details.get("skipped_number", 0)
636         if skips > 0 and self.deny_skipping:
637             return testcase.TestCase.EX_TESTCASE_FAILED
638         if self.tests_count and (
639                 self.details.get("tests_number", 0) != self.tests_count):
640             return testcase.TestCase.EX_TESTCASE_FAILED
641         return super(TempestCommon, self).is_successful()
642
643
644 class TempestScenario(TempestCommon):
645     """Tempest scenario testcase implementation class."""
646
647     quota_instances = -1
648     quota_cores = -1
649
650     def run(self, **kwargs):
651         self.orig_cloud.set_compute_quotas(
652             self.project.project.name,
653             instances=self.quota_instances,
654             cores=self.quota_cores)
655         return super(TempestScenario, self).run(**kwargs)
656
657
658 class TempestHorizon(TempestCommon):
659     """Tempest Horizon testcase implementation class."""
660
661     def configure(self, **kwargs):
662         super(TempestHorizon, self).configure(**kwargs)
663         rconfig = configparser.RawConfigParser()
664         rconfig.read(self.conf_file)
665         if not rconfig.has_section('dashboard'):
666             rconfig.add_section('dashboard')
667         rconfig.set('dashboard', 'dashboard_url', env.get('DASHBOARD_URL'))
668         with open(self.conf_file, 'w') as config_file:
669             rconfig.write(config_file)
670         self.backup_tempest_config(self.conf_file, self.res_dir)
671
672
673 class TempestHeat(TempestCommon):
674     """Tempest Heat testcase implementation class."""
675
676     filename_alt = ('/home/opnfv/functest/images/'
677                     'Fedora-Cloud-Base-30-1.2.x86_64.qcow2')
678     flavor_alt_ram = 512
679     flavor_alt_vcpus = 1
680     flavor_alt_disk = 4
681
682     def __init__(self, **kwargs):
683         super(TempestHeat, self).__init__(**kwargs)
684         self.user2 = self.orig_cloud.create_user(
685             name='{}-user2_{}'.format(self.case_name, self.project.guid),
686             password=self.project.password,
687             domain_id=self.project.domain.id)
688         if not self.orig_cloud.get_role("heat_stack_owner"):
689             self.role = self.orig_cloud.create_role("heat_stack_owner")
690         self.orig_cloud.grant_role(
691             "heat_stack_owner", user=self.user2.id,
692             project=self.project.project.id,
693             domain=self.project.domain.id)
694
695     def configure(self, **kwargs):
696         assert self.user2
697         super(TempestHeat, self).configure(**kwargs)
698         rconfig = configparser.RawConfigParser()
699         rconfig.read(self.conf_file)
700         if not rconfig.has_section('heat_plugin'):
701             rconfig.add_section('heat_plugin')
702         # It fails if region and domain ids are unset
703         rconfig.set(
704             'heat_plugin', 'region',
705             os.environ.get('OS_REGION_NAME', 'RegionOne'))
706         rconfig.set('heat_plugin', 'auth_url', os.environ["OS_AUTH_URL"])
707         rconfig.set('heat_plugin', 'project_domain_id', self.project.domain.id)
708         rconfig.set('heat_plugin', 'user_domain_id', self.project.domain.id)
709         rconfig.set(
710             'heat_plugin', 'project_domain_name', self.project.domain.name)
711         rconfig.set(
712             'heat_plugin', 'user_domain_name', self.project.domain.name)
713         rconfig.set('heat_plugin', 'username', self.user2.name)
714         rconfig.set('heat_plugin', 'password', self.project.password)
715         rconfig.set('heat_plugin', 'project_name', self.project.project.name)
716         rconfig.set('heat_plugin', 'admin_username', self.project.user.name)
717         rconfig.set('heat_plugin', 'admin_password', self.project.password)
718         rconfig.set(
719             'heat_plugin', 'admin_project_name', self.project.project.name)
720         rconfig.set('heat_plugin', 'image_ref', self.image_alt.id)
721         rconfig.set('heat_plugin', 'instance_type', self.flavor_alt.id)
722         rconfig.set('heat_plugin', 'minimal_image_ref', self.image.id)
723         rconfig.set('heat_plugin', 'minimal_instance_type', self.flavor.id)
724         rconfig.set('heat_plugin', 'floating_network_name', self.ext_net.name)
725         rconfig.set('heat_plugin', 'fixed_network_name', self.network.name)
726         rconfig.set('heat_plugin', 'fixed_subnet_name', self.subnet.name)
727         rconfig.set('heat_plugin', 'network_for_ssh', self.network.name)
728         with open(self.conf_file, 'w') as config_file:
729             rconfig.write(config_file)
730         self.backup_tempest_config(self.conf_file, self.res_dir)
731
732     def clean(self):
733         """
734         Cleanup all OpenStack objects. Should be called on completion.
735         """
736         super(TempestHeat, self).clean()
737         if self.user2:
738             self.orig_cloud.delete_user(self.user2.id)