3 # jose.lausuch@ericsson.com
4 # valentin.boucher@orange.com
5 # All rights reserved. This program and the accompanying materials
6 # are made available under the terms of the Apache License, Version 2.0
7 # which accompanies this distribution, and is available at
8 # http://www.apache.org/licenses/LICENSE-2.0
10 from datetime import datetime as dt
20 import functest.ci.tier_builder as tb
21 import functest.utils.functest_logger as ft_logger
28 logger = ft_logger.Logger("functest_utils").getLogger()
30 REPOS_DIR = os.getenv('repos_dir')
31 FUNCTEST_REPO = ("%s/functest" % REPOS_DIR)
34 # ----------------------------------------------------------
38 # -----------------------------------------------------------
39 def check_internet_connectivity(url='http://www.opnfv.org/'):
41 Check if there is access to the internet
44 urllib2.urlopen(url, timeout=5)
46 except urllib2.URLError:
50 def download_url(url, dest_path):
52 Download a file to a destination path given a URL
54 name = url.rsplit('/')[-1]
55 dest = dest_path + "/" + name
57 response = urllib2.urlopen(url)
58 except (urllib2.HTTPError, urllib2.URLError):
61 with open(dest, 'wb') as f:
62 shutil.copyfileobj(response, f)
66 # ----------------------------------------------------------
70 # -----------------------------------------------------------
71 def get_git_branch(repo_path):
75 repo = Repo(repo_path)
76 branch = repo.active_branch
80 def get_installer_type(logger=None):
82 Get installer type (fuel, apex, joid, compass)
85 installer = os.environ['INSTALLER_TYPE']
87 globals()['logger'].error("Impossible to retrieve the installer type")
88 installer = "Unknown_installer"
93 def get_scenario(logger=None):
98 scenario = os.environ['DEPLOY_SCENARIO']
100 globals()['logger'].error("Impossible to retrieve the scenario")
101 scenario = "Unknown_scenario"
106 def get_version(logger=None):
110 # Use the build tag to retrieve the version
111 # By default version is unknown
112 # if launched through CI the build tag has the following format
113 # jenkins-<project>-<installer>-<pod>-<job>-<branch>-<id>
114 # e.g. jenkins-functest-fuel-opnfv-jump-2-daily-master-190
115 # use regex to match branch info
116 rule = "daily-(.+?)-[0-9]*"
117 build_tag = get_build_tag(logger)
118 m = re.search(rule, build_tag)
125 def get_pod_name(logger=None):
127 Get PoD Name from env variable NODE_NAME
130 return os.environ['NODE_NAME']
132 globals()['logger'].error(
133 "Unable to retrieve the POD name from environment. " +
134 "Using pod name 'unknown-pod'")
138 def get_build_tag(logger=None):
140 Get build tag of jenkins jobs
143 build_tag = os.environ['BUILD_TAG']
145 globals()['logger'].error("Impossible to retrieve the build tag")
146 build_tag = "unknown_build_tag"
151 def get_db_url(logger=None):
155 functest_yaml = get_functest_yaml()
156 db_url = functest_yaml.get("results").get("test_db_url")
160 def logger_test_results(logger, project, case_name, status, details):
161 pod_name = get_pod_name(logger)
162 scenario = get_scenario(logger)
163 version = get_version(logger)
164 build_tag = get_build_tag(logger)
166 globals()['logger'].info(
168 "****************************************\n"
169 "\t %(p)s/%(n)s results \n\n"
170 "****************************************\n"
176 "build tag:\t%(b)s\n"
189 def push_results_to_db(project, case_name, logger,
190 start_date, stop_date, criteria, details):
192 POST results to the Result target DB
194 # Retrieve params from CI and conf
195 url = get_db_url(logger) + "/results"
198 installer = os.environ['INSTALLER_TYPE']
199 scenario = os.environ['DEPLOY_SCENARIO']
200 pod_name = os.environ['NODE_NAME']
201 build_tag = os.environ['BUILD_TAG']
202 except KeyError as e:
203 globals()['logger'].error("Please set env var: " + str(e))
205 rule = "daily-(.+?)-[0-9]*"
206 m = re.search(rule, build_tag)
210 globals()['logger'].error("Please fix BUILD_TAG env var: " + build_tag)
212 test_start = dt.fromtimestamp(start_date).strftime('%Y-%m-%d %H:%M:%S')
213 test_stop = dt.fromtimestamp(stop_date).strftime('%Y-%m-%d %H:%M:%S')
215 params = {"project_name": project, "case_name": case_name,
216 "pod_name": pod_name, "installer": installer,
217 "version": version, "scenario": scenario, "criteria": criteria,
218 "build_tag": build_tag, "start_date": test_start,
219 "stop_date": test_stop, "details": details}
222 headers = {'Content-Type': 'application/json'}
224 r = requests.post(url, data=json.dumps(params), headers=headers)
225 globals()['logger'].debug(r)
227 except requests.RequestException as exc:
229 error = ("Pushing Result to DB(%s) failed: %s" %
232 error = ("Pushing Result to DB(%s) failed: %s" % (url, exc))
233 except Exception as e:
234 error = ("Error [push_results_to_db("
236 "project: '%(project)s', "
240 "scenario: '%(s)s', "
241 "criteria: '%(c)s', "
242 "build_tag: '%(t)s', "
243 "details: '%(d)s')]: "
259 globals()['logger'].error(error)
264 def get_resolvconf_ns():
266 Get nameservers from current resolv.conf
269 rconf = open("/etc/resolv.conf", "r")
270 line = rconf.readline()
271 resolver = dns.resolver.Resolver()
273 ip = re.search(r"\b(?:[0-9]{1,3}\.){3}[0-9]{1,3}\b", line)
275 resolver.nameservers = [str(ip)]
277 result = resolver.query('opnfv.org')[0]
279 nameservers.append(ip.group())
280 except dns.exception.Timeout:
282 line = rconf.readline()
286 def get_ci_envvars():
288 Get the CI env variables
291 "installer": os.environ.get('INSTALLER_TYPE'),
292 "scenario": os.environ.get('DEPLOY_SCENARIO')}
296 def execute_command(cmd, logger=None,
302 error_msg = ("The command '%s' failed." % cmd)
303 msg_exec = ("Executing command: '%s'" % cmd)
306 globals()['logger'].info(msg_exec)
308 globals()['logger'].debug(msg_exec)
309 p = subprocess.Popen(cmd, shell=True, stdout=subprocess.PIPE,
310 stderr=subprocess.STDOUT)
311 for line in iter(p.stdout.readline, b''):
312 line = line.replace('\n', '')
316 returncode = p.wait()
319 globals()['logger'].error(error_msg)
326 def get_deployment_dir(logger=None):
328 Returns current Rally deployment directory
330 functest_yaml = get_functest_yaml()
331 deployment_name = functest_yaml.get("rally").get("deployment_name")
332 rally_dir = functest_yaml.get("general").get("directories").get(
334 cmd = ("rally deployment list | awk '/" + deployment_name +
336 p = subprocess.Popen(cmd, shell=True,
337 stdout=subprocess.PIPE,
338 stderr=subprocess.STDOUT)
339 deployment_uuid = p.stdout.readline().rstrip()
340 if deployment_uuid == "":
341 globals()['logger'].error("Rally deployment not found.")
343 deployment_dir = (rally_dir + "/tempest/for-deployment-" +
345 return deployment_dir
348 def get_criteria_by_test(testname):
350 file = get_testcases_file()
351 tiers = tb.TierBuilder("", "", file)
352 for tier in tiers.get_tiers():
353 for test in tier.get_tests():
354 if test.get_name() == testname:
355 criteria = test.get_criteria()
360 # ----------------------------------------------------------
364 # -----------------------------------------------------------
365 def get_parameter_from_yaml(parameter, file=None):
367 Returns the value of a given parameter in config_functest.yaml
368 parameter must be given in string format with dots
369 Example: general.openstack.image_name
372 file = os.environ["CONFIG_FUNCTEST_YAML"]
373 with open(file) as f:
374 functest_yaml = yaml.safe_load(f)
376 value = functest_yaml
377 for element in parameter.split("."):
378 value = value.get(element)
380 raise ValueError("The parameter %s is not defined in"
381 " config_functest.yaml" % parameter)
385 def check_success_rate(case_name, success_rate):
386 success_rate = float(success_rate)
387 criteria = get_criteria_by_test(case_name)
389 def get_criteria_value(op):
390 return float(criteria.split(op)[1].rstrip('%'))
396 c_value = get_criteria_value(op)
397 if eval("%s %s %s" % (success_rate, op, c_value)):
404 def merge_dicts(dict1, dict2):
405 for k in set(dict1.keys()).union(dict2.keys()):
406 if k in dict1 and k in dict2:
407 if isinstance(dict1[k], dict) and isinstance(dict2[k], dict):
408 yield (k, dict(merge_dicts(dict1[k], dict2[k])))
417 def check_test_result(test_name, ret, start_time, stop_time):
418 def get_criteria_value():
419 return get_criteria_by_test(test_name).split('==')[1].strip()
422 if str(ret) == get_criteria_value():
426 'timestart': start_time,
427 'duration': round(stop_time - start_time, 1),
431 return status, details
434 def get_testcases_file():
435 return FUNCTEST_REPO + "/ci/testcases.yaml"
438 def get_functest_yaml():
439 with open(os.environ["CONFIG_FUNCTEST_YAML"]) as f:
440 functest_yaml = yaml.safe_load(f)