Fix bug ruby sig test
[functest.git] / testcases / config_functest.py
1 #!/usr/bin/env python
2 #
3 # Copyright (c) 2015 Ericsson
4 # jose.lausuch@ericsson.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
9 #
10
11 import re, json, os, urllib2, argparse, logging, shutil, subprocess, yaml, sys, getpass
12 import functest_utils
13 from git import Repo
14 from os import stat
15 from pwd import getpwuid
16 from neutronclient.v2_0 import client as neutronclient
17
18 actions = ['start', 'check', 'clean']
19 parser = argparse.ArgumentParser()
20 parser.add_argument("action", help="Possible actions are: '{d[0]}|{d[1]}|{d[2]}' ".format(d=actions))
21 parser.add_argument("-d", "--debug", help="Debug mode",  action="store_true")
22 parser.add_argument("-f", "--force", help="Force",  action="store_true")
23 args = parser.parse_args()
24
25
26 """ logging configuration """
27 logger = logging.getLogger('config_functest')
28 logger.setLevel(logging.DEBUG)
29
30 ch = logging.StreamHandler()
31 if args.debug:
32     ch.setLevel(logging.DEBUG)
33 else:
34     ch.setLevel(logging.INFO)
35
36 formatter = logging.Formatter('%(asctime)s - %(name)s - %(levelname)s - %(message)s')
37 ch.setFormatter(formatter)
38 logger.addHandler(ch)
39
40 REPO_PATH=os.environ['repos_dir']+'/functest/'
41 if not os.path.exists(REPO_PATH):
42     logger.error("Functest repository directory not found '%s'" % REPO_PATH)
43     exit(-1)
44 sys.path.append(REPO_PATH + "testcases/")
45
46 with open("/home/opnfv/functest/conf/config_functest.yaml") as f:
47     functest_yaml = yaml.safe_load(f)
48 f.close()
49
50
51 """ global variables """
52 # Directories
53 RALLY_DIR = REPO_PATH + functest_yaml.get("general").get("directories").get("dir_rally")
54 RALLY_REPO_DIR = functest_yaml.get("general").get("directories").get("dir_repo_rally")
55 RALLY_INSTALLATION_DIR = functest_yaml.get("general").get("directories").get("dir_rally_inst")
56 RALLY_RESULT_DIR = functest_yaml.get("general").get("directories").get("dir_rally_res")
57 VPING_DIR = REPO_PATH + functest_yaml.get("general").get("directories").get("dir_vping")
58 VIMS_TEST_DIR = functest_yaml.get("general").get("directories").get("dir_repo_vims_test")
59 ODL_DIR = REPO_PATH + functest_yaml.get("general").get("directories").get("dir_odl")
60 DATA_DIR = functest_yaml.get("general").get("directories").get("dir_functest_data")
61
62 # Tempest/Rally configuration details
63 DEPLOYMENT_MAME = functest_yaml.get("rally").get("deployment_name")
64 RALLY_COMMIT = functest_yaml.get("general").get("repositories").get("rally_commit")
65
66 #Image (cirros)
67 IMAGE_FILE_NAME = functest_yaml.get("general").get("openstack").get("image_file_name")
68 IMAGE_PATH = DATA_DIR + "/" + IMAGE_FILE_NAME
69
70 # NEUTRON Private Network parameters
71 NEUTRON_PRIVATE_NET_NAME = functest_yaml.get("general"). \
72     get("openstack").get("neutron_private_net_name")
73 NEUTRON_PRIVATE_SUBNET_NAME = functest_yaml.get("general"). \
74     get("openstack").get("neutron_private_subnet_name")
75 NEUTRON_PRIVATE_SUBNET_CIDR = functest_yaml.get("general"). \
76     get("openstack").get("neutron_private_subnet_cidr")
77 NEUTRON_ROUTER_NAME = functest_yaml.get("general"). \
78     get("openstack").get("neutron_router_name")
79
80 creds_neutron = functest_utils.get_credentials("neutron")
81 neutron_client = neutronclient.Client(**creds_neutron)
82
83 def action_start():
84     """
85     Start the functest environment installation
86     """
87     if not functest_utils.check_internet_connectivity():
88         logger.error("There is no Internet connectivity. Please check the network configuration.")
89         exit(-1)
90
91     if action_check():
92         logger.info("Functest environment already installed. Nothing to do.")
93         exit(0)
94
95     else:
96         # Clean in case there are left overs
97         logger.debug("Cleaning possible functest environment leftovers.")
98         action_clean()
99         logger.info("Starting installation of functest environment")
100
101         private_net = functest_utils.get_private_net(neutron_client)
102         if private_net is None:
103             # If there is no private network in the deployment we create one
104             if not create_private_neutron_net(neutron_client):
105                 logger.error("There has been a problem while creating the functest network.")
106                 action_clean()
107                 exit(-1)
108         else:
109             logger.info("Private network '%s' already existing in the deployment."
110                  % private_net['name'])
111
112         logger.info("Installing Rally...")
113         if not install_rally():
114             logger.error("There has been a problem while installing Rally.")
115             action_clean()
116             exit(-1)
117
118         logger.info("Installing Ruby libraries for vIMS testcase...")
119         # Install ruby libraries for vims test-case
120         script = 'source /etc/profile.d/rvm.sh; '
121         script += 'cd ' + VIMS_TEST_DIR + '; '
122         script += 'rvm autolibs enable ;'
123         script += 'rvm install 1.9.3; '
124         script += 'rvm use 1.9.3;'
125         script += 'bundle install'
126
127         cmd = "/bin/bash -c '" + script + "'"
128         functest_utils.execute_command(cmd,logger)
129
130         # Create result folder under functest if necessary
131         if not os.path.exists(RALLY_RESULT_DIR):
132             os.makedirs(RALLY_RESULT_DIR)
133
134         try:
135             functest_utils.generateTestcaseList(functest_yaml)
136         except:
137             logger.info("Not CI mode. Test cases list not generated.")
138
139         exit(0)
140
141
142 def action_check():
143     """
144     Check if the functest environment is properly installed
145     """
146     errors_all = False
147     errors = False
148     logger.info("Checking current functest configuration...")
149
150     logger.debug("Checking script directories...")
151
152     dirs = [RALLY_DIR, RALLY_INSTALLATION_DIR, VPING_DIR, ODL_DIR]
153     for dir in dirs:
154         if not os.path.exists(dir):
155             logger.debug("The directory '%s' does NOT exist." % dir)
156             errors = True
157             errors_all = True
158         else:
159             logger.debug("   %s found" % dir)
160     if not errors:
161         logger.debug("...OK")
162     else:
163         logger.debug("...FAIL")
164
165
166     logger.debug("Checking Rally deployment...")
167     if not check_rally():
168         logger.debug("   Rally deployment NOT installed.")
169         errors_all = True
170         logger.debug("...FAIL")
171     else:
172         logger.debug("...OK")
173
174     logger.debug("Checking Image...")
175     errors = False
176     if not os.path.isfile(IMAGE_PATH):
177         logger.debug("   Image file '%s' NOT found." % IMAGE_PATH)
178         errors = True
179         errors_all = True
180     else:
181         logger.debug("   Image file found in %s" % IMAGE_PATH)
182
183
184     if not errors:
185         logger.debug("...OK")
186     else:
187         logger.debug("...FAIL")
188
189     #TODO: check OLD environment setup
190     return not errors_all
191
192
193
194 def action_clean():
195     """
196     Clean the existing functest environment
197     """
198     logger.info("Removing current functest environment...")
199     if os.path.exists(RALLY_INSTALLATION_DIR):
200         logger.debug("Removing Rally installation directory %s" % RALLY_INSTALLATION_DIR)
201         shutil.rmtree(RALLY_INSTALLATION_DIR,ignore_errors=True)
202
203     if os.path.exists(RALLY_RESULT_DIR):
204         logger.debug("Removing Result directory")
205         shutil.rmtree(RALLY_RESULT_DIR,ignore_errors=True)
206
207     logger.debug("Cleaning up the OpenStack deployment...")
208     cmd='python ' + REPO_PATH + \
209         '/testcases/VIM/OpenStack/CI/libraries/clean_openstack.py -d '
210     functest_utils.execute_command(cmd,logger)
211     logger.info("Functest environment clean!")
212
213
214
215 def install_rally():
216     if check_rally():
217         logger.info("Rally is already installed.")
218     else:
219         logger.debug("Executing %s/install_rally.sh..." %RALLY_REPO_DIR)
220         install_script = RALLY_REPO_DIR + "/install_rally.sh --yes"
221         cmd = 'sudo ' + install_script
222         functest_utils.execute_command(cmd,logger)
223
224         logger.debug("Creating Rally environment...")
225         cmd = "rally deployment create --fromenv --name="+DEPLOYMENT_MAME
226         functest_utils.execute_command(cmd,logger)
227
228         logger.debug("Installing tempest...")
229         cmd = "rally verify install"
230         functest_utils.execute_command(cmd,logger)
231
232         cmd = "rally deployment check"
233         functest_utils.execute_command(cmd,logger)
234         #TODO: check that everything is 'Available' and warn if not
235
236         cmd = "rally show images"
237         functest_utils.execute_command(cmd,logger)
238
239         cmd = "rally show flavors"
240         functest_utils.execute_command(cmd,logger)
241
242     return True
243
244
245 def check_rally():
246     """
247     Check if Rally is installed and properly configured
248     """
249     if os.path.exists(RALLY_INSTALLATION_DIR):
250         logger.debug("   Rally installation directory found in %s" % RALLY_INSTALLATION_DIR)
251         FNULL = open(os.devnull, 'w');
252         cmd="rally deployment list | grep "+DEPLOYMENT_MAME
253         logger.debug('   Executing command : {}'.format(cmd))
254         p=subprocess.Popen(cmd,shell=True,stdout=subprocess.PIPE,stderr=FNULL);
255         #if the command does not exist or there is no deployment
256         line = p.stdout.readline()
257         if line == "":
258             logger.debug("   Rally deployment NOT found")
259             return False
260         logger.debug("   Rally deployment found")
261         return True
262     else:
263         return False
264
265
266 def create_private_neutron_net(neutron):
267     neutron.format = 'json'
268     logger.info('Creating neutron network %s...' % NEUTRON_PRIVATE_NET_NAME)
269     network_id = functest_utils. \
270         create_neutron_net(neutron, NEUTRON_PRIVATE_NET_NAME)
271
272     if not network_id:
273         return False
274     logger.debug("Network '%s' created successfully" % network_id)
275
276     logger.info('Updating neutron network %s...' % NEUTRON_PRIVATE_NET_NAME)
277     if functest_utils.update_neutron_net(neutron, network_id, shared=True):
278         logger.debug("Network '%s' updated successfully" % network_id)
279     else:
280         logger.info('Updating neutron network %s failed' % network_id)
281
282     logger.debug('Creating Subnet....')
283     subnet_id = functest_utils. \
284         create_neutron_subnet(neutron,
285                               NEUTRON_PRIVATE_SUBNET_NAME,
286                               NEUTRON_PRIVATE_SUBNET_CIDR,
287                               network_id)
288     if not subnet_id:
289         return False
290     logger.debug("Subnet '%s' created successfully" % subnet_id)
291     logger.debug('Creating Router...')
292     router_id = functest_utils. \
293         create_neutron_router(neutron, NEUTRON_ROUTER_NAME)
294
295     if not router_id:
296         return False
297
298     logger.debug("Router '%s' created successfully" % router_id)
299     logger.debug('Adding router to subnet...')
300
301     result = functest_utils.add_interface_router(neutron, router_id, subnet_id)
302
303     if not result:
304         return False
305
306     logger.debug("Interface added successfully.")
307     network_dic = {'net_id': network_id,
308                    'subnet_id': subnet_id,
309                    'router_id': router_id}
310     return True
311
312
313 def main():
314     if not (args.action in actions):
315         logger.error('argument not valid')
316         exit(-1)
317
318
319     if not functest_utils.check_credentials():
320         logger.error("Please source the openrc credentials and run the script again.")
321         #TODO: source the credentials in this script
322         exit(-1)
323
324
325     if args.action == "start":
326         action_start()
327
328     if args.action == "check":
329         if action_check():
330             logger.info("Functest environment correctly installed")
331         else:
332             logger.info("Functest environment not found or faulty")
333
334     if args.action == "clean":
335         if args.force :
336             action_clean()
337         else :
338             while True:
339                 print("Are you sure? [y|n]")
340                 answer = raw_input("")
341                 if answer == "y":
342                     action_clean()
343                     break
344                 elif answer == "n":
345                     break
346                 else:
347                     print("Invalid option.")
348     exit(0)
349
350
351 if __name__ == '__main__':
352     main()
353