
- Created new tests structure - Refactored and partially rewrote code from ugly.py - Added tox.ini Change-Id: I154906b8fcc7870b82fd2b782d03e029d9dd1df2
332 lines
12 KiB
Python
Executable File
332 lines
12 KiB
Python
Executable File
# Copyright (c) 2016 Mirantis Inc.
|
|
#
|
|
# 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.
|
|
|
|
import json
|
|
import logging
|
|
import os
|
|
import socket
|
|
import time
|
|
import uuid
|
|
|
|
import requests
|
|
import testtools
|
|
import yaml
|
|
import muranoclient.common.exceptions as exceptions
|
|
|
|
import clients
|
|
|
|
ARTIFACTS_DIR = os.environ.get('ARTIFACTS_DIR', 'logs')
|
|
|
|
LOG = logging.getLogger(__name__)
|
|
LOG.setLevel(logging.DEBUG)
|
|
if not os.path.exists(ARTIFACTS_DIR):
|
|
os.makedirs(ARTIFACTS_DIR)
|
|
fh = logging.FileHandler(os.path.join(ARTIFACTS_DIR, 'runner.log'))
|
|
formatter = logging.Formatter(
|
|
'%(asctime)s - %(name)s - %(levelname)s - %(message)s'
|
|
)
|
|
fh.setFormatter(formatter)
|
|
LOG.addHandler(fh)
|
|
|
|
ch = logging.StreamHandler()
|
|
ch.setLevel(logging.DEBUG)
|
|
ch.setFormatter(formatter)
|
|
LOG.addHandler(ch)
|
|
|
|
# Sometimes need to pass some boolean from bash env. Since each bash
|
|
# variable is string, we need such simply hack
|
|
_boolean_states = {'1': True, 'yes': True, 'true': True, 'on': True,
|
|
'0': False, 'no': False, 'false': False, 'off': False}
|
|
|
|
|
|
def str2bool(name, default):
|
|
value = os.environ.get(name, '')
|
|
return _boolean_states.get(value.lower(), default)
|
|
|
|
|
|
class MuranoTestsBase(testtools.TestCase, clients.ClientsBase):
|
|
|
|
def setUp(self):
|
|
super(MuranoTestsBase, self).setUp()
|
|
# counter, for murano deployment logger
|
|
self.latest_report = 0
|
|
self.flavor = os.environ.get('OS_FLAVOR', 'm1.medium')
|
|
self.image = os.environ.get('OS_IMAGE')
|
|
self.keyname = os.environ.get('OS_KEYNAME', None)
|
|
self.availability_zone = os.environ.get('OS_ZONE', 'nova')
|
|
self.deploy_timeout = (60 * 60) * 2
|
|
# Since its really useful to debug deployment after it fail...lets
|
|
# add such possibility
|
|
self.os_cleanup_before = str2bool('OS_CLEANUP_BEFORE', False)
|
|
self.os_cleanup_after = str2bool('OS_CLEANUP_AFTER', True)
|
|
|
|
self.keystone = self.initialize_keystone_client()
|
|
self.heat = self.initialize_heat_client(self.keystone)
|
|
self.murano = self.initialize_murano_client(self.keystone)
|
|
self.headers = {
|
|
'X-Auth-Token': self.murano.http_client.auth_token,
|
|
'content-type': 'application/json'
|
|
}
|
|
self.envs = []
|
|
if self.os_cleanup_before:
|
|
self.cleanup_up_tenant()
|
|
LOG.info('Running test: {0}'.format(self._testMethodName))
|
|
|
|
def tearDown(self):
|
|
if not self.os_cleanup_after:
|
|
for env in self.envs:
|
|
try:
|
|
self.delete_env(env)
|
|
except Exception:
|
|
self.delete_stack(env)
|
|
|
|
super(MuranoTestsBase, self).tearDown()
|
|
|
|
@staticmethod
|
|
def rand_name(name='murano_ci_test_'):
|
|
return name + str(time.strftime("%Y_%m_%d_%H_%M_%S"))
|
|
|
|
@staticmethod
|
|
def generate_id():
|
|
return uuid.uuid4()
|
|
|
|
def _get_stack(self, environment_id):
|
|
for stack in self.heat.stacks.list():
|
|
if environment_id in stack.description:
|
|
return stack
|
|
|
|
def cleanup_up_tenant(self):
|
|
LOG.debug('Removing EVERYTHING in tenant: {0}'.format(
|
|
self.keystone.tenant_name))
|
|
for env in self.murano.environments.list():
|
|
self.delete_env(env)
|
|
for stack in self.heat.stacks.list():
|
|
try:
|
|
self.heat.stacks.delete(stack.id)
|
|
except Exception as e:
|
|
LOG.warning("Unable delete stack:{}".format(stack))
|
|
LOG.exception(e)
|
|
pass
|
|
return
|
|
|
|
def delete_stack(self, environment):
|
|
stack = self._get_stack(environment.id)
|
|
if not stack:
|
|
return
|
|
else:
|
|
self.heat.stacks.delete(stack.id)
|
|
|
|
def create_env(self):
|
|
name = self.rand_name()
|
|
environment = self.murano.environments.create({'name': name})
|
|
self.envs.append(environment)
|
|
self.addCleanup(self.delete_env, environment)
|
|
LOG.debug('Created Environment:\n {0}'.format(environment))
|
|
|
|
return environment
|
|
|
|
def delete_env(self, environment, timeout=360):
|
|
try:
|
|
self.murano.environments.delete(environment.id)
|
|
start_time = time.time()
|
|
while time.time() - start_time < timeout:
|
|
try:
|
|
self.murano.environments.get(environment.id)
|
|
time.sleep(1)
|
|
except exceptions.HTTPNotFound:
|
|
return
|
|
raise exceptions.HTTPOverLimit(
|
|
'Environment "{0}" was not deleted in {1} seconds'.format(
|
|
environment.id, timeout)
|
|
)
|
|
except (exceptions.HTTPForbidden, exceptions.HTTPOverLimit,
|
|
exceptions.HTTPNotFound):
|
|
try:
|
|
self.murano.environments.delete(environment.id, abandon=True)
|
|
LOG.warning(
|
|
'Environment "{0}" from test {1} abandoned'.format(
|
|
environment.id, self._testMethodName))
|
|
except exceptions.HTTPNotFound:
|
|
return
|
|
|
|
start_time = time.time()
|
|
while time.time() - start_time < timeout:
|
|
try:
|
|
self.murano.environments.get(environment.id)
|
|
time.sleep(1)
|
|
except exceptions.HTTPNotFound:
|
|
return
|
|
raise Exception(
|
|
'Environment "{0}" was not deleted in {1} seconds'.format(
|
|
environment.id, timeout)
|
|
)
|
|
|
|
def get_env(self, environment):
|
|
return self.murano.environments.get(environment.id)
|
|
|
|
def deploy_env(self, environment, session):
|
|
self.murano.sessions.deploy(environment.id, session.id)
|
|
return self.wait_for_environment_deploy(environment)
|
|
|
|
def get_deployment_report(self, environment, deployment):
|
|
history = ''
|
|
report = self.murano.deployments.reports(environment.id, deployment.id)
|
|
for status in report:
|
|
history += '\t{0} - {1}\n'.format(status.created, status.text)
|
|
return history
|
|
|
|
def _log_report(self, environment):
|
|
deployment = self.murano.deployments.list(environment.id)[0]
|
|
details = deployment.result['result']['details']
|
|
LOG.error('Exception found:\n {0}'.format(details))
|
|
report = self.get_deployment_report(environment, deployment)
|
|
LOG.debug('Report:\n {0}\n'.format(report))
|
|
|
|
def _log_latest(self, environment):
|
|
deployment = self.murano.deployments.list(environment.id)[0]
|
|
history = self.get_deployment_report(environment, deployment)
|
|
if self.latest_report != len(history) or self.latest_report == 0:
|
|
tmp = len(history)
|
|
history = history[self.latest_report:]
|
|
LOG.debug("Last report from murano engine:\n{}".format((history)))
|
|
self.latest_report = tmp
|
|
return history
|
|
|
|
def wait_for_environment_deploy(self, env):
|
|
start_time = time.time()
|
|
status = self.get_env(env).manager.get(env.id).status
|
|
|
|
while status != 'ready':
|
|
status = self.get_env(env).manager.get(env.id).status
|
|
LOG.debug('Deployment status:{}...nothing new..'.format(status))
|
|
self._log_latest(env)
|
|
|
|
if time.time() - start_time > self.deploy_timeout:
|
|
time.sleep(60)
|
|
self.fail(
|
|
'Environment deployment wasn\'t'
|
|
'finished in {} seconds'.format(self.deploy_timeout)
|
|
)
|
|
elif status == 'deploy failure':
|
|
self._log_report(env)
|
|
self.fail(
|
|
'Environment has incorrect status "{0}"'.format(status)
|
|
)
|
|
|
|
time.sleep(30)
|
|
LOG.debug('Environment "{0}" is ready'.format(self.get_env(env).name))
|
|
return self.get_env(env).manager.get(env.id)
|
|
|
|
def create_session(self, environment):
|
|
return self.murano.sessions.configure(environment.id)
|
|
|
|
def create_service(self, environment, session, json_data, to_json=True):
|
|
LOG.debug('Adding service:\n {0}'.format(json_data))
|
|
service = self.murano.services.post(
|
|
environment.id,
|
|
path='/',
|
|
data=json_data,
|
|
session_id=session.id
|
|
)
|
|
if to_json:
|
|
service = service.to_dict()
|
|
service = json.dumps(service)
|
|
LOG.debug('Create Service json: {0}'.format(yaml.load(service)))
|
|
return yaml.load(service)
|
|
else:
|
|
LOG.debug('Create Service: {0}'.format(service))
|
|
return service
|
|
|
|
@staticmethod
|
|
def guess_fip(env_obj_model):
|
|
|
|
result = {}
|
|
|
|
def _finditem(obj, result):
|
|
if 'floatingIpAddress' in obj.get('instance', []):
|
|
result[obj['?']['package']] = obj['instance'][
|
|
'floatingIpAddress']
|
|
for k, v in obj.items():
|
|
if isinstance(v, dict):
|
|
_finditem(v, result)
|
|
_finditem(env_obj_model, result)
|
|
|
|
return result
|
|
|
|
def check_ports_open(self, ip, ports):
|
|
for port in ports:
|
|
result = 1
|
|
start_time = time.time()
|
|
while time.time() - start_time < 60:
|
|
sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
|
|
result = sock.connect_ex((str(ip), port))
|
|
sock.close()
|
|
|
|
if result == 0:
|
|
LOG.debug('{} port is opened on instance'.format(port))
|
|
break
|
|
time.sleep(5)
|
|
|
|
if result != 0:
|
|
self.fail('{} port is not opened on instance'.format(port))
|
|
|
|
def check_url_access(self, ip, path, port):
|
|
attempt = 0
|
|
proto = 'http' if port not in (443, 8443) else 'https'
|
|
url = '%s://%s:%s/%s' % (proto, ip, port, path)
|
|
|
|
while attempt < 5:
|
|
resp = requests.get(url)
|
|
if resp.status_code == 200:
|
|
LOG.debug('Service path "{}" is available'.format(url))
|
|
return
|
|
else:
|
|
time.sleep(5)
|
|
attempt += 1
|
|
|
|
self.fail(
|
|
'Service path {0} is unavailable after 5 attempts'.format(url)
|
|
)
|
|
|
|
def deployment_success_check(self, environment, services_map):
|
|
deployment = self.murano.deployments.list(environment.id)[-1]
|
|
|
|
self.assertEqual(
|
|
'success', deployment.state,
|
|
'Deployment status is "{0}"'.format(deployment.state)
|
|
)
|
|
|
|
fips = self.guess_fip(environment.services[0])
|
|
|
|
for service in services_map:
|
|
LOG.debug(
|
|
'Checking ports availability on "{}" app instance'.format(
|
|
service)
|
|
)
|
|
self.check_ports_open(
|
|
fips[service], services_map[service]['ports']
|
|
)
|
|
if services_map[service]['url']:
|
|
LOG.debug(
|
|
'Checking {0} app url "{1}" availability'.format(
|
|
service, services_map[service]['url']
|
|
)
|
|
)
|
|
self.check_url_access(
|
|
fips[service],
|
|
services_map[service]['url'],
|
|
services_map[service]['url_port']
|
|
)
|