ecf878c592cf226c817293f7c0c5f12fd7d93bd5
[osm/openvim.git] / httpserver.py
1 # -*- coding: utf-8 -*-
2
3 ##
4 # Copyright 2015 Telefónica Investigación y Desarrollo, S.A.U.
5 # This file is part of openvim
6 # All Rights Reserved.
7 #
8 # Licensed under the Apache License, Version 2.0 (the "License"); you may
9 # not use this file except in compliance with the License. You may obtain
10 # a copy of the License at
11 #
12 # http://www.apache.org/licenses/LICENSE-2.0
13 #
14 # Unless required by applicable law or agreed to in writing, software
15 # distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
16 # WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
17 # License for the specific language governing permissions and limitations
18 # under the License.
19 #
20 # For those usages not covered by the Apache License, Version 2.0 please
21 # contact with: nfvlabs@tid.es
22 ##
23
24 '''
25 This is the thread for the http server North API.
26 Two thread will be launched, with normal and administrative permissions.
27 '''
28
29 __author__="Alfonso Tierno"
30 __date__ ="$10-jul-2014 12:07:15$"
31
32 import bottle
33 import urlparse
34 import yaml
35 import json
36 import threading
37 import datetime
38 import hashlib
39 import os
40 import imp
41 #import only if needed because not needed in test mode. To allow an easier installation import RADclass
42 from jsonschema import validate as js_v, exceptions as js_e
43 import host_thread as ht
44 from vim_schema import host_new_schema, host_edit_schema, tenant_new_schema, \
45 tenant_edit_schema, \
46 flavor_new_schema, flavor_update_schema, \
47 image_new_schema, image_update_schema, \
48 server_new_schema, server_action_schema, network_new_schema, network_update_schema, \
49 port_new_schema, port_update_schema
50
51 global my
52 global url_base
53 global config_dic
54 global RADclass_module
55 RADclass=None #RADclass module is charged only if not in test mode
56
57 url_base="/openvim"
58
59 HTTP_Bad_Request = 400
60 HTTP_Unauthorized = 401
61 HTTP_Not_Found = 404
62 HTTP_Forbidden = 403
63 HTTP_Method_Not_Allowed = 405
64 HTTP_Not_Acceptable = 406
65 HTTP_Request_Timeout = 408
66 HTTP_Conflict = 409
67 HTTP_Service_Unavailable = 503
68 HTTP_Internal_Server_Error= 500
69
70 def md5(fname):
71 hash_md5 = hashlib.md5()
72 with open(fname, "rb") as f:
73 for chunk in iter(lambda: f.read(4096), b""):
74 hash_md5.update(chunk)
75 return hash_md5.hexdigest()
76
77 def check_extended(extended, allow_net_attach=False):
78 '''Makes and extra checking of extended input that cannot be done using jsonschema
79 Attributes:
80 allow_net_attach: for allowing or not the uuid field at interfaces
81 that are allowed for instance, but not for flavors
82 Return: (<0, error_text) if error; (0,None) if not error '''
83 if "numas" not in extended: return 0, None
84 id_s=[]
85 numaid=0
86 for numa in extended["numas"]:
87 nb_formats = 0
88 if "cores" in numa:
89 nb_formats += 1
90 if "cores-id" in numa:
91 if len(numa["cores-id"]) != numa["cores"]:
92 return -HTTP_Bad_Request, "different number of cores-id (%d) than cores (%d) at numa %d" % (len(numa["cores-id"]), numa["cores"],numaid)
93 id_s.extend(numa["cores-id"])
94 if "threads" in numa:
95 nb_formats += 1
96 if "threads-id" in numa:
97 if len(numa["threads-id"]) != numa["threads"]:
98 return -HTTP_Bad_Request, "different number of threads-id (%d) than threads (%d) at numa %d" % (len(numa["threads-id"]), numa["threads"],numaid)
99 id_s.extend(numa["threads-id"])
100 if "paired-threads" in numa:
101 nb_formats += 1
102 if "paired-threads-id" in numa:
103 if len(numa["paired-threads-id"]) != numa["paired-threads"]:
104 return -HTTP_Bad_Request, "different number of paired-threads-id (%d) than paired-threads (%d) at numa %d" % (len(numa["paired-threads-id"]), numa["paired-threads"],numaid)
105 for pair in numa["paired-threads-id"]:
106 if len(pair) != 2:
107 return -HTTP_Bad_Request, "paired-threads-id must contain a list of two elements list at numa %d" % (numaid)
108 id_s.extend(pair)
109 if nb_formats > 1:
110 return -HTTP_Service_Unavailable, "only one of cores, threads, paired-threads are allowed in this version at numa %d" % numaid
111 #check interfaces
112 if "interfaces" in numa:
113 ifaceid=0
114 names=[]
115 vpcis=[]
116 for interface in numa["interfaces"]:
117 if "uuid" in interface and not allow_net_attach:
118 return -HTTP_Bad_Request, "uuid field is not allowed at numa %d interface %s position %d" % (numaid, interface.get("name",""), ifaceid )
119 if "mac_address" in interface and interface["dedicated"]=="yes":
120 return -HTTP_Bad_Request, "mac_address can not be set for dedicated (passthrough) at numa %d, interface %s position %d" % (numaid, interface.get("name",""), ifaceid )
121 if "name" in interface:
122 if interface["name"] in names:
123 return -HTTP_Bad_Request, "name repeated at numa %d, interface %s position %d" % (numaid, interface.get("name",""), ifaceid )
124 names.append(interface["name"])
125 if "vpci" in interface:
126 if interface["vpci"] in vpcis:
127 return -HTTP_Bad_Request, "vpci %s repeated at numa %d, interface %s position %d" % (interface["vpci"], numaid, interface.get("name",""), ifaceid )
128 vpcis.append(interface["vpci"])
129 ifaceid+=1
130 numaid+=1
131 if numaid > 1:
132 return -HTTP_Service_Unavailable, "only one numa can be defined in this version "
133 for a in range(0,len(id_s)):
134 if a not in id_s:
135 return -HTTP_Bad_Request, "core/thread identifiers must start at 0 and gaps are not alloed. Missing id number %d" % a
136
137 return 0, None
138
139 #
140 # dictionaries that change from HTTP API to database naming
141 #
142 http2db_host={'id':'uuid'}
143 http2db_tenant={'id':'uuid'}
144 http2db_flavor={'id':'uuid','imageRef':'image_id'}
145 http2db_image={'id':'uuid', 'created':'created_at', 'updated':'modified_at', 'public': 'public'}
146 http2db_server={'id':'uuid','hostId':'host_id','flavorRef':'flavor_id','imageRef':'image_id','created':'created_at'}
147 http2db_network={'id':'uuid','provider:vlan':'vlan', 'provider:physical': 'provider'}
148 http2db_port={'id':'uuid', 'network_id':'net_id', 'mac_address':'mac', 'device_owner':'type','device_id':'instance_id','binding:switch_port':'switch_port','binding:vlan':'vlan', 'bandwidth':'Mbps'}
149
150 def remove_extra_items(data, schema):
151 deleted=[]
152 if type(data) is tuple or type(data) is list:
153 for d in data:
154 a= remove_extra_items(d, schema['items'])
155 if a is not None: deleted.append(a)
156 elif type(data) is dict:
157 for k in data.keys():
158 if 'properties' not in schema or k not in schema['properties'].keys():
159 del data[k]
160 deleted.append(k)
161 else:
162 a = remove_extra_items(data[k], schema['properties'][k])
163 if a is not None: deleted.append({k:a})
164 if len(deleted) == 0: return None
165 elif len(deleted) == 1: return deleted[0]
166 else: return deleted
167
168 def delete_nulls(var):
169 if type(var) is dict:
170 for k in var.keys():
171 if var[k] is None: del var[k]
172 elif type(var[k]) is dict or type(var[k]) is list or type(var[k]) is tuple:
173 if delete_nulls(var[k]): del var[k]
174 if len(var) == 0: return True
175 elif type(var) is list or type(var) is tuple:
176 for k in var:
177 if type(k) is dict: delete_nulls(k)
178 if len(var) == 0: return True
179 return False
180
181
182 class httpserver(threading.Thread):
183 def __init__(self, db_conn, name="http", host='localhost', port=8080, admin=False, config_=None):
184 '''
185 Creates a new thread to attend the http connections
186 Attributes:
187 db_conn: database connection
188 name: name of this thread
189 host: ip or name where to listen
190 port: port where to listen
191 admin: if this has privileges of administrator or not
192 config_: unless the first thread must be provided. It is a global dictionary where to allocate the self variable
193 '''
194 global url_base
195 global config_dic
196
197 #initialization
198 if config_ is not None:
199 config_dic = config_
200 if 'http_threads' not in config_dic:
201 config_dic['http_threads'] = {}
202 threading.Thread.__init__(self)
203 self.host = host
204 self.port = port
205 self.db = db_conn
206 self.admin = admin
207 if name in config_dic:
208 print "httpserver Warning!!! Onether thread with the same name", name
209 n=0
210 while name+str(n) in config_dic:
211 n +=1
212 name +=str(n)
213 self.name = name
214 self.url_preffix = 'http://' + self.host + ':' + str(self.port) + url_base
215 config_dic['http_threads'][name] = self
216
217 #Ensure that when the main program exits the thread will also exit
218 self.daemon = True
219 self.setDaemon(True)
220
221 def run(self):
222 bottle.run(host=self.host, port=self.port, debug=True) #quiet=True
223
224 def gethost(self, host_id):
225 result, content = self.db.get_host(host_id)
226 if result < 0:
227 print "httpserver.gethost error %d %s" % (result, content)
228 bottle.abort(-result, content)
229 elif result==0:
230 print "httpserver.gethost host '%s' not found" % host_id
231 bottle.abort(HTTP_Not_Found, content)
232 else:
233 data={'host' : content}
234 convert_boolean(content, ('admin_state_up',) )
235 change_keys_http2db(content, http2db_host, reverse=True)
236 print data['host']
237 return format_out(data)
238
239 @bottle.route(url_base + '/', method='GET')
240 def http_get():
241 print
242 return 'works' #TODO: put links or redirection to /openvim???
243
244 #
245 # Util funcions
246 #
247
248 def change_keys_http2db(data, http_db, reverse=False):
249 '''Change keys of dictionary data according to the key_dict values
250 This allow change from http interface names to database names.
251 When reverse is True, the change is otherwise
252 Attributes:
253 data: can be a dictionary or a list
254 http_db: is a dictionary with hhtp names as keys and database names as value
255 reverse: by default change is done from http API to database. If True change is done otherwise
256 Return: None, but data is modified'''
257 if type(data) is tuple or type(data) is list:
258 for d in data:
259 change_keys_http2db(d, http_db, reverse)
260 elif type(data) is dict or type(data) is bottle.FormsDict:
261 if reverse:
262 for k,v in http_db.items():
263 if v in data: data[k]=data.pop(v)
264 else:
265 for k,v in http_db.items():
266 if k in data: data[v]=data.pop(k)
267
268
269
270 def format_out(data):
271 '''return string of dictionary data according to requested json, yaml, xml. By default json'''
272 if 'application/yaml' in bottle.request.headers.get('Accept'):
273 bottle.response.content_type='application/yaml'
274 return yaml.safe_dump(data, explicit_start=True, indent=4, default_flow_style=False, tags=False, encoding='utf-8', allow_unicode=True) #, canonical=True, default_style='"'
275 else: #by default json
276 bottle.response.content_type='application/json'
277 #return data #json no style
278 return json.dumps(data, indent=4) + "\n"
279
280 def format_in(schema):
281 try:
282 error_text = "Invalid header format "
283 format_type = bottle.request.headers.get('Content-Type', 'application/json')
284 if 'application/json' in format_type:
285 error_text = "Invalid json format "
286 #Use the json decoder instead of bottle decoder because it informs about the location of error formats with a ValueError exception
287 client_data = json.load(bottle.request.body)
288 #client_data = bottle.request.json()
289 elif 'application/yaml' in format_type:
290 error_text = "Invalid yaml format "
291 client_data = yaml.load(bottle.request.body)
292 elif format_type == 'application/xml':
293 bottle.abort(501, "Content-Type: application/xml not supported yet.")
294 else:
295 print "HTTP HEADERS: " + str(bottle.request.headers.items())
296 bottle.abort(HTTP_Not_Acceptable, 'Content-Type ' + str(format_type) + ' not supported.')
297 return
298 #if client_data == None:
299 # bottle.abort(HTTP_Bad_Request, "Content error, empty")
300 # return
301 #check needed_items
302
303 #print "HTTP input data: ", str(client_data)
304 error_text = "Invalid content "
305 js_v(client_data, schema)
306
307 return client_data
308 except (ValueError, yaml.YAMLError) as exc:
309 error_text += str(exc)
310 print error_text
311 bottle.abort(HTTP_Bad_Request, error_text)
312 except js_e.ValidationError as exc:
313 print "HTTP validate_in error, jsonschema exception ", exc.message, "at", exc.path
314 print " CONTENT: " + str(bottle.request.body.readlines())
315 error_pos = ""
316 if len(exc.path)>0: error_pos=" at '" + ":".join(map(str, exc.path)) + "'"
317 bottle.abort(HTTP_Bad_Request, error_text + error_pos+": "+exc.message)
318 #except:
319 # bottle.abort(HTTP_Bad_Request, "Content error: Failed to parse Content-Type", error_pos)
320 # raise
321
322 def filter_query_string(qs, http2db, allowed):
323 '''Process query string (qs) checking that contains only valid tokens for avoiding SQL injection
324 Attributes:
325 'qs': bottle.FormsDict variable to be processed. None or empty is considered valid
326 'allowed': list of allowed string tokens (API http naming). All the keys of 'qs' must be one of 'allowed'
327 'http2db': dictionary with change from http API naming (dictionary key) to database naming(dictionary value)
328 Return: A tuple with the (select,where,limit) to be use in a database query. All of then transformed to the database naming
329 select: list of items to retrieve, filtered by query string 'field=token'. If no 'field' is present, allowed list is returned
330 where: dictionary with key, value, taken from the query string token=value. Empty if nothing is provided
331 limit: limit dictated by user with the query string 'limit'. 100 by default
332 abort if not permitted, using bottel.abort
333 '''
334 where={}
335 limit=100
336 select=[]
337 if type(qs) is not bottle.FormsDict:
338 print '!!!!!!!!!!!!!!invalid query string not a dictionary'
339 #bottle.abort(HTTP_Internal_Server_Error, "call programmer")
340 else:
341 for k in qs:
342 if k=='field':
343 select += qs.getall(k)
344 for v in select:
345 if v not in allowed:
346 bottle.abort(HTTP_Bad_Request, "Invalid query string at 'field="+v+"'")
347 elif k=='limit':
348 try:
349 limit=int(qs[k])
350 except:
351 bottle.abort(HTTP_Bad_Request, "Invalid query string at 'limit="+qs[k]+"'")
352 else:
353 if k not in allowed:
354 bottle.abort(HTTP_Bad_Request, "Invalid query string at '"+k+"="+qs[k]+"'")
355 if qs[k]!="null": where[k]=qs[k]
356 else: where[k]=None
357 if len(select)==0: select += allowed
358 #change from http api to database naming
359 for i in range(0,len(select)):
360 k=select[i]
361 if k in http2db:
362 select[i] = http2db[k]
363 change_keys_http2db(where, http2db)
364 #print "filter_query_string", select,where,limit
365
366 return select,where,limit
367
368
369 def convert_bandwidth(data, reverse=False):
370 '''Check the field bandwidth recursively and when found, it removes units and convert to number
371 It assumes that bandwidth is well formed
372 Attributes:
373 'data': dictionary bottle.FormsDict variable to be checked. None or empty is considered valid
374 'reverse': by default convert form str to int (Mbps), if True it convert from number to units
375 Return:
376 None
377 '''
378 if type(data) is dict:
379 for k in data.keys():
380 if type(data[k]) is dict or type(data[k]) is tuple or type(data[k]) is list:
381 convert_bandwidth(data[k], reverse)
382 if "bandwidth" in data:
383 try:
384 value=str(data["bandwidth"])
385 if not reverse:
386 pos = value.find("bps")
387 if pos>0:
388 if value[pos-1]=="G": data["bandwidth"] = int(data["bandwidth"][:pos-1]) * 1000
389 elif value[pos-1]=="k": data["bandwidth"]= int(data["bandwidth"][:pos-1]) / 1000
390 else: data["bandwidth"]= int(data["bandwidth"][:pos-1])
391 else:
392 value = int(data["bandwidth"])
393 if value % 1000 == 0: data["bandwidth"]=str(value/1000) + " Gbps"
394 else: data["bandwidth"]=str(value) + " Mbps"
395 except:
396 print "convert_bandwidth exception for type", type(data["bandwidth"]), " data", data["bandwidth"]
397 return
398 if type(data) is tuple or type(data) is list:
399 for k in data:
400 if type(k) is dict or type(k) is tuple or type(k) is list:
401 convert_bandwidth(k, reverse)
402
403 def convert_boolean(data, items):
404 '''Check recursively the content of data, and if there is an key contained in items, convert value from string to boolean
405 It assumes that bandwidth is well formed
406 Attributes:
407 'data': dictionary bottle.FormsDict variable to be checked. None or empty is consideted valid
408 'items': tuple of keys to convert
409 Return:
410 None
411 '''
412 if type(data) is dict:
413 for k in data.keys():
414 if type(data[k]) is dict or type(data[k]) is tuple or type(data[k]) is list:
415 convert_boolean(data[k], items)
416 if k in items:
417 if type(data[k]) is str:
418 if data[k]=="false": data[k]=False
419 elif data[k]=="true": data[k]=True
420 if type(data) is tuple or type(data) is list:
421 for k in data:
422 if type(k) is dict or type(k) is tuple or type(k) is list:
423 convert_boolean(k, items)
424
425 def convert_datetime2str(var):
426 '''Converts a datetime variable to a string with the format '%Y-%m-%dT%H:%i:%s'
427 It enters recursively in the dict var finding this kind of variables
428 '''
429 if type(var) is dict:
430 for k,v in var.items():
431 if type(v) is datetime.datetime:
432 var[k]= v.strftime('%Y-%m-%dT%H:%M:%S')
433 elif type(v) is dict or type(v) is list or type(v) is tuple:
434 convert_datetime2str(v)
435 if len(var) == 0: return True
436 elif type(var) is list or type(var) is tuple:
437 for v in var:
438 convert_datetime2str(v)
439
440 def check_valid_tenant(my, tenant_id):
441 if tenant_id=='any':
442 if not my.admin:
443 return HTTP_Unauthorized, "Needed admin privileges"
444 else:
445 result, _ = my.db.get_table(FROM='tenants', SELECT=('uuid',), WHERE={'uuid': tenant_id})
446 if result<=0:
447 return HTTP_Not_Found, "tenant '%s' not found" % tenant_id
448 return 0, None
449
450 def check_valid_uuid(uuid):
451 id_schema = {"type" : "string", "pattern": "^[a-fA-F0-9]{8}(-[a-fA-F0-9]{4}){3}-[a-fA-F0-9]{12}$"}
452 try:
453 js_v(uuid, id_schema)
454 return True
455 except js_e.ValidationError:
456 return False
457
458
459 def is_url(url):
460 '''
461 Check if string value is a well-wormed url
462 :param url: string url
463 :return: True if is a valid url, False if is not well-formed
464 '''
465
466 parsed_url = urlparse.urlparse(url)
467 return parsed_url
468
469
470 @bottle.error(400)
471 @bottle.error(401)
472 @bottle.error(404)
473 @bottle.error(403)
474 @bottle.error(405)
475 @bottle.error(406)
476 @bottle.error(408)
477 @bottle.error(409)
478 @bottle.error(503)
479 @bottle.error(500)
480 def error400(error):
481 e={"error":{"code":error.status_code, "type":error.status, "description":error.body}}
482 return format_out(e)
483
484 @bottle.hook('after_request')
485 def enable_cors():
486 #TODO: Alf: Is it needed??
487 bottle.response.headers['Access-Control-Allow-Origin'] = '*'
488
489 #
490 # HOSTS
491 #
492
493 @bottle.route(url_base + '/hosts', method='GET')
494 def http_get_hosts():
495 select_,where_,limit_ = filter_query_string(bottle.request.query, http2db_host,
496 ('id','name','description','status','admin_state_up') )
497
498 myself = config_dic['http_threads'][ threading.current_thread().name ]
499 result, content = myself.db.get_table(FROM='hosts', SELECT=select_, WHERE=where_, LIMIT=limit_)
500 if result < 0:
501 print "http_get_hosts Error", content
502 bottle.abort(-result, content)
503 else:
504 convert_boolean(content, ('admin_state_up',) )
505 change_keys_http2db(content, http2db_host, reverse=True)
506 for row in content:
507 row['links'] = ( {'href': myself.url_preffix + '/hosts/' + str(row['id']), 'rel': 'bookmark'}, )
508 data={'hosts' : content}
509 return format_out(data)
510
511 @bottle.route(url_base + '/hosts/<host_id>', method='GET')
512 def http_get_host_id(host_id):
513 my = config_dic['http_threads'][ threading.current_thread().name ]
514 return my.gethost(host_id)
515
516 @bottle.route(url_base + '/hosts', method='POST')
517 def http_post_hosts():
518 '''insert a host into the database. All resources are got and inserted'''
519 my = config_dic['http_threads'][ threading.current_thread().name ]
520 #check permissions
521 if not my.admin:
522 bottle.abort(HTTP_Unauthorized, "Needed admin privileges")
523
524 #parse input data
525 http_content = format_in( host_new_schema )
526 r = remove_extra_items(http_content, host_new_schema)
527 if r is not None: print "http_post_host_id: Warning: remove extra items ", r
528 change_keys_http2db(http_content['host'], http2db_host)
529
530 host = http_content['host']
531 warning_text=""
532 if 'host-data' in http_content:
533 host.update(http_content['host-data'])
534 ip_name=http_content['host-data']['ip_name']
535 user=http_content['host-data']['user']
536 password=http_content['host-data'].get('password', None)
537 else:
538 ip_name=host['ip_name']
539 user=host['user']
540 password=host.get('password', None)
541 if not RADclass_module:
542 try:
543 RADclass_module = imp.find_module("RADclass")
544 except (IOError, ImportError) as e:
545 raise ImportError("Cannot import RADclass.py Openvim not properly installed" +str(e))
546
547 #fill rad info
548 rad = RADclass_module.RADclass()
549 (return_status, code) = rad.obtain_RAD(user, password, ip_name)
550
551 #return
552 if not return_status:
553 print 'http_post_hosts ERROR obtaining RAD', code
554 bottle.abort(HTTP_Bad_Request, code)
555 return
556 warning_text=code
557 rad_structure = yaml.load(rad.to_text())
558 print 'rad_structure\n---------------------'
559 print json.dumps(rad_structure, indent=4)
560 print '---------------------'
561 #return
562 WHERE_={"family":rad_structure['processor']['family'], 'manufacturer':rad_structure['processor']['manufacturer'], 'version':rad_structure['processor']['version']}
563 result, content = my.db.get_table(FROM='host_ranking',
564 SELECT=('ranking',),
565 WHERE=WHERE_)
566 if result > 0:
567 host['ranking'] = content[0]['ranking']
568 else:
569 #error_text= "Host " + str(WHERE_)+ " not found in ranking table. Not valid for VIM management"
570 #bottle.abort(HTTP_Bad_Request, error_text)
571 #return
572 warning_text += "Host " + str(WHERE_)+ " not found in ranking table. Assuming lowest value 100\n"
573 host['ranking'] = 100 #TODO: as not used in this version, set the lowest value
574
575 features = rad_structure['processor'].get('features', ())
576 host['features'] = ",".join(features)
577 host['numas'] = []
578
579 for node in (rad_structure['resource topology']['nodes'] or {}).itervalues():
580 interfaces= []
581 cores = []
582 eligible_cores=[]
583 count = 0
584 for core in node['cpu']['eligible_cores']:
585 eligible_cores.extend(core)
586 for core in node['cpu']['cores']:
587 for thread_id in core:
588 c={'core_id': count, 'thread_id': thread_id}
589 if thread_id not in eligible_cores: c['status'] = 'noteligible'
590 cores.append(c)
591 count = count+1
592
593 if 'nics' in node:
594 for port_k, port_v in node['nics']['nic 0']['ports'].iteritems():
595 if port_v['virtual']:
596 continue
597 else:
598 sriovs = []
599 for port_k2, port_v2 in node['nics']['nic 0']['ports'].iteritems():
600 if port_v2['virtual'] and port_v2['PF_pci_id']==port_k:
601 sriovs.append({'pci':port_k2, 'mac':port_v2['mac'], 'source_name':port_v2['source_name']})
602 if len(sriovs)>0:
603 #sort sriov according to pci and rename them to the vf number
604 new_sriovs = sorted(sriovs, key=lambda k: k['pci'])
605 index=0
606 for sriov in new_sriovs:
607 sriov['source_name'] = index
608 index += 1
609 interfaces.append ({'pci':str(port_k), 'Mbps': port_v['speed']/1000000, 'sriovs': new_sriovs, 'mac':port_v['mac'], 'source_name':port_v['source_name']})
610 memory=node['memory']['node_size'] / (1024*1024*1024)
611 #memory=get_next_2pow(node['memory']['hugepage_nr'])
612 host['numas'].append( {'numa_socket': node['id'], 'hugepages': node['memory']['hugepage_nr'], 'memory':memory, 'interfaces': interfaces, 'cores': cores } )
613 print json.dumps(host, indent=4)
614 #return
615 #
616 #insert in data base
617 result, content = my.db.new_host(host)
618 if result >= 0:
619 if content['admin_state_up']:
620 #create thread
621 host_test_mode = True if config_dic['mode']=='test' or config_dic['mode']=="OF only" else False
622 host_develop_mode = True if config_dic['mode']=='development' else False
623 host_develop_bridge_iface = config_dic.get('development_bridge', None)
624 thread = ht.host_thread(name=host.get('name',ip_name), user=user, host=ip_name, db=config_dic['db'], db_lock=config_dic['db_lock'],
625 test=host_test_mode, image_path=config_dic['image_path'],
626 version=config_dic['version'], host_id=content['uuid'],
627 develop_mode=host_develop_mode, develop_bridge_iface=host_develop_bridge_iface )
628 thread.start()
629 config_dic['host_threads'][ content['uuid'] ] = thread
630
631 #return host data
632 change_keys_http2db(content, http2db_host, reverse=True)
633 if len(warning_text)>0:
634 content["warning"]= warning_text
635 data={'host' : content}
636 return format_out(data)
637 else:
638 bottle.abort(HTTP_Bad_Request, content)
639 return
640
641 @bottle.route(url_base + '/hosts/<host_id>', method='PUT')
642 def http_put_host_id(host_id):
643 '''modify a host into the database. All resources are got and inserted'''
644 my = config_dic['http_threads'][ threading.current_thread().name ]
645 #check permissions
646 if not my.admin:
647 bottle.abort(HTTP_Unauthorized, "Needed admin privileges")
648
649 #parse input data
650 http_content = format_in( host_edit_schema )
651 r = remove_extra_items(http_content, host_edit_schema)
652 if r is not None: print "http_post_host_id: Warning: remove extra items ", r
653 change_keys_http2db(http_content['host'], http2db_host)
654
655 #insert in data base
656 result, content = my.db.edit_host(host_id, http_content['host'])
657 if result >= 0:
658 convert_boolean(content, ('admin_state_up',) )
659 change_keys_http2db(content, http2db_host, reverse=True)
660 data={'host' : content}
661
662 #reload thread
663 config_dic['host_threads'][host_id].name = content.get('name',content['ip_name'])
664 config_dic['host_threads'][host_id].user = content['user']
665 config_dic['host_threads'][host_id].host = content['ip_name']
666 config_dic['host_threads'][host_id].insert_task("reload")
667
668 #print data
669 return format_out(data)
670 else:
671 bottle.abort(HTTP_Bad_Request, content)
672 return
673
674
675
676 @bottle.route(url_base + '/hosts/<host_id>', method='DELETE')
677 def http_delete_host_id(host_id):
678 my = config_dic['http_threads'][ threading.current_thread().name ]
679 #check permissions
680 if not my.admin:
681 bottle.abort(HTTP_Unauthorized, "Needed admin privileges")
682 result, content = my.db.delete_row('hosts', host_id)
683 if result == 0:
684 bottle.abort(HTTP_Not_Found, content)
685 elif result >0:
686 #terminate thread
687 if host_id in config_dic['host_threads']:
688 config_dic['host_threads'][host_id].insert_task("exit")
689 #return data
690 data={'result' : content}
691 return format_out(data)
692 else:
693 print "http_delete_host_id error",result, content
694 bottle.abort(-result, content)
695 return
696
697
698
699 #
700 # TENANTS
701 #
702
703 @bottle.route(url_base + '/tenants', method='GET')
704 def http_get_tenants():
705 my = config_dic['http_threads'][ threading.current_thread().name ]
706 select_,where_,limit_ = filter_query_string(bottle.request.query, http2db_tenant,
707 ('id','name','description','enabled') )
708 result, content = my.db.get_table(FROM='tenants', SELECT=select_,WHERE=where_,LIMIT=limit_)
709 if result < 0:
710 print "http_get_tenants Error", content
711 bottle.abort(-result, content)
712 else:
713 change_keys_http2db(content, http2db_tenant, reverse=True)
714 convert_boolean(content, ('enabled',))
715 data={'tenants' : content}
716 #data['tenants_links'] = dict([('tenant', row['id']) for row in content])
717 return format_out(data)
718
719 @bottle.route(url_base + '/tenants/<tenant_id>', method='GET')
720 def http_get_tenant_id(tenant_id):
721 my = config_dic['http_threads'][ threading.current_thread().name ]
722 result, content = my.db.get_table(FROM='tenants', SELECT=('uuid','name','description', 'enabled'),WHERE={'uuid': tenant_id} )
723 if result < 0:
724 print "http_get_tenant_id error %d %s" % (result, content)
725 bottle.abort(-result, content)
726 elif result==0:
727 print "http_get_tenant_id tenant '%s' not found" % tenant_id
728 bottle.abort(HTTP_Not_Found, "tenant %s not found" % tenant_id)
729 else:
730 change_keys_http2db(content, http2db_tenant, reverse=True)
731 convert_boolean(content, ('enabled',))
732 data={'tenant' : content[0]}
733 #data['tenants_links'] = dict([('tenant', row['id']) for row in content])
734 return format_out(data)
735
736
737 @bottle.route(url_base + '/tenants', method='POST')
738 def http_post_tenants():
739 '''insert a tenant into the database.'''
740 my = config_dic['http_threads'][ threading.current_thread().name ]
741 #parse input data
742 http_content = format_in( tenant_new_schema )
743 r = remove_extra_items(http_content, tenant_new_schema)
744 if r is not None: print "http_post_tenants: Warning: remove extra items ", r
745 change_keys_http2db(http_content['tenant'], http2db_tenant)
746
747 #insert in data base
748 result, content = my.db.new_tenant(http_content['tenant'])
749
750 if result >= 0:
751 return http_get_tenant_id(content)
752 else:
753 bottle.abort(-result, content)
754 return
755
756 @bottle.route(url_base + '/tenants/<tenant_id>', method='PUT')
757 def http_put_tenant_id(tenant_id):
758 '''update a tenant into the database.'''
759 my = config_dic['http_threads'][ threading.current_thread().name ]
760 #parse input data
761 http_content = format_in( tenant_edit_schema )
762 r = remove_extra_items(http_content, tenant_edit_schema)
763 if r is not None: print "http_put_tenant_id: Warning: remove extra items ", r
764 change_keys_http2db(http_content['tenant'], http2db_tenant)
765
766 #insert in data base
767 result, content = my.db.update_rows('tenants', http_content['tenant'], WHERE={'uuid': tenant_id}, log=True )
768 if result >= 0:
769 return http_get_tenant_id(tenant_id)
770 else:
771 bottle.abort(-result, content)
772 return
773
774 @bottle.route(url_base + '/tenants/<tenant_id>', method='DELETE')
775 def http_delete_tenant_id(tenant_id):
776 my = config_dic['http_threads'][ threading.current_thread().name ]
777 #check permissions
778 r, tenants_flavors = my.db.get_table(FROM='tenants_flavors', SELECT=('flavor_id','tenant_id'), WHERE={'tenant_id': tenant_id})
779 if r<=0:
780 tenants_flavors=()
781 r, tenants_images = my.db.get_table(FROM='tenants_images', SELECT=('image_id','tenant_id'), WHERE={'tenant_id': tenant_id})
782 if r<=0:
783 tenants_images=()
784 result, content = my.db.delete_row('tenants', tenant_id)
785 if result == 0:
786 bottle.abort(HTTP_Not_Found, content)
787 elif result >0:
788 print "alf", tenants_flavors, tenants_images
789 for flavor in tenants_flavors:
790 my.db.delete_row_by_key("flavors", "uuid", flavor['flavor_id'])
791 for image in tenants_images:
792 my.db.delete_row_by_key("images", "uuid", image['image_id'])
793 data={'result' : content}
794 return format_out(data)
795 else:
796 print "http_delete_tenant_id error",result, content
797 bottle.abort(-result, content)
798 return
799
800 #
801 # FLAVORS
802 #
803
804 @bottle.route(url_base + '/<tenant_id>/flavors', method='GET')
805 def http_get_flavors(tenant_id):
806 my = config_dic['http_threads'][ threading.current_thread().name ]
807 #check valid tenant_id
808 result,content = check_valid_tenant(my, tenant_id)
809 if result != 0:
810 bottle.abort(result, content)
811 #obtain data
812 select_,where_,limit_ = filter_query_string(bottle.request.query, http2db_flavor,
813 ('id','name','description','public') )
814 if tenant_id=='any':
815 from_ ='flavors'
816 else:
817 from_ ='tenants_flavors inner join flavors on tenants_flavors.flavor_id=flavors.uuid'
818 where_['tenant_id'] = tenant_id
819 result, content = my.db.get_table(FROM=from_, SELECT=select_, WHERE=where_, LIMIT=limit_)
820 if result < 0:
821 print "http_get_flavors Error", content
822 bottle.abort(-result, content)
823 else:
824 change_keys_http2db(content, http2db_flavor, reverse=True)
825 for row in content:
826 row['links']=[ {'href': "/".join( (my.url_preffix, tenant_id, 'flavors', str(row['id']) ) ), 'rel':'bookmark' } ]
827 data={'flavors' : content}
828 return format_out(data)
829
830 @bottle.route(url_base + '/<tenant_id>/flavors/<flavor_id>', method='GET')
831 def http_get_flavor_id(tenant_id, flavor_id):
832 my = config_dic['http_threads'][ threading.current_thread().name ]
833 #check valid tenant_id
834 result,content = check_valid_tenant(my, tenant_id)
835 if result != 0:
836 bottle.abort(result, content)
837 #obtain data
838 select_,where_,limit_ = filter_query_string(bottle.request.query, http2db_flavor,
839 ('id','name','description','ram', 'vcpus', 'extended', 'disk', 'public') )
840 if tenant_id=='any':
841 from_ ='flavors'
842 else:
843 from_ ='tenants_flavors as tf inner join flavors as f on tf.flavor_id=f.uuid'
844 where_['tenant_id'] = tenant_id
845 where_['uuid'] = flavor_id
846 result, content = my.db.get_table(SELECT=select_, FROM=from_, WHERE=where_, LIMIT=limit_)
847
848 if result < 0:
849 print "http_get_flavor_id error %d %s" % (result, content)
850 bottle.abort(-result, content)
851 elif result==0:
852 print "http_get_flavors_id flavor '%s' not found" % str(flavor_id)
853 bottle.abort(HTTP_Not_Found, 'flavor %s not found' % flavor_id)
854 else:
855 change_keys_http2db(content, http2db_flavor, reverse=True)
856 if 'extended' in content[0] and content[0]['extended'] is not None:
857 extended = json.loads(content[0]['extended'])
858 if 'devices' in extended:
859 change_keys_http2db(extended['devices'], http2db_flavor, reverse=True)
860 content[0]['extended']=extended
861 convert_bandwidth(content[0], reverse=True)
862 content[0]['links']=[ {'href': "/".join( (my.url_preffix, tenant_id, 'flavors', str(content[0]['id']) ) ), 'rel':'bookmark' } ]
863 data={'flavor' : content[0]}
864 #data['tenants_links'] = dict([('tenant', row['id']) for row in content])
865 return format_out(data)
866
867
868 @bottle.route(url_base + '/<tenant_id>/flavors', method='POST')
869 def http_post_flavors(tenant_id):
870 '''insert a flavor into the database, and attach to tenant.'''
871 my = config_dic['http_threads'][ threading.current_thread().name ]
872 #check valid tenant_id
873 result,content = check_valid_tenant(my, tenant_id)
874 if result != 0:
875 bottle.abort(result, content)
876 http_content = format_in( flavor_new_schema )
877 r = remove_extra_items(http_content, flavor_new_schema)
878 if r is not None: print "http_post_flavors: Warning: remove extra items ", r
879 change_keys_http2db(http_content['flavor'], http2db_flavor)
880 extended_dict = http_content['flavor'].pop('extended', None)
881 if extended_dict is not None:
882 result, content = check_extended(extended_dict)
883 if result<0:
884 print "http_post_flavors wrong input extended error %d %s" % (result, content)
885 bottle.abort(-result, content)
886 return
887 convert_bandwidth(extended_dict)
888 if 'devices' in extended_dict: change_keys_http2db(extended_dict['devices'], http2db_flavor)
889 http_content['flavor']['extended'] = json.dumps(extended_dict)
890 #insert in data base
891 result, content = my.db.new_flavor(http_content['flavor'], tenant_id)
892 if result >= 0:
893 return http_get_flavor_id(tenant_id, content)
894 else:
895 print "http_psot_flavors error %d %s" % (result, content)
896 bottle.abort(-result, content)
897 return
898
899 @bottle.route(url_base + '/<tenant_id>/flavors/<flavor_id>', method='DELETE')
900 def http_delete_flavor_id(tenant_id, flavor_id):
901 '''Deletes the flavor_id of a tenant. IT removes from tenants_flavors table.'''
902 my = config_dic['http_threads'][ threading.current_thread().name ]
903 #check valid tenant_id
904 result,content = check_valid_tenant(my, tenant_id)
905 if result != 0:
906 bottle.abort(result, content)
907 return
908 result, content = my.db.delete_image_flavor('flavor', flavor_id, tenant_id)
909 if result == 0:
910 bottle.abort(HTTP_Not_Found, content)
911 elif result >0:
912 data={'result' : content}
913 return format_out(data)
914 else:
915 print "http_delete_flavor_id error",result, content
916 bottle.abort(-result, content)
917 return
918
919 @bottle.route(url_base + '/<tenant_id>/flavors/<flavor_id>/<action>', method='POST')
920 def http_attach_detach_flavors(tenant_id, flavor_id, action):
921 '''attach/detach an existing flavor in this tenant. That is insert/remove at tenants_flavors table.'''
922 #TODO alf: not tested at all!!!
923 my = config_dic['http_threads'][ threading.current_thread().name ]
924 #check valid tenant_id
925 result,content = check_valid_tenant(my, tenant_id)
926 if result != 0:
927 bottle.abort(result, content)
928 if tenant_id=='any':
929 bottle.abort(HTTP_Bad_Request, "Invalid tenant 'any' with this command")
930 #check valid action
931 if action!='attach' and action != 'detach':
932 bottle.abort(HTTP_Method_Not_Allowed, "actions can be attach or detach")
933 return
934
935 #Ensure that flavor exist
936 from_ ='tenants_flavors as tf right join flavors as f on tf.flavor_id=f.uuid'
937 where_={'uuid': flavor_id}
938 result, content = my.db.get_table(SELECT=('public','tenant_id'), FROM=from_, WHERE=where_)
939 if result==0:
940 if action=='attach':
941 text_error="Flavor '%s' not found" % flavor_id
942 else:
943 text_error="Flavor '%s' not found for tenant '%s'" % (flavor_id, tenant_id)
944 bottle.abort(HTTP_Not_Found, text_error)
945 return
946 elif result>0:
947 flavor=content[0]
948 if action=='attach':
949 if flavor['tenant_id']!=None:
950 bottle.abort(HTTP_Conflict, "Flavor '%s' already attached to tenant '%s'" % (flavor_id, tenant_id))
951 if flavor['public']=='no' and not my.admin:
952 #allow only attaching public flavors
953 bottle.abort(HTTP_Unauthorized, "Needed admin rights to attach a private flavor")
954 return
955 #insert in data base
956 result, content = my.db.new_row('tenants_flavors', {'flavor_id':flavor_id, 'tenant_id': tenant_id})
957 if result >= 0:
958 return http_get_flavor_id(tenant_id, flavor_id)
959 else: #detach
960 if flavor['tenant_id']==None:
961 bottle.abort(HTTP_Not_Found, "Flavor '%s' not attached to tenant '%s'" % (flavor_id, tenant_id))
962 result, content = my.db.delete_row_by_dict(FROM='tenants_flavors', WHERE={'flavor_id':flavor_id, 'tenant_id':tenant_id})
963 if result>=0:
964 if flavor['public']=='no':
965 #try to delete the flavor completely to avoid orphan flavors, IGNORE error
966 my.db.delete_row_by_dict(FROM='flavors', WHERE={'uuid':flavor_id})
967 data={'result' : "flavor detached"}
968 return format_out(data)
969
970 #if get here is because an error
971 print "http_attach_detach_flavors error %d %s" % (result, content)
972 bottle.abort(-result, content)
973 return
974
975 @bottle.route(url_base + '/<tenant_id>/flavors/<flavor_id>', method='PUT')
976 def http_put_flavor_id(tenant_id, flavor_id):
977 '''update a flavor_id into the database.'''
978 my = config_dic['http_threads'][ threading.current_thread().name ]
979 #check valid tenant_id
980 result,content = check_valid_tenant(my, tenant_id)
981 if result != 0:
982 bottle.abort(result, content)
983 #parse input data
984 http_content = format_in( flavor_update_schema )
985 r = remove_extra_items(http_content, flavor_update_schema)
986 if r is not None: print "http_put_flavor_id: Warning: remove extra items ", r
987 change_keys_http2db(http_content['flavor'], http2db_flavor)
988 extended_dict = http_content['flavor'].pop('extended', None)
989 if extended_dict is not None:
990 result, content = check_extended(extended_dict)
991 if result<0:
992 print "http_put_flavor_id wrong input extended error %d %s" % (result, content)
993 bottle.abort(-result, content)
994 return
995 convert_bandwidth(extended_dict)
996 if 'devices' in extended_dict: change_keys_http2db(extended_dict['devices'], http2db_flavor)
997 http_content['flavor']['extended'] = json.dumps(extended_dict)
998 #Ensure that flavor exist
999 where_={'uuid': flavor_id}
1000 if tenant_id=='any':
1001 from_ ='flavors'
1002 else:
1003 from_ ='tenants_flavors as ti inner join flavors as i on ti.flavor_id=i.uuid'
1004 where_['tenant_id'] = tenant_id
1005 result, content = my.db.get_table(SELECT=('public',), FROM=from_, WHERE=where_)
1006 if result==0:
1007 text_error="Flavor '%s' not found" % flavor_id
1008 if tenant_id!='any':
1009 text_error +=" for tenant '%s'" % flavor_id
1010 bottle.abort(HTTP_Not_Found, text_error)
1011 return
1012 elif result>0:
1013 if content[0]['public']=='yes' and not my.admin:
1014 #allow only modifications over private flavors
1015 bottle.abort(HTTP_Unauthorized, "Needed admin rights to edit a public flavor")
1016 return
1017 #insert in data base
1018 result, content = my.db.update_rows('flavors', http_content['flavor'], {'uuid': flavor_id})
1019
1020 if result < 0:
1021 print "http_put_flavor_id error %d %s" % (result, content)
1022 bottle.abort(-result, content)
1023 return
1024 else:
1025 return http_get_flavor_id(tenant_id, flavor_id)
1026
1027
1028
1029 #
1030 # IMAGES
1031 #
1032
1033 @bottle.route(url_base + '/<tenant_id>/images', method='GET')
1034 def http_get_images(tenant_id):
1035 my = config_dic['http_threads'][ threading.current_thread().name ]
1036 #check valid tenant_id
1037 result,content = check_valid_tenant(my, tenant_id)
1038 if result != 0:
1039 bottle.abort(result, content)
1040 #obtain data
1041 select_,where_,limit_ = filter_query_string(bottle.request.query, http2db_image,
1042 ('id','name','description','path','public') )
1043 if tenant_id=='any':
1044 from_ ='images'
1045 else:
1046 from_ ='tenants_images inner join images on tenants_images.image_id=images.uuid'
1047 where_['tenant_id'] = tenant_id
1048 result, content = my.db.get_table(SELECT=select_, FROM=from_, WHERE=where_, LIMIT=limit_)
1049 if result < 0:
1050 print "http_get_images Error", content
1051 bottle.abort(-result, content)
1052 else:
1053 change_keys_http2db(content, http2db_image, reverse=True)
1054 #for row in content: row['links']=[ {'href': "/".join( (my.url_preffix, tenant_id, 'images', str(row['id']) ) ), 'rel':'bookmark' } ]
1055 data={'images' : content}
1056 return format_out(data)
1057
1058 @bottle.route(url_base + '/<tenant_id>/images/<image_id>', method='GET')
1059 def http_get_image_id(tenant_id, image_id):
1060 my = config_dic['http_threads'][ threading.current_thread().name ]
1061 #check valid tenant_id
1062 result,content = check_valid_tenant(my, tenant_id)
1063 if result != 0:
1064 bottle.abort(result, content)
1065 #obtain data
1066 select_,where_,limit_ = filter_query_string(bottle.request.query, http2db_image,
1067 ('id','name','description','progress', 'status','path', 'created', 'updated','public') )
1068 if tenant_id=='any':
1069 from_ ='images'
1070 else:
1071 from_ ='tenants_images as ti inner join images as i on ti.image_id=i.uuid'
1072 where_['tenant_id'] = tenant_id
1073 where_['uuid'] = image_id
1074 result, content = my.db.get_table(SELECT=select_, FROM=from_, WHERE=where_, LIMIT=limit_)
1075
1076 if result < 0:
1077 print "http_get_images error %d %s" % (result, content)
1078 bottle.abort(-result, content)
1079 elif result==0:
1080 print "http_get_images image '%s' not found" % str(image_id)
1081 bottle.abort(HTTP_Not_Found, 'image %s not found' % image_id)
1082 else:
1083 convert_datetime2str(content)
1084 change_keys_http2db(content, http2db_image, reverse=True)
1085 if 'metadata' in content[0] and content[0]['metadata'] is not None:
1086 metadata = json.loads(content[0]['metadata'])
1087 content[0]['metadata']=metadata
1088 content[0]['links']=[ {'href': "/".join( (my.url_preffix, tenant_id, 'images', str(content[0]['id']) ) ), 'rel':'bookmark' } ]
1089 data={'image' : content[0]}
1090 #data['tenants_links'] = dict([('tenant', row['id']) for row in content])
1091 return format_out(data)
1092
1093 @bottle.route(url_base + '/<tenant_id>/images', method='POST')
1094 def http_post_images(tenant_id):
1095 '''insert a image into the database, and attach to tenant.'''
1096 my = config_dic['http_threads'][ threading.current_thread().name ]
1097 #check valid tenant_id
1098 result,content = check_valid_tenant(my, tenant_id)
1099 if result != 0:
1100 bottle.abort(result, content)
1101 http_content = format_in(image_new_schema)
1102 r = remove_extra_items(http_content, image_new_schema)
1103 if r is not None: print "http_post_images: Warning: remove extra items ", r
1104 change_keys_http2db(http_content['image'], http2db_image)
1105 metadata_dict = http_content['image'].pop('metadata', None)
1106 if metadata_dict is not None:
1107 http_content['image']['metadata'] = json.dumps(metadata_dict)
1108 #calculate checksum
1109 host_test_mode = True if config_dic['mode']=='test' or config_dic['mode']=="OF only" else False
1110 try:
1111 image_file = http_content['image'].get('path',None)
1112 if os.path.exists(image_file):
1113 http_content['image']['checksum'] = md5(image_file)
1114 elif is_url(image_file):
1115 pass
1116 else:
1117 if not host_test_mode:
1118 content = "Image file not found"
1119 print "http_post_images error: %d %s" % (HTTP_Bad_Request, content)
1120 bottle.abort(HTTP_Bad_Request, content)
1121 except Exception as e:
1122 print "ERROR. Unexpected exception: %s" % (str(e))
1123 bottle.abort(HTTP_Internal_Server_Error, type(e).__name__ + ": " + str(e))
1124 #insert in data base
1125 result, content = my.db.new_image(http_content['image'], tenant_id)
1126 if result >= 0:
1127 return http_get_image_id(tenant_id, content)
1128 else:
1129 print "http_post_images error %d %s" % (result, content)
1130 bottle.abort(-result, content)
1131 return
1132
1133 @bottle.route(url_base + '/<tenant_id>/images/<image_id>', method='DELETE')
1134 def http_delete_image_id(tenant_id, image_id):
1135 '''Deletes the image_id of a tenant. IT removes from tenants_images table.'''
1136 my = config_dic['http_threads'][ threading.current_thread().name ]
1137 #check valid tenant_id
1138 result,content = check_valid_tenant(my, tenant_id)
1139 if result != 0:
1140 bottle.abort(result, content)
1141 result, content = my.db.delete_image_flavor('image', image_id, tenant_id)
1142 if result == 0:
1143 bottle.abort(HTTP_Not_Found, content)
1144 elif result >0:
1145 data={'result' : content}
1146 return format_out(data)
1147 else:
1148 print "http_delete_image_id error",result, content
1149 bottle.abort(-result, content)
1150 return
1151
1152 @bottle.route(url_base + '/<tenant_id>/images/<image_id>/<action>', method='POST')
1153 def http_attach_detach_images(tenant_id, image_id, action):
1154 '''attach/detach an existing image in this tenant. That is insert/remove at tenants_images table.'''
1155 #TODO alf: not tested at all!!!
1156 my = config_dic['http_threads'][ threading.current_thread().name ]
1157 #check valid tenant_id
1158 result,content = check_valid_tenant(my, tenant_id)
1159 if result != 0:
1160 bottle.abort(result, content)
1161 if tenant_id=='any':
1162 bottle.abort(HTTP_Bad_Request, "Invalid tenant 'any' with this command")
1163 #check valid action
1164 if action!='attach' and action != 'detach':
1165 bottle.abort(HTTP_Method_Not_Allowed, "actions can be attach or detach")
1166 return
1167
1168 #Ensure that image exist
1169 from_ ='tenants_images as ti right join images as i on ti.image_id=i.uuid'
1170 where_={'uuid': image_id}
1171 result, content = my.db.get_table(SELECT=('public','tenant_id'), FROM=from_, WHERE=where_)
1172 if result==0:
1173 if action=='attach':
1174 text_error="Image '%s' not found" % image_id
1175 else:
1176 text_error="Image '%s' not found for tenant '%s'" % (image_id, tenant_id)
1177 bottle.abort(HTTP_Not_Found, text_error)
1178 return
1179 elif result>0:
1180 image=content[0]
1181 if action=='attach':
1182 if image['tenant_id']!=None:
1183 bottle.abort(HTTP_Conflict, "Image '%s' already attached to tenant '%s'" % (image_id, tenant_id))
1184 if image['public']=='no' and not my.admin:
1185 #allow only attaching public images
1186 bottle.abort(HTTP_Unauthorized, "Needed admin rights to attach a private image")
1187 return
1188 #insert in data base
1189 result, content = my.db.new_row('tenants_images', {'image_id':image_id, 'tenant_id': tenant_id})
1190 if result >= 0:
1191 return http_get_image_id(tenant_id, image_id)
1192 else: #detach
1193 if image['tenant_id']==None:
1194 bottle.abort(HTTP_Not_Found, "Image '%s' not attached to tenant '%s'" % (image_id, tenant_id))
1195 result, content = my.db.delete_row_by_dict(FROM='tenants_images', WHERE={'image_id':image_id, 'tenant_id':tenant_id})
1196 if result>=0:
1197 if image['public']=='no':
1198 #try to delete the image completely to avoid orphan images, IGNORE error
1199 my.db.delete_row_by_dict(FROM='images', WHERE={'uuid':image_id})
1200 data={'result' : "image detached"}
1201 return format_out(data)
1202
1203 #if get here is because an error
1204 print "http_attach_detach_images error %d %s" % (result, content)
1205 bottle.abort(-result, content)
1206 return
1207
1208 @bottle.route(url_base + '/<tenant_id>/images/<image_id>', method='PUT')
1209 def http_put_image_id(tenant_id, image_id):
1210 '''update a image_id into the database.'''
1211 my = config_dic['http_threads'][ threading.current_thread().name ]
1212 #check valid tenant_id
1213 result,content = check_valid_tenant(my, tenant_id)
1214 if result != 0:
1215 bottle.abort(result, content)
1216 #parse input data
1217 http_content = format_in( image_update_schema )
1218 r = remove_extra_items(http_content, image_update_schema)
1219 if r is not None: print "http_put_image_id: Warning: remove extra items ", r
1220 change_keys_http2db(http_content['image'], http2db_image)
1221 metadata_dict = http_content['image'].pop('metadata', None)
1222 if metadata_dict is not None:
1223 http_content['image']['metadata'] = json.dumps(metadata_dict)
1224 #Ensure that image exist
1225 where_={'uuid': image_id}
1226 if tenant_id=='any':
1227 from_ ='images'
1228 else:
1229 from_ ='tenants_images as ti inner join images as i on ti.image_id=i.uuid'
1230 where_['tenant_id'] = tenant_id
1231 result, content = my.db.get_table(SELECT=('public',), FROM=from_, WHERE=where_)
1232 if result==0:
1233 text_error="Image '%s' not found" % image_id
1234 if tenant_id!='any':
1235 text_error +=" for tenant '%s'" % image_id
1236 bottle.abort(HTTP_Not_Found, text_error)
1237 return
1238 elif result>0:
1239 if content[0]['public']=='yes' and not my.admin:
1240 #allow only modifications over private images
1241 bottle.abort(HTTP_Unauthorized, "Needed admin rights to edit a public image")
1242 return
1243 #insert in data base
1244 result, content = my.db.update_rows('images', http_content['image'], {'uuid': image_id})
1245
1246 if result < 0:
1247 print "http_put_image_id error %d %s" % (result, content)
1248 bottle.abort(-result, content)
1249 return
1250 else:
1251 return http_get_image_id(tenant_id, image_id)
1252
1253
1254 #
1255 # SERVERS
1256 #
1257
1258 @bottle.route(url_base + '/<tenant_id>/servers', method='GET')
1259 def http_get_servers(tenant_id):
1260 my = config_dic['http_threads'][ threading.current_thread().name ]
1261 result,content = check_valid_tenant(my, tenant_id)
1262 if result != 0:
1263 bottle.abort(result, content)
1264 return
1265 #obtain data
1266 select_,where_,limit_ = filter_query_string(bottle.request.query, http2db_server,
1267 ('id','name','description','hostId','imageRef','flavorRef','status', 'tenant_id') )
1268 if tenant_id!='any':
1269 where_['tenant_id'] = tenant_id
1270 result, content = my.db.get_table(SELECT=select_, FROM='instances', WHERE=where_, LIMIT=limit_)
1271 if result < 0:
1272 print "http_get_servers Error", content
1273 bottle.abort(-result, content)
1274 else:
1275 change_keys_http2db(content, http2db_server, reverse=True)
1276 for row in content:
1277 tenant_id = row.pop('tenant_id')
1278 row['links']=[ {'href': "/".join( (my.url_preffix, tenant_id, 'servers', str(row['id']) ) ), 'rel':'bookmark' } ]
1279 data={'servers' : content}
1280 return format_out(data)
1281
1282 @bottle.route(url_base + '/<tenant_id>/servers/<server_id>', method='GET')
1283 def http_get_server_id(tenant_id, server_id):
1284 my = config_dic['http_threads'][ threading.current_thread().name ]
1285 #check valid tenant_id
1286 result,content = check_valid_tenant(my, tenant_id)
1287 if result != 0:
1288 bottle.abort(result, content)
1289 return
1290 #obtain data
1291 result, content = my.db.get_instance(server_id)
1292 if result == 0:
1293 bottle.abort(HTTP_Not_Found, content)
1294 elif result >0:
1295 #change image/flavor-id to id and link
1296 convert_bandwidth(content, reverse=True)
1297 convert_datetime2str(content)
1298 if content["ram"]==0 : del content["ram"]
1299 if content["vcpus"]==0 : del content["vcpus"]
1300 if 'flavor_id' in content:
1301 if content['flavor_id'] is not None:
1302 content['flavor'] = {'id':content['flavor_id'],
1303 'links':[{'href': "/".join( (my.url_preffix, content['tenant_id'], 'flavors', str(content['flavor_id']) ) ), 'rel':'bookmark'}]
1304 }
1305 del content['flavor_id']
1306 if 'image_id' in content:
1307 if content['image_id'] is not None:
1308 content['image'] = {'id':content['image_id'],
1309 'links':[{'href': "/".join( (my.url_preffix, content['tenant_id'], 'images', str(content['image_id']) ) ), 'rel':'bookmark'}]
1310 }
1311 del content['image_id']
1312 change_keys_http2db(content, http2db_server, reverse=True)
1313 if 'extended' in content:
1314 if 'devices' in content['extended']: change_keys_http2db(content['extended']['devices'], http2db_server, reverse=True)
1315
1316 data={'server' : content}
1317 return format_out(data)
1318 else:
1319 bottle.abort(-result, content)
1320 return
1321
1322 @bottle.route(url_base + '/<tenant_id>/servers', method='POST')
1323 def http_post_server_id(tenant_id):
1324 '''deploys a new server'''
1325 my = config_dic['http_threads'][ threading.current_thread().name ]
1326 #check valid tenant_id
1327 result,content = check_valid_tenant(my, tenant_id)
1328 if result != 0:
1329 bottle.abort(result, content)
1330 return
1331 if tenant_id=='any':
1332 bottle.abort(HTTP_Bad_Request, "Invalid tenant 'any' with this command")
1333 #chek input
1334 http_content = format_in( server_new_schema )
1335 r = remove_extra_items(http_content, server_new_schema)
1336 if r is not None: print "http_post_serves: Warning: remove extra items ", r
1337 change_keys_http2db(http_content['server'], http2db_server)
1338 extended_dict = http_content['server'].get('extended', None)
1339 if extended_dict is not None:
1340 result, content = check_extended(extended_dict, True)
1341 if result<0:
1342 print "http_post_servers wrong input extended error %d %s" % (result, content)
1343 bottle.abort(-result, content)
1344 return
1345 convert_bandwidth(extended_dict)
1346 if 'devices' in extended_dict: change_keys_http2db(extended_dict['devices'], http2db_server)
1347
1348 server = http_content['server']
1349 server_start = server.get('start', 'yes')
1350 server['tenant_id'] = tenant_id
1351 #check flavor valid and take info
1352 result, content = my.db.get_table(FROM='tenants_flavors as tf join flavors as f on tf.flavor_id=f.uuid',
1353 SELECT=('ram','vcpus','extended'), WHERE={'uuid':server['flavor_id'], 'tenant_id':tenant_id})
1354 if result<=0:
1355 bottle.abort(HTTP_Not_Found, 'flavor_id %s not found' % server['flavor_id'])
1356 return
1357 server['flavor']=content[0]
1358 #check image valid and take info
1359 result, content = my.db.get_table(FROM='tenants_images as ti join images as i on ti.image_id=i.uuid',
1360 SELECT=('path','metadata'), WHERE={'uuid':server['image_id'], 'tenant_id':tenant_id, "status":"ACTIVE"})
1361 if result<=0:
1362 bottle.abort(HTTP_Not_Found, 'image_id %s not found or not ACTIVE' % server['image_id'])
1363 return
1364 server['image']=content[0]
1365 if "hosts_id" in server:
1366 result, content = my.db.get_table(FROM='hosts', SELECT=('uuid',), WHERE={'uuid': server['host_id']})
1367 if result<=0:
1368 bottle.abort(HTTP_Not_Found, 'hostId %s not found' % server['host_id'])
1369 return
1370 #print json.dumps(server, indent=4)
1371
1372 result, content = ht.create_server(server, config_dic['db'], config_dic['db_lock'], config_dic['mode']=='normal')
1373
1374 if result >= 0:
1375 #Insert instance to database
1376 nets=[]
1377 print
1378 print "inserting at DB"
1379 print
1380 if server_start == 'no':
1381 content['status'] = 'INACTIVE'
1382 ports_to_free=[]
1383 new_instance_result, new_instance = my.db.new_instance(content, nets, ports_to_free)
1384 if new_instance_result < 0:
1385 print "Error http_post_servers() :", new_instance_result, new_instance
1386 bottle.abort(-new_instance_result, new_instance)
1387 return
1388 print
1389 print "inserted at DB"
1390 print
1391 for port in ports_to_free:
1392 r,c = config_dic['host_threads'][ server['host_id'] ].insert_task( 'restore-iface',*port )
1393 if r < 0:
1394 print ' http_post_servers ERROR RESTORE IFACE!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!' + c
1395 #updata nets
1396 for net in nets:
1397 r,c = config_dic['of_thread'].insert_task("update-net", net)
1398 if r < 0:
1399 print ':http_post_servers ERROR UPDATING NETS !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!' + c
1400
1401
1402
1403 #look for dhcp ip address
1404 r2, c2 = my.db.get_table(FROM="ports", SELECT=["mac", "net_id"], WHERE={"instance_id": new_instance})
1405 if r2 >0 and config_dic.get("dhcp_server"):
1406 for iface in c2:
1407 if iface["net_id"] in config_dic["dhcp_nets"]:
1408 #print "dhcp insert add task"
1409 r,c = config_dic['dhcp_thread'].insert_task("add", iface["mac"])
1410 if r < 0:
1411 print ':http_post_servers ERROR UPDATING dhcp_server !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!' + c
1412
1413 #Start server
1414
1415 server['uuid'] = new_instance
1416 #server_start = server.get('start', 'yes')
1417 if server_start != 'no':
1418 server['paused'] = True if server_start == 'paused' else False
1419 server['action'] = {"start":None}
1420 server['status'] = "CREATING"
1421 #Program task
1422 r,c = config_dic['host_threads'][ server['host_id'] ].insert_task( 'instance',server )
1423 if r<0:
1424 my.db.update_rows('instances', {'status':"ERROR"}, {'uuid':server['uuid'], 'last_error':c}, log=True)
1425
1426 return http_get_server_id(tenant_id, new_instance)
1427 else:
1428 bottle.abort(HTTP_Bad_Request, content)
1429 return
1430
1431 def http_server_action(server_id, tenant_id, action):
1432 '''Perform actions over a server as resume, reboot, terminate, ...'''
1433 my = config_dic['http_threads'][ threading.current_thread().name ]
1434 server={"uuid": server_id, "action":action}
1435 where={'uuid': server_id}
1436 if tenant_id!='any':
1437 where['tenant_id']= tenant_id
1438 result, content = my.db.get_table(FROM='instances', WHERE=where)
1439 if result == 0:
1440 bottle.abort(HTTP_Not_Found, "server %s not found" % server_id)
1441 return
1442 if result < 0:
1443 print "http_post_server_action error getting data %d %s" % (result, content)
1444 bottle.abort(HTTP_Internal_Server_Error, content)
1445 return
1446 server.update(content[0])
1447 tenant_id = server["tenant_id"]
1448
1449 #TODO check a right content
1450 new_status = None
1451 if 'terminate' in action:
1452 new_status='DELETING'
1453 elif server['status'] == 'ERROR': #or server['status'] == 'CREATING':
1454 if 'terminate' not in action and 'rebuild' not in action:
1455 bottle.abort(HTTP_Method_Not_Allowed, "Server is in ERROR status, must be rebuit or deleted ")
1456 return
1457 # elif server['status'] == 'INACTIVE':
1458 # if 'start' not in action and 'createImage' not in action:
1459 # bottle.abort(HTTP_Method_Not_Allowed, "The only possible action over an instance in 'INACTIVE' status is 'start'")
1460 # return
1461 # if 'start' in action:
1462 # new_status='CREATING'
1463 # server['paused']='no'
1464 # elif server['status'] == 'PAUSED':
1465 # if 'resume' not in action:
1466 # bottle.abort(HTTP_Method_Not_Allowed, "The only possible action over an instance in 'PAUSED' status is 'resume'")
1467 # return
1468 # elif server['status'] == 'ACTIVE':
1469 # if 'pause' not in action and 'reboot'not in action and 'shutoff'not in action:
1470 # bottle.abort(HTTP_Method_Not_Allowed, "The only possible action over an instance in 'ACTIVE' status is 'pause','reboot' or 'shutoff'")
1471 # return
1472
1473 if 'start' in action or 'createImage' in action or 'rebuild' in action:
1474 #check image valid and take info
1475 image_id = server['image_id']
1476 if 'createImage' in action:
1477 if 'imageRef' in action['createImage']:
1478 image_id = action['createImage']['imageRef']
1479 elif 'disk' in action['createImage']:
1480 result, content = my.db.get_table(FROM='instance_devices',
1481 SELECT=('image_id','dev'), WHERE={'instance_id':server['uuid'],"type":"disk"})
1482 if result<=0:
1483 bottle.abort(HTTP_Not_Found, 'disk not found for server')
1484 return
1485 elif result>1:
1486 disk_id=None
1487 if action['createImage']['imageRef']['disk'] != None:
1488 for disk in content:
1489 if disk['dev'] == action['createImage']['imageRef']['disk']:
1490 disk_id = disk['image_id']
1491 break
1492 if disk_id == None:
1493 bottle.abort(HTTP_Not_Found, 'disk %s not found for server' % action['createImage']['imageRef']['disk'])
1494 return
1495 else:
1496 bottle.abort(HTTP_Not_Found, 'more than one disk found for server' )
1497 return
1498 image_id = disk_id
1499 else: #result==1
1500 image_id = content[0]['image_id']
1501
1502 result, content = my.db.get_table(FROM='tenants_images as ti join images as i on ti.image_id=i.uuid',
1503 SELECT=('path','metadata'), WHERE={'uuid':image_id, 'tenant_id':tenant_id, "status":"ACTIVE"})
1504 if result<=0:
1505 bottle.abort(HTTP_Not_Found, 'image_id %s not found or not ACTIVE' % image_id)
1506 return
1507 if content[0]['metadata'] is not None:
1508 try:
1509 metadata = json.loads(content[0]['metadata'])
1510 except:
1511 return -HTTP_Internal_Server_Error, "Can not decode image metadata"
1512 content[0]['metadata']=metadata
1513 else:
1514 content[0]['metadata'] = {}
1515 server['image']=content[0]
1516 if 'createImage' in action:
1517 action['createImage']['source'] = {'image_id': image_id, 'path': content[0]['path']}
1518 if 'createImage' in action:
1519 #Create an entry in Database for the new image
1520 new_image={'status':'BUILD', 'progress': 0 }
1521 new_image_metadata=content[0]
1522 if 'metadata' in server['image'] and server['image']['metadata'] != None:
1523 new_image_metadata.update(server['image']['metadata'])
1524 new_image_metadata = {"use_incremental":"no"}
1525 if 'metadata' in action['createImage']:
1526 new_image_metadata.update(action['createImage']['metadata'])
1527 new_image['metadata'] = json.dumps(new_image_metadata)
1528 new_image['name'] = action['createImage'].get('name', None)
1529 new_image['description'] = action['createImage'].get('description', None)
1530 new_image['uuid']=my.db.new_uuid()
1531 if 'path' in action['createImage']:
1532 new_image['path'] = action['createImage']['path']
1533 else:
1534 new_image['path']="/provisional/path/" + new_image['uuid']
1535 result, image_uuid = my.db.new_image(new_image, tenant_id)
1536 if result<=0:
1537 bottle.abort(HTTP_Bad_Request, 'Error: ' + image_uuid)
1538 return
1539 server['new_image'] = new_image
1540
1541
1542 #Program task
1543 r,c = config_dic['host_threads'][ server['host_id'] ].insert_task( 'instance',server )
1544 if r<0:
1545 print "Task queue full at host ", server['host_id']
1546 bottle.abort(HTTP_Request_Timeout, c)
1547 if 'createImage' in action and result >= 0:
1548 return http_get_image_id(tenant_id, image_uuid)
1549
1550 #Update DB only for CREATING or DELETING status
1551 data={'result' : 'in process'}
1552 if new_status != None and new_status == 'DELETING':
1553 nets=[]
1554 ports_to_free=[]
1555 #look for dhcp ip address
1556 r2, c2 = my.db.get_table(FROM="ports", SELECT=["mac", "net_id"], WHERE={"instance_id": server_id})
1557 r,c = my.db.delete_instance(server_id, tenant_id, nets, ports_to_free, "requested by http")
1558 for port in ports_to_free:
1559 r1,c1 = config_dic['host_threads'][ server['host_id'] ].insert_task( 'restore-iface',*port )
1560 if r1 < 0:
1561 print ' http_post_server_action error at server deletion ERROR resore-iface !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!' + c1
1562 data={'result' : 'deleting in process, but ifaces cannot be restored!!!!!'}
1563 for net in nets:
1564 r1,c1 = config_dic['of_thread'].insert_task("update-net", net)
1565 if r1 < 0:
1566 print ' http_post_server_action error at server deletion ERROR UPDATING NETS !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!' + c1
1567 data={'result' : 'deleting in process, but openflow rules cannot be deleted!!!!!'}
1568 #look for dhcp ip address
1569 if r2 >0 and config_dic.get("dhcp_server"):
1570 for iface in c2:
1571 if iface["net_id"] in config_dic["dhcp_nets"]:
1572 r,c = config_dic['dhcp_thread'].insert_task("del", iface["mac"])
1573 #print "dhcp insert del task"
1574 if r < 0:
1575 print ':http_post_servers ERROR UPDATING dhcp_server !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!' + c
1576
1577 return format_out(data)
1578
1579
1580
1581 @bottle.route(url_base + '/<tenant_id>/servers/<server_id>', method='DELETE')
1582 def http_delete_server_id(tenant_id, server_id):
1583 '''delete a server'''
1584 my = config_dic['http_threads'][ threading.current_thread().name ]
1585 #check valid tenant_id
1586 result,content = check_valid_tenant(my, tenant_id)
1587 if result != 0:
1588 bottle.abort(result, content)
1589 return
1590
1591 return http_server_action(server_id, tenant_id, {"terminate":None} )
1592
1593
1594 @bottle.route(url_base + '/<tenant_id>/servers/<server_id>/action', method='POST')
1595 def http_post_server_action(tenant_id, server_id):
1596 '''take an action over a server'''
1597 my = config_dic['http_threads'][ threading.current_thread().name ]
1598 #check valid tenant_id
1599 result,content = check_valid_tenant(my, tenant_id)
1600 if result != 0:
1601 bottle.abort(result, content)
1602 return
1603 http_content = format_in( server_action_schema )
1604 #r = remove_extra_items(http_content, server_action_schema)
1605 #if r is not None: print "http_post_server_action: Warning: remove extra items ", r
1606
1607 return http_server_action(server_id, tenant_id, http_content)
1608
1609 #
1610 # NETWORKS
1611 #
1612
1613
1614 @bottle.route(url_base + '/networks', method='GET')
1615 def http_get_networks():
1616 my = config_dic['http_threads'][ threading.current_thread().name ]
1617 #obtain data
1618 select_,where_,limit_ = filter_query_string(bottle.request.query, http2db_network,
1619 ('id','name','tenant_id','type',
1620 'shared','provider:vlan','status','last_error','admin_state_up','provider:physical') )
1621 #TODO temporally remove tenant_id
1622 if "tenant_id" in where_:
1623 del where_["tenant_id"]
1624 result, content = my.db.get_table(SELECT=select_, FROM='nets', WHERE=where_, LIMIT=limit_)
1625 if result < 0:
1626 print "http_get_networks error %d %s" % (result, content)
1627 bottle.abort(-result, content)
1628 else:
1629 convert_boolean(content, ('shared', 'admin_state_up', 'enable_dhcp') )
1630 delete_nulls(content)
1631 change_keys_http2db(content, http2db_network, reverse=True)
1632 data={'networks' : content}
1633 return format_out(data)
1634
1635 @bottle.route(url_base + '/networks/<network_id>', method='GET')
1636 def http_get_network_id(network_id):
1637 my = config_dic['http_threads'][ threading.current_thread().name ]
1638 #obtain data
1639 where_ = bottle.request.query
1640 where_['uuid'] = network_id
1641 result, content = my.db.get_table(FROM='nets', WHERE=where_, LIMIT=100)
1642
1643 if result < 0:
1644 print "http_get_networks_id error %d %s" % (result, content)
1645 bottle.abort(-result, content)
1646 elif result==0:
1647 print "http_get_networks_id network '%s' not found" % network_id
1648 bottle.abort(HTTP_Not_Found, 'network %s not found' % network_id)
1649 else:
1650 convert_boolean(content, ('shared', 'admin_state_up', 'enale_dhcp') )
1651 change_keys_http2db(content, http2db_network, reverse=True)
1652 #get ports
1653 result, ports = my.db.get_table(FROM='ports', SELECT=('uuid as port_id',),
1654 WHERE={'net_id': network_id}, LIMIT=100)
1655 if len(ports) > 0:
1656 content[0]['ports'] = ports
1657 delete_nulls(content[0])
1658 data={'network' : content[0]}
1659 return format_out(data)
1660
1661 @bottle.route(url_base + '/networks', method='POST')
1662 def http_post_networks():
1663 '''insert a network into the database.'''
1664 my = config_dic['http_threads'][ threading.current_thread().name ]
1665 #parse input data
1666 http_content = format_in( network_new_schema )
1667 r = remove_extra_items(http_content, network_new_schema)
1668 if r is not None: print "http_post_networks: Warning: remove extra items ", r
1669 change_keys_http2db(http_content['network'], http2db_network)
1670 network=http_content['network']
1671 #check valid tenant_id
1672 tenant_id= network.get('tenant_id')
1673 if tenant_id!=None:
1674 result, _ = my.db.get_table(FROM='tenants', SELECT=('uuid',), WHERE={'uuid': tenant_id,"enabled":True})
1675 if result<=0:
1676 bottle.abort(HTTP_Not_Found, 'tenant %s not found or not enabled' % tenant_id)
1677 return
1678 bridge_net = None
1679 #check valid params
1680 net_provider = network.get('provider')
1681 net_type = network.get('type')
1682 net_vlan = network.get("vlan")
1683 net_bind_net = network.get("bind_net")
1684 net_bind_type= network.get("bind_type")
1685 name = network["name"]
1686
1687 #check if network name ends with :<vlan_tag> and network exist in order to make and automated bindning
1688 vlan_index =name.rfind(":")
1689 if net_bind_net==None and net_bind_type==None and vlan_index > 1:
1690 try:
1691 vlan_tag = int(name[vlan_index+1:])
1692 if vlan_tag >0 and vlan_tag < 4096:
1693 net_bind_net = name[:vlan_index]
1694 net_bind_type = "vlan:" + name[vlan_index+1:]
1695 except:
1696 pass
1697
1698 if net_bind_net != None:
1699 #look for a valid net
1700 if check_valid_uuid(net_bind_net):
1701 net_bind_key = "uuid"
1702 else:
1703 net_bind_key = "name"
1704 result, content = my.db.get_table(FROM='nets', WHERE={net_bind_key: net_bind_net} )
1705 if result<0:
1706 bottle.abort(HTTP_Internal_Server_Error, 'getting nets from db ' + content)
1707 return
1708 elif result==0:
1709 bottle.abort(HTTP_Bad_Request, "bind_net %s '%s'not found" % (net_bind_key, net_bind_net) )
1710 return
1711 elif result>1:
1712 bottle.abort(HTTP_Bad_Request, "more than one bind_net %s '%s' found, use uuid" % (net_bind_key, net_bind_net) )
1713 return
1714 network["bind_net"] = content[0]["uuid"]
1715 if net_bind_type != None:
1716 if net_bind_type[0:5] != "vlan:":
1717 bottle.abort(HTTP_Bad_Request, "bad format for 'bind_type', must be 'vlan:<tag>'")
1718 return
1719 if int(net_bind_type[5:]) > 4095 or int(net_bind_type[5:])<=0 :
1720 bottle.abort(HTTP_Bad_Request, "bad format for 'bind_type', must be 'vlan:<tag>' with a tag between 1 and 4095")
1721 return
1722 network["bind_type"] = net_bind_type
1723
1724 if net_provider!=None:
1725 if net_provider[:9]=="openflow:":
1726 if net_type!=None:
1727 if net_type!="ptp" and net_type!="data":
1728 bottle.abort(HTTP_Bad_Request, "Only 'ptp' or 'data' net types can be bound to 'openflow'")
1729 else:
1730 net_type='data'
1731 else:
1732 if net_type!=None:
1733 if net_type!="bridge_man" and net_type!="bridge_data":
1734 bottle.abort(HTTP_Bad_Request, "Only 'bridge_man' or 'bridge_data' net types can be bound to 'bridge', 'macvtap' or 'default")
1735 else:
1736 net_type='bridge_man'
1737
1738 if net_type==None:
1739 net_type='bridge_man'
1740
1741 if net_provider != None:
1742 if net_provider[:7]=='bridge:':
1743 #check it is one of the pre-provisioned bridges
1744 bridge_net_name = net_provider[7:]
1745 for brnet in config_dic['bridge_nets']:
1746 if brnet[0]==bridge_net_name: # free
1747 if brnet[3] != None:
1748 bottle.abort(HTTP_Conflict, "invalid 'provider:physical', bridge '%s' is already used" % bridge_net_name)
1749 return
1750 bridge_net=brnet
1751 net_vlan = brnet[1]
1752 break
1753 # if bridge_net==None:
1754 # bottle.abort(HTTP_Bad_Request, "invalid 'provider:physical', bridge '%s' is not one of the provisioned 'bridge_ifaces' in the configuration file" % bridge_net_name)
1755 # return
1756 elif net_type=='bridge_data' or net_type=='bridge_man':
1757 #look for a free precreated nets
1758 for brnet in config_dic['bridge_nets']:
1759 if brnet[3]==None: # free
1760 if bridge_net != None:
1761 if net_type=='bridge_man': #look for the smaller speed
1762 if brnet[2] < bridge_net[2]: bridge_net = brnet
1763 else: #look for the larger speed
1764 if brnet[2] > bridge_net[2]: bridge_net = brnet
1765 else:
1766 bridge_net = brnet
1767 net_vlan = brnet[1]
1768 if bridge_net==None:
1769 bottle.abort(HTTP_Bad_Request, "Max limits of bridge networks reached. Future versions of VIM will overcome this limit")
1770 return
1771 else:
1772 print "using net", bridge_net
1773 net_provider = "bridge:"+bridge_net[0]
1774 net_vlan = bridge_net[1]
1775 if net_vlan==None and (net_type=="data" or net_type=="ptp"):
1776 net_vlan = my.db.get_free_net_vlan()
1777 if net_vlan < 0:
1778 bottle.abort(HTTP_Internal_Server_Error, "Error getting an available vlan")
1779 return
1780
1781 network['provider'] = net_provider
1782 network['type'] = net_type
1783 network['vlan'] = net_vlan
1784 result, content = my.db.new_row('nets', network, True, True)
1785
1786 if result >= 0:
1787 if bridge_net!=None:
1788 bridge_net[3] = content
1789
1790 if config_dic.get("dhcp_server"):
1791 if network["name"] in config_dic["dhcp_server"].get("nets", () ):
1792 config_dic["dhcp_nets"].append(content)
1793 print "dhcp_server: add new net", content
1794 elif bridge_net != None and bridge_net[0] in config_dic["dhcp_server"].get("bridge_ifaces", () ):
1795 config_dic["dhcp_nets"].append(content)
1796 print "dhcp_server: add new net", content
1797 return http_get_network_id(content)
1798 else:
1799 print "http_post_networks error %d %s" % (result, content)
1800 bottle.abort(-result, content)
1801 return
1802
1803
1804 @bottle.route(url_base + '/networks/<network_id>', method='PUT')
1805 def http_put_network_id(network_id):
1806 '''update a network_id into the database.'''
1807 my = config_dic['http_threads'][ threading.current_thread().name ]
1808 #parse input data
1809 http_content = format_in( network_update_schema )
1810 r = remove_extra_items(http_content, network_update_schema)
1811 change_keys_http2db(http_content['network'], http2db_network)
1812 network=http_content['network']
1813
1814 #Look for the previous data
1815 where_ = {'uuid': network_id}
1816 result, network_old = my.db.get_table(FROM='nets', WHERE=where_)
1817 if result < 0:
1818 print "http_put_network_id error %d %s" % (result, network_old)
1819 bottle.abort(-result, network_old)
1820 return
1821 elif result==0:
1822 print "http_put_network_id network '%s' not found" % network_id
1823 bottle.abort(HTTP_Not_Found, 'network %s not found' % network_id)
1824 return
1825 #get ports
1826 nbports, content = my.db.get_table(FROM='ports', SELECT=('uuid as port_id',),
1827 WHERE={'net_id': network_id}, LIMIT=100)
1828 if result < 0:
1829 print "http_put_network_id error %d %s" % (result, network_old)
1830 bottle.abort(-result, content)
1831 return
1832 if nbports>0:
1833 if 'type' in network and network['type'] != network_old[0]['type']:
1834 bottle.abort(HTTP_Method_Not_Allowed, "Can not change type of network while having ports attached")
1835 if 'vlan' in network and network['vlan'] != network_old[0]['vlan']:
1836 bottle.abort(HTTP_Method_Not_Allowed, "Can not change vlan of network while having ports attached")
1837
1838 #check valid params
1839 net_provider = network.get('provider', network_old[0]['provider'])
1840 net_type = network.get('type', network_old[0]['type'])
1841 net_bind_net = network.get("bind_net")
1842 net_bind_type= network.get("bind_type")
1843 if net_bind_net != None:
1844 #look for a valid net
1845 if check_valid_uuid(net_bind_net):
1846 net_bind_key = "uuid"
1847 else:
1848 net_bind_key = "name"
1849 result, content = my.db.get_table(FROM='nets', WHERE={net_bind_key: net_bind_net} )
1850 if result<0:
1851 bottle.abort(HTTP_Internal_Server_Error, 'getting nets from db ' + content)
1852 return
1853 elif result==0:
1854 bottle.abort(HTTP_Bad_Request, "bind_net %s '%s'not found" % (net_bind_key, net_bind_net) )
1855 return
1856 elif result>1:
1857 bottle.abort(HTTP_Bad_Request, "more than one bind_net %s '%s' found, use uuid" % (net_bind_key, net_bind_net) )
1858 return
1859 network["bind_net"] = content[0]["uuid"]
1860 if net_bind_type != None:
1861 if net_bind_type[0:5] != "vlan:":
1862 bottle.abort(HTTP_Bad_Request, "bad format for 'bind_type', must be 'vlan:<tag>'")
1863 return
1864 if int(net_bind_type[5:]) > 4095 or int(net_bind_type[5:])<=0 :
1865 bottle.abort(HTTP_Bad_Request, "bad format for 'bind_type', must be 'vlan:<tag>' with a tag between 1 and 4095")
1866 return
1867 if net_provider!=None:
1868 if net_provider[:9]=="openflow:":
1869 if net_type!="ptp" and net_type!="data":
1870 bottle.abort(HTTP_Bad_Request, "Only 'ptp' or 'data' net types can be bound to 'openflow'")
1871 else:
1872 if net_type!="bridge_man" and net_type!="bridge_data":
1873 bottle.abort(HTTP_Bad_Request, "Only 'bridge_man' or 'bridge_data' net types can be bound to 'bridge', 'macvtap' or 'default")
1874
1875 #insert in data base
1876 result, content = my.db.update_rows('nets', network, WHERE={'uuid': network_id}, log=True )
1877 if result >= 0:
1878 if result>0: # and nbports>0 and 'admin_state_up' in network and network['admin_state_up'] != network_old[0]['admin_state_up']:
1879 r,c = config_dic['of_thread'].insert_task("update-net", network_id)
1880 if r < 0:
1881 print "http_put_network_id error while launching openflow rules"
1882 bottle.abort(HTTP_Internal_Server_Error, c)
1883 if config_dic.get("dhcp_server"):
1884 if network_id in config_dic["dhcp_nets"]:
1885 config_dic["dhcp_nets"].remove(network_id)
1886 print "dhcp_server: delete net", network_id
1887 if network.get("name", network_old["name"]) in config_dic["dhcp_server"].get("nets", () ):
1888 config_dic["dhcp_nets"].append(network_id)
1889 print "dhcp_server: add new net", network_id
1890 else:
1891 net_bind = network.get("bind", network_old["bind"] )
1892 if net_bind and net_bind[:7]=="bridge:" and net_bind[7:] in config_dic["dhcp_server"].get("bridge_ifaces", () ):
1893 config_dic["dhcp_nets"].append(network_id)
1894 print "dhcp_server: add new net", network_id
1895 return http_get_network_id(network_id)
1896 else:
1897 bottle.abort(-result, content)
1898 return
1899
1900
1901 @bottle.route(url_base + '/networks/<network_id>', method='DELETE')
1902 def http_delete_network_id(network_id):
1903 '''delete a network_id from the database.'''
1904 my = config_dic['http_threads'][ threading.current_thread().name ]
1905
1906 #delete from the data base
1907 result, content = my.db.delete_row('nets', network_id )
1908
1909 if result == 0:
1910 bottle.abort(HTTP_Not_Found, content)
1911 elif result >0:
1912 for brnet in config_dic['bridge_nets']:
1913 if brnet[3]==network_id:
1914 brnet[3]=None
1915 break
1916 if config_dic.get("dhcp_server") and network_id in config_dic["dhcp_nets"]:
1917 config_dic["dhcp_nets"].remove(network_id)
1918 print "dhcp_server: delete net", network_id
1919 data={'result' : content}
1920 return format_out(data)
1921 else:
1922 print "http_delete_network_id error",result, content
1923 bottle.abort(-result, content)
1924 return
1925 #
1926 # OPENFLOW
1927 #
1928 @bottle.route(url_base + '/networks/<network_id>/openflow', method='GET')
1929 def http_get_openflow_id(network_id):
1930 '''To obtain the list of openflow rules of a network
1931 '''
1932 my = config_dic['http_threads'][ threading.current_thread().name ]
1933 #ignore input data
1934 if network_id=='all':
1935 where_={}
1936 else:
1937 where_={"net_id": network_id}
1938 result, content = my.db.get_table(SELECT=("name","net_id","priority","vlan_id","ingress_port","src_mac","dst_mac","actions"),
1939 WHERE=where_, FROM='of_flows')
1940 if result < 0:
1941 bottle.abort(-result, content)
1942 return
1943 data={'openflow-rules' : content}
1944 return format_out(data)
1945
1946 @bottle.route(url_base + '/networks/<network_id>/openflow', method='PUT')
1947 def http_put_openflow_id(network_id):
1948 '''To make actions over the net. The action is to reinstall the openflow rules
1949 network_id can be 'all'
1950 '''
1951 my = config_dic['http_threads'][ threading.current_thread().name ]
1952 if not my.admin:
1953 bottle.abort(HTTP_Unauthorized, "Needed admin privileges")
1954 return
1955 #ignore input data
1956 if network_id=='all':
1957 where_={}
1958 else:
1959 where_={"uuid": network_id}
1960 result, content = my.db.get_table(SELECT=("uuid","type"), WHERE=where_, FROM='nets')
1961 if result < 0:
1962 bottle.abort(-result, content)
1963 return
1964
1965 for net in content:
1966 if net["type"]!="ptp" and net["type"]!="data":
1967 result-=1
1968 continue
1969 r,c = config_dic['of_thread'].insert_task("update-net", net['uuid'])
1970 if r < 0:
1971 print "http_put_openflow_id error while launching openflow rules"
1972 bottle.abort(HTTP_Internal_Server_Error, c)
1973 data={'result' : str(result)+" nets updates"}
1974 return format_out(data)
1975
1976 @bottle.route(url_base + '/networks/openflow/clear', method='DELETE')
1977 @bottle.route(url_base + '/networks/clear/openflow', method='DELETE')
1978 def http_clear_openflow_rules():
1979 '''To make actions over the net. The action is to delete ALL openflow rules
1980 '''
1981 my = config_dic['http_threads'][ threading.current_thread().name ]
1982 if not my.admin:
1983 bottle.abort(HTTP_Unauthorized, "Needed admin privileges")
1984 return
1985 #ignore input data
1986 r,c = config_dic['of_thread'].insert_task("clear-all")
1987 if r < 0:
1988 print "http_delete_openflow_id error while launching openflow rules"
1989 bottle.abort(HTTP_Internal_Server_Error, c)
1990 return
1991
1992 data={'result' : " Clearing openflow rules in process"}
1993 return format_out(data)
1994
1995 @bottle.route(url_base + '/networks/openflow/ports', method='GET')
1996 def http_get_openflow_ports():
1997 '''Obtain switch ports names of openflow controller
1998 '''
1999 data={'ports' : config_dic['of_thread'].OF_connector.pp2ofi}
2000 return format_out(data)
2001
2002
2003 #
2004 # PORTS
2005 #
2006
2007 @bottle.route(url_base + '/ports', method='GET')
2008 def http_get_ports():
2009 #obtain data
2010 my = config_dic['http_threads'][ threading.current_thread().name ]
2011 select_,where_,limit_ = filter_query_string(bottle.request.query, http2db_port,
2012 ('id','name','tenant_id','network_id','vpci','mac_address','device_owner','device_id',
2013 'binding:switch_port','binding:vlan','bandwidth','status','admin_state_up','ip_address') )
2014 #result, content = my.db.get_ports(where_)
2015 result, content = my.db.get_table(SELECT=select_, WHERE=where_, FROM='ports',LIMIT=limit_)
2016 if result < 0:
2017 print "http_get_ports Error", result, content
2018 bottle.abort(-result, content)
2019 return
2020 else:
2021 convert_boolean(content, ('admin_state_up',) )
2022 delete_nulls(content)
2023 change_keys_http2db(content, http2db_port, reverse=True)
2024 data={'ports' : content}
2025 return format_out(data)
2026
2027 @bottle.route(url_base + '/ports/<port_id>', method='GET')
2028 def http_get_port_id(port_id):
2029 my = config_dic['http_threads'][ threading.current_thread().name ]
2030 #obtain data
2031 result, content = my.db.get_table(WHERE={'uuid': port_id}, FROM='ports')
2032 if result < 0:
2033 print "http_get_ports error", result, content
2034 bottle.abort(-result, content)
2035 elif result==0:
2036 print "http_get_ports port '%s' not found" % str(port_id)
2037 bottle.abort(HTTP_Not_Found, 'port %s not found' % port_id)
2038 else:
2039 convert_boolean(content, ('admin_state_up',) )
2040 delete_nulls(content)
2041 change_keys_http2db(content, http2db_port, reverse=True)
2042 data={'port' : content[0]}
2043 return format_out(data)
2044
2045
2046 @bottle.route(url_base + '/ports', method='POST')
2047 def http_post_ports():
2048 '''insert an external port into the database.'''
2049 my = config_dic['http_threads'][ threading.current_thread().name ]
2050 if not my.admin:
2051 bottle.abort(HTTP_Unauthorized, "Needed admin privileges")
2052 #parse input data
2053 http_content = format_in( port_new_schema )
2054 r = remove_extra_items(http_content, port_new_schema)
2055 if r is not None: print "http_post_ports: Warning: remove extra items ", r
2056 change_keys_http2db(http_content['port'], http2db_port)
2057 port=http_content['port']
2058
2059 port['type'] = 'external'
2060 if 'net_id' in port and port['net_id'] == None:
2061 del port['net_id']
2062
2063 if 'net_id' in port:
2064 #check that new net has the correct type
2065 result, new_net = my.db.check_target_net(port['net_id'], None, 'external' )
2066 if result < 0:
2067 bottle.abort(HTTP_Bad_Request, new_net)
2068 return
2069 #insert in data base
2070 result, uuid = my.db.new_row('ports', port, True, True)
2071 if result > 0:
2072 if 'net_id' in port:
2073 r,c = config_dic['of_thread'].insert_task("update-net", port['net_id'])
2074 if r < 0:
2075 print "http_post_ports error while launching openflow rules"
2076 bottle.abort(HTTP_Internal_Server_Error, c)
2077 return http_get_port_id(uuid)
2078 else:
2079 bottle.abort(-result, uuid)
2080 return
2081
2082 @bottle.route(url_base + '/ports/<port_id>', method='PUT')
2083 def http_put_port_id(port_id):
2084 '''update a port_id into the database.'''
2085
2086 my = config_dic['http_threads'][ threading.current_thread().name ]
2087 #parse input data
2088 http_content = format_in( port_update_schema )
2089 change_keys_http2db(http_content['port'], http2db_port)
2090 port_dict=http_content['port']
2091
2092 #Look for the previous port data
2093 where_ = {'uuid': port_id}
2094 result, content = my.db.get_table(FROM="ports",WHERE=where_)
2095 if result < 0:
2096 print "http_put_port_id error", result, content
2097 bottle.abort(-result, content)
2098 return
2099 elif result==0:
2100 print "http_put_port_id port '%s' not found" % port_id
2101 bottle.abort(HTTP_Not_Found, 'port %s not found' % port_id)
2102 return
2103 print port_dict
2104 for k in ('vlan','switch_port','mac_address', 'tenant_id'):
2105 if k in port_dict and not my.admin:
2106 bottle.abort(HTTP_Unauthorized, "Needed admin privileges for changing " + k)
2107 return
2108
2109 port=content[0]
2110 #change_keys_http2db(port, http2db_port, reverse=True)
2111 nets = []
2112 host_id = None
2113 result=1
2114 if 'net_id' in port_dict:
2115 #change of net.
2116 old_net = port.get('net_id', None)
2117 new_net = port_dict['net_id']
2118 if old_net != new_net:
2119
2120 if new_net is not None: nets.append(new_net) #put first the new net, so that new openflow rules are created before removing the old ones
2121 if old_net is not None: nets.append(old_net)
2122 if port['type'] == 'instance:bridge':
2123 bottle.abort(HTTP_Forbidden, "bridge interfaces cannot be attached to a different net")
2124 return
2125 elif port['type'] == 'external':
2126 if not my.admin:
2127 bottle.abort(HTTP_Unauthorized, "Needed admin privileges")
2128 return
2129 else:
2130 if new_net != None:
2131 #check that new net has the correct type
2132 result, new_net_dict = my.db.check_target_net(new_net, None, port['type'] )
2133
2134 #change VLAN for SR-IOV ports
2135 if result>=0 and port["type"]=="instance:data" and port["model"]=="VF": #TODO consider also VFnotShared
2136 if new_net == None:
2137 port_dict["vlan"] = None
2138 else:
2139 port_dict["vlan"] = new_net_dict["vlan"]
2140 #get host where this VM is allocated
2141 result, content = my.db.get_table(FROM="instances",WHERE={"uuid":port["instance_id"]})
2142 if result<0:
2143 print "http_put_port_id database error", content
2144 elif result>0:
2145 host_id = content[0]["host_id"]
2146
2147 #insert in data base
2148 if result >= 0:
2149 result, content = my.db.update_rows('ports', port_dict, WHERE={'uuid': port_id}, log=False )
2150
2151 #Insert task to complete actions
2152 if result > 0:
2153 for net_id in nets:
2154 r,v = config_dic['of_thread'].insert_task("update-net", net_id)
2155 if r<0: print "Error ********* http_put_port_id update_of_flows: ", v
2156 #TODO Do something if fails
2157 if host_id != None:
2158 config_dic['host_threads'][host_id].insert_task("edit-iface", port_id, old_net, new_net)
2159
2160 if result >= 0:
2161 return http_get_port_id(port_id)
2162 else:
2163 bottle.abort(HTTP_Bad_Request, content)
2164 return
2165
2166
2167 @bottle.route(url_base + '/ports/<port_id>', method='DELETE')
2168 def http_delete_port_id(port_id):
2169 '''delete a port_id from the database.'''
2170 my = config_dic['http_threads'][ threading.current_thread().name ]
2171 if not my.admin:
2172 bottle.abort(HTTP_Unauthorized, "Needed admin privileges")
2173 return
2174
2175 #Look for the previous port data
2176 where_ = {'uuid': port_id, "type": "external"}
2177 result, ports = my.db.get_table(WHERE=where_, FROM='ports',LIMIT=100)
2178
2179 if result<=0:
2180 print "http_delete_port_id port '%s' not found" % port_id
2181 bottle.abort(HTTP_Not_Found, 'port %s not found or device_owner is not external' % port_id)
2182 return
2183 #delete from the data base
2184 result, content = my.db.delete_row('ports', port_id )
2185
2186 if result == 0:
2187 bottle.abort(HTTP_Not_Found, content)
2188 elif result >0:
2189 network = ports[0].get('net_id', None)
2190 if network is not None:
2191 #change of net.
2192 r,c = config_dic['of_thread'].insert_task("update-net", network)
2193 if r<0: print "!!!!!! http_delete_port_id update_of_flows error", r, c
2194 data={'result' : content}
2195 return format_out(data)
2196 else:
2197 print "http_delete_port_id error",result, content
2198 bottle.abort(-result, content)
2199 return
2200