Fix Bug 2098: Get VDUs from VNFR when Heal op has no additionalPrameters
[osm/RO.git] / NG-RO / osm_ng_ro / ns.py
1 # -*- 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
19 from http import HTTPStatus
20 from itertools import product
21 import logging
22 from random import choice as random_choice
23 from threading import Lock
24 from time import time
25 from traceback import format_exc as traceback_format_exc
26 from typing import Any, Dict, Tuple, Type
27 from uuid import uuid4
28
29 from cryptography.hazmat.backends import default_backend as crypto_default_backend
30 from cryptography.hazmat.primitives import serialization as crypto_serialization
31 from cryptography.hazmat.primitives.asymmetric import rsa
32 from jinja2 import (
33 Environment,
34 select_autoescape,
35 StrictUndefined,
36 TemplateError,
37 TemplateNotFound,
38 UndefinedError,
39 )
40 from osm_common import (
41 dbmemory,
42 dbmongo,
43 fslocal,
44 fsmongo,
45 msgkafka,
46 msglocal,
47 version as common_version,
48 )
49 from osm_common.dbbase import DbBase, DbException
50 from osm_common.fsbase import FsBase, FsException
51 from osm_common.msgbase import MsgException
52 from osm_ng_ro.ns_thread import deep_get, NsWorker, NsWorkerException
53 from osm_ng_ro.validation import deploy_schema, validate_input
54 import yaml
55
56 __author__ = "Alfonso Tierno <alfonso.tiernosepulveda@telefonica.com>"
57 min_common_version = "0.1.16"
58
59
60 class NsException(Exception):
61 def __init__(self, message, http_code=HTTPStatus.BAD_REQUEST):
62 self.http_code = http_code
63 super(Exception, self).__init__(message)
64
65
66 def get_process_id():
67 """
68 Obtain a unique ID for this process. If running from inside docker, it will get docker ID. If not it
69 will provide a random one
70 :return: Obtained ID
71 """
72 # Try getting docker id. If fails, get pid
73 try:
74 with open("/proc/self/cgroup", "r") as f:
75 text_id_ = f.readline()
76 _, _, text_id = text_id_.rpartition("/")
77 text_id = text_id.replace("\n", "")[:12]
78
79 if text_id:
80 return text_id
81 except Exception as error:
82 logging.exception(f"{error} occured while getting process id")
83
84 # Return a random id
85 return "".join(random_choice("0123456789abcdef") for _ in range(12))
86
87
88 def versiontuple(v):
89 """utility for compare dot separate versions. Fills with zeros to proper number comparison"""
90 filled = []
91
92 for point in v.split("."):
93 filled.append(point.zfill(8))
94
95 return tuple(filled)
96
97
98 class Ns(object):
99 def __init__(self):
100 self.db = None
101 self.fs = None
102 self.msg = None
103 self.config = None
104 # self.operations = None
105 self.logger = None
106 # ^ Getting logger inside method self.start because parent logger (ro) is not available yet.
107 # If done now it will not be linked to parent not getting its handler and level
108 self.map_topic = {}
109 self.write_lock = None
110 self.vims_assigned = {}
111 self.next_worker = 0
112 self.plugins = {}
113 self.workers = []
114 self.process_params_function_map = {
115 "net": Ns._process_net_params,
116 "image": Ns._process_image_params,
117 "flavor": Ns._process_flavor_params,
118 "vdu": Ns._process_vdu_params,
119 "affinity-or-anti-affinity-group": Ns._process_affinity_group_params,
120 }
121 self.db_path_map = {
122 "net": "vld",
123 "image": "image",
124 "flavor": "flavor",
125 "vdu": "vdur",
126 "affinity-or-anti-affinity-group": "affinity-or-anti-affinity-group",
127 }
128
129 def init_db(self, target_version):
130 pass
131
132 def start(self, config):
133 """
134 Connect to database, filesystem storage, and messaging
135 :param config: two level dictionary with configuration. Top level should contain 'database', 'storage',
136 :param config: Configuration of db, storage, etc
137 :return: None
138 """
139 self.config = config
140 self.config["process_id"] = get_process_id() # used for HA identity
141 self.logger = logging.getLogger("ro.ns")
142
143 # check right version of common
144 if versiontuple(common_version) < versiontuple(min_common_version):
145 raise NsException(
146 "Not compatible osm/common version '{}'. Needed '{}' or higher".format(
147 common_version, min_common_version
148 )
149 )
150
151 try:
152 if not self.db:
153 if config["database"]["driver"] == "mongo":
154 self.db = dbmongo.DbMongo()
155 self.db.db_connect(config["database"])
156 elif config["database"]["driver"] == "memory":
157 self.db = dbmemory.DbMemory()
158 self.db.db_connect(config["database"])
159 else:
160 raise NsException(
161 "Invalid configuration param '{}' at '[database]':'driver'".format(
162 config["database"]["driver"]
163 )
164 )
165
166 if not self.fs:
167 if config["storage"]["driver"] == "local":
168 self.fs = fslocal.FsLocal()
169 self.fs.fs_connect(config["storage"])
170 elif config["storage"]["driver"] == "mongo":
171 self.fs = fsmongo.FsMongo()
172 self.fs.fs_connect(config["storage"])
173 elif config["storage"]["driver"] is None:
174 pass
175 else:
176 raise NsException(
177 "Invalid configuration param '{}' at '[storage]':'driver'".format(
178 config["storage"]["driver"]
179 )
180 )
181
182 if not self.msg:
183 if config["message"]["driver"] == "local":
184 self.msg = msglocal.MsgLocal()
185 self.msg.connect(config["message"])
186 elif config["message"]["driver"] == "kafka":
187 self.msg = msgkafka.MsgKafka()
188 self.msg.connect(config["message"])
189 else:
190 raise NsException(
191 "Invalid configuration param '{}' at '[message]':'driver'".format(
192 config["message"]["driver"]
193 )
194 )
195
196 # TODO load workers to deal with exising database tasks
197
198 self.write_lock = Lock()
199 except (DbException, FsException, MsgException) as e:
200 raise NsException(str(e), http_code=e.http_code)
201
202 def get_assigned_vims(self):
203 return list(self.vims_assigned.keys())
204
205 def stop(self):
206 try:
207 if self.db:
208 self.db.db_disconnect()
209
210 if self.fs:
211 self.fs.fs_disconnect()
212
213 if self.msg:
214 self.msg.disconnect()
215
216 self.write_lock = None
217 except (DbException, FsException, MsgException) as e:
218 raise NsException(str(e), http_code=e.http_code)
219
220 for worker in self.workers:
221 worker.insert_task(("terminate",))
222
223 def _create_worker(self):
224 """
225 Look for a worker thread in idle status. If not found it creates one unless the number of threads reach the
226 limit of 'server.ns_threads' configuration. If reached, it just assigns one existing thread
227 return the index of the assigned worker thread. Worker threads are storead at self.workers
228 """
229 # Look for a thread in idle status
230 worker_id = next(
231 (
232 i
233 for i in range(len(self.workers))
234 if self.workers[i] and self.workers[i].idle
235 ),
236 None,
237 )
238
239 if worker_id is not None:
240 # unset idle status to avoid race conditions
241 self.workers[worker_id].idle = False
242 else:
243 worker_id = len(self.workers)
244
245 if worker_id < self.config["global"]["server.ns_threads"]:
246 # create a new worker
247 self.workers.append(
248 NsWorker(worker_id, self.config, self.plugins, self.db)
249 )
250 self.workers[worker_id].start()
251 else:
252 # reached maximum number of threads, assign VIM to an existing one
253 worker_id = self.next_worker
254 self.next_worker = (self.next_worker + 1) % self.config["global"][
255 "server.ns_threads"
256 ]
257
258 return worker_id
259
260 def assign_vim(self, target_id):
261 with self.write_lock:
262 return self._assign_vim(target_id)
263
264 def _assign_vim(self, target_id):
265 if target_id not in self.vims_assigned:
266 worker_id = self.vims_assigned[target_id] = self._create_worker()
267 self.workers[worker_id].insert_task(("load_vim", target_id))
268
269 def reload_vim(self, target_id):
270 # send reload_vim to the thread working with this VIM and inform all that a VIM has been changed,
271 # this is because database VIM information is cached for threads working with SDN
272 with self.write_lock:
273 for worker in self.workers:
274 if worker and not worker.idle:
275 worker.insert_task(("reload_vim", target_id))
276
277 def unload_vim(self, target_id):
278 with self.write_lock:
279 return self._unload_vim(target_id)
280
281 def _unload_vim(self, target_id):
282 if target_id in self.vims_assigned:
283 worker_id = self.vims_assigned[target_id]
284 self.workers[worker_id].insert_task(("unload_vim", target_id))
285 del self.vims_assigned[target_id]
286
287 def check_vim(self, target_id):
288 with self.write_lock:
289 if target_id in self.vims_assigned:
290 worker_id = self.vims_assigned[target_id]
291 else:
292 worker_id = self._create_worker()
293
294 worker = self.workers[worker_id]
295 worker.insert_task(("check_vim", target_id))
296
297 def unload_unused_vims(self):
298 with self.write_lock:
299 vims_to_unload = []
300
301 for target_id in self.vims_assigned:
302 if not self.db.get_one(
303 "ro_tasks",
304 q_filter={
305 "target_id": target_id,
306 "tasks.status": ["SCHEDULED", "BUILD", "DONE", "FAILED"],
307 },
308 fail_on_empty=False,
309 ):
310 vims_to_unload.append(target_id)
311
312 for target_id in vims_to_unload:
313 self._unload_vim(target_id)
314
315 @staticmethod
316 def _get_cloud_init(
317 db: Type[DbBase],
318 fs: Type[FsBase],
319 location: str,
320 ) -> str:
321 """This method reads cloud init from a file.
322
323 Note: Not used as cloud init content is provided in the http body.
324
325 Args:
326 db (Type[DbBase]): [description]
327 fs (Type[FsBase]): [description]
328 location (str): can be 'vnfr_id:file:file_name' or 'vnfr_id:vdu:vdu_idex'
329
330 Raises:
331 NsException: [description]
332 NsException: [description]
333
334 Returns:
335 str: [description]
336 """
337 vnfd_id, _, other = location.partition(":")
338 _type, _, name = other.partition(":")
339 vnfd = db.get_one("vnfds", {"_id": vnfd_id})
340
341 if _type == "file":
342 base_folder = vnfd["_admin"]["storage"]
343 cloud_init_file = "{}/{}/cloud_init/{}".format(
344 base_folder["folder"], base_folder["pkg-dir"], name
345 )
346
347 if not fs:
348 raise NsException(
349 "Cannot read file '{}'. Filesystem not loaded, change configuration at storage.driver".format(
350 cloud_init_file
351 )
352 )
353
354 with fs.file_open(cloud_init_file, "r") as ci_file:
355 cloud_init_content = ci_file.read()
356 elif _type == "vdu":
357 cloud_init_content = vnfd["vdu"][int(name)]["cloud-init"]
358 else:
359 raise NsException("Mismatch descriptor for cloud init: {}".format(location))
360
361 return cloud_init_content
362
363 @staticmethod
364 def _parse_jinja2(
365 cloud_init_content: str,
366 params: Dict[str, Any],
367 context: str,
368 ) -> str:
369 """Function that processes the cloud init to replace Jinja2 encoded parameters.
370
371 Args:
372 cloud_init_content (str): [description]
373 params (Dict[str, Any]): [description]
374 context (str): [description]
375
376 Raises:
377 NsException: [description]
378 NsException: [description]
379
380 Returns:
381 str: [description]
382 """
383 try:
384 env = Environment(
385 undefined=StrictUndefined,
386 autoescape=select_autoescape(default_for_string=True, default=True),
387 )
388 template = env.from_string(cloud_init_content)
389
390 return template.render(params or {})
391 except UndefinedError as e:
392 raise NsException(
393 "Variable '{}' defined at vnfd='{}' must be provided in the instantiation parameters"
394 "inside the 'additionalParamsForVnf' block".format(e, context)
395 )
396 except (TemplateError, TemplateNotFound) as e:
397 raise NsException(
398 "Error parsing Jinja2 to cloud-init content at vnfd='{}': {}".format(
399 context, e
400 )
401 )
402
403 def _create_db_ro_nsrs(self, nsr_id, now):
404 try:
405 key = rsa.generate_private_key(
406 backend=crypto_default_backend(), public_exponent=65537, key_size=2048
407 )
408 private_key = key.private_bytes(
409 crypto_serialization.Encoding.PEM,
410 crypto_serialization.PrivateFormat.PKCS8,
411 crypto_serialization.NoEncryption(),
412 )
413 public_key = key.public_key().public_bytes(
414 crypto_serialization.Encoding.OpenSSH,
415 crypto_serialization.PublicFormat.OpenSSH,
416 )
417 private_key = private_key.decode("utf8")
418 # Change first line because Paramiko needs a explicit start with 'BEGIN RSA PRIVATE KEY'
419 i = private_key.find("\n")
420 private_key = "-----BEGIN RSA PRIVATE KEY-----" + private_key[i:]
421 public_key = public_key.decode("utf8")
422 except Exception as e:
423 raise NsException("Cannot create ssh-keys: {}".format(e))
424
425 schema_version = "1.1"
426 private_key_encrypted = self.db.encrypt(
427 private_key, schema_version=schema_version, salt=nsr_id
428 )
429 db_content = {
430 "_id": nsr_id,
431 "_admin": {
432 "created": now,
433 "modified": now,
434 "schema_version": schema_version,
435 },
436 "public_key": public_key,
437 "private_key": private_key_encrypted,
438 "actions": [],
439 }
440 self.db.create("ro_nsrs", db_content)
441
442 return db_content
443
444 @staticmethod
445 def _create_task(
446 deployment_info: Dict[str, Any],
447 target_id: str,
448 item: str,
449 action: str,
450 target_record: str,
451 target_record_id: str,
452 extra_dict: Dict[str, Any] = None,
453 ) -> Dict[str, Any]:
454 """Function to create task dict from deployment information.
455
456 Args:
457 deployment_info (Dict[str, Any]): [description]
458 target_id (str): [description]
459 item (str): [description]
460 action (str): [description]
461 target_record (str): [description]
462 target_record_id (str): [description]
463 extra_dict (Dict[str, Any], optional): [description]. Defaults to None.
464
465 Returns:
466 Dict[str, Any]: [description]
467 """
468 task = {
469 "target_id": target_id, # it will be removed before pushing at database
470 "action_id": deployment_info.get("action_id"),
471 "nsr_id": deployment_info.get("nsr_id"),
472 "task_id": f"{deployment_info.get('action_id')}:{deployment_info.get('task_index')}",
473 "status": "SCHEDULED",
474 "action": action,
475 "item": item,
476 "target_record": target_record,
477 "target_record_id": target_record_id,
478 }
479
480 if extra_dict:
481 task.update(extra_dict) # params, find_params, depends_on
482
483 deployment_info["task_index"] = deployment_info.get("task_index", 0) + 1
484
485 return task
486
487 @staticmethod
488 def _create_ro_task(
489 target_id: str,
490 task: Dict[str, Any],
491 ) -> Dict[str, Any]:
492 """Function to create an RO task from task information.
493
494 Args:
495 target_id (str): [description]
496 task (Dict[str, Any]): [description]
497
498 Returns:
499 Dict[str, Any]: [description]
500 """
501 now = time()
502
503 _id = task.get("task_id")
504 db_ro_task = {
505 "_id": _id,
506 "locked_by": None,
507 "locked_at": 0.0,
508 "target_id": target_id,
509 "vim_info": {
510 "created": False,
511 "created_items": None,
512 "vim_id": None,
513 "vim_name": None,
514 "vim_status": None,
515 "vim_details": None,
516 "vim_message": None,
517 "refresh_at": None,
518 },
519 "modified_at": now,
520 "created_at": now,
521 "to_check_at": now,
522 "tasks": [task],
523 }
524
525 return db_ro_task
526
527 @staticmethod
528 def _process_image_params(
529 target_image: Dict[str, Any],
530 indata: Dict[str, Any],
531 vim_info: Dict[str, Any],
532 target_record_id: str,
533 **kwargs: Dict[str, Any],
534 ) -> Dict[str, Any]:
535 """Function to process VDU image parameters.
536
537 Args:
538 target_image (Dict[str, Any]): [description]
539 indata (Dict[str, Any]): [description]
540 vim_info (Dict[str, Any]): [description]
541 target_record_id (str): [description]
542
543 Returns:
544 Dict[str, Any]: [description]
545 """
546 find_params = {}
547
548 if target_image.get("image"):
549 find_params["filter_dict"] = {"name": target_image.get("image")}
550
551 if target_image.get("vim_image_id"):
552 find_params["filter_dict"] = {"id": target_image.get("vim_image_id")}
553
554 if target_image.get("image_checksum"):
555 find_params["filter_dict"] = {
556 "checksum": target_image.get("image_checksum")
557 }
558
559 return {"find_params": find_params}
560
561 @staticmethod
562 def _get_resource_allocation_params(
563 quota_descriptor: Dict[str, Any],
564 ) -> Dict[str, Any]:
565 """Read the quota_descriptor from vnfd and fetch the resource allocation properties from the
566 descriptor object.
567
568 Args:
569 quota_descriptor (Dict[str, Any]): cpu/mem/vif/disk-io quota descriptor
570
571 Returns:
572 Dict[str, Any]: quota params for limit, reserve, shares from the descriptor object
573 """
574 quota = {}
575
576 if quota_descriptor.get("limit"):
577 quota["limit"] = int(quota_descriptor["limit"])
578
579 if quota_descriptor.get("reserve"):
580 quota["reserve"] = int(quota_descriptor["reserve"])
581
582 if quota_descriptor.get("shares"):
583 quota["shares"] = int(quota_descriptor["shares"])
584
585 return quota
586
587 @staticmethod
588 def _process_guest_epa_quota_params(
589 guest_epa_quota: Dict[str, Any],
590 epa_vcpu_set: bool,
591 ) -> Dict[str, Any]:
592 """Function to extract the guest epa quota parameters.
593
594 Args:
595 guest_epa_quota (Dict[str, Any]): [description]
596 epa_vcpu_set (bool): [description]
597
598 Returns:
599 Dict[str, Any]: [description]
600 """
601 result = {}
602
603 if guest_epa_quota.get("cpu-quota") and not epa_vcpu_set:
604 cpuquota = Ns._get_resource_allocation_params(
605 guest_epa_quota.get("cpu-quota")
606 )
607
608 if cpuquota:
609 result["cpu-quota"] = cpuquota
610
611 if guest_epa_quota.get("mem-quota"):
612 vduquota = Ns._get_resource_allocation_params(
613 guest_epa_quota.get("mem-quota")
614 )
615
616 if vduquota:
617 result["mem-quota"] = vduquota
618
619 if guest_epa_quota.get("disk-io-quota"):
620 diskioquota = Ns._get_resource_allocation_params(
621 guest_epa_quota.get("disk-io-quota")
622 )
623
624 if diskioquota:
625 result["disk-io-quota"] = diskioquota
626
627 if guest_epa_quota.get("vif-quota"):
628 vifquota = Ns._get_resource_allocation_params(
629 guest_epa_quota.get("vif-quota")
630 )
631
632 if vifquota:
633 result["vif-quota"] = vifquota
634
635 return result
636
637 @staticmethod
638 def _process_guest_epa_numa_params(
639 guest_epa_quota: Dict[str, Any],
640 ) -> Tuple[Dict[str, Any], bool]:
641 """[summary]
642
643 Args:
644 guest_epa_quota (Dict[str, Any]): [description]
645
646 Returns:
647 Tuple[Dict[str, Any], bool]: [description]
648 """
649 numa = {}
650 epa_vcpu_set = False
651
652 if guest_epa_quota.get("numa-node-policy"):
653 numa_node_policy = guest_epa_quota.get("numa-node-policy")
654
655 if numa_node_policy.get("node"):
656 numa_node = numa_node_policy["node"][0]
657
658 if numa_node.get("num-cores"):
659 numa["cores"] = numa_node["num-cores"]
660 epa_vcpu_set = True
661
662 paired_threads = numa_node.get("paired-threads", {})
663 if paired_threads.get("num-paired-threads"):
664 numa["paired-threads"] = int(
665 numa_node["paired-threads"]["num-paired-threads"]
666 )
667 epa_vcpu_set = True
668
669 if paired_threads.get("paired-thread-ids"):
670 numa["paired-threads-id"] = []
671
672 for pair in paired_threads["paired-thread-ids"]:
673 numa["paired-threads-id"].append(
674 (
675 str(pair["thread-a"]),
676 str(pair["thread-b"]),
677 )
678 )
679
680 if numa_node.get("num-threads"):
681 numa["threads"] = int(numa_node["num-threads"])
682 epa_vcpu_set = True
683
684 if numa_node.get("memory-mb"):
685 numa["memory"] = max(int(int(numa_node["memory-mb"]) / 1024), 1)
686
687 return numa, epa_vcpu_set
688
689 @staticmethod
690 def _process_guest_epa_cpu_pinning_params(
691 guest_epa_quota: Dict[str, Any],
692 vcpu_count: int,
693 epa_vcpu_set: bool,
694 ) -> Tuple[Dict[str, Any], bool]:
695 """[summary]
696
697 Args:
698 guest_epa_quota (Dict[str, Any]): [description]
699 vcpu_count (int): [description]
700 epa_vcpu_set (bool): [description]
701
702 Returns:
703 Tuple[Dict[str, Any], bool]: [description]
704 """
705 numa = {}
706 local_epa_vcpu_set = epa_vcpu_set
707
708 if (
709 guest_epa_quota.get("cpu-pinning-policy") == "DEDICATED"
710 and not epa_vcpu_set
711 ):
712 numa[
713 "cores"
714 if guest_epa_quota.get("cpu-thread-pinning-policy") != "PREFER"
715 else "threads"
716 ] = max(vcpu_count, 1)
717 local_epa_vcpu_set = True
718
719 return numa, local_epa_vcpu_set
720
721 @staticmethod
722 def _process_epa_params(
723 target_flavor: Dict[str, Any],
724 ) -> Dict[str, Any]:
725 """[summary]
726
727 Args:
728 target_flavor (Dict[str, Any]): [description]
729
730 Returns:
731 Dict[str, Any]: [description]
732 """
733 extended = {}
734 numa = {}
735
736 if target_flavor.get("guest-epa"):
737 guest_epa = target_flavor["guest-epa"]
738
739 numa, epa_vcpu_set = Ns._process_guest_epa_numa_params(
740 guest_epa_quota=guest_epa
741 )
742
743 if guest_epa.get("mempage-size"):
744 extended["mempage-size"] = guest_epa.get("mempage-size")
745
746 tmp_numa, epa_vcpu_set = Ns._process_guest_epa_cpu_pinning_params(
747 guest_epa_quota=guest_epa,
748 vcpu_count=int(target_flavor.get("vcpu-count", 1)),
749 epa_vcpu_set=epa_vcpu_set,
750 )
751 numa.update(tmp_numa)
752
753 extended.update(
754 Ns._process_guest_epa_quota_params(
755 guest_epa_quota=guest_epa,
756 epa_vcpu_set=epa_vcpu_set,
757 )
758 )
759
760 if numa:
761 extended["numas"] = [numa]
762
763 return extended
764
765 @staticmethod
766 def _process_flavor_params(
767 target_flavor: Dict[str, Any],
768 indata: Dict[str, Any],
769 vim_info: Dict[str, Any],
770 target_record_id: str,
771 **kwargs: Dict[str, Any],
772 ) -> Dict[str, Any]:
773 """[summary]
774
775 Args:
776 target_flavor (Dict[str, Any]): [description]
777 indata (Dict[str, Any]): [description]
778 vim_info (Dict[str, Any]): [description]
779 target_record_id (str): [description]
780
781 Returns:
782 Dict[str, Any]: [description]
783 """
784 db = kwargs.get("db")
785 target_vdur = {}
786
787 flavor_data = {
788 "disk": int(target_flavor["storage-gb"]),
789 "ram": int(target_flavor["memory-mb"]),
790 "vcpus": int(target_flavor["vcpu-count"]),
791 }
792
793 for vnf in indata.get("vnf", []):
794 for vdur in vnf.get("vdur", []):
795 if vdur.get("ns-flavor-id") == target_flavor.get("id"):
796 target_vdur = vdur
797
798 if db and isinstance(indata.get("vnf"), list):
799 vnfd_id = indata.get("vnf")[0].get("vnfd-id")
800 vnfd = db.get_one("vnfds", {"_id": vnfd_id})
801 # check if there is persistent root disk
802 for vdu in vnfd.get("vdu", ()):
803 if vdu["name"] == target_vdur.get("vdu-name"):
804 for vsd in vnfd.get("virtual-storage-desc", ()):
805 if vsd.get("id") == vdu.get("virtual-storage-desc", [[]])[0]:
806 root_disk = vsd
807 if (
808 root_disk.get("type-of-storage")
809 == "persistent-storage:persistent-storage"
810 ):
811 flavor_data["disk"] = 0
812
813 for storage in target_vdur.get("virtual-storages", []):
814 if (
815 storage.get("type-of-storage")
816 == "etsi-nfv-descriptors:ephemeral-storage"
817 ):
818 flavor_data["ephemeral"] = int(storage.get("size-of-storage", 0))
819 elif storage.get("type-of-storage") == "etsi-nfv-descriptors:swap-storage":
820 flavor_data["swap"] = int(storage.get("size-of-storage", 0))
821
822 extended = Ns._process_epa_params(target_flavor)
823 if extended:
824 flavor_data["extended"] = extended
825
826 extra_dict = {"find_params": {"flavor_data": flavor_data}}
827 flavor_data_name = flavor_data.copy()
828 flavor_data_name["name"] = target_flavor["name"]
829 extra_dict["params"] = {"flavor_data": flavor_data_name}
830
831 return extra_dict
832
833 @staticmethod
834 def _ip_profile_to_ro(
835 ip_profile: Dict[str, Any],
836 ) -> Dict[str, Any]:
837 """[summary]
838
839 Args:
840 ip_profile (Dict[str, Any]): [description]
841
842 Returns:
843 Dict[str, Any]: [description]
844 """
845 if not ip_profile:
846 return None
847
848 ro_ip_profile = {
849 "ip_version": "IPv4"
850 if "v4" in ip_profile.get("ip-version", "ipv4")
851 else "IPv6",
852 "subnet_address": ip_profile.get("subnet-address"),
853 "gateway_address": ip_profile.get("gateway-address"),
854 "dhcp_enabled": ip_profile.get("dhcp-params", {}).get("enabled", False),
855 "dhcp_start_address": ip_profile.get("dhcp-params", {}).get(
856 "start-address", None
857 ),
858 "dhcp_count": ip_profile.get("dhcp-params", {}).get("count", None),
859 }
860
861 if ip_profile.get("dns-server"):
862 ro_ip_profile["dns_address"] = ";".join(
863 [v["address"] for v in ip_profile["dns-server"] if v.get("address")]
864 )
865
866 if ip_profile.get("security-group"):
867 ro_ip_profile["security_group"] = ip_profile["security-group"]
868
869 return ro_ip_profile
870
871 @staticmethod
872 def _process_net_params(
873 target_vld: Dict[str, Any],
874 indata: Dict[str, Any],
875 vim_info: Dict[str, Any],
876 target_record_id: str,
877 **kwargs: Dict[str, Any],
878 ) -> Dict[str, Any]:
879 """Function to process network parameters.
880
881 Args:
882 target_vld (Dict[str, Any]): [description]
883 indata (Dict[str, Any]): [description]
884 vim_info (Dict[str, Any]): [description]
885 target_record_id (str): [description]
886
887 Returns:
888 Dict[str, Any]: [description]
889 """
890 extra_dict = {}
891
892 if vim_info.get("sdn"):
893 # vnf_preffix = "vnfrs:{}".format(vnfr_id)
894 # ns_preffix = "nsrs:{}".format(nsr_id)
895 # remove the ending ".sdn
896 vld_target_record_id, _, _ = target_record_id.rpartition(".")
897 extra_dict["params"] = {
898 k: vim_info[k]
899 for k in ("sdn-ports", "target_vim", "vlds", "type")
900 if vim_info.get(k)
901 }
902
903 # TODO needed to add target_id in the dependency.
904 if vim_info.get("target_vim"):
905 extra_dict["depends_on"] = [
906 f"{vim_info.get('target_vim')} {vld_target_record_id}"
907 ]
908
909 return extra_dict
910
911 if vim_info.get("vim_network_name"):
912 extra_dict["find_params"] = {
913 "filter_dict": {
914 "name": vim_info.get("vim_network_name"),
915 },
916 }
917 elif vim_info.get("vim_network_id"):
918 extra_dict["find_params"] = {
919 "filter_dict": {
920 "id": vim_info.get("vim_network_id"),
921 },
922 }
923 elif target_vld.get("mgmt-network"):
924 extra_dict["find_params"] = {
925 "mgmt": True,
926 "name": target_vld["id"],
927 }
928 else:
929 # create
930 extra_dict["params"] = {
931 "net_name": (
932 f"{indata.get('name')[:16]}-{target_vld.get('name', target_vld.get('id'))[:16]}"
933 ),
934 "ip_profile": Ns._ip_profile_to_ro(vim_info.get("ip_profile")),
935 "provider_network_profile": vim_info.get("provider_network"),
936 }
937
938 if not target_vld.get("underlay"):
939 extra_dict["params"]["net_type"] = "bridge"
940 else:
941 extra_dict["params"]["net_type"] = (
942 "ptp" if target_vld.get("type") == "ELINE" else "data"
943 )
944
945 return extra_dict
946
947 @staticmethod
948 def find_persistent_root_volumes(
949 vnfd: dict,
950 target_vdu: str,
951 vdu_instantiation_volumes_list: list,
952 disk_list: list,
953 ) -> (list, dict):
954 """Find the persistent root volumes and add them to the disk_list
955 by parsing the instantiation parameters
956
957 Args:
958 vnfd: VNFD
959 target_vdu: processed VDU
960 vdu_instantiation_volumes_list: instantiation parameters for the each VDU as a list
961 disk_list: to be filled up
962
963 Returns:
964 disk_list: filled VDU list which is used for VDU creation
965
966 """
967 persistent_root_disk = {}
968
969 for vdu, vsd in product(
970 vnfd.get("vdu", ()), vnfd.get("virtual-storage-desc", ())
971 ):
972 if (
973 vdu["name"] == target_vdu["vdu-name"]
974 and vsd.get("id") == vdu.get("virtual-storage-desc", [[]])[0]
975 ):
976 root_disk = vsd
977 if (
978 root_disk.get("type-of-storage")
979 == "persistent-storage:persistent-storage"
980 ):
981 for vdu_volume in vdu_instantiation_volumes_list:
982
983 if (
984 vdu_volume["vim-volume-id"]
985 and root_disk["id"] == vdu_volume["name"]
986 ):
987
988 persistent_root_disk[vsd["id"]] = {
989 "vim_volume_id": vdu_volume["vim-volume-id"],
990 "image_id": vdu.get("sw-image-desc"),
991 }
992
993 disk_list.append(persistent_root_disk[vsd["id"]])
994
995 # There can be only one root disk, when we find it, it will return the result
996 return disk_list, persistent_root_disk
997
998 else:
999
1000 if root_disk.get("size-of-storage"):
1001 persistent_root_disk[vsd["id"]] = {
1002 "image_id": vdu.get("sw-image-desc"),
1003 "size": root_disk.get("size-of-storage"),
1004 }
1005
1006 disk_list.append(persistent_root_disk[vsd["id"]])
1007 return disk_list, persistent_root_disk
1008
1009 return disk_list, persistent_root_disk
1010
1011 @staticmethod
1012 def find_persistent_volumes(
1013 persistent_root_disk: dict,
1014 target_vdu: str,
1015 vdu_instantiation_volumes_list: list,
1016 disk_list: list,
1017 ) -> list:
1018 """Find the ordinary persistent volumes and add them to the disk_list
1019 by parsing the instantiation parameters
1020
1021 Args:
1022 persistent_root_disk: persistent root disk dictionary
1023 target_vdu: processed VDU
1024 vdu_instantiation_volumes_list: instantiation parameters for the each VDU as a list
1025 disk_list: to be filled up
1026
1027 Returns:
1028 disk_list: filled VDU list which is used for VDU creation
1029
1030 """
1031 # Find the ordinary volumes which are not added to the persistent_root_disk
1032 persistent_disk = {}
1033 for disk in target_vdu.get("virtual-storages", {}):
1034 if (
1035 disk.get("type-of-storage") == "persistent-storage:persistent-storage"
1036 and disk["id"] not in persistent_root_disk.keys()
1037 ):
1038 for vdu_volume in vdu_instantiation_volumes_list:
1039
1040 if vdu_volume["vim-volume-id"] and disk["id"] == vdu_volume["name"]:
1041
1042 persistent_disk[disk["id"]] = {
1043 "vim_volume_id": vdu_volume["vim-volume-id"],
1044 }
1045 disk_list.append(persistent_disk[disk["id"]])
1046
1047 else:
1048 if disk["id"] not in persistent_disk.keys():
1049 persistent_disk[disk["id"]] = {
1050 "size": disk.get("size-of-storage"),
1051 }
1052 disk_list.append(persistent_disk[disk["id"]])
1053
1054 return disk_list
1055
1056 @staticmethod
1057 def _process_vdu_params(
1058 target_vdu: Dict[str, Any],
1059 indata: Dict[str, Any],
1060 vim_info: Dict[str, Any],
1061 target_record_id: str,
1062 **kwargs: Dict[str, Any],
1063 ) -> Dict[str, Any]:
1064 """Function to process VDU parameters.
1065
1066 Args:
1067 target_vdu (Dict[str, Any]): [description]
1068 indata (Dict[str, Any]): [description]
1069 vim_info (Dict[str, Any]): [description]
1070 target_record_id (str): [description]
1071
1072 Returns:
1073 Dict[str, Any]: [description]
1074 """
1075 vnfr_id = kwargs.get("vnfr_id")
1076 nsr_id = kwargs.get("nsr_id")
1077 vnfr = kwargs.get("vnfr")
1078 vdu2cloud_init = kwargs.get("vdu2cloud_init")
1079 tasks_by_target_record_id = kwargs.get("tasks_by_target_record_id")
1080 logger = kwargs.get("logger")
1081 db = kwargs.get("db")
1082 fs = kwargs.get("fs")
1083 ro_nsr_public_key = kwargs.get("ro_nsr_public_key")
1084
1085 vnf_preffix = "vnfrs:{}".format(vnfr_id)
1086 ns_preffix = "nsrs:{}".format(nsr_id)
1087 image_text = ns_preffix + ":image." + target_vdu["ns-image-id"]
1088 flavor_text = ns_preffix + ":flavor." + target_vdu["ns-flavor-id"]
1089 extra_dict = {"depends_on": [image_text, flavor_text]}
1090 net_list = []
1091
1092 # If the position info is provided for all the interfaces, it will be sorted
1093 # according to position number ascendingly.
1094 if all(
1095 i.get("position") + 1
1096 for i in target_vdu["interfaces"]
1097 if i.get("position") is not None
1098 ):
1099 sorted_interfaces = sorted(
1100 target_vdu["interfaces"],
1101 key=lambda x: (x.get("position") is None, x.get("position")),
1102 )
1103 target_vdu["interfaces"] = sorted_interfaces
1104
1105 # If the position info is provided for some interfaces but not all of them, the interfaces
1106 # which has specific position numbers will be placed and others' positions will not be taken care.
1107 else:
1108 if any(
1109 i.get("position") + 1
1110 for i in target_vdu["interfaces"]
1111 if i.get("position") is not None
1112 ):
1113 n = len(target_vdu["interfaces"])
1114 sorted_interfaces = [-1] * n
1115 k, m = 0, 0
1116 while k < n:
1117 if target_vdu["interfaces"][k].get("position"):
1118 idx = target_vdu["interfaces"][k]["position"]
1119 sorted_interfaces[idx - 1] = target_vdu["interfaces"][k]
1120 k += 1
1121 while m < n:
1122 if not target_vdu["interfaces"][m].get("position"):
1123 idy = sorted_interfaces.index(-1)
1124 sorted_interfaces[idy] = target_vdu["interfaces"][m]
1125 m += 1
1126
1127 target_vdu["interfaces"] = sorted_interfaces
1128
1129 # If the position info is not provided for the interfaces, interfaces will be attached
1130 # according to the order in the VNFD.
1131 for iface_index, interface in enumerate(target_vdu["interfaces"]):
1132 if interface.get("ns-vld-id"):
1133 net_text = ns_preffix + ":vld." + interface["ns-vld-id"]
1134 elif interface.get("vnf-vld-id"):
1135 net_text = vnf_preffix + ":vld." + interface["vnf-vld-id"]
1136 else:
1137 logger.error(
1138 "Interface {} from vdu {} not connected to any vld".format(
1139 iface_index, target_vdu["vdu-name"]
1140 )
1141 )
1142
1143 continue # interface not connected to any vld
1144
1145 extra_dict["depends_on"].append(net_text)
1146
1147 if "port-security-enabled" in interface:
1148 interface["port_security"] = interface.pop("port-security-enabled")
1149
1150 if "port-security-disable-strategy" in interface:
1151 interface["port_security_disable_strategy"] = interface.pop(
1152 "port-security-disable-strategy"
1153 )
1154
1155 net_item = {
1156 x: v
1157 for x, v in interface.items()
1158 if x
1159 in (
1160 "name",
1161 "vpci",
1162 "port_security",
1163 "port_security_disable_strategy",
1164 "floating_ip",
1165 )
1166 }
1167 net_item["net_id"] = "TASK-" + net_text
1168 net_item["type"] = "virtual"
1169
1170 # TODO mac_address: used for SR-IOV ifaces #TODO for other types
1171 # TODO floating_ip: True/False (or it can be None)
1172 if interface.get("type") in ("SR-IOV", "PCI-PASSTHROUGH"):
1173 # mark the net create task as type data
1174 if deep_get(
1175 tasks_by_target_record_id,
1176 net_text,
1177 "extra_dict",
1178 "params",
1179 "net_type",
1180 ):
1181 tasks_by_target_record_id[net_text]["extra_dict"]["params"][
1182 "net_type"
1183 ] = "data"
1184
1185 net_item["use"] = "data"
1186 net_item["model"] = interface["type"]
1187 net_item["type"] = interface["type"]
1188 elif (
1189 interface.get("type") == "OM-MGMT"
1190 or interface.get("mgmt-interface")
1191 or interface.get("mgmt-vnf")
1192 ):
1193 net_item["use"] = "mgmt"
1194 else:
1195 # if interface.get("type") in ("VIRTIO", "E1000", "PARAVIRT"):
1196 net_item["use"] = "bridge"
1197 net_item["model"] = interface.get("type")
1198
1199 if interface.get("ip-address"):
1200 net_item["ip_address"] = interface["ip-address"]
1201
1202 if interface.get("mac-address"):
1203 net_item["mac_address"] = interface["mac-address"]
1204
1205 net_list.append(net_item)
1206
1207 if interface.get("mgmt-vnf"):
1208 extra_dict["mgmt_vnf_interface"] = iface_index
1209 elif interface.get("mgmt-interface"):
1210 extra_dict["mgmt_vdu_interface"] = iface_index
1211
1212 # cloud config
1213 cloud_config = {}
1214
1215 if target_vdu.get("cloud-init"):
1216 if target_vdu["cloud-init"] not in vdu2cloud_init:
1217 vdu2cloud_init[target_vdu["cloud-init"]] = Ns._get_cloud_init(
1218 db=db,
1219 fs=fs,
1220 location=target_vdu["cloud-init"],
1221 )
1222
1223 cloud_content_ = vdu2cloud_init[target_vdu["cloud-init"]]
1224 cloud_config["user-data"] = Ns._parse_jinja2(
1225 cloud_init_content=cloud_content_,
1226 params=target_vdu.get("additionalParams"),
1227 context=target_vdu["cloud-init"],
1228 )
1229
1230 if target_vdu.get("boot-data-drive"):
1231 cloud_config["boot-data-drive"] = target_vdu.get("boot-data-drive")
1232
1233 ssh_keys = []
1234
1235 if target_vdu.get("ssh-keys"):
1236 ssh_keys += target_vdu.get("ssh-keys")
1237
1238 if target_vdu.get("ssh-access-required"):
1239 ssh_keys.append(ro_nsr_public_key)
1240
1241 if ssh_keys:
1242 cloud_config["key-pairs"] = ssh_keys
1243
1244 persistent_root_disk = {}
1245 vdu_instantiation_volumes_list = []
1246 disk_list = []
1247 vnfd_id = vnfr["vnfd-id"]
1248 vnfd = db.get_one("vnfds", {"_id": vnfd_id})
1249
1250 if target_vdu.get("additionalParams"):
1251 vdu_instantiation_volumes_list = (
1252 target_vdu.get("additionalParams").get("OSM").get("vdu_volumes")
1253 )
1254
1255 if vdu_instantiation_volumes_list:
1256
1257 # Find the root volumes and add to the disk_list
1258 (disk_list, persistent_root_disk,) = Ns.find_persistent_root_volumes(
1259 vnfd, target_vdu, vdu_instantiation_volumes_list, disk_list
1260 )
1261
1262 # Find the ordinary volumes which are not added to the persistent_root_disk
1263 # and put them to the disk list
1264 disk_list = Ns.find_persistent_volumes(
1265 persistent_root_disk,
1266 target_vdu,
1267 vdu_instantiation_volumes_list,
1268 disk_list,
1269 )
1270
1271 else:
1272
1273 # vdu_instantiation_volumes_list is empty
1274 for vdu in vnfd.get("vdu", ()):
1275 if vdu["name"] == target_vdu["vdu-name"]:
1276 for vsd in vnfd.get("virtual-storage-desc", ()):
1277 if vsd.get("id") == vdu.get("virtual-storage-desc", [[]])[0]:
1278 root_disk = vsd
1279 if root_disk.get(
1280 "type-of-storage"
1281 ) == "persistent-storage:persistent-storage" and root_disk.get(
1282 "size-of-storage"
1283 ):
1284 persistent_root_disk[vsd["id"]] = {
1285 "image_id": vdu.get("sw-image-desc"),
1286 "size": root_disk["size-of-storage"],
1287 }
1288 disk_list.append(persistent_root_disk[vsd["id"]])
1289
1290 if target_vdu.get("virtual-storages"):
1291 for disk in target_vdu["virtual-storages"]:
1292 if (
1293 disk.get("type-of-storage")
1294 == "persistent-storage:persistent-storage"
1295 and disk["id"] not in persistent_root_disk.keys()
1296 ):
1297 disk_list.append({"size": disk["size-of-storage"]})
1298
1299 affinity_group_list = []
1300
1301 if target_vdu.get("affinity-or-anti-affinity-group-id"):
1302 affinity_group = {}
1303 for affinity_group_id in target_vdu["affinity-or-anti-affinity-group-id"]:
1304 affinity_group_text = (
1305 ns_preffix + ":affinity-or-anti-affinity-group." + affinity_group_id
1306 )
1307
1308 extra_dict["depends_on"].append(affinity_group_text)
1309 affinity_group["affinity_group_id"] = "TASK-" + affinity_group_text
1310 affinity_group_list.append(affinity_group)
1311
1312 extra_dict["params"] = {
1313 "name": "{}-{}-{}-{}".format(
1314 indata["name"][:16],
1315 vnfr["member-vnf-index-ref"][:16],
1316 target_vdu["vdu-name"][:32],
1317 target_vdu.get("count-index") or 0,
1318 ),
1319 "description": target_vdu["vdu-name"],
1320 "start": True,
1321 "image_id": "TASK-" + image_text,
1322 "flavor_id": "TASK-" + flavor_text,
1323 "affinity_group_list": affinity_group_list,
1324 "net_list": net_list,
1325 "cloud_config": cloud_config or None,
1326 "disk_list": disk_list,
1327 "availability_zone_index": None, # TODO
1328 "availability_zone_list": None, # TODO
1329 }
1330
1331 return extra_dict
1332
1333 @staticmethod
1334 def _process_affinity_group_params(
1335 target_affinity_group: Dict[str, Any],
1336 indata: Dict[str, Any],
1337 vim_info: Dict[str, Any],
1338 target_record_id: str,
1339 **kwargs: Dict[str, Any],
1340 ) -> Dict[str, Any]:
1341 """Get affinity or anti-affinity group parameters.
1342
1343 Args:
1344 target_affinity_group (Dict[str, Any]): [description]
1345 indata (Dict[str, Any]): [description]
1346 vim_info (Dict[str, Any]): [description]
1347 target_record_id (str): [description]
1348
1349 Returns:
1350 Dict[str, Any]: [description]
1351 """
1352
1353 extra_dict = {}
1354 affinity_group_data = {
1355 "name": target_affinity_group["name"],
1356 "type": target_affinity_group["type"],
1357 "scope": target_affinity_group["scope"],
1358 }
1359
1360 if target_affinity_group.get("vim-affinity-group-id"):
1361 affinity_group_data["vim-affinity-group-id"] = target_affinity_group[
1362 "vim-affinity-group-id"
1363 ]
1364
1365 extra_dict["params"] = {
1366 "affinity_group_data": affinity_group_data,
1367 }
1368
1369 return extra_dict
1370
1371 @staticmethod
1372 def _process_recreate_vdu_params(
1373 existing_vdu: Dict[str, Any],
1374 db_nsr: Dict[str, Any],
1375 vim_info: Dict[str, Any],
1376 target_record_id: str,
1377 target_id: str,
1378 **kwargs: Dict[str, Any],
1379 ) -> Dict[str, Any]:
1380 """Function to process VDU parameters to recreate.
1381
1382 Args:
1383 existing_vdu (Dict[str, Any]): [description]
1384 db_nsr (Dict[str, Any]): [description]
1385 vim_info (Dict[str, Any]): [description]
1386 target_record_id (str): [description]
1387 target_id (str): [description]
1388
1389 Returns:
1390 Dict[str, Any]: [description]
1391 """
1392 vnfr = kwargs.get("vnfr")
1393 vdu2cloud_init = kwargs.get("vdu2cloud_init")
1394 # logger = kwargs.get("logger")
1395 db = kwargs.get("db")
1396 fs = kwargs.get("fs")
1397 ro_nsr_public_key = kwargs.get("ro_nsr_public_key")
1398
1399 extra_dict = {}
1400 net_list = []
1401
1402 vim_details = {}
1403 vim_details_text = existing_vdu["vim_info"][target_id].get("vim_details", None)
1404 if vim_details_text:
1405 vim_details = yaml.safe_load(f"{vim_details_text}")
1406
1407 for iface_index, interface in enumerate(existing_vdu["interfaces"]):
1408
1409 if "port-security-enabled" in interface:
1410 interface["port_security"] = interface.pop("port-security-enabled")
1411
1412 if "port-security-disable-strategy" in interface:
1413 interface["port_security_disable_strategy"] = interface.pop(
1414 "port-security-disable-strategy"
1415 )
1416
1417 net_item = {
1418 x: v
1419 for x, v in interface.items()
1420 if x
1421 in (
1422 "name",
1423 "vpci",
1424 "port_security",
1425 "port_security_disable_strategy",
1426 "floating_ip",
1427 )
1428 }
1429 existing_ifaces = existing_vdu["vim_info"][target_id].get(
1430 "interfaces_backup", []
1431 )
1432 net_id = next(
1433 (
1434 i["vim_net_id"]
1435 for i in existing_ifaces
1436 if i["ip_address"] == interface["ip-address"]
1437 ),
1438 None,
1439 )
1440
1441 net_item["net_id"] = net_id
1442 net_item["type"] = "virtual"
1443
1444 # TODO mac_address: used for SR-IOV ifaces #TODO for other types
1445 # TODO floating_ip: True/False (or it can be None)
1446 if interface.get("type") in ("SR-IOV", "PCI-PASSTHROUGH"):
1447 net_item["use"] = "data"
1448 net_item["model"] = interface["type"]
1449 net_item["type"] = interface["type"]
1450 elif (
1451 interface.get("type") == "OM-MGMT"
1452 or interface.get("mgmt-interface")
1453 or interface.get("mgmt-vnf")
1454 ):
1455 net_item["use"] = "mgmt"
1456 else:
1457 # if interface.get("type") in ("VIRTIO", "E1000", "PARAVIRT"):
1458 net_item["use"] = "bridge"
1459 net_item["model"] = interface.get("type")
1460
1461 if interface.get("ip-address"):
1462 net_item["ip_address"] = interface["ip-address"]
1463
1464 if interface.get("mac-address"):
1465 net_item["mac_address"] = interface["mac-address"]
1466
1467 net_list.append(net_item)
1468
1469 if interface.get("mgmt-vnf"):
1470 extra_dict["mgmt_vnf_interface"] = iface_index
1471 elif interface.get("mgmt-interface"):
1472 extra_dict["mgmt_vdu_interface"] = iface_index
1473
1474 # cloud config
1475 cloud_config = {}
1476
1477 if existing_vdu.get("cloud-init"):
1478 if existing_vdu["cloud-init"] not in vdu2cloud_init:
1479 vdu2cloud_init[existing_vdu["cloud-init"]] = Ns._get_cloud_init(
1480 db=db,
1481 fs=fs,
1482 location=existing_vdu["cloud-init"],
1483 )
1484
1485 cloud_content_ = vdu2cloud_init[existing_vdu["cloud-init"]]
1486 cloud_config["user-data"] = Ns._parse_jinja2(
1487 cloud_init_content=cloud_content_,
1488 params=existing_vdu.get("additionalParams"),
1489 context=existing_vdu["cloud-init"],
1490 )
1491
1492 if existing_vdu.get("boot-data-drive"):
1493 cloud_config["boot-data-drive"] = existing_vdu.get("boot-data-drive")
1494
1495 ssh_keys = []
1496
1497 if existing_vdu.get("ssh-keys"):
1498 ssh_keys += existing_vdu.get("ssh-keys")
1499
1500 if existing_vdu.get("ssh-access-required"):
1501 ssh_keys.append(ro_nsr_public_key)
1502
1503 if ssh_keys:
1504 cloud_config["key-pairs"] = ssh_keys
1505
1506 disk_list = []
1507 for vol_id in vim_details.get("os-extended-volumes:volumes_attached", []):
1508 disk_list.append({"vim_id": vol_id["id"]})
1509
1510 affinity_group_list = []
1511
1512 if existing_vdu.get("affinity-or-anti-affinity-group-id"):
1513 affinity_group = {}
1514 for affinity_group_id in existing_vdu["affinity-or-anti-affinity-group-id"]:
1515 for group in db_nsr.get("affinity-or-anti-affinity-group"):
1516 if (
1517 group["id"] == affinity_group_id
1518 and group["vim_info"][target_id].get("vim_id", None) is not None
1519 ):
1520 affinity_group["affinity_group_id"] = group["vim_info"][
1521 target_id
1522 ].get("vim_id", None)
1523 affinity_group_list.append(affinity_group)
1524
1525 extra_dict["params"] = {
1526 "name": "{}-{}-{}-{}".format(
1527 db_nsr["name"][:16],
1528 vnfr["member-vnf-index-ref"][:16],
1529 existing_vdu["vdu-name"][:32],
1530 existing_vdu.get("count-index") or 0,
1531 ),
1532 "description": existing_vdu["vdu-name"],
1533 "start": True,
1534 "image_id": vim_details["image"]["id"],
1535 "flavor_id": vim_details["flavor"]["id"],
1536 "affinity_group_list": affinity_group_list,
1537 "net_list": net_list,
1538 "cloud_config": cloud_config or None,
1539 "disk_list": disk_list,
1540 "availability_zone_index": None, # TODO
1541 "availability_zone_list": None, # TODO
1542 }
1543
1544 return extra_dict
1545
1546 def calculate_diff_items(
1547 self,
1548 indata,
1549 db_nsr,
1550 db_ro_nsr,
1551 db_nsr_update,
1552 item,
1553 tasks_by_target_record_id,
1554 action_id,
1555 nsr_id,
1556 task_index,
1557 vnfr_id=None,
1558 vnfr=None,
1559 ):
1560 """Function that returns the incremental changes (creation, deletion)
1561 related to a specific item `item` to be done. This function should be
1562 called for NS instantiation, NS termination, NS update to add a new VNF
1563 or a new VLD, remove a VNF or VLD, etc.
1564 Item can be `net`, `flavor`, `image` or `vdu`.
1565 It takes a list of target items from indata (which came from the REST API)
1566 and compares with the existing items from db_ro_nsr, identifying the
1567 incremental changes to be done. During the comparison, it calls the method
1568 `process_params` (which was passed as parameter, and is particular for each
1569 `item`)
1570
1571 Args:
1572 indata (Dict[str, Any]): deployment info
1573 db_nsr: NSR record from DB
1574 db_ro_nsr (Dict[str, Any]): record from "ro_nsrs"
1575 db_nsr_update (Dict[str, Any]): NSR info to update in DB
1576 item (str): element to process (net, vdu...)
1577 tasks_by_target_record_id (Dict[str, Any]):
1578 [<target_record_id>, <task>]
1579 action_id (str): action id
1580 nsr_id (str): NSR id
1581 task_index (number): task index to add to task name
1582 vnfr_id (str): VNFR id
1583 vnfr (Dict[str, Any]): VNFR info
1584
1585 Returns:
1586 List: list with the incremental changes (deletes, creates) for each item
1587 number: current task index
1588 """
1589
1590 diff_items = []
1591 db_path = ""
1592 db_record = ""
1593 target_list = []
1594 existing_list = []
1595 process_params = None
1596 vdu2cloud_init = indata.get("cloud_init_content") or {}
1597 ro_nsr_public_key = db_ro_nsr["public_key"]
1598
1599 # According to the type of item, the path, the target_list,
1600 # the existing_list and the method to process params are set
1601 db_path = self.db_path_map[item]
1602 process_params = self.process_params_function_map[item]
1603 if item in ("net", "vdu"):
1604 # This case is specific for the NS VLD (not applied to VDU)
1605 if vnfr is None:
1606 db_record = "nsrs:{}:{}".format(nsr_id, db_path)
1607 target_list = indata.get("ns", []).get(db_path, [])
1608 existing_list = db_nsr.get(db_path, [])
1609 # This case is common for VNF VLDs and VNF VDUs
1610 else:
1611 db_record = "vnfrs:{}:{}".format(vnfr_id, db_path)
1612 target_vnf = next(
1613 (vnf for vnf in indata.get("vnf", ()) if vnf["_id"] == vnfr_id),
1614 None,
1615 )
1616 target_list = target_vnf.get(db_path, []) if target_vnf else []
1617 existing_list = vnfr.get(db_path, [])
1618 elif item in ("image", "flavor", "affinity-or-anti-affinity-group"):
1619 db_record = "nsrs:{}:{}".format(nsr_id, db_path)
1620 target_list = indata.get(item, [])
1621 existing_list = db_nsr.get(item, [])
1622 else:
1623 raise NsException("Item not supported: {}", item)
1624
1625 # ensure all the target_list elements has an "id". If not assign the index as id
1626 if target_list is None:
1627 target_list = []
1628 for target_index, tl in enumerate(target_list):
1629 if tl and not tl.get("id"):
1630 tl["id"] = str(target_index)
1631
1632 # step 1 items (networks,vdus,...) to be deleted/updated
1633 for item_index, existing_item in enumerate(existing_list):
1634 target_item = next(
1635 (t for t in target_list if t["id"] == existing_item["id"]),
1636 None,
1637 )
1638
1639 for target_vim, existing_viminfo in existing_item.get(
1640 "vim_info", {}
1641 ).items():
1642 if existing_viminfo is None:
1643 continue
1644
1645 if target_item:
1646 target_viminfo = target_item.get("vim_info", {}).get(target_vim)
1647 else:
1648 target_viminfo = None
1649
1650 if target_viminfo is None:
1651 # must be deleted
1652 self._assign_vim(target_vim)
1653 target_record_id = "{}.{}".format(db_record, existing_item["id"])
1654 item_ = item
1655
1656 if target_vim.startswith("sdn") or target_vim.startswith("wim"):
1657 # item must be sdn-net instead of net if target_vim is a sdn
1658 item_ = "sdn_net"
1659 target_record_id += ".sdn"
1660
1661 deployment_info = {
1662 "action_id": action_id,
1663 "nsr_id": nsr_id,
1664 "task_index": task_index,
1665 }
1666
1667 diff_items.append(
1668 {
1669 "deployment_info": deployment_info,
1670 "target_id": target_vim,
1671 "item": item_,
1672 "action": "DELETE",
1673 "target_record": f"{db_record}.{item_index}.vim_info.{target_vim}",
1674 "target_record_id": target_record_id,
1675 }
1676 )
1677 task_index += 1
1678
1679 # step 2 items (networks,vdus,...) to be created
1680 for target_item in target_list:
1681 item_index = -1
1682
1683 for item_index, existing_item in enumerate(existing_list):
1684 if existing_item["id"] == target_item["id"]:
1685 break
1686 else:
1687 item_index += 1
1688 db_nsr_update[db_path + ".{}".format(item_index)] = target_item
1689 existing_list.append(target_item)
1690 existing_item = None
1691
1692 for target_vim, target_viminfo in target_item.get("vim_info", {}).items():
1693 existing_viminfo = None
1694
1695 if existing_item:
1696 existing_viminfo = existing_item.get("vim_info", {}).get(target_vim)
1697
1698 if existing_viminfo is not None:
1699 continue
1700
1701 target_record_id = "{}.{}".format(db_record, target_item["id"])
1702 item_ = item
1703
1704 if target_vim.startswith("sdn") or target_vim.startswith("wim"):
1705 # item must be sdn-net instead of net if target_vim is a sdn
1706 item_ = "sdn_net"
1707 target_record_id += ".sdn"
1708
1709 kwargs = {}
1710 self.logger.warning(
1711 "ns.calculate_diff_items target_item={}".format(target_item)
1712 )
1713 if process_params == Ns._process_flavor_params:
1714 kwargs.update(
1715 {
1716 "db": self.db,
1717 }
1718 )
1719 self.logger.warning(
1720 "calculate_diff_items for flavor kwargs={}".format(kwargs)
1721 )
1722
1723 if process_params == Ns._process_vdu_params:
1724 self.logger.warning(
1725 "calculate_diff_items self.fs={}".format(self.fs)
1726 )
1727 kwargs.update(
1728 {
1729 "vnfr_id": vnfr_id,
1730 "nsr_id": nsr_id,
1731 "vnfr": vnfr,
1732 "vdu2cloud_init": vdu2cloud_init,
1733 "tasks_by_target_record_id": tasks_by_target_record_id,
1734 "logger": self.logger,
1735 "db": self.db,
1736 "fs": self.fs,
1737 "ro_nsr_public_key": ro_nsr_public_key,
1738 }
1739 )
1740 self.logger.warning("calculate_diff_items kwargs={}".format(kwargs))
1741
1742 extra_dict = process_params(
1743 target_item,
1744 indata,
1745 target_viminfo,
1746 target_record_id,
1747 **kwargs,
1748 )
1749 self._assign_vim(target_vim)
1750
1751 deployment_info = {
1752 "action_id": action_id,
1753 "nsr_id": nsr_id,
1754 "task_index": task_index,
1755 }
1756
1757 new_item = {
1758 "deployment_info": deployment_info,
1759 "target_id": target_vim,
1760 "item": item_,
1761 "action": "CREATE",
1762 "target_record": f"{db_record}.{item_index}.vim_info.{target_vim}",
1763 "target_record_id": target_record_id,
1764 "extra_dict": extra_dict,
1765 "common_id": target_item.get("common_id", None),
1766 }
1767 diff_items.append(new_item)
1768 tasks_by_target_record_id[target_record_id] = new_item
1769 task_index += 1
1770
1771 db_nsr_update[db_path + ".{}".format(item_index)] = target_item
1772
1773 return diff_items, task_index
1774
1775 def calculate_all_differences_to_deploy(
1776 self,
1777 indata,
1778 nsr_id,
1779 db_nsr,
1780 db_vnfrs,
1781 db_ro_nsr,
1782 db_nsr_update,
1783 db_vnfrs_update,
1784 action_id,
1785 tasks_by_target_record_id,
1786 ):
1787 """This method calculates the ordered list of items (`changes_list`)
1788 to be created and deleted.
1789
1790 Args:
1791 indata (Dict[str, Any]): deployment info
1792 nsr_id (str): NSR id
1793 db_nsr: NSR record from DB
1794 db_vnfrs: VNFRS record from DB
1795 db_ro_nsr (Dict[str, Any]): record from "ro_nsrs"
1796 db_nsr_update (Dict[str, Any]): NSR info to update in DB
1797 db_vnfrs_update (Dict[str, Any]): VNFRS info to update in DB
1798 action_id (str): action id
1799 tasks_by_target_record_id (Dict[str, Any]):
1800 [<target_record_id>, <task>]
1801
1802 Returns:
1803 List: ordered list of items to be created and deleted.
1804 """
1805
1806 task_index = 0
1807 # set list with diffs:
1808 changes_list = []
1809
1810 # NS vld, image and flavor
1811 for item in ["net", "image", "flavor", "affinity-or-anti-affinity-group"]:
1812 self.logger.debug("process NS={} {}".format(nsr_id, item))
1813 diff_items, task_index = self.calculate_diff_items(
1814 indata=indata,
1815 db_nsr=db_nsr,
1816 db_ro_nsr=db_ro_nsr,
1817 db_nsr_update=db_nsr_update,
1818 item=item,
1819 tasks_by_target_record_id=tasks_by_target_record_id,
1820 action_id=action_id,
1821 nsr_id=nsr_id,
1822 task_index=task_index,
1823 vnfr_id=None,
1824 )
1825 changes_list += diff_items
1826
1827 # VNF vlds and vdus
1828 for vnfr_id, vnfr in db_vnfrs.items():
1829 # vnfr_id need to be set as global variable for among others nested method _process_vdu_params
1830 for item in ["net", "vdu"]:
1831 self.logger.debug("process VNF={} {}".format(vnfr_id, item))
1832 diff_items, task_index = self.calculate_diff_items(
1833 indata=indata,
1834 db_nsr=db_nsr,
1835 db_ro_nsr=db_ro_nsr,
1836 db_nsr_update=db_vnfrs_update[vnfr["_id"]],
1837 item=item,
1838 tasks_by_target_record_id=tasks_by_target_record_id,
1839 action_id=action_id,
1840 nsr_id=nsr_id,
1841 task_index=task_index,
1842 vnfr_id=vnfr_id,
1843 vnfr=vnfr,
1844 )
1845 changes_list += diff_items
1846
1847 return changes_list
1848
1849 def define_all_tasks(
1850 self,
1851 changes_list,
1852 db_new_tasks,
1853 tasks_by_target_record_id,
1854 ):
1855 """Function to create all the task structures obtanied from
1856 the method calculate_all_differences_to_deploy
1857
1858 Args:
1859 changes_list (List): ordered list of items to be created or deleted
1860 db_new_tasks (List): tasks list to be created
1861 action_id (str): action id
1862 tasks_by_target_record_id (Dict[str, Any]):
1863 [<target_record_id>, <task>]
1864
1865 """
1866
1867 for change in changes_list:
1868 task = Ns._create_task(
1869 deployment_info=change["deployment_info"],
1870 target_id=change["target_id"],
1871 item=change["item"],
1872 action=change["action"],
1873 target_record=change["target_record"],
1874 target_record_id=change["target_record_id"],
1875 extra_dict=change.get("extra_dict", None),
1876 )
1877
1878 self.logger.warning("ns.define_all_tasks task={}".format(task))
1879 tasks_by_target_record_id[change["target_record_id"]] = task
1880 db_new_tasks.append(task)
1881
1882 if change.get("common_id"):
1883 task["common_id"] = change["common_id"]
1884
1885 def upload_all_tasks(
1886 self,
1887 db_new_tasks,
1888 now,
1889 ):
1890 """Function to save all tasks in the common DB
1891
1892 Args:
1893 db_new_tasks (List): tasks list to be created
1894 now (time): current time
1895
1896 """
1897
1898 nb_ro_tasks = 0 # for logging
1899
1900 for db_task in db_new_tasks:
1901 target_id = db_task.pop("target_id")
1902 common_id = db_task.get("common_id")
1903
1904 # Do not chek tasks with vim_status DELETED
1905 # because in manual heealing there are two tasks for the same vdur:
1906 # one with vim_status deleted and the other one with the actual VM status.
1907
1908 if common_id:
1909 if self.db.set_one(
1910 "ro_tasks",
1911 q_filter={
1912 "target_id": target_id,
1913 "tasks.common_id": common_id,
1914 "vim_info.vim_status.ne": "DELETED",
1915 },
1916 update_dict={"to_check_at": now, "modified_at": now},
1917 push={"tasks": db_task},
1918 fail_on_empty=False,
1919 ):
1920 continue
1921
1922 if not self.db.set_one(
1923 "ro_tasks",
1924 q_filter={
1925 "target_id": target_id,
1926 "tasks.target_record": db_task["target_record"],
1927 "vim_info.vim_status.ne": "DELETED",
1928 },
1929 update_dict={"to_check_at": now, "modified_at": now},
1930 push={"tasks": db_task},
1931 fail_on_empty=False,
1932 ):
1933 # Create a ro_task
1934 self.logger.debug("Updating database, Creating ro_tasks")
1935 db_ro_task = Ns._create_ro_task(target_id, db_task)
1936 nb_ro_tasks += 1
1937 self.db.create("ro_tasks", db_ro_task)
1938
1939 self.logger.debug(
1940 "Created {} ro_tasks; {} tasks - db_new_tasks={}".format(
1941 nb_ro_tasks, len(db_new_tasks), db_new_tasks
1942 )
1943 )
1944
1945 def upload_recreate_tasks(
1946 self,
1947 db_new_tasks,
1948 now,
1949 ):
1950 """Function to save recreate tasks in the common DB
1951
1952 Args:
1953 db_new_tasks (List): tasks list to be created
1954 now (time): current time
1955
1956 """
1957
1958 nb_ro_tasks = 0 # for logging
1959
1960 for db_task in db_new_tasks:
1961 target_id = db_task.pop("target_id")
1962 self.logger.warning("target_id={} db_task={}".format(target_id, db_task))
1963
1964 action = db_task.get("action", None)
1965
1966 # Create a ro_task
1967 self.logger.debug("Updating database, Creating ro_tasks")
1968 db_ro_task = Ns._create_ro_task(target_id, db_task)
1969
1970 # If DELETE task: the associated created items should be removed
1971 # (except persistent volumes):
1972 if action == "DELETE":
1973 db_ro_task["vim_info"]["created"] = True
1974 db_ro_task["vim_info"]["created_items"] = db_task.get(
1975 "created_items", {}
1976 )
1977 db_ro_task["vim_info"]["volumes_to_hold"] = db_task.get(
1978 "volumes_to_hold", []
1979 )
1980 db_ro_task["vim_info"]["vim_id"] = db_task.get("vim_id", None)
1981
1982 nb_ro_tasks += 1
1983 self.logger.warning("upload_all_tasks db_ro_task={}".format(db_ro_task))
1984 self.db.create("ro_tasks", db_ro_task)
1985
1986 self.logger.debug(
1987 "Created {} ro_tasks; {} tasks - db_new_tasks={}".format(
1988 nb_ro_tasks, len(db_new_tasks), db_new_tasks
1989 )
1990 )
1991
1992 def _prepare_created_items_for_healing(
1993 self,
1994 nsr_id,
1995 target_record,
1996 ):
1997 created_items = {}
1998 # Get created_items from ro_task
1999 ro_tasks = self.db.get_list("ro_tasks", {"tasks.nsr_id": nsr_id})
2000 for ro_task in ro_tasks:
2001 for task in ro_task["tasks"]:
2002 if (
2003 task["target_record"] == target_record
2004 and task["action"] == "CREATE"
2005 and ro_task["vim_info"]["created_items"]
2006 ):
2007 created_items = ro_task["vim_info"]["created_items"]
2008 break
2009
2010 return created_items
2011
2012 def _prepare_persistent_volumes_for_healing(
2013 self,
2014 target_id,
2015 existing_vdu,
2016 ):
2017 # The associated volumes of the VM shouldn't be removed
2018 volumes_list = []
2019 vim_details = {}
2020 vim_details_text = existing_vdu["vim_info"][target_id].get("vim_details", None)
2021 if vim_details_text:
2022 vim_details = yaml.safe_load(f"{vim_details_text}")
2023
2024 for vol_id in vim_details.get("os-extended-volumes:volumes_attached", []):
2025 volumes_list.append(vol_id["id"])
2026
2027 return volumes_list
2028
2029 def prepare_changes_to_recreate(
2030 self,
2031 indata,
2032 nsr_id,
2033 db_nsr,
2034 db_vnfrs,
2035 db_ro_nsr,
2036 action_id,
2037 tasks_by_target_record_id,
2038 ):
2039 """This method will obtain an ordered list of items (`changes_list`)
2040 to be created and deleted to meet the recreate request.
2041 """
2042
2043 self.logger.debug(
2044 "ns.prepare_changes_to_recreate nsr_id={} indata={}".format(nsr_id, indata)
2045 )
2046
2047 task_index = 0
2048 # set list with diffs:
2049 changes_list = []
2050 db_path = self.db_path_map["vdu"]
2051 target_list = indata.get("healVnfData", {})
2052 vdu2cloud_init = indata.get("cloud_init_content") or {}
2053 ro_nsr_public_key = db_ro_nsr["public_key"]
2054
2055 # Check each VNF of the target
2056 for target_vnf in target_list:
2057 # Find this VNF in the list from DB, raise exception if vnfInstanceId is not found
2058 vnfr_id = target_vnf["vnfInstanceId"]
2059 existing_vnf = db_vnfrs.get(vnfr_id)
2060 db_record = "vnfrs:{}:{}".format(vnfr_id, db_path)
2061 # vim_account_id = existing_vnf.get("vim-account-id", "")
2062
2063 target_vdus = target_vnf.get("additionalParams", {}).get("vdu", [])
2064 # Check each VDU of this VNF
2065 if not target_vdus:
2066 # Create target_vdu_list from DB, if VDUs are not specified
2067 target_vdus = []
2068 for existing_vdu in existing_vnf.get("vdur"):
2069 vdu_name = existing_vdu.get("vdu-name", None)
2070 vdu_index = existing_vdu.get("count-index", 0)
2071 vdu_to_be_healed = {"vdu-id": vdu_name, "count-index": vdu_index}
2072 target_vdus.append(vdu_to_be_healed)
2073 for target_vdu in target_vdus:
2074 vdu_name = target_vdu.get("vdu-id", None)
2075 # For multi instance VDU count-index is mandatory
2076 # For single session VDU count-indes is 0
2077 count_index = target_vdu.get("count-index", 0)
2078 item_index = 0
2079 existing_instance = None
2080 for instance in existing_vnf.get("vdur", None):
2081 if (
2082 instance["vdu-name"] == vdu_name
2083 and instance["count-index"] == count_index
2084 ):
2085 existing_instance = instance
2086 break
2087 else:
2088 item_index += 1
2089
2090 target_record_id = "{}.{}".format(db_record, existing_instance["id"])
2091
2092 # The target VIM is the one already existing in DB to recreate
2093 for target_vim, target_viminfo in existing_instance.get(
2094 "vim_info", {}
2095 ).items():
2096 # step 1 vdu to be deleted
2097 self._assign_vim(target_vim)
2098 deployment_info = {
2099 "action_id": action_id,
2100 "nsr_id": nsr_id,
2101 "task_index": task_index,
2102 }
2103
2104 target_record = f"{db_record}.{item_index}.vim_info.{target_vim}"
2105 created_items = self._prepare_created_items_for_healing(
2106 nsr_id, target_record
2107 )
2108
2109 volumes_to_hold = self._prepare_persistent_volumes_for_healing(
2110 target_vim, existing_instance
2111 )
2112
2113 # Specific extra params for recreate tasks:
2114 extra_dict = {
2115 "created_items": created_items,
2116 "vim_id": existing_instance["vim-id"],
2117 "volumes_to_hold": volumes_to_hold,
2118 }
2119
2120 changes_list.append(
2121 {
2122 "deployment_info": deployment_info,
2123 "target_id": target_vim,
2124 "item": "vdu",
2125 "action": "DELETE",
2126 "target_record": target_record,
2127 "target_record_id": target_record_id,
2128 "extra_dict": extra_dict,
2129 }
2130 )
2131 delete_task_id = f"{action_id}:{task_index}"
2132 task_index += 1
2133
2134 # step 2 vdu to be created
2135 kwargs = {}
2136 kwargs.update(
2137 {
2138 "vnfr_id": vnfr_id,
2139 "nsr_id": nsr_id,
2140 "vnfr": existing_vnf,
2141 "vdu2cloud_init": vdu2cloud_init,
2142 "tasks_by_target_record_id": tasks_by_target_record_id,
2143 "logger": self.logger,
2144 "db": self.db,
2145 "fs": self.fs,
2146 "ro_nsr_public_key": ro_nsr_public_key,
2147 }
2148 )
2149
2150 extra_dict = self._process_recreate_vdu_params(
2151 existing_instance,
2152 db_nsr,
2153 target_viminfo,
2154 target_record_id,
2155 target_vim,
2156 **kwargs,
2157 )
2158
2159 # The CREATE task depens on the DELETE task
2160 extra_dict["depends_on"] = [delete_task_id]
2161
2162 # Add volumes created from created_items if any
2163 # Ports should be deleted with delete task and automatically created with create task
2164 volumes = {}
2165 for k, v in created_items.items():
2166 try:
2167 k_item, _, k_id = k.partition(":")
2168 if k_item == "volume":
2169 volumes[k] = v
2170 except Exception as e:
2171 self.logger.error(
2172 "Error evaluating created item {}: {}".format(k, e)
2173 )
2174 extra_dict["previous_created_volumes"] = volumes
2175
2176 deployment_info = {
2177 "action_id": action_id,
2178 "nsr_id": nsr_id,
2179 "task_index": task_index,
2180 }
2181 self._assign_vim(target_vim)
2182
2183 new_item = {
2184 "deployment_info": deployment_info,
2185 "target_id": target_vim,
2186 "item": "vdu",
2187 "action": "CREATE",
2188 "target_record": target_record,
2189 "target_record_id": target_record_id,
2190 "extra_dict": extra_dict,
2191 }
2192 changes_list.append(new_item)
2193 tasks_by_target_record_id[target_record_id] = new_item
2194 task_index += 1
2195
2196 return changes_list
2197
2198 def recreate(self, session, indata, version, nsr_id, *args, **kwargs):
2199 self.logger.debug("ns.recreate nsr_id={} indata={}".format(nsr_id, indata))
2200 # TODO: validate_input(indata, recreate_schema)
2201 action_id = indata.get("action_id", str(uuid4()))
2202 # get current deployment
2203 db_vnfrs = {} # vnf's info indexed by _id
2204 step = ""
2205 logging_text = "Recreate nsr_id={} action_id={} indata={}".format(
2206 nsr_id, action_id, indata
2207 )
2208 self.logger.debug(logging_text + "Enter")
2209
2210 try:
2211 step = "Getting ns and vnfr record from db"
2212 db_nsr = self.db.get_one("nsrs", {"_id": nsr_id})
2213 db_new_tasks = []
2214 tasks_by_target_record_id = {}
2215 # read from db: vnf's of this ns
2216 step = "Getting vnfrs from db"
2217 db_vnfrs_list = self.db.get_list("vnfrs", {"nsr-id-ref": nsr_id})
2218 self.logger.debug("ns.recreate: db_vnfrs_list={}".format(db_vnfrs_list))
2219
2220 if not db_vnfrs_list:
2221 raise NsException("Cannot obtain associated VNF for ns")
2222
2223 for vnfr in db_vnfrs_list:
2224 db_vnfrs[vnfr["_id"]] = vnfr
2225
2226 now = time()
2227 db_ro_nsr = self.db.get_one("ro_nsrs", {"_id": nsr_id}, fail_on_empty=False)
2228 self.logger.debug("ns.recreate: db_ro_nsr={}".format(db_ro_nsr))
2229
2230 if not db_ro_nsr:
2231 db_ro_nsr = self._create_db_ro_nsrs(nsr_id, now)
2232
2233 with self.write_lock:
2234 # NS
2235 step = "process NS elements"
2236 changes_list = self.prepare_changes_to_recreate(
2237 indata=indata,
2238 nsr_id=nsr_id,
2239 db_nsr=db_nsr,
2240 db_vnfrs=db_vnfrs,
2241 db_ro_nsr=db_ro_nsr,
2242 action_id=action_id,
2243 tasks_by_target_record_id=tasks_by_target_record_id,
2244 )
2245
2246 self.define_all_tasks(
2247 changes_list=changes_list,
2248 db_new_tasks=db_new_tasks,
2249 tasks_by_target_record_id=tasks_by_target_record_id,
2250 )
2251
2252 # Delete all ro_tasks registered for the targets vdurs (target_record)
2253 # If task of type CREATE exist then vim will try to get info form deleted VMs.
2254 # So remove all task related to target record.
2255 ro_tasks = self.db.get_list("ro_tasks", {"tasks.nsr_id": nsr_id})
2256 for change in changes_list:
2257 for ro_task in ro_tasks:
2258 for task in ro_task["tasks"]:
2259 if task["target_record"] == change["target_record"]:
2260 self.db.del_one(
2261 "ro_tasks",
2262 q_filter={
2263 "_id": ro_task["_id"],
2264 "modified_at": ro_task["modified_at"],
2265 },
2266 fail_on_empty=False,
2267 )
2268
2269 step = "Updating database, Appending tasks to ro_tasks"
2270 self.upload_recreate_tasks(
2271 db_new_tasks=db_new_tasks,
2272 now=now,
2273 )
2274
2275 self.logger.debug(
2276 logging_text + "Exit. Created {} tasks".format(len(db_new_tasks))
2277 )
2278
2279 return (
2280 {"status": "ok", "nsr_id": nsr_id, "action_id": action_id},
2281 action_id,
2282 True,
2283 )
2284 except Exception as e:
2285 if isinstance(e, (DbException, NsException)):
2286 self.logger.error(
2287 logging_text + "Exit Exception while '{}': {}".format(step, e)
2288 )
2289 else:
2290 e = traceback_format_exc()
2291 self.logger.critical(
2292 logging_text + "Exit Exception while '{}': {}".format(step, e),
2293 exc_info=True,
2294 )
2295
2296 raise NsException(e)
2297
2298 def deploy(self, session, indata, version, nsr_id, *args, **kwargs):
2299 self.logger.debug("ns.deploy nsr_id={} indata={}".format(nsr_id, indata))
2300 validate_input(indata, deploy_schema)
2301 action_id = indata.get("action_id", str(uuid4()))
2302 task_index = 0
2303 # get current deployment
2304 db_nsr_update = {} # update operation on nsrs
2305 db_vnfrs_update = {}
2306 db_vnfrs = {} # vnf's info indexed by _id
2307 step = ""
2308 logging_text = "Task deploy nsr_id={} action_id={} ".format(nsr_id, action_id)
2309 self.logger.debug(logging_text + "Enter")
2310
2311 try:
2312 step = "Getting ns and vnfr record from db"
2313 db_nsr = self.db.get_one("nsrs", {"_id": nsr_id})
2314 self.logger.debug("ns.deploy: db_nsr={}".format(db_nsr))
2315 db_new_tasks = []
2316 tasks_by_target_record_id = {}
2317 # read from db: vnf's of this ns
2318 step = "Getting vnfrs from db"
2319 db_vnfrs_list = self.db.get_list("vnfrs", {"nsr-id-ref": nsr_id})
2320
2321 if not db_vnfrs_list:
2322 raise NsException("Cannot obtain associated VNF for ns")
2323
2324 for vnfr in db_vnfrs_list:
2325 db_vnfrs[vnfr["_id"]] = vnfr
2326 db_vnfrs_update[vnfr["_id"]] = {}
2327 self.logger.debug("ns.deploy db_vnfrs={}".format(db_vnfrs))
2328
2329 now = time()
2330 db_ro_nsr = self.db.get_one("ro_nsrs", {"_id": nsr_id}, fail_on_empty=False)
2331
2332 if not db_ro_nsr:
2333 db_ro_nsr = self._create_db_ro_nsrs(nsr_id, now)
2334
2335 # check that action_id is not in the list of actions. Suffixed with :index
2336 if action_id in db_ro_nsr["actions"]:
2337 index = 1
2338
2339 while True:
2340 new_action_id = "{}:{}".format(action_id, index)
2341
2342 if new_action_id not in db_ro_nsr["actions"]:
2343 action_id = new_action_id
2344 self.logger.debug(
2345 logging_text
2346 + "Changing action_id in use to {}".format(action_id)
2347 )
2348 break
2349
2350 index += 1
2351
2352 def _process_action(indata):
2353 nonlocal db_new_tasks
2354 nonlocal action_id
2355 nonlocal nsr_id
2356 nonlocal task_index
2357 nonlocal db_vnfrs
2358 nonlocal db_ro_nsr
2359
2360 if indata["action"]["action"] == "inject_ssh_key":
2361 key = indata["action"].get("key")
2362 user = indata["action"].get("user")
2363 password = indata["action"].get("password")
2364
2365 for vnf in indata.get("vnf", ()):
2366 if vnf["_id"] not in db_vnfrs:
2367 raise NsException("Invalid vnf={}".format(vnf["_id"]))
2368
2369 db_vnfr = db_vnfrs[vnf["_id"]]
2370
2371 for target_vdu in vnf.get("vdur", ()):
2372 vdu_index, vdur = next(
2373 (
2374 i_v
2375 for i_v in enumerate(db_vnfr["vdur"])
2376 if i_v[1]["id"] == target_vdu["id"]
2377 ),
2378 (None, None),
2379 )
2380
2381 if not vdur:
2382 raise NsException(
2383 "Invalid vdu vnf={}.{}".format(
2384 vnf["_id"], target_vdu["id"]
2385 )
2386 )
2387
2388 target_vim, vim_info = next(
2389 k_v for k_v in vdur["vim_info"].items()
2390 )
2391 self._assign_vim(target_vim)
2392 target_record = "vnfrs:{}:vdur.{}.ssh_keys".format(
2393 vnf["_id"], vdu_index
2394 )
2395 extra_dict = {
2396 "depends_on": [
2397 "vnfrs:{}:vdur.{}".format(vnf["_id"], vdur["id"])
2398 ],
2399 "params": {
2400 "ip_address": vdur.get("ip-address"),
2401 "user": user,
2402 "key": key,
2403 "password": password,
2404 "private_key": db_ro_nsr["private_key"],
2405 "salt": db_ro_nsr["_id"],
2406 "schema_version": db_ro_nsr["_admin"][
2407 "schema_version"
2408 ],
2409 },
2410 }
2411
2412 deployment_info = {
2413 "action_id": action_id,
2414 "nsr_id": nsr_id,
2415 "task_index": task_index,
2416 }
2417
2418 task = Ns._create_task(
2419 deployment_info=deployment_info,
2420 target_id=target_vim,
2421 item="vdu",
2422 action="EXEC",
2423 target_record=target_record,
2424 target_record_id=None,
2425 extra_dict=extra_dict,
2426 )
2427
2428 task_index = deployment_info.get("task_index")
2429
2430 db_new_tasks.append(task)
2431
2432 with self.write_lock:
2433 if indata.get("action"):
2434 _process_action(indata)
2435 else:
2436 # compute network differences
2437 # NS
2438 step = "process NS elements"
2439 changes_list = self.calculate_all_differences_to_deploy(
2440 indata=indata,
2441 nsr_id=nsr_id,
2442 db_nsr=db_nsr,
2443 db_vnfrs=db_vnfrs,
2444 db_ro_nsr=db_ro_nsr,
2445 db_nsr_update=db_nsr_update,
2446 db_vnfrs_update=db_vnfrs_update,
2447 action_id=action_id,
2448 tasks_by_target_record_id=tasks_by_target_record_id,
2449 )
2450 self.define_all_tasks(
2451 changes_list=changes_list,
2452 db_new_tasks=db_new_tasks,
2453 tasks_by_target_record_id=tasks_by_target_record_id,
2454 )
2455
2456 step = "Updating database, Appending tasks to ro_tasks"
2457 self.upload_all_tasks(
2458 db_new_tasks=db_new_tasks,
2459 now=now,
2460 )
2461
2462 step = "Updating database, nsrs"
2463 if db_nsr_update:
2464 self.db.set_one("nsrs", {"_id": nsr_id}, db_nsr_update)
2465
2466 for vnfr_id, db_vnfr_update in db_vnfrs_update.items():
2467 if db_vnfr_update:
2468 step = "Updating database, vnfrs={}".format(vnfr_id)
2469 self.db.set_one("vnfrs", {"_id": vnfr_id}, db_vnfr_update)
2470
2471 self.logger.debug(
2472 logging_text + "Exit. Created {} tasks".format(len(db_new_tasks))
2473 )
2474
2475 return (
2476 {"status": "ok", "nsr_id": nsr_id, "action_id": action_id},
2477 action_id,
2478 True,
2479 )
2480 except Exception as e:
2481 if isinstance(e, (DbException, NsException)):
2482 self.logger.error(
2483 logging_text + "Exit Exception while '{}': {}".format(step, e)
2484 )
2485 else:
2486 e = traceback_format_exc()
2487 self.logger.critical(
2488 logging_text + "Exit Exception while '{}': {}".format(step, e),
2489 exc_info=True,
2490 )
2491
2492 raise NsException(e)
2493
2494 def delete(self, session, indata, version, nsr_id, *args, **kwargs):
2495 self.logger.debug("ns.delete version={} nsr_id={}".format(version, nsr_id))
2496 # self.db.del_list({"_id": ro_task["_id"], "tasks.nsr_id.ne": nsr_id})
2497
2498 with self.write_lock:
2499 try:
2500 NsWorker.delete_db_tasks(self.db, nsr_id, None)
2501 except NsWorkerException as e:
2502 raise NsException(e)
2503
2504 return None, None, True
2505
2506 def status(self, session, indata, version, nsr_id, action_id, *args, **kwargs):
2507 self.logger.debug(
2508 "ns.status version={} nsr_id={}, action_id={} indata={}".format(
2509 version, nsr_id, action_id, indata
2510 )
2511 )
2512 task_list = []
2513 done = 0
2514 total = 0
2515 ro_tasks = self.db.get_list("ro_tasks", {"tasks.action_id": action_id})
2516 global_status = "DONE"
2517 details = []
2518
2519 for ro_task in ro_tasks:
2520 for task in ro_task["tasks"]:
2521 if task and task["action_id"] == action_id:
2522 task_list.append(task)
2523 total += 1
2524
2525 if task["status"] == "FAILED":
2526 global_status = "FAILED"
2527 error_text = "Error at {} {}: {}".format(
2528 task["action"].lower(),
2529 task["item"],
2530 ro_task["vim_info"].get("vim_message") or "unknown",
2531 )
2532 details.append(error_text)
2533 elif task["status"] in ("SCHEDULED", "BUILD"):
2534 if global_status != "FAILED":
2535 global_status = "BUILD"
2536 else:
2537 done += 1
2538
2539 return_data = {
2540 "status": global_status,
2541 "details": ". ".join(details)
2542 if details
2543 else "progress {}/{}".format(done, total),
2544 "nsr_id": nsr_id,
2545 "action_id": action_id,
2546 "tasks": task_list,
2547 }
2548
2549 return return_data, None, True
2550
2551 def recreate_status(
2552 self, session, indata, version, nsr_id, action_id, *args, **kwargs
2553 ):
2554 return self.status(session, indata, version, nsr_id, action_id, *args, **kwargs)
2555
2556 def cancel(self, session, indata, version, nsr_id, action_id, *args, **kwargs):
2557 print(
2558 "ns.cancel session={} indata={} version={} nsr_id={}, action_id={}".format(
2559 session, indata, version, nsr_id, action_id
2560 )
2561 )
2562
2563 return None, None, True
2564
2565 def rebuild_start_stop_task(
2566 self,
2567 vdu_id,
2568 vnf_id,
2569 vdu_index,
2570 action_id,
2571 nsr_id,
2572 task_index,
2573 target_vim,
2574 extra_dict,
2575 ):
2576 self._assign_vim(target_vim)
2577 target_record = "vnfrs:{}:vdur.{}".format(vnf_id, vdu_index)
2578 target_record_id = "vnfrs:{}:vdur.{}".format(vnf_id, vdu_id)
2579 deployment_info = {
2580 "action_id": action_id,
2581 "nsr_id": nsr_id,
2582 "task_index": task_index,
2583 }
2584
2585 task = Ns._create_task(
2586 deployment_info=deployment_info,
2587 target_id=target_vim,
2588 item="update",
2589 action="EXEC",
2590 target_record=target_record,
2591 target_record_id=target_record_id,
2592 extra_dict=extra_dict,
2593 )
2594 return task
2595
2596 def rebuild_start_stop(
2597 self, session, action_dict, version, nsr_id, *args, **kwargs
2598 ):
2599 task_index = 0
2600 extra_dict = {}
2601 now = time()
2602 action_id = action_dict.get("action_id", str(uuid4()))
2603 step = ""
2604 logging_text = "Task deploy nsr_id={} action_id={} ".format(nsr_id, action_id)
2605 self.logger.debug(logging_text + "Enter")
2606
2607 action = list(action_dict.keys())[0]
2608 task_dict = action_dict.get(action)
2609 vim_vm_id = action_dict.get(action).get("vim_vm_id")
2610
2611 if action_dict.get("stop"):
2612 action = "shutoff"
2613 db_new_tasks = []
2614 try:
2615 step = "lock the operation & do task creation"
2616 with self.write_lock:
2617 extra_dict["params"] = {
2618 "vim_vm_id": vim_vm_id,
2619 "action": action,
2620 }
2621 task = self.rebuild_start_stop_task(
2622 task_dict["vdu_id"],
2623 task_dict["vnf_id"],
2624 task_dict["vdu_index"],
2625 action_id,
2626 nsr_id,
2627 task_index,
2628 task_dict["target_vim"],
2629 extra_dict,
2630 )
2631 db_new_tasks.append(task)
2632 step = "upload Task to db"
2633 self.upload_all_tasks(
2634 db_new_tasks=db_new_tasks,
2635 now=now,
2636 )
2637 self.logger.debug(
2638 logging_text + "Exit. Created {} tasks".format(len(db_new_tasks))
2639 )
2640 return (
2641 {"status": "ok", "nsr_id": nsr_id, "action_id": action_id},
2642 action_id,
2643 True,
2644 )
2645 except Exception as e:
2646 if isinstance(e, (DbException, NsException)):
2647 self.logger.error(
2648 logging_text + "Exit Exception while '{}': {}".format(step, e)
2649 )
2650 else:
2651 e = traceback_format_exc()
2652 self.logger.critical(
2653 logging_text + "Exit Exception while '{}': {}".format(step, e),
2654 exc_info=True,
2655 )
2656 raise NsException(e)
2657
2658 def get_deploy(self, session, indata, version, nsr_id, action_id, *args, **kwargs):
2659 nsrs = self.db.get_list("nsrs", {})
2660 return_data = []
2661
2662 for ns in nsrs:
2663 return_data.append({"_id": ns["_id"], "name": ns["name"]})
2664
2665 return return_data, None, True
2666
2667 def get_actions(self, session, indata, version, nsr_id, action_id, *args, **kwargs):
2668 ro_tasks = self.db.get_list("ro_tasks", {"tasks.nsr_id": nsr_id})
2669 return_data = []
2670
2671 for ro_task in ro_tasks:
2672 for task in ro_task["tasks"]:
2673 if task["action_id"] not in return_data:
2674 return_data.append(task["action_id"])
2675
2676 return return_data, None, True
2677
2678 def migrate_task(
2679 self, vdu, vnf, vdu_index, action_id, nsr_id, task_index, extra_dict
2680 ):
2681 target_vim, vim_info = next(k_v for k_v in vdu["vim_info"].items())
2682 self._assign_vim(target_vim)
2683 target_record = "vnfrs:{}:vdur.{}".format(vnf["_id"], vdu_index)
2684 target_record_id = "vnfrs:{}:vdur.{}".format(vnf["_id"], vdu["id"])
2685 deployment_info = {
2686 "action_id": action_id,
2687 "nsr_id": nsr_id,
2688 "task_index": task_index,
2689 }
2690
2691 task = Ns._create_task(
2692 deployment_info=deployment_info,
2693 target_id=target_vim,
2694 item="migrate",
2695 action="EXEC",
2696 target_record=target_record,
2697 target_record_id=target_record_id,
2698 extra_dict=extra_dict,
2699 )
2700
2701 return task
2702
2703 def migrate(self, session, indata, version, nsr_id, *args, **kwargs):
2704 task_index = 0
2705 extra_dict = {}
2706 now = time()
2707 action_id = indata.get("action_id", str(uuid4()))
2708 step = ""
2709 logging_text = "Task deploy nsr_id={} action_id={} ".format(nsr_id, action_id)
2710 self.logger.debug(logging_text + "Enter")
2711 try:
2712 vnf_instance_id = indata["vnfInstanceId"]
2713 step = "Getting vnfrs from db"
2714 db_vnfr = self.db.get_one("vnfrs", {"_id": vnf_instance_id})
2715 vdu = indata.get("vdu")
2716 migrateToHost = indata.get("migrateToHost")
2717 db_new_tasks = []
2718
2719 with self.write_lock:
2720 if vdu is not None:
2721 vdu_id = indata["vdu"]["vduId"]
2722 vdu_count_index = indata["vdu"].get("vduCountIndex", 0)
2723 for vdu_index, vdu in enumerate(db_vnfr["vdur"]):
2724 if (
2725 vdu["vdu-id-ref"] == vdu_id
2726 and vdu["count-index"] == vdu_count_index
2727 ):
2728 extra_dict["params"] = {
2729 "vim_vm_id": vdu["vim-id"],
2730 "migrate_host": migrateToHost,
2731 "vdu_vim_info": vdu["vim_info"],
2732 }
2733 step = "Creating migration task for vdu:{}".format(vdu)
2734 task = self.migrate_task(
2735 vdu,
2736 db_vnfr,
2737 vdu_index,
2738 action_id,
2739 nsr_id,
2740 task_index,
2741 extra_dict,
2742 )
2743 db_new_tasks.append(task)
2744 task_index += 1
2745 break
2746 else:
2747
2748 for vdu_index, vdu in enumerate(db_vnfr["vdur"]):
2749 extra_dict["params"] = {
2750 "vim_vm_id": vdu["vim-id"],
2751 "migrate_host": migrateToHost,
2752 "vdu_vim_info": vdu["vim_info"],
2753 }
2754 step = "Creating migration task for vdu:{}".format(vdu)
2755 task = self.migrate_task(
2756 vdu,
2757 db_vnfr,
2758 vdu_index,
2759 action_id,
2760 nsr_id,
2761 task_index,
2762 extra_dict,
2763 )
2764 db_new_tasks.append(task)
2765 task_index += 1
2766
2767 self.upload_all_tasks(
2768 db_new_tasks=db_new_tasks,
2769 now=now,
2770 )
2771
2772 self.logger.debug(
2773 logging_text + "Exit. Created {} tasks".format(len(db_new_tasks))
2774 )
2775 return (
2776 {"status": "ok", "nsr_id": nsr_id, "action_id": action_id},
2777 action_id,
2778 True,
2779 )
2780 except Exception as e:
2781 if isinstance(e, (DbException, NsException)):
2782 self.logger.error(
2783 logging_text + "Exit Exception while '{}': {}".format(step, e)
2784 )
2785 else:
2786 e = traceback_format_exc()
2787 self.logger.critical(
2788 logging_text + "Exit Exception while '{}': {}".format(step, e),
2789 exc_info=True,
2790 )
2791 raise NsException(e)
2792
2793 def verticalscale_task(
2794 self, vdu, vnf, vdu_index, action_id, nsr_id, task_index, extra_dict
2795 ):
2796 target_vim, vim_info = next(k_v for k_v in vdu["vim_info"].items())
2797 self._assign_vim(target_vim)
2798 target_record = "vnfrs:{}:vdur.{}".format(vnf["_id"], vdu_index)
2799 target_record_id = "vnfrs:{}:vdur.{}".format(vnf["_id"], vdu["id"])
2800 deployment_info = {
2801 "action_id": action_id,
2802 "nsr_id": nsr_id,
2803 "task_index": task_index,
2804 }
2805
2806 task = Ns._create_task(
2807 deployment_info=deployment_info,
2808 target_id=target_vim,
2809 item="verticalscale",
2810 action="EXEC",
2811 target_record=target_record,
2812 target_record_id=target_record_id,
2813 extra_dict=extra_dict,
2814 )
2815 return task
2816
2817 def verticalscale(self, session, indata, version, nsr_id, *args, **kwargs):
2818 task_index = 0
2819 extra_dict = {}
2820 now = time()
2821 action_id = indata.get("action_id", str(uuid4()))
2822 step = ""
2823 logging_text = "Task deploy nsr_id={} action_id={} ".format(nsr_id, action_id)
2824 self.logger.debug(logging_text + "Enter")
2825 try:
2826 VnfFlavorData = indata.get("changeVnfFlavorData")
2827 vnf_instance_id = VnfFlavorData["vnfInstanceId"]
2828 step = "Getting vnfrs from db"
2829 db_vnfr = self.db.get_one("vnfrs", {"_id": vnf_instance_id})
2830 vduid = VnfFlavorData["additionalParams"]["vduid"]
2831 vduCountIndex = VnfFlavorData["additionalParams"]["vduCountIndex"]
2832 virtualMemory = VnfFlavorData["additionalParams"]["virtualMemory"]
2833 numVirtualCpu = VnfFlavorData["additionalParams"]["numVirtualCpu"]
2834 sizeOfStorage = VnfFlavorData["additionalParams"]["sizeOfStorage"]
2835 flavor_dict = {
2836 "name": vduid + "-flv",
2837 "ram": virtualMemory,
2838 "vcpus": numVirtualCpu,
2839 "disk": sizeOfStorage,
2840 }
2841 db_new_tasks = []
2842 step = "Creating Tasks for vertical scaling"
2843 with self.write_lock:
2844 for vdu_index, vdu in enumerate(db_vnfr["vdur"]):
2845 if (
2846 vdu["vdu-id-ref"] == vduid
2847 and vdu["count-index"] == vduCountIndex
2848 ):
2849 extra_dict["params"] = {
2850 "vim_vm_id": vdu["vim-id"],
2851 "flavor_dict": flavor_dict,
2852 }
2853 task = self.verticalscale_task(
2854 vdu,
2855 db_vnfr,
2856 vdu_index,
2857 action_id,
2858 nsr_id,
2859 task_index,
2860 extra_dict,
2861 )
2862 db_new_tasks.append(task)
2863 task_index += 1
2864 break
2865 self.upload_all_tasks(
2866 db_new_tasks=db_new_tasks,
2867 now=now,
2868 )
2869 self.logger.debug(
2870 logging_text + "Exit. Created {} tasks".format(len(db_new_tasks))
2871 )
2872 return (
2873 {"status": "ok", "nsr_id": nsr_id, "action_id": action_id},
2874 action_id,
2875 True,
2876 )
2877 except Exception as e:
2878 if isinstance(e, (DbException, NsException)):
2879 self.logger.error(
2880 logging_text + "Exit Exception while '{}': {}".format(step, e)
2881 )
2882 else:
2883 e = traceback_format_exc()
2884 self.logger.critical(
2885 logging_text + "Exit Exception while '{}': {}".format(step, e),
2886 exc_info=True,
2887 )
2888 raise NsException(e)