blob: 9841852ad585d0fa835d856ca22fc86b72bbb6e9 [file] [log] [blame]
tierno1d213f42020-04-24 14:02:51 +00001# -*- coding: utf-8 -*-
2
3##
4# Copyright 2020 Telefonica Investigacion y Desarrollo, S.A.U.
5# Licensed under the Apache License, Version 2.0 (the "License");
6# you may not use this file except in compliance with the License.
7# You may obtain a copy of the License at
8#
9# http://www.apache.org/licenses/LICENSE-2.0
10#
11# Unless required by applicable law or agreed to in writing, software
12# distributed under the License is distributed on an "AS IS" BASIS,
13# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
14# implied.
15# See the License for the specific language governing permissions and
16# limitations under the License.
17##
18
tierno1d213f42020-04-24 14:02:51 +000019# import yaml
sousaedu80135b92021-02-17 15:05:18 +010020import logging
tierno1d213f42020-04-24 14:02:51 +000021from traceback import format_exc as traceback_format_exc
tierno70eeb182020-10-19 16:38:00 +000022from osm_ng_ro.ns_thread import NsWorker, NsWorkerException, deep_get
tierno1d213f42020-04-24 14:02:51 +000023from osm_ng_ro.validation import validate_input, deploy_schema
sousaedu80135b92021-02-17 15:05:18 +010024from osm_common import (
25 dbmongo,
26 dbmemory,
27 fslocal,
28 fsmongo,
29 msglocal,
30 msgkafka,
31 version as common_version,
32)
tierno1d213f42020-04-24 14:02:51 +000033from osm_common.dbbase import DbException
34from osm_common.fsbase import FsException
35from osm_common.msgbase import MsgException
36from http import HTTPStatus
37from uuid import uuid4
38from threading import Lock
39from random import choice as random_choice
40from time import time
sousaedu80135b92021-02-17 15:05:18 +010041from jinja2 import (
42 Environment,
43 TemplateError,
44 TemplateNotFound,
45 StrictUndefined,
46 UndefinedError,
47)
tierno1d213f42020-04-24 14:02:51 +000048from cryptography.hazmat.primitives import serialization as crypto_serialization
49from cryptography.hazmat.primitives.asymmetric import rsa
50from cryptography.hazmat.backends import default_backend as crypto_default_backend
51
52__author__ = "Alfonso Tierno <alfonso.tiernosepulveda@telefonica.com>"
53min_common_version = "0.1.16"
54
55
56class NsException(Exception):
tierno1d213f42020-04-24 14:02:51 +000057 def __init__(self, message, http_code=HTTPStatus.BAD_REQUEST):
58 self.http_code = http_code
59 super(Exception, self).__init__(message)
60
61
62def get_process_id():
63 """
64 Obtain a unique ID for this process. If running from inside docker, it will get docker ID. If not it
65 will provide a random one
66 :return: Obtained ID
67 """
68 # Try getting docker id. If fails, get pid
69 try:
70 with open("/proc/self/cgroup", "r") as f:
71 text_id_ = f.readline()
72 _, _, text_id = text_id_.rpartition("/")
73 text_id = text_id.replace("\n", "")[:12]
sousaedu80135b92021-02-17 15:05:18 +010074
tierno1d213f42020-04-24 14:02:51 +000075 if text_id:
76 return text_id
77 except Exception:
78 pass
sousaedu80135b92021-02-17 15:05:18 +010079
tierno1d213f42020-04-24 14:02:51 +000080 # Return a random id
81 return "".join(random_choice("0123456789abcdef") for _ in range(12))
82
83
84def versiontuple(v):
85 """utility for compare dot separate versions. Fills with zeros to proper number comparison"""
86 filled = []
sousaedu80135b92021-02-17 15:05:18 +010087
tierno1d213f42020-04-24 14:02:51 +000088 for point in v.split("."):
89 filled.append(point.zfill(8))
sousaedu80135b92021-02-17 15:05:18 +010090
tierno1d213f42020-04-24 14:02:51 +000091 return tuple(filled)
92
93
94class Ns(object):
tierno1d213f42020-04-24 14:02:51 +000095 def __init__(self):
96 self.db = None
97 self.fs = None
98 self.msg = None
99 self.config = None
100 # self.operations = None
tierno70eeb182020-10-19 16:38:00 +0000101 self.logger = None
102 # ^ Getting logger inside method self.start because parent logger (ro) is not available yet.
103 # If done now it will not be linked to parent not getting its handler and level
tierno1d213f42020-04-24 14:02:51 +0000104 self.map_topic = {}
105 self.write_lock = None
tierno86153522020-12-06 18:27:16 +0000106 self.vims_assigned = {}
tierno1d213f42020-04-24 14:02:51 +0000107 self.next_worker = 0
108 self.plugins = {}
109 self.workers = []
110
111 def init_db(self, target_version):
112 pass
113
114 def start(self, config):
115 """
116 Connect to database, filesystem storage, and messaging
117 :param config: two level dictionary with configuration. Top level should contain 'database', 'storage',
118 :param config: Configuration of db, storage, etc
119 :return: None
120 """
121 self.config = config
122 self.config["process_id"] = get_process_id() # used for HA identity
tierno70eeb182020-10-19 16:38:00 +0000123 self.logger = logging.getLogger("ro.ns")
sousaedu80135b92021-02-17 15:05:18 +0100124
tierno1d213f42020-04-24 14:02:51 +0000125 # check right version of common
126 if versiontuple(common_version) < versiontuple(min_common_version):
sousaedu80135b92021-02-17 15:05:18 +0100127 raise NsException(
128 "Not compatible osm/common version '{}'. Needed '{}' or higher".format(
129 common_version, min_common_version
130 )
131 )
tierno1d213f42020-04-24 14:02:51 +0000132
133 try:
134 if not self.db:
135 if config["database"]["driver"] == "mongo":
136 self.db = dbmongo.DbMongo()
137 self.db.db_connect(config["database"])
138 elif config["database"]["driver"] == "memory":
139 self.db = dbmemory.DbMemory()
140 self.db.db_connect(config["database"])
141 else:
sousaedu80135b92021-02-17 15:05:18 +0100142 raise NsException(
143 "Invalid configuration param '{}' at '[database]':'driver'".format(
144 config["database"]["driver"]
145 )
146 )
147
tierno1d213f42020-04-24 14:02:51 +0000148 if not self.fs:
149 if config["storage"]["driver"] == "local":
150 self.fs = fslocal.FsLocal()
151 self.fs.fs_connect(config["storage"])
152 elif config["storage"]["driver"] == "mongo":
153 self.fs = fsmongo.FsMongo()
154 self.fs.fs_connect(config["storage"])
tierno70eeb182020-10-19 16:38:00 +0000155 elif config["storage"]["driver"] is None:
156 pass
tierno1d213f42020-04-24 14:02:51 +0000157 else:
sousaedu80135b92021-02-17 15:05:18 +0100158 raise NsException(
159 "Invalid configuration param '{}' at '[storage]':'driver'".format(
160 config["storage"]["driver"]
161 )
162 )
163
tierno1d213f42020-04-24 14:02:51 +0000164 if not self.msg:
165 if config["message"]["driver"] == "local":
166 self.msg = msglocal.MsgLocal()
167 self.msg.connect(config["message"])
168 elif config["message"]["driver"] == "kafka":
169 self.msg = msgkafka.MsgKafka()
170 self.msg.connect(config["message"])
171 else:
sousaedu80135b92021-02-17 15:05:18 +0100172 raise NsException(
173 "Invalid configuration param '{}' at '[message]':'driver'".format(
174 config["message"]["driver"]
175 )
176 )
tierno1d213f42020-04-24 14:02:51 +0000177
178 # TODO load workers to deal with exising database tasks
179
180 self.write_lock = Lock()
181 except (DbException, FsException, MsgException) as e:
182 raise NsException(str(e), http_code=e.http_code)
sousaedu80135b92021-02-17 15:05:18 +0100183
tierno86153522020-12-06 18:27:16 +0000184 def get_assigned_vims(self):
185 return list(self.vims_assigned.keys())
tierno1d213f42020-04-24 14:02:51 +0000186
187 def stop(self):
188 try:
189 if self.db:
190 self.db.db_disconnect()
sousaedu80135b92021-02-17 15:05:18 +0100191
tierno1d213f42020-04-24 14:02:51 +0000192 if self.fs:
193 self.fs.fs_disconnect()
sousaedu80135b92021-02-17 15:05:18 +0100194
tierno1d213f42020-04-24 14:02:51 +0000195 if self.msg:
196 self.msg.disconnect()
sousaedu80135b92021-02-17 15:05:18 +0100197
tierno1d213f42020-04-24 14:02:51 +0000198 self.write_lock = None
199 except (DbException, FsException, MsgException) as e:
200 raise NsException(str(e), http_code=e.http_code)
sousaedu80135b92021-02-17 15:05:18 +0100201
tierno1d213f42020-04-24 14:02:51 +0000202 for worker in self.workers:
203 worker.insert_task(("terminate",))
204
tierno86153522020-12-06 18:27:16 +0000205 def _create_worker(self):
206 """
207 Look for a worker thread in idle status. If not found it creates one unless the number of threads reach the
208 limit of 'server.ns_threads' configuration. If reached, it just assigns one existing thread
209 return the index of the assigned worker thread. Worker threads are storead at self.workers
210 """
211 # Look for a thread in idle status
sousaedu80135b92021-02-17 15:05:18 +0100212 worker_id = next(
213 (
214 i
215 for i in range(len(self.workers))
216 if self.workers[i] and self.workers[i].idle
217 ),
218 None,
219 )
220
tierno86153522020-12-06 18:27:16 +0000221 if worker_id is not None:
222 # unset idle status to avoid race conditions
223 self.workers[worker_id].idle = False
tierno70eeb182020-10-19 16:38:00 +0000224 else:
225 worker_id = len(self.workers)
sousaedu80135b92021-02-17 15:05:18 +0100226
tierno70eeb182020-10-19 16:38:00 +0000227 if worker_id < self.config["global"]["server.ns_threads"]:
228 # create a new worker
sousaedu80135b92021-02-17 15:05:18 +0100229 self.workers.append(
230 NsWorker(worker_id, self.config, self.plugins, self.db)
231 )
tierno70eeb182020-10-19 16:38:00 +0000232 self.workers[worker_id].start()
233 else:
234 # reached maximum number of threads, assign VIM to an existing one
235 worker_id = self.next_worker
sousaedu80135b92021-02-17 15:05:18 +0100236 self.next_worker = (self.next_worker + 1) % self.config["global"][
237 "server.ns_threads"
238 ]
239
tierno1d213f42020-04-24 14:02:51 +0000240 return worker_id
241
tierno70eeb182020-10-19 16:38:00 +0000242 def assign_vim(self, target_id):
tierno86153522020-12-06 18:27:16 +0000243 with self.write_lock:
244 return self._assign_vim(target_id)
245
246 def _assign_vim(self, target_id):
247 if target_id not in self.vims_assigned:
248 worker_id = self.vims_assigned[target_id] = self._create_worker()
249 self.workers[worker_id].insert_task(("load_vim", target_id))
tierno70eeb182020-10-19 16:38:00 +0000250
251 def reload_vim(self, target_id):
252 # send reload_vim to the thread working with this VIM and inform all that a VIM has been changed,
253 # this is because database VIM information is cached for threads working with SDN
tierno86153522020-12-06 18:27:16 +0000254 with self.write_lock:
255 for worker in self.workers:
256 if worker and not worker.idle:
257 worker.insert_task(("reload_vim", target_id))
tierno70eeb182020-10-19 16:38:00 +0000258
259 def unload_vim(self, target_id):
tierno86153522020-12-06 18:27:16 +0000260 with self.write_lock:
261 return self._unload_vim(target_id)
262
263 def _unload_vim(self, target_id):
264 if target_id in self.vims_assigned:
265 worker_id = self.vims_assigned[target_id]
tierno70eeb182020-10-19 16:38:00 +0000266 self.workers[worker_id].insert_task(("unload_vim", target_id))
tierno86153522020-12-06 18:27:16 +0000267 del self.vims_assigned[target_id]
tierno70eeb182020-10-19 16:38:00 +0000268
269 def check_vim(self, target_id):
tierno86153522020-12-06 18:27:16 +0000270 with self.write_lock:
271 if target_id in self.vims_assigned:
272 worker_id = self.vims_assigned[target_id]
273 else:
274 worker_id = self._create_worker()
tierno70eeb182020-10-19 16:38:00 +0000275
276 worker = self.workers[worker_id]
277 worker.insert_task(("check_vim", target_id))
tierno1d213f42020-04-24 14:02:51 +0000278
tierno86153522020-12-06 18:27:16 +0000279 def unload_unused_vims(self):
280 with self.write_lock:
281 vims_to_unload = []
sousaedu80135b92021-02-17 15:05:18 +0100282
tierno86153522020-12-06 18:27:16 +0000283 for target_id in self.vims_assigned:
sousaedu80135b92021-02-17 15:05:18 +0100284 if not self.db.get_one(
285 "ro_tasks",
286 q_filter={
287 "target_id": target_id,
288 "tasks.status": ["SCHEDULED", "BUILD", "DONE", "FAILED"],
289 },
290 fail_on_empty=False,
291 ):
tierno86153522020-12-06 18:27:16 +0000292 vims_to_unload.append(target_id)
sousaedu80135b92021-02-17 15:05:18 +0100293
tierno86153522020-12-06 18:27:16 +0000294 for target_id in vims_to_unload:
295 self._unload_vim(target_id)
296
tierno1d213f42020-04-24 14:02:51 +0000297 def _get_cloud_init(self, where):
298 """
tierno86153522020-12-06 18:27:16 +0000299 Not used as cloud init content is provided in the http body. This method reads cloud init from a file
tierno1d213f42020-04-24 14:02:51 +0000300 :param where: can be 'vnfr_id:file:file_name' or 'vnfr_id:vdu:vdu_idex'
301 :return:
302 """
303 vnfd_id, _, other = where.partition(":")
304 _type, _, name = other.partition(":")
305 vnfd = self.db.get_one("vnfds", {"_id": vnfd_id})
sousaedu80135b92021-02-17 15:05:18 +0100306
tierno1d213f42020-04-24 14:02:51 +0000307 if _type == "file":
308 base_folder = vnfd["_admin"]["storage"]
sousaedu80135b92021-02-17 15:05:18 +0100309 cloud_init_file = "{}/{}/cloud_init/{}".format(
310 base_folder["folder"], base_folder["pkg-dir"], name
311 )
312
tierno70eeb182020-10-19 16:38:00 +0000313 if not self.fs:
sousaedu80135b92021-02-17 15:05:18 +0100314 raise NsException(
315 "Cannot read file '{}'. Filesystem not loaded, change configuration at storage.driver".format(
316 cloud_init_file
317 )
318 )
319
tierno1d213f42020-04-24 14:02:51 +0000320 with self.fs.file_open(cloud_init_file, "r") as ci_file:
321 cloud_init_content = ci_file.read()
322 elif _type == "vdu":
323 cloud_init_content = vnfd["vdu"][int(name)]["cloud-init"]
324 else:
325 raise NsException("Mismatch descriptor for cloud init: {}".format(where))
sousaedu80135b92021-02-17 15:05:18 +0100326
tierno1d213f42020-04-24 14:02:51 +0000327 return cloud_init_content
328
329 def _parse_jinja2(self, cloud_init_content, params, context):
tierno70eeb182020-10-19 16:38:00 +0000330 try:
331 env = Environment(undefined=StrictUndefined)
332 template = env.from_string(cloud_init_content)
sousaedu80135b92021-02-17 15:05:18 +0100333
tierno70eeb182020-10-19 16:38:00 +0000334 return template.render(params or {})
335 except UndefinedError as e:
336 raise NsException(
337 "Variable '{}' defined at vnfd='{}' must be provided in the instantiation parameters"
sousaedu80135b92021-02-17 15:05:18 +0100338 "inside the 'additionalParamsForVnf' block".format(e, context)
339 )
tierno70eeb182020-10-19 16:38:00 +0000340 except (TemplateError, TemplateNotFound) as e:
sousaedu80135b92021-02-17 15:05:18 +0100341 raise NsException(
342 "Error parsing Jinja2 to cloud-init content at vnfd='{}': {}".format(
343 context, e
344 )
345 )
tierno1d213f42020-04-24 14:02:51 +0000346
347 def _create_db_ro_nsrs(self, nsr_id, now):
348 try:
349 key = rsa.generate_private_key(
sousaedu80135b92021-02-17 15:05:18 +0100350 backend=crypto_default_backend(), public_exponent=65537, key_size=2048
tierno1d213f42020-04-24 14:02:51 +0000351 )
352 private_key = key.private_bytes(
353 crypto_serialization.Encoding.PEM,
354 crypto_serialization.PrivateFormat.PKCS8,
sousaedu80135b92021-02-17 15:05:18 +0100355 crypto_serialization.NoEncryption(),
356 )
tierno1d213f42020-04-24 14:02:51 +0000357 public_key = key.public_key().public_bytes(
358 crypto_serialization.Encoding.OpenSSH,
sousaedu80135b92021-02-17 15:05:18 +0100359 crypto_serialization.PublicFormat.OpenSSH,
tierno1d213f42020-04-24 14:02:51 +0000360 )
sousaedu80135b92021-02-17 15:05:18 +0100361 private_key = private_key.decode("utf8")
tierno70eeb182020-10-19 16:38:00 +0000362 # Change first line because Paramiko needs a explicit start with 'BEGIN RSA PRIVATE KEY'
363 i = private_key.find("\n")
364 private_key = "-----BEGIN RSA PRIVATE KEY-----" + private_key[i:]
sousaedu80135b92021-02-17 15:05:18 +0100365 public_key = public_key.decode("utf8")
tierno1d213f42020-04-24 14:02:51 +0000366 except Exception as e:
367 raise NsException("Cannot create ssh-keys: {}".format(e))
368
369 schema_version = "1.1"
sousaedu80135b92021-02-17 15:05:18 +0100370 private_key_encrypted = self.db.encrypt(
371 private_key, schema_version=schema_version, salt=nsr_id
372 )
tierno1d213f42020-04-24 14:02:51 +0000373 db_content = {
374 "_id": nsr_id,
375 "_admin": {
376 "created": now,
377 "modified": now,
sousaedu80135b92021-02-17 15:05:18 +0100378 "schema_version": schema_version,
tierno1d213f42020-04-24 14:02:51 +0000379 },
380 "public_key": public_key,
381 "private_key": private_key_encrypted,
sousaedu80135b92021-02-17 15:05:18 +0100382 "actions": [],
tierno1d213f42020-04-24 14:02:51 +0000383 }
384 self.db.create("ro_nsrs", db_content)
sousaedu80135b92021-02-17 15:05:18 +0100385
tierno1d213f42020-04-24 14:02:51 +0000386 return db_content
387
388 def deploy(self, session, indata, version, nsr_id, *args, **kwargs):
tierno70eeb182020-10-19 16:38:00 +0000389 self.logger.debug("ns.deploy nsr_id={} indata={}".format(nsr_id, indata))
tierno1d213f42020-04-24 14:02:51 +0000390 validate_input(indata, deploy_schema)
391 action_id = indata.get("action_id", str(uuid4()))
392 task_index = 0
393 # get current deployment
sousaedu80135b92021-02-17 15:05:18 +0100394 db_nsr_update = {} # update operation on nsrs
tierno1d213f42020-04-24 14:02:51 +0000395 db_vnfrs_update = {}
sousaedu80135b92021-02-17 15:05:18 +0100396 db_vnfrs = {} # vnf's info indexed by _id
tierno70eeb182020-10-19 16:38:00 +0000397 nb_ro_tasks = 0 # for logging
398 vdu2cloud_init = indata.get("cloud_init_content") or {}
sousaedu80135b92021-02-17 15:05:18 +0100399 step = ""
tierno1d213f42020-04-24 14:02:51 +0000400 logging_text = "Task deploy nsr_id={} action_id={} ".format(nsr_id, action_id)
401 self.logger.debug(logging_text + "Enter")
sousaedu80135b92021-02-17 15:05:18 +0100402
tierno1d213f42020-04-24 14:02:51 +0000403 try:
404 step = "Getting ns and vnfr record from db"
tierno1d213f42020-04-24 14:02:51 +0000405 db_nsr = self.db.get_one("nsrs", {"_id": nsr_id})
tierno1d213f42020-04-24 14:02:51 +0000406 db_new_tasks = []
tierno70eeb182020-10-19 16:38:00 +0000407 tasks_by_target_record_id = {}
tierno1d213f42020-04-24 14:02:51 +0000408 # read from db: vnf's of this ns
409 step = "Getting vnfrs from db"
410 db_vnfrs_list = self.db.get_list("vnfrs", {"nsr-id-ref": nsr_id})
sousaedu80135b92021-02-17 15:05:18 +0100411
tierno1d213f42020-04-24 14:02:51 +0000412 if not db_vnfrs_list:
413 raise NsException("Cannot obtain associated VNF for ns")
sousaedu80135b92021-02-17 15:05:18 +0100414
tierno1d213f42020-04-24 14:02:51 +0000415 for vnfr in db_vnfrs_list:
416 db_vnfrs[vnfr["_id"]] = vnfr
417 db_vnfrs_update[vnfr["_id"]] = {}
sousaedu80135b92021-02-17 15:05:18 +0100418
tierno1d213f42020-04-24 14:02:51 +0000419 now = time()
420 db_ro_nsr = self.db.get_one("ro_nsrs", {"_id": nsr_id}, fail_on_empty=False)
sousaedu80135b92021-02-17 15:05:18 +0100421
tierno1d213f42020-04-24 14:02:51 +0000422 if not db_ro_nsr:
423 db_ro_nsr = self._create_db_ro_nsrs(nsr_id, now)
sousaedu80135b92021-02-17 15:05:18 +0100424
tierno1d213f42020-04-24 14:02:51 +0000425 ro_nsr_public_key = db_ro_nsr["public_key"]
426
427 # check that action_id is not in the list of actions. Suffixed with :index
428 if action_id in db_ro_nsr["actions"]:
429 index = 1
sousaedu80135b92021-02-17 15:05:18 +0100430
tierno1d213f42020-04-24 14:02:51 +0000431 while True:
432 new_action_id = "{}:{}".format(action_id, index)
sousaedu80135b92021-02-17 15:05:18 +0100433
tierno1d213f42020-04-24 14:02:51 +0000434 if new_action_id not in db_ro_nsr["actions"]:
435 action_id = new_action_id
sousaedu80135b92021-02-17 15:05:18 +0100436 self.logger.debug(
437 logging_text
438 + "Changing action_id in use to {}".format(action_id)
439 )
tierno1d213f42020-04-24 14:02:51 +0000440 break
sousaedu80135b92021-02-17 15:05:18 +0100441
tierno1d213f42020-04-24 14:02:51 +0000442 index += 1
443
sousaedu80135b92021-02-17 15:05:18 +0100444 def _create_task(
445 target_id,
446 item,
447 action,
448 target_record,
449 target_record_id,
450 extra_dict=None,
451 ):
tierno1d213f42020-04-24 14:02:51 +0000452 nonlocal task_index
453 nonlocal action_id
454 nonlocal nsr_id
455
456 task = {
tierno70eeb182020-10-19 16:38:00 +0000457 "target_id": target_id, # it will be removed before pushing at database
tierno1d213f42020-04-24 14:02:51 +0000458 "action_id": action_id,
459 "nsr_id": nsr_id,
460 "task_id": "{}:{}".format(action_id, task_index),
461 "status": "SCHEDULED",
462 "action": action,
463 "item": item,
464 "target_record": target_record,
465 "target_record_id": target_record_id,
466 }
sousaedu80135b92021-02-17 15:05:18 +0100467
tierno1d213f42020-04-24 14:02:51 +0000468 if extra_dict:
sousaedu80135b92021-02-17 15:05:18 +0100469 task.update(extra_dict) # params, find_params, depends_on
470
tierno1d213f42020-04-24 14:02:51 +0000471 task_index += 1
sousaedu80135b92021-02-17 15:05:18 +0100472
tierno1d213f42020-04-24 14:02:51 +0000473 return task
474
tierno70eeb182020-10-19 16:38:00 +0000475 def _create_ro_task(target_id, task):
tierno1d213f42020-04-24 14:02:51 +0000476 nonlocal action_id
477 nonlocal task_index
478 nonlocal now
479
tierno70eeb182020-10-19 16:38:00 +0000480 _id = task["task_id"]
tierno1d213f42020-04-24 14:02:51 +0000481 db_ro_task = {
482 "_id": _id,
483 "locked_by": None,
484 "locked_at": 0.0,
tierno70eeb182020-10-19 16:38:00 +0000485 "target_id": target_id,
tierno1d213f42020-04-24 14:02:51 +0000486 "vim_info": {
487 "created": False,
488 "created_items": None,
489 "vim_id": None,
490 "vim_name": None,
491 "vim_status": None,
492 "vim_details": None,
493 "refresh_at": None,
494 },
495 "modified_at": now,
496 "created_at": now,
497 "to_check_at": now,
tierno70eeb182020-10-19 16:38:00 +0000498 "tasks": [task],
tierno1d213f42020-04-24 14:02:51 +0000499 }
sousaedu80135b92021-02-17 15:05:18 +0100500
tierno1d213f42020-04-24 14:02:51 +0000501 return db_ro_task
502
tierno70eeb182020-10-19 16:38:00 +0000503 def _process_image_params(target_image, vim_info, target_record_id):
tierno1d213f42020-04-24 14:02:51 +0000504 find_params = {}
sousaedu80135b92021-02-17 15:05:18 +0100505
tierno1d213f42020-04-24 14:02:51 +0000506 if target_image.get("image"):
507 find_params["filter_dict"] = {"name": target_image.get("image")}
sousaedu80135b92021-02-17 15:05:18 +0100508
tierno1d213f42020-04-24 14:02:51 +0000509 if target_image.get("vim_image_id"):
sousaedu80135b92021-02-17 15:05:18 +0100510 find_params["filter_dict"] = {
511 "id": target_image.get("vim_image_id")
512 }
513
tierno1d213f42020-04-24 14:02:51 +0000514 if target_image.get("image_checksum"):
sousaedu80135b92021-02-17 15:05:18 +0100515 find_params["filter_dict"] = {
516 "checksum": target_image.get("image_checksum")
517 }
518
tierno1d213f42020-04-24 14:02:51 +0000519 return {"find_params": find_params}
520
tierno70eeb182020-10-19 16:38:00 +0000521 def _process_flavor_params(target_flavor, vim_info, target_record_id):
tierno1d213f42020-04-24 14:02:51 +0000522 def _get_resource_allocation_params(quota_descriptor):
523 """
524 read the quota_descriptor from vnfd and fetch the resource allocation properties from the
525 descriptor object
526 :param quota_descriptor: cpu/mem/vif/disk-io quota descriptor
527 :return: quota params for limit, reserve, shares from the descriptor object
528 """
529 quota = {}
sousaedu80135b92021-02-17 15:05:18 +0100530
tierno1d213f42020-04-24 14:02:51 +0000531 if quota_descriptor.get("limit"):
532 quota["limit"] = int(quota_descriptor["limit"])
sousaedu80135b92021-02-17 15:05:18 +0100533
tierno1d213f42020-04-24 14:02:51 +0000534 if quota_descriptor.get("reserve"):
535 quota["reserve"] = int(quota_descriptor["reserve"])
sousaedu80135b92021-02-17 15:05:18 +0100536
tierno1d213f42020-04-24 14:02:51 +0000537 if quota_descriptor.get("shares"):
538 quota["shares"] = int(quota_descriptor["shares"])
sousaedu80135b92021-02-17 15:05:18 +0100539
tierno1d213f42020-04-24 14:02:51 +0000540 return quota
541
542 flavor_data = {
543 "disk": int(target_flavor["storage-gb"]),
tierno1d213f42020-04-24 14:02:51 +0000544 "ram": int(target_flavor["memory-mb"]),
tiernofb13d2e2020-11-26 15:55:20 +0000545 "vcpus": int(target_flavor["vcpu-count"]),
tierno1d213f42020-04-24 14:02:51 +0000546 }
tierno70eeb182020-10-19 16:38:00 +0000547 numa = {}
548 extended = {}
sousaedu80135b92021-02-17 15:05:18 +0100549
tierno1d213f42020-04-24 14:02:51 +0000550 if target_flavor.get("guest-epa"):
551 extended = {}
tierno1d213f42020-04-24 14:02:51 +0000552 epa_vcpu_set = False
sousaedu80135b92021-02-17 15:05:18 +0100553
tierno1d213f42020-04-24 14:02:51 +0000554 if target_flavor["guest-epa"].get("numa-node-policy"):
sousaedu80135b92021-02-17 15:05:18 +0100555 numa_node_policy = target_flavor["guest-epa"].get(
556 "numa-node-policy"
557 )
558
tierno1d213f42020-04-24 14:02:51 +0000559 if numa_node_policy.get("node"):
560 numa_node = numa_node_policy["node"][0]
sousaedu80135b92021-02-17 15:05:18 +0100561
tierno1d213f42020-04-24 14:02:51 +0000562 if numa_node.get("num-cores"):
563 numa["cores"] = numa_node["num-cores"]
564 epa_vcpu_set = True
sousaedu80135b92021-02-17 15:05:18 +0100565
tierno1d213f42020-04-24 14:02:51 +0000566 if numa_node.get("paired-threads"):
sousaedu80135b92021-02-17 15:05:18 +0100567 if numa_node["paired-threads"].get(
568 "num-paired-threads"
569 ):
570 numa["paired-threads"] = int(
571 numa_node["paired-threads"][
572 "num-paired-threads"
573 ]
574 )
tierno1d213f42020-04-24 14:02:51 +0000575 epa_vcpu_set = True
sousaedu80135b92021-02-17 15:05:18 +0100576
577 if len(
578 numa_node["paired-threads"].get("paired-thread-ids")
579 ):
tierno1d213f42020-04-24 14:02:51 +0000580 numa["paired-threads-id"] = []
sousaedu80135b92021-02-17 15:05:18 +0100581
582 for pair in numa_node["paired-threads"][
583 "paired-thread-ids"
584 ]:
tierno1d213f42020-04-24 14:02:51 +0000585 numa["paired-threads-id"].append(
sousaedu80135b92021-02-17 15:05:18 +0100586 (
587 str(pair["thread-a"]),
588 str(pair["thread-b"]),
589 )
tierno1d213f42020-04-24 14:02:51 +0000590 )
sousaedu80135b92021-02-17 15:05:18 +0100591
tierno1d213f42020-04-24 14:02:51 +0000592 if numa_node.get("num-threads"):
593 numa["threads"] = int(numa_node["num-threads"])
594 epa_vcpu_set = True
sousaedu80135b92021-02-17 15:05:18 +0100595
tierno1d213f42020-04-24 14:02:51 +0000596 if numa_node.get("memory-mb"):
sousaedu80135b92021-02-17 15:05:18 +0100597 numa["memory"] = max(
598 int(numa_node["memory-mb"] / 1024), 1
599 )
600
tierno1d213f42020-04-24 14:02:51 +0000601 if target_flavor["guest-epa"].get("mempage-size"):
sousaedu80135b92021-02-17 15:05:18 +0100602 extended["mempage-size"] = target_flavor["guest-epa"].get(
603 "mempage-size"
604 )
605
606 if (
607 target_flavor["guest-epa"].get("cpu-pinning-policy")
608 and not epa_vcpu_set
609 ):
610 if (
611 target_flavor["guest-epa"]["cpu-pinning-policy"]
612 == "DEDICATED"
613 ):
614 if (
615 target_flavor["guest-epa"].get(
616 "cpu-thread-pinning-policy"
617 )
618 and target_flavor["guest-epa"][
619 "cpu-thread-pinning-policy"
620 ]
621 != "PREFER"
622 ):
tierno1d213f42020-04-24 14:02:51 +0000623 numa["cores"] = max(flavor_data["vcpus"], 1)
624 else:
625 numa["threads"] = max(flavor_data["vcpus"], 1)
sousaedu80135b92021-02-17 15:05:18 +0100626
tierno1d213f42020-04-24 14:02:51 +0000627 epa_vcpu_set = True
sousaedu80135b92021-02-17 15:05:18 +0100628
tierno1d213f42020-04-24 14:02:51 +0000629 if target_flavor["guest-epa"].get("cpu-quota") and not epa_vcpu_set:
sousaedu80135b92021-02-17 15:05:18 +0100630 cpuquota = _get_resource_allocation_params(
631 target_flavor["guest-epa"].get("cpu-quota")
632 )
633
tierno1d213f42020-04-24 14:02:51 +0000634 if cpuquota:
635 extended["cpu-quota"] = cpuquota
sousaedu80135b92021-02-17 15:05:18 +0100636
tierno1d213f42020-04-24 14:02:51 +0000637 if target_flavor["guest-epa"].get("mem-quota"):
sousaedu80135b92021-02-17 15:05:18 +0100638 vduquota = _get_resource_allocation_params(
639 target_flavor["guest-epa"].get("mem-quota")
640 )
641
tierno1d213f42020-04-24 14:02:51 +0000642 if vduquota:
643 extended["mem-quota"] = vduquota
sousaedu80135b92021-02-17 15:05:18 +0100644
tierno1d213f42020-04-24 14:02:51 +0000645 if target_flavor["guest-epa"].get("disk-io-quota"):
sousaedu80135b92021-02-17 15:05:18 +0100646 diskioquota = _get_resource_allocation_params(
647 target_flavor["guest-epa"].get("disk-io-quota")
648 )
649
tierno1d213f42020-04-24 14:02:51 +0000650 if diskioquota:
651 extended["disk-io-quota"] = diskioquota
sousaedu80135b92021-02-17 15:05:18 +0100652
tierno1d213f42020-04-24 14:02:51 +0000653 if target_flavor["guest-epa"].get("vif-quota"):
sousaedu80135b92021-02-17 15:05:18 +0100654 vifquota = _get_resource_allocation_params(
655 target_flavor["guest-epa"].get("vif-quota")
656 )
657
tierno1d213f42020-04-24 14:02:51 +0000658 if vifquota:
659 extended["vif-quota"] = vifquota
sousaedu80135b92021-02-17 15:05:18 +0100660
tierno1d213f42020-04-24 14:02:51 +0000661 if numa:
662 extended["numas"] = [numa]
sousaedu80135b92021-02-17 15:05:18 +0100663
tierno1d213f42020-04-24 14:02:51 +0000664 if extended:
665 flavor_data["extended"] = extended
666
667 extra_dict = {"find_params": {"flavor_data": flavor_data}}
668 flavor_data_name = flavor_data.copy()
669 flavor_data_name["name"] = target_flavor["name"]
670 extra_dict["params"] = {"flavor_data": flavor_data_name}
sousaedu80135b92021-02-17 15:05:18 +0100671
tierno1d213f42020-04-24 14:02:51 +0000672 return extra_dict
673
tierno70eeb182020-10-19 16:38:00 +0000674 def _ip_profile_2_ro(ip_profile):
675 if not ip_profile:
676 return None
sousaedu80135b92021-02-17 15:05:18 +0100677
tierno70eeb182020-10-19 16:38:00 +0000678 ro_ip_profile = {
sousaedu80135b92021-02-17 15:05:18 +0100679 "ip_version": "IPv4"
680 if "v4" in ip_profile.get("ip-version", "ipv4")
681 else "IPv6",
tierno70eeb182020-10-19 16:38:00 +0000682 "subnet_address": ip_profile.get("subnet-address"),
683 "gateway_address": ip_profile.get("gateway-address"),
sousaeduf29a91f2021-03-02 01:42:51 +0100684 "dhcp_enabled": ip_profile.get("dhcp-params", {}).get(
685 "enabled", False
686 ),
687 "dhcp_start_address": ip_profile.get("dhcp-params", {}).get(
688 "start-address", None
689 ),
sousaedu96abfc22021-02-18 14:57:01 +0100690 "dhcp_count": ip_profile.get("dhcp-params", {}).get("count", None),
tierno70eeb182020-10-19 16:38:00 +0000691 }
sousaedu80135b92021-02-17 15:05:18 +0100692
tierno70eeb182020-10-19 16:38:00 +0000693 if ip_profile.get("dns-server"):
sousaedu80135b92021-02-17 15:05:18 +0100694 ro_ip_profile["dns_address"] = ";".join(
695 [v["address"] for v in ip_profile["dns-server"]]
696 )
697
698 if ip_profile.get("security-group"):
699 ro_ip_profile["security_group"] = ip_profile["security-group"]
700
tierno70eeb182020-10-19 16:38:00 +0000701 return ro_ip_profile
702
703 def _process_net_params(target_vld, vim_info, target_record_id):
tierno1d213f42020-04-24 14:02:51 +0000704 nonlocal indata
705 extra_dict = {}
tierno70eeb182020-10-19 16:38:00 +0000706
707 if vim_info.get("sdn"):
708 # vnf_preffix = "vnfrs:{}".format(vnfr_id)
709 # ns_preffix = "nsrs:{}".format(nsr_id)
sousaedu80135b92021-02-17 15:05:18 +0100710 # remove the ending ".sdn
711 vld_target_record_id, _, _ = target_record_id.rpartition(".")
712 extra_dict["params"] = {
713 k: vim_info[k]
714 for k in ("sdn-ports", "target_vim", "vlds", "type")
715 if vim_info.get(k)
716 }
717
tierno70eeb182020-10-19 16:38:00 +0000718 # TODO needed to add target_id in the dependency.
719 if vim_info.get("target_vim"):
sousaedu80135b92021-02-17 15:05:18 +0100720 extra_dict["depends_on"] = [
721 vim_info.get("target_vim") + " " + vld_target_record_id
722 ]
723
tierno70eeb182020-10-19 16:38:00 +0000724 return extra_dict
725
tierno1d213f42020-04-24 14:02:51 +0000726 if vim_info.get("vim_network_name"):
sousaedu80135b92021-02-17 15:05:18 +0100727 extra_dict["find_params"] = {
728 "filter_dict": {"name": vim_info.get("vim_network_name")}
729 }
tierno1d213f42020-04-24 14:02:51 +0000730 elif vim_info.get("vim_network_id"):
sousaedu80135b92021-02-17 15:05:18 +0100731 extra_dict["find_params"] = {
732 "filter_dict": {"id": vim_info.get("vim_network_id")}
733 }
tierno1d213f42020-04-24 14:02:51 +0000734 elif target_vld.get("mgmt-network"):
735 extra_dict["find_params"] = {"mgmt": True, "name": target_vld["id"]}
736 else:
737 # create
738 extra_dict["params"] = {
sousaedu80135b92021-02-17 15:05:18 +0100739 "net_name": "{}-{}".format(
740 indata["name"][:16],
741 target_vld.get("name", target_vld["id"])[:16],
742 ),
743 "ip_profile": _ip_profile_2_ro(vim_info.get("ip_profile")),
744 "provider_network_profile": vim_info.get("provider_network"),
tierno1d213f42020-04-24 14:02:51 +0000745 }
sousaedu80135b92021-02-17 15:05:18 +0100746
tierno1d213f42020-04-24 14:02:51 +0000747 if not target_vld.get("underlay"):
748 extra_dict["params"]["net_type"] = "bridge"
749 else:
sousaedu80135b92021-02-17 15:05:18 +0100750 extra_dict["params"]["net_type"] = (
751 "ptp" if target_vld.get("type") == "ELINE" else "data"
752 )
753
tierno1d213f42020-04-24 14:02:51 +0000754 return extra_dict
755
tierno70eeb182020-10-19 16:38:00 +0000756 def _process_vdu_params(target_vdu, vim_info, target_record_id):
tierno1d213f42020-04-24 14:02:51 +0000757 nonlocal vnfr_id
758 nonlocal nsr_id
759 nonlocal indata
760 nonlocal vnfr
761 nonlocal vdu2cloud_init
tierno70eeb182020-10-19 16:38:00 +0000762 nonlocal tasks_by_target_record_id
sousaedu80135b92021-02-17 15:05:18 +0100763
tierno1d213f42020-04-24 14:02:51 +0000764 vnf_preffix = "vnfrs:{}".format(vnfr_id)
765 ns_preffix = "nsrs:{}".format(nsr_id)
766 image_text = ns_preffix + ":image." + target_vdu["ns-image-id"]
767 flavor_text = ns_preffix + ":flavor." + target_vdu["ns-flavor-id"]
768 extra_dict = {"depends_on": [image_text, flavor_text]}
769 net_list = []
sousaedu80135b92021-02-17 15:05:18 +0100770
tierno1d213f42020-04-24 14:02:51 +0000771 for iface_index, interface in enumerate(target_vdu["interfaces"]):
772 if interface.get("ns-vld-id"):
773 net_text = ns_preffix + ":vld." + interface["ns-vld-id"]
tierno55fa0bb2020-12-08 23:11:53 +0000774 elif interface.get("vnf-vld-id"):
tierno1d213f42020-04-24 14:02:51 +0000775 net_text = vnf_preffix + ":vld." + interface["vnf-vld-id"]
tierno55fa0bb2020-12-08 23:11:53 +0000776 else:
sousaedu80135b92021-02-17 15:05:18 +0100777 self.logger.error(
778 "Interface {} from vdu {} not connected to any vld".format(
779 iface_index, target_vdu["vdu-name"]
780 )
781 )
782
783 continue # interface not connected to any vld
784
tierno1d213f42020-04-24 14:02:51 +0000785 extra_dict["depends_on"].append(net_text)
sousaedu38d12172021-03-02 00:15:52 +0100786
787 if "port-security-enabled" in interface:
sousaedu96abfc22021-02-18 14:57:01 +0100788 interface["port_security"] = interface.pop(
789 "port-security-enabled"
sousaedu38d12172021-03-02 00:15:52 +0100790 )
791
792 if "port-security-disable-strategy" in interface:
sousaedu96abfc22021-02-18 14:57:01 +0100793 interface["port_security_disable_strategy"] = interface.pop(
794 "port-security-disable-strategy"
sousaedu38d12172021-03-02 00:15:52 +0100795 )
796
sousaedu80135b92021-02-17 15:05:18 +0100797 net_item = {
798 x: v
799 for x, v in interface.items()
800 if x
801 in (
802 "name",
803 "vpci",
804 "port_security",
805 "port_security_disable_strategy",
806 "floating_ip",
807 )
808 }
tierno70eeb182020-10-19 16:38:00 +0000809 net_item["net_id"] = "TASK-" + net_text
810 net_item["type"] = "virtual"
sousaedu80135b92021-02-17 15:05:18 +0100811
tierno70eeb182020-10-19 16:38:00 +0000812 # TODO mac_address: used for SR-IOV ifaces #TODO for other types
813 # TODO floating_ip: True/False (or it can be None)
tierno1d213f42020-04-24 14:02:51 +0000814 if interface.get("type") in ("SR-IOV", "PCI-PASSTHROUGH"):
tierno70eeb182020-10-19 16:38:00 +0000815 # mark the net create task as type data
sousaedu80135b92021-02-17 15:05:18 +0100816 if deep_get(
817 tasks_by_target_record_id, net_text, "params", "net_type"
818 ):
819 tasks_by_target_record_id[net_text]["params"][
820 "net_type"
821 ] = "data"
822
tierno1d213f42020-04-24 14:02:51 +0000823 net_item["use"] = "data"
824 net_item["model"] = interface["type"]
825 net_item["type"] = interface["type"]
sousaedu80135b92021-02-17 15:05:18 +0100826 elif (
827 interface.get("type") == "OM-MGMT"
828 or interface.get("mgmt-interface")
829 or interface.get("mgmt-vnf")
830 ):
tierno1d213f42020-04-24 14:02:51 +0000831 net_item["use"] = "mgmt"
sousaedu80135b92021-02-17 15:05:18 +0100832 else:
833 # if interface.get("type") in ("VIRTIO", "E1000", "PARAVIRT"):
tierno1d213f42020-04-24 14:02:51 +0000834 net_item["use"] = "bridge"
835 net_item["model"] = interface.get("type")
sousaedu80135b92021-02-17 15:05:18 +0100836
tierno70eeb182020-10-19 16:38:00 +0000837 if interface.get("ip-address"):
838 net_item["ip_address"] = interface["ip-address"]
sousaedu80135b92021-02-17 15:05:18 +0100839
tierno70eeb182020-10-19 16:38:00 +0000840 if interface.get("mac-address"):
841 net_item["mac_address"] = interface["mac-address"]
sousaedu80135b92021-02-17 15:05:18 +0100842
tierno1d213f42020-04-24 14:02:51 +0000843 net_list.append(net_item)
sousaedu80135b92021-02-17 15:05:18 +0100844
tierno1d213f42020-04-24 14:02:51 +0000845 if interface.get("mgmt-vnf"):
846 extra_dict["mgmt_vnf_interface"] = iface_index
847 elif interface.get("mgmt-interface"):
848 extra_dict["mgmt_vdu_interface"] = iface_index
sousaedu80135b92021-02-17 15:05:18 +0100849
tierno1d213f42020-04-24 14:02:51 +0000850 # cloud config
851 cloud_config = {}
sousaedu80135b92021-02-17 15:05:18 +0100852
tierno1d213f42020-04-24 14:02:51 +0000853 if target_vdu.get("cloud-init"):
854 if target_vdu["cloud-init"] not in vdu2cloud_init:
sousaedu80135b92021-02-17 15:05:18 +0100855 vdu2cloud_init[target_vdu["cloud-init"]] = self._get_cloud_init(
856 target_vdu["cloud-init"]
857 )
858
tierno1d213f42020-04-24 14:02:51 +0000859 cloud_content_ = vdu2cloud_init[target_vdu["cloud-init"]]
sousaedu80135b92021-02-17 15:05:18 +0100860 cloud_config["user-data"] = self._parse_jinja2(
861 cloud_content_,
862 target_vdu.get("additionalParams"),
863 target_vdu["cloud-init"],
864 )
865
tierno1d213f42020-04-24 14:02:51 +0000866 if target_vdu.get("boot-data-drive"):
867 cloud_config["boot-data-drive"] = target_vdu.get("boot-data-drive")
sousaedu80135b92021-02-17 15:05:18 +0100868
tierno1d213f42020-04-24 14:02:51 +0000869 ssh_keys = []
sousaedu80135b92021-02-17 15:05:18 +0100870
tierno1d213f42020-04-24 14:02:51 +0000871 if target_vdu.get("ssh-keys"):
872 ssh_keys += target_vdu.get("ssh-keys")
sousaedu80135b92021-02-17 15:05:18 +0100873
tierno1d213f42020-04-24 14:02:51 +0000874 if target_vdu.get("ssh-access-required"):
875 ssh_keys.append(ro_nsr_public_key)
sousaedu80135b92021-02-17 15:05:18 +0100876
tierno1d213f42020-04-24 14:02:51 +0000877 if ssh_keys:
878 cloud_config["key-pairs"] = ssh_keys
879
880 extra_dict["params"] = {
sousaedu80135b92021-02-17 15:05:18 +0100881 "name": "{}-{}-{}-{}".format(
882 indata["name"][:16],
883 vnfr["member-vnf-index-ref"][:16],
884 target_vdu["vdu-name"][:32],
885 target_vdu.get("count-index") or 0,
886 ),
tierno1d213f42020-04-24 14:02:51 +0000887 "description": target_vdu["vdu-name"],
888 "start": True,
889 "image_id": "TASK-" + image_text,
890 "flavor_id": "TASK-" + flavor_text,
891 "net_list": net_list,
892 "cloud_config": cloud_config or None,
893 "disk_list": None, # TODO
894 "availability_zone_index": None, # TODO
895 "availability_zone_list": None, # TODO
896 }
sousaedu80135b92021-02-17 15:05:18 +0100897
tierno1d213f42020-04-24 14:02:51 +0000898 return extra_dict
899
sousaedu80135b92021-02-17 15:05:18 +0100900 def _process_items(
901 target_list,
902 existing_list,
903 db_record,
904 db_update,
905 db_path,
906 item,
907 process_params,
908 ):
tierno1d213f42020-04-24 14:02:51 +0000909 nonlocal db_new_tasks
tierno70eeb182020-10-19 16:38:00 +0000910 nonlocal tasks_by_target_record_id
tierno1d213f42020-04-24 14:02:51 +0000911 nonlocal task_index
912
tierno70eeb182020-10-19 16:38:00 +0000913 # ensure all the target_list elements has an "id". If not assign the index as id
tierno1d213f42020-04-24 14:02:51 +0000914 for target_index, tl in enumerate(target_list):
915 if tl and not tl.get("id"):
916 tl["id"] = str(target_index)
917
tierno70eeb182020-10-19 16:38:00 +0000918 # step 1 items (networks,vdus,...) to be deleted/updated
919 for item_index, existing_item in enumerate(existing_list):
sousaedu80135b92021-02-17 15:05:18 +0100920 target_item = next(
921 (t for t in target_list if t["id"] == existing_item["id"]), None
922 )
923
924 for target_vim, existing_viminfo in existing_item.get(
925 "vim_info", {}
926 ).items():
tierno70eeb182020-10-19 16:38:00 +0000927 if existing_viminfo is None:
tierno1d213f42020-04-24 14:02:51 +0000928 continue
sousaedu80135b92021-02-17 15:05:18 +0100929
tierno70eeb182020-10-19 16:38:00 +0000930 if target_item:
sousaedu80135b92021-02-17 15:05:18 +0100931 target_viminfo = target_item.get("vim_info", {}).get(
932 target_vim
933 )
tierno1d213f42020-04-24 14:02:51 +0000934 else:
935 target_viminfo = None
sousaedu80135b92021-02-17 15:05:18 +0100936
tierno70eeb182020-10-19 16:38:00 +0000937 if target_viminfo is None:
tierno1d213f42020-04-24 14:02:51 +0000938 # must be deleted
tierno86153522020-12-06 18:27:16 +0000939 self._assign_vim(target_vim)
sousaedu80135b92021-02-17 15:05:18 +0100940 target_record_id = "{}.{}".format(
941 db_record, existing_item["id"]
942 )
tierno70eeb182020-10-19 16:38:00 +0000943 item_ = item
sousaedu80135b92021-02-17 15:05:18 +0100944
tierno70eeb182020-10-19 16:38:00 +0000945 if target_vim.startswith("sdn"):
946 # item must be sdn-net instead of net if target_vim is a sdn
947 item_ = "sdn_net"
948 target_record_id += ".sdn"
sousaedu80135b92021-02-17 15:05:18 +0100949
tierno70eeb182020-10-19 16:38:00 +0000950 task = _create_task(
sousaedu80135b92021-02-17 15:05:18 +0100951 target_vim,
952 item_,
953 "DELETE",
954 target_record="{}.{}.vim_info.{}".format(
955 db_record, item_index, target_vim
956 ),
957 target_record_id=target_record_id,
958 )
tierno70eeb182020-10-19 16:38:00 +0000959 tasks_by_target_record_id[target_record_id] = task
960 db_new_tasks.append(task)
tierno1d213f42020-04-24 14:02:51 +0000961 # TODO delete
962 # TODO check one by one the vims to be created/deleted
963
tierno70eeb182020-10-19 16:38:00 +0000964 # step 2 items (networks,vdus,...) to be created
965 for target_item in target_list:
966 item_index = -1
sousaedu80135b92021-02-17 15:05:18 +0100967
tierno70eeb182020-10-19 16:38:00 +0000968 for item_index, existing_item in enumerate(existing_list):
969 if existing_item["id"] == target_item["id"]:
tierno1d213f42020-04-24 14:02:51 +0000970 break
971 else:
tierno70eeb182020-10-19 16:38:00 +0000972 item_index += 1
973 db_update[db_path + ".{}".format(item_index)] = target_item
974 existing_list.append(target_item)
975 existing_item = None
tierno1d213f42020-04-24 14:02:51 +0000976
sousaedu80135b92021-02-17 15:05:18 +0100977 for target_vim, target_viminfo in target_item.get(
978 "vim_info", {}
979 ).items():
tierno1d213f42020-04-24 14:02:51 +0000980 existing_viminfo = None
sousaedu80135b92021-02-17 15:05:18 +0100981
tierno70eeb182020-10-19 16:38:00 +0000982 if existing_item:
sousaedu80135b92021-02-17 15:05:18 +0100983 existing_viminfo = existing_item.get("vim_info", {}).get(
984 target_vim
985 )
986
tierno1d213f42020-04-24 14:02:51 +0000987 # TODO check if different. Delete and create???
988 # TODO delete if not exist
tierno70eeb182020-10-19 16:38:00 +0000989 if existing_viminfo is not None:
tierno1d213f42020-04-24 14:02:51 +0000990 continue
991
tierno70eeb182020-10-19 16:38:00 +0000992 target_record_id = "{}.{}".format(db_record, target_item["id"])
993 item_ = item
sousaedu80135b92021-02-17 15:05:18 +0100994
tierno70eeb182020-10-19 16:38:00 +0000995 if target_vim.startswith("sdn"):
996 # item must be sdn-net instead of net if target_vim is a sdn
997 item_ = "sdn_net"
998 target_record_id += ".sdn"
tierno1d213f42020-04-24 14:02:51 +0000999
sousaedu80135b92021-02-17 15:05:18 +01001000 extra_dict = process_params(
1001 target_item, target_viminfo, target_record_id
1002 )
tierno86153522020-12-06 18:27:16 +00001003 self._assign_vim(target_vim)
tierno70eeb182020-10-19 16:38:00 +00001004 task = _create_task(
sousaedu80135b92021-02-17 15:05:18 +01001005 target_vim,
1006 item_,
1007 "CREATE",
1008 target_record="{}.{}.vim_info.{}".format(
1009 db_record, item_index, target_vim
1010 ),
tierno70eeb182020-10-19 16:38:00 +00001011 target_record_id=target_record_id,
sousaedu80135b92021-02-17 15:05:18 +01001012 extra_dict=extra_dict,
1013 )
tierno70eeb182020-10-19 16:38:00 +00001014 tasks_by_target_record_id[target_record_id] = task
1015 db_new_tasks.append(task)
sousaedu80135b92021-02-17 15:05:18 +01001016
tierno70eeb182020-10-19 16:38:00 +00001017 if target_item.get("common_id"):
1018 task["common_id"] = target_item["common_id"]
tierno1d213f42020-04-24 14:02:51 +00001019
tierno70eeb182020-10-19 16:38:00 +00001020 db_update[db_path + ".{}".format(item_index)] = target_item
tierno1d213f42020-04-24 14:02:51 +00001021
1022 def _process_action(indata):
tierno1d213f42020-04-24 14:02:51 +00001023 nonlocal db_new_tasks
1024 nonlocal task_index
1025 nonlocal db_vnfrs
1026 nonlocal db_ro_nsr
1027
tierno70eeb182020-10-19 16:38:00 +00001028 if indata["action"]["action"] == "inject_ssh_key":
1029 key = indata["action"].get("key")
1030 user = indata["action"].get("user")
1031 password = indata["action"].get("password")
sousaedu80135b92021-02-17 15:05:18 +01001032
tierno1d213f42020-04-24 14:02:51 +00001033 for vnf in indata.get("vnf", ()):
tierno70eeb182020-10-19 16:38:00 +00001034 if vnf["_id"] not in db_vnfrs:
tierno1d213f42020-04-24 14:02:51 +00001035 raise NsException("Invalid vnf={}".format(vnf["_id"]))
sousaedu80135b92021-02-17 15:05:18 +01001036
tierno1d213f42020-04-24 14:02:51 +00001037 db_vnfr = db_vnfrs[vnf["_id"]]
sousaedu80135b92021-02-17 15:05:18 +01001038
tierno1d213f42020-04-24 14:02:51 +00001039 for target_vdu in vnf.get("vdur", ()):
sousaedu80135b92021-02-17 15:05:18 +01001040 vdu_index, vdur = next(
1041 (
1042 i_v
1043 for i_v in enumerate(db_vnfr["vdur"])
1044 if i_v[1]["id"] == target_vdu["id"]
1045 ),
1046 (None, None),
1047 )
1048
tierno1d213f42020-04-24 14:02:51 +00001049 if not vdur:
sousaedu80135b92021-02-17 15:05:18 +01001050 raise NsException(
1051 "Invalid vdu vnf={}.{}".format(
1052 vnf["_id"], target_vdu["id"]
1053 )
1054 )
1055
1056 target_vim, vim_info = next(
1057 k_v for k_v in vdur["vim_info"].items()
1058 )
tierno86153522020-12-06 18:27:16 +00001059 self._assign_vim(target_vim)
sousaedu80135b92021-02-17 15:05:18 +01001060 target_record = "vnfrs:{}:vdur.{}.ssh_keys".format(
1061 vnf["_id"], vdu_index
1062 )
tierno1d213f42020-04-24 14:02:51 +00001063 extra_dict = {
sousaedu80135b92021-02-17 15:05:18 +01001064 "depends_on": [
1065 "vnfrs:{}:vdur.{}".format(vnf["_id"], vdur["id"])
1066 ],
tierno1d213f42020-04-24 14:02:51 +00001067 "params": {
tierno70eeb182020-10-19 16:38:00 +00001068 "ip_address": vdur.get("ip-address"),
tierno1d213f42020-04-24 14:02:51 +00001069 "user": user,
1070 "key": key,
1071 "password": password,
1072 "private_key": db_ro_nsr["private_key"],
1073 "salt": db_ro_nsr["_id"],
sousaedu80135b92021-02-17 15:05:18 +01001074 "schema_version": db_ro_nsr["_admin"][
1075 "schema_version"
1076 ],
1077 },
tierno1d213f42020-04-24 14:02:51 +00001078 }
sousaedu80135b92021-02-17 15:05:18 +01001079 task = _create_task(
1080 target_vim,
1081 "vdu",
1082 "EXEC",
1083 target_record=target_record,
1084 target_record_id=None,
1085 extra_dict=extra_dict,
1086 )
tierno70eeb182020-10-19 16:38:00 +00001087 db_new_tasks.append(task)
tierno1d213f42020-04-24 14:02:51 +00001088
1089 with self.write_lock:
1090 if indata.get("action"):
1091 _process_action(indata)
1092 else:
1093 # compute network differences
1094 # NS.vld
1095 step = "process NS VLDs"
sousaedu80135b92021-02-17 15:05:18 +01001096 _process_items(
1097 target_list=indata["ns"]["vld"] or [],
1098 existing_list=db_nsr.get("vld") or [],
1099 db_record="nsrs:{}:vld".format(nsr_id),
1100 db_update=db_nsr_update,
1101 db_path="vld",
1102 item="net",
1103 process_params=_process_net_params,
1104 )
tierno1d213f42020-04-24 14:02:51 +00001105
1106 step = "process NS images"
sousaedu80135b92021-02-17 15:05:18 +01001107 _process_items(
1108 target_list=indata.get("image") or [],
1109 existing_list=db_nsr.get("image") or [],
1110 db_record="nsrs:{}:image".format(nsr_id),
1111 db_update=db_nsr_update,
1112 db_path="image",
1113 item="image",
1114 process_params=_process_image_params,
1115 )
tierno1d213f42020-04-24 14:02:51 +00001116
1117 step = "process NS flavors"
sousaedu80135b92021-02-17 15:05:18 +01001118 _process_items(
1119 target_list=indata.get("flavor") or [],
1120 existing_list=db_nsr.get("flavor") or [],
1121 db_record="nsrs:{}:flavor".format(nsr_id),
1122 db_update=db_nsr_update,
1123 db_path="flavor",
1124 item="flavor",
1125 process_params=_process_flavor_params,
1126 )
tierno1d213f42020-04-24 14:02:51 +00001127
1128 # VNF.vld
1129 for vnfr_id, vnfr in db_vnfrs.items():
1130 # vnfr_id need to be set as global variable for among others nested method _process_vdu_params
1131 step = "process VNF={} VLDs".format(vnfr_id)
sousaedu80135b92021-02-17 15:05:18 +01001132 target_vnf = next(
1133 (
1134 vnf
1135 for vnf in indata.get("vnf", ())
1136 if vnf["_id"] == vnfr_id
1137 ),
1138 None,
1139 )
tierno1d213f42020-04-24 14:02:51 +00001140 target_list = target_vnf.get("vld") if target_vnf else None
sousaedu80135b92021-02-17 15:05:18 +01001141 _process_items(
1142 target_list=target_list or [],
1143 existing_list=vnfr.get("vld") or [],
1144 db_record="vnfrs:{}:vld".format(vnfr_id),
1145 db_update=db_vnfrs_update[vnfr["_id"]],
1146 db_path="vld",
1147 item="net",
1148 process_params=_process_net_params,
1149 )
tierno1d213f42020-04-24 14:02:51 +00001150
1151 target_list = target_vnf.get("vdur") if target_vnf else None
1152 step = "process VNF={} VDUs".format(vnfr_id)
sousaedu80135b92021-02-17 15:05:18 +01001153 _process_items(
1154 target_list=target_list or [],
1155 existing_list=vnfr.get("vdur") or [],
1156 db_record="vnfrs:{}:vdur".format(vnfr_id),
1157 db_update=db_vnfrs_update[vnfr["_id"]],
1158 db_path="vdur",
1159 item="vdu",
1160 process_params=_process_vdu_params,
1161 )
tierno1d213f42020-04-24 14:02:51 +00001162
tierno70eeb182020-10-19 16:38:00 +00001163 for db_task in db_new_tasks:
1164 step = "Updating database, Appending tasks to ro_tasks"
1165 target_id = db_task.pop("target_id")
1166 common_id = db_task.get("common_id")
sousaedu80135b92021-02-17 15:05:18 +01001167
tierno70eeb182020-10-19 16:38:00 +00001168 if common_id:
sousaedu80135b92021-02-17 15:05:18 +01001169 if self.db.set_one(
1170 "ro_tasks",
1171 q_filter={
1172 "target_id": target_id,
1173 "tasks.common_id": common_id,
1174 },
1175 update_dict={"to_check_at": now, "modified_at": now},
1176 push={"tasks": db_task},
1177 fail_on_empty=False,
1178 ):
tierno70eeb182020-10-19 16:38:00 +00001179 continue
sousaedu80135b92021-02-17 15:05:18 +01001180
1181 if not self.db.set_one(
1182 "ro_tasks",
1183 q_filter={
1184 "target_id": target_id,
1185 "tasks.target_record": db_task["target_record"],
1186 },
1187 update_dict={"to_check_at": now, "modified_at": now},
1188 push={"tasks": db_task},
1189 fail_on_empty=False,
1190 ):
tierno70eeb182020-10-19 16:38:00 +00001191 # Create a ro_task
1192 step = "Updating database, Creating ro_tasks"
1193 db_ro_task = _create_ro_task(target_id, db_task)
1194 nb_ro_tasks += 1
1195 self.db.create("ro_tasks", db_ro_task)
sousaedu80135b92021-02-17 15:05:18 +01001196
tierno1d213f42020-04-24 14:02:51 +00001197 step = "Updating database, nsrs"
1198 if db_nsr_update:
1199 self.db.set_one("nsrs", {"_id": nsr_id}, db_nsr_update)
sousaedu80135b92021-02-17 15:05:18 +01001200
tierno1d213f42020-04-24 14:02:51 +00001201 for vnfr_id, db_vnfr_update in db_vnfrs_update.items():
1202 if db_vnfr_update:
1203 step = "Updating database, vnfrs={}".format(vnfr_id)
1204 self.db.set_one("vnfrs", {"_id": vnfr_id}, db_vnfr_update)
1205
sousaedu80135b92021-02-17 15:05:18 +01001206 self.logger.debug(
1207 logging_text
1208 + "Exit. Created {} ro_tasks; {} tasks".format(
1209 nb_ro_tasks, len(db_new_tasks)
1210 )
1211 )
tierno1d213f42020-04-24 14:02:51 +00001212
sousaedu80135b92021-02-17 15:05:18 +01001213 return (
1214 {"status": "ok", "nsr_id": nsr_id, "action_id": action_id},
1215 action_id,
1216 True,
1217 )
tierno1d213f42020-04-24 14:02:51 +00001218 except Exception as e:
1219 if isinstance(e, (DbException, NsException)):
sousaedu80135b92021-02-17 15:05:18 +01001220 self.logger.error(
1221 logging_text + "Exit Exception while '{}': {}".format(step, e)
1222 )
tierno1d213f42020-04-24 14:02:51 +00001223 else:
1224 e = traceback_format_exc()
sousaedu80135b92021-02-17 15:05:18 +01001225 self.logger.critical(
1226 logging_text + "Exit Exception while '{}': {}".format(step, e),
1227 exc_info=True,
1228 )
1229
tierno1d213f42020-04-24 14:02:51 +00001230 raise NsException(e)
1231
1232 def delete(self, session, indata, version, nsr_id, *args, **kwargs):
tierno70eeb182020-10-19 16:38:00 +00001233 self.logger.debug("ns.delete version={} nsr_id={}".format(version, nsr_id))
tierno1d213f42020-04-24 14:02:51 +00001234 # self.db.del_list({"_id": ro_task["_id"], "tasks.nsr_id.ne": nsr_id})
sousaedu80135b92021-02-17 15:05:18 +01001235
tierno70eeb182020-10-19 16:38:00 +00001236 with self.write_lock:
1237 try:
1238 NsWorker.delete_db_tasks(self.db, nsr_id, None)
1239 except NsWorkerException as e:
1240 raise NsException(e)
sousaedu80135b92021-02-17 15:05:18 +01001241
tierno1d213f42020-04-24 14:02:51 +00001242 return None, None, True
1243
1244 def status(self, session, indata, version, nsr_id, action_id, *args, **kwargs):
tierno70eeb182020-10-19 16:38:00 +00001245 # self.logger.debug("ns.status version={} nsr_id={}, action_id={} indata={}"
1246 # .format(version, nsr_id, action_id, indata))
tierno1d213f42020-04-24 14:02:51 +00001247 task_list = []
1248 done = 0
1249 total = 0
1250 ro_tasks = self.db.get_list("ro_tasks", {"tasks.action_id": action_id})
1251 global_status = "DONE"
1252 details = []
sousaedu80135b92021-02-17 15:05:18 +01001253
tierno1d213f42020-04-24 14:02:51 +00001254 for ro_task in ro_tasks:
1255 for task in ro_task["tasks"]:
tierno70eeb182020-10-19 16:38:00 +00001256 if task and task["action_id"] == action_id:
tierno1d213f42020-04-24 14:02:51 +00001257 task_list.append(task)
1258 total += 1
sousaedu80135b92021-02-17 15:05:18 +01001259
tierno1d213f42020-04-24 14:02:51 +00001260 if task["status"] == "FAILED":
1261 global_status = "FAILED"
sousaedu80135b92021-02-17 15:05:18 +01001262 error_text = "Error at {} {}: {}".format(
1263 task["action"].lower(),
1264 task["item"],
1265 ro_task["vim_info"].get("vim_details") or "unknown",
1266 )
tierno70eeb182020-10-19 16:38:00 +00001267 details.append(error_text)
tierno1d213f42020-04-24 14:02:51 +00001268 elif task["status"] in ("SCHEDULED", "BUILD"):
1269 if global_status != "FAILED":
1270 global_status = "BUILD"
1271 else:
1272 done += 1
sousaedu80135b92021-02-17 15:05:18 +01001273
tierno1d213f42020-04-24 14:02:51 +00001274 return_data = {
1275 "status": global_status,
sousaedu80135b92021-02-17 15:05:18 +01001276 "details": ". ".join(details)
1277 if details
1278 else "progress {}/{}".format(done, total),
tierno1d213f42020-04-24 14:02:51 +00001279 "nsr_id": nsr_id,
1280 "action_id": action_id,
sousaedu80135b92021-02-17 15:05:18 +01001281 "tasks": task_list,
tierno1d213f42020-04-24 14:02:51 +00001282 }
sousaedu80135b92021-02-17 15:05:18 +01001283
tierno1d213f42020-04-24 14:02:51 +00001284 return return_data, None, True
1285
1286 def cancel(self, session, indata, version, nsr_id, action_id, *args, **kwargs):
sousaedu80135b92021-02-17 15:05:18 +01001287 print(
1288 "ns.cancel session={} indata={} version={} nsr_id={}, action_id={}".format(
1289 session, indata, version, nsr_id, action_id
1290 )
1291 )
1292
tierno1d213f42020-04-24 14:02:51 +00001293 return None, None, True
1294
1295 def get_deploy(self, session, indata, version, nsr_id, action_id, *args, **kwargs):
1296 nsrs = self.db.get_list("nsrs", {})
1297 return_data = []
sousaedu80135b92021-02-17 15:05:18 +01001298
tierno1d213f42020-04-24 14:02:51 +00001299 for ns in nsrs:
1300 return_data.append({"_id": ns["_id"], "name": ns["name"]})
sousaedu80135b92021-02-17 15:05:18 +01001301
tierno1d213f42020-04-24 14:02:51 +00001302 return return_data, None, True
1303
1304 def get_actions(self, session, indata, version, nsr_id, action_id, *args, **kwargs):
1305 ro_tasks = self.db.get_list("ro_tasks", {"tasks.nsr_id": nsr_id})
1306 return_data = []
sousaedu80135b92021-02-17 15:05:18 +01001307
tierno1d213f42020-04-24 14:02:51 +00001308 for ro_task in ro_tasks:
1309 for task in ro_task["tasks"]:
1310 if task["action_id"] not in return_data:
1311 return_data.append(task["action_id"])
sousaedu80135b92021-02-17 15:05:18 +01001312
tierno1d213f42020-04-24 14:02:51 +00001313 return return_data, None, True