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