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
11 """ global variables """
13 from datetime import datetime as dt
24 import functest.ci.tier_builder as tb
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']
88 logger.error("Impossible to retrieve the installer type")
89 installer = "Unknown_installer"
94 def get_scenario(logger=None):
99 scenario = os.environ['DEPLOY_SCENARIO']
102 logger.error("Impossible to retrieve the scenario")
103 scenario = "Unknown_scenario"
108 def get_version(logger=None):
112 # Use the build tag to retrieve the version
113 # By default version is unknown
114 # if launched through CI the build tag has the following format
115 # jenkins-<project>-<installer>-<pod>-<job>-<branch>-<id>
116 # e.g. jenkins-functest-fuel-opnfv-jump-2-daily-master-190
117 # use regex to match branch info
118 rule = "daily-(.+?)-[0-9]*"
119 build_tag = get_build_tag(logger)
120 m = re.search(rule, build_tag)
127 def get_pod_name(logger=None):
129 Get PoD Name from env variable NODE_NAME
132 return os.environ['NODE_NAME']
136 "Unable to retrieve the POD name from environment. " +
137 "Using pod name 'unknown-pod'")
141 def get_build_tag(logger=None):
143 Get build tag of jenkins jobs
146 build_tag = os.environ['BUILD_TAG']
149 logger.error("Impossible to retrieve the build tag")
150 build_tag = "unknown_build_tag"
155 def get_db_url(logger=None):
159 with open(os.environ["CONFIG_FUNCTEST_YAML"]) as f:
160 functest_yaml = yaml.safe_load(f)
162 db_url = functest_yaml.get("results").get("test_db_url")
166 def push_results_to_db(project, case_name, logger,
167 start_date, stop_date, criteria, details):
169 POST results to the Result target DB
171 # Retrieve params from CI and conf
172 url = get_db_url(logger) + "/results"
173 installer = get_installer_type(logger)
174 scenario = get_scenario(logger)
175 version = get_version(logger)
176 pod_name = get_pod_name(logger)
177 build_tag = get_build_tag(logger)
178 test_start = dt.fromtimestamp(start_date).strftime('%Y-%m-%d %H:%M:%S')
179 test_stop = dt.fromtimestamp(stop_date).strftime('%Y-%m-%d %H:%M:%S')
181 params = {"project_name": project, "case_name": case_name,
182 "pod_name": pod_name, "installer": installer,
183 "version": version, "scenario": scenario, "criteria": criteria,
184 "build_tag": build_tag, "start_date": test_start,
185 "stop_date": test_stop, "details": details}
187 headers = {'Content-Type': 'application/json'}
189 r = requests.post(url, data=json.dumps(params), headers=headers)
194 print ("Error [push_results_to_db('%s', '%s', '%s', " +
195 "'%s', '%s', '%s', '%s', '%s', '%s')]:" %
196 (url, project, case_name, pod_name, version,
197 scenario, criteria, build_tag, details)), e
201 def get_resolvconf_ns():
203 Get nameservers from current resolv.conf
206 rconf = open("/etc/resolv.conf", "r")
207 line = rconf.readline()
209 ip = re.search(r"\b(?:[0-9]{1,3}\.){3}[0-9]{1,3}\b", line)
210 sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
212 result = sock.connect_ex((ip.group(), 53))
214 nameservers.append(ip.group())
215 line = rconf.readline()
219 def get_ci_envvars():
221 Get the CI env variables
224 "installer": os.environ.get('INSTALLER_TYPE'),
225 "scenario": os.environ.get('DEPLOY_SCENARIO')}
229 def execute_command(cmd, logger=None,
235 error_msg = ("The command '%s' failed." % cmd)
236 msg_exec = ("Executing command: '%s'" % cmd)
240 logger.info(msg_exec)
242 logger.debug(msg_exec)
245 p = subprocess.Popen(cmd, shell=True, stdout=subprocess.PIPE)
247 output = p.stdout.readline()
248 line = output.replace('\n', '')
259 if p.returncode != 0:
262 logger.error(error_msg)
271 def get_deployment_dir(logger=None):
273 Returns current Rally deployment directory
275 with open(os.environ["CONFIG_FUNCTEST_YAML"]) as f:
276 functest_yaml = yaml.safe_load(f)
278 deployment_name = functest_yaml.get("rally").get("deployment_name")
279 rally_dir = functest_yaml.get("general").get("directories").get(
281 cmd = ("rally deployment list | awk '/" + deployment_name +
283 p = subprocess.Popen(cmd, shell=True,
284 stdout=subprocess.PIPE,
285 stderr=subprocess.STDOUT)
286 deployment_uuid = p.stdout.readline().rstrip()
287 if deployment_uuid == "":
289 logger.error("Rally deployment not found.")
291 deployment_dir = (rally_dir + "/tempest/for-deployment-" +
293 return deployment_dir
296 def get_criteria_by_test(testname):
298 file = FUNCTEST_REPO + "/ci/testcases.yaml"
299 tiers = tb.TierBuilder("", "", file)
300 for tier in tiers.get_tiers():
301 for test in tier.get_tests():
302 if test.get_name() == testname:
303 criteria = test.get_criteria()
308 # ----------------------------------------------------------
312 # -----------------------------------------------------------
313 def get_parameter_from_yaml(parameter, file=None):
315 Returns the value of a given parameter in config_functest.yaml
316 parameter must be given in string format with dots
317 Example: general.openstack.image_name
320 file = os.environ["CONFIG_FUNCTEST_YAML"]
321 with open(file) as f:
322 functest_yaml = yaml.safe_load(f)
324 value = functest_yaml
325 for element in parameter.split("."):
326 value = value.get(element)
328 raise ValueError("The parameter %s is not defined in"
329 " config_functest.yaml" % parameter)