1 #######################################################################################
2 # Copyright ETSI Contributors and Others.
4 # Licensed under the Apache License, Version 2.0 (the "License");
5 # you may not use this file except in compliance with the License.
6 # You may obtain a copy of the License at
8 # http://www.apache.org/licenses/LICENSE-2.0
10 # Unless required by applicable law or agreed to in writing, software
11 # distributed under the License is distributed on an "AS IS" BASIS,
12 # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
14 # See the License for the specific language governing permissions and
15 # limitations under the License.
16 #######################################################################################
17 from copy
import deepcopy
18 from dataclasses
import dataclass
20 from os
import makedirs
, path
21 from pprint
import pformat
24 from typing
import Optional
26 from importlib_metadata
import entry_points
27 from osm_common
import dbmemory
, dbmongo
28 from osm_common
.dbbase
import DbException
29 from osm_ng_ro
.ns_thread
import ConfigValidate
30 from osm_ro_plugin
import vimconn
32 from yaml
.representer
import RepresenterError
35 openStackvmStatusOk
= [
43 openStacknetStatusOk
= [
49 db_vim_collection
= "vim_accounts"
50 vim_type
= "openstack"
51 ro_task_collection
= "ro_tasks"
52 plugin_name
= "rovim_openstack"
53 monitoring_task
= None
68 class MonitorVmsException(Exception):
69 def __init__(self
, message
):
70 super(Exception, self
).__init
__(message
)
73 class MonitorDbException(Exception):
74 def __init__(self
, message
):
75 super(Exception, self
).__init
__(message
)
78 class MonitorVimException(Exception):
79 def __init__(self
, message
):
80 super(Exception, self
).__init
__(message
)
83 class SafeDumper(yaml
.SafeDumper
):
84 def represent_data(self
, data
):
85 if isinstance(data
, dict) and data
.__class
__ != dict:
86 # A solution to convert subclasses of dict to dicts which is not handled by pyyaml.
87 data
= dict(data
.items())
88 return super(SafeDumper
, self
).represent_data(data
)
92 def __init__(self
, config
: dict):
95 self
.refresh_config
= ConfigValidate(config
)
98 self
.logger
= logging
.getLogger("ro.monitor")
100 self
.db_vims
= self
.get_db_vims()
103 def load_vims(self
) -> None:
104 for vim
in self
.db_vims
:
105 if vim
["_id"] not in self
.my_vims
:
106 self
._load
_vim
(vim
["_id"])
108 def connect_db(self
) -> None:
109 """Connect to the Database.
116 if self
.config
["database"]["driver"] == "mongo":
117 self
.db
= dbmongo
.DbMongo()
118 self
.db
.db_connect(self
.config
["database"])
119 elif self
.config
["database"]["driver"] == "memory":
120 self
.db
= dbmemory
.DbMemory()
121 self
.db
.db_connect(self
.config
["database"])
123 raise MonitorDbException(
124 "Invalid configuration param '{}' at '[database]':'driver'".format(
125 self
.config
["database"]["driver"]
128 except (DbException
, MonitorDbException
, ValueError) as e
:
129 raise MonitorDbException(str(e
))
131 def get_db_vims(self
) -> list:
132 """Get all VIM accounts which types are Openstack."""
133 return self
.db
.get_list(db_vim_collection
, {"vim_type": vim_type
})
135 def find_ro_tasks_to_monitor(self
) -> list:
136 """Get the ro_tasks which belongs to vdu and status DONE."""
137 return self
.db
.get_list(
140 "tasks.status": ["DONE"],
141 "tasks.item": ["vdu"],
146 def _initialize_target_vim(vim_module_conn
, vim
: dict) -> object:
147 """Create the VIM connector object with given vim details.
150 vim_module_conn (class): VIM connector class
151 vim (dict): VIM details to initialize VIM connecter object
154 VIM connector (object): VIM connector object
156 return vim_module_conn(
159 tenant_id
=vim
.get("vim_tenant_id"),
160 tenant_name
=vim
.get("vim_tenant_name"),
163 user
=vim
["vim_user"],
164 passwd
=vim
["vim_password"],
165 config
=vim
.get("config") or {},
169 def _load_vim(self
, target_id
) -> None:
170 """Load or reload a vim_account.
171 Read content from database, load the plugin if not loaded, then it fills my_vims dictionary.
174 target_id (str): ID of vim account
180 vim
= self
.db
.get_one(db_vim_collection
, {"_id": target_id
})
181 schema_version
= vim
.get("schema_version")
182 self
.db
.encrypt_decrypt_fields(
185 fields
=("password", "secret"),
186 schema_version
=schema_version
,
189 self
._process
_vim
_config
(target_id
, vim
)
190 vim_module_conn
= self
._load
_plugin
(plugin_name
)
191 self
.my_vims
[target_id
] = self
._initialize
_target
_vim
(vim_module_conn
, vim
)
193 "Connector loaded for {}, plugin={}".format(target_id
, plugin_name
)
203 raise MonitorVimException(
204 "Cannot load {} plugin={}: {}".format(target_id
, plugin_name
, str(e
))
208 def _process_vim_config(target_id
: str, db_vim
: dict) -> None:
210 Process vim config, creating vim configuration files as ca_cert
212 target_id (str): vim id
213 db_vim (dict): Vim dictionary obtained from database
218 if not db_vim
.get("config"):
221 work_dir
= "/app/osm_ro/certs"
223 if db_vim
["config"].get("ca_cert_content"):
224 file_name
= f
"{work_dir}/{target_id}:{random.randint(0, 99999)}"
226 if not path
.isdir(file_name
):
229 file_name
= file_name
+ "/ca_cert"
231 with
open(file_name
, "w") as f
:
232 f
.write(db_vim
["config"]["ca_cert_content"])
233 del db_vim
["config"]["ca_cert_content"]
234 db_vim
["config"]["ca_cert"] = file_name
236 except (FileNotFoundError
, IOError, OSError) as e
:
237 raise MonitorVimException(
238 "Error writing to file '{}': {}".format(file_name
, e
)
241 def _load_plugin(self
, name
: str = "rovim_openstack", type: str = "vim"):
242 """Finds the proper VIM connector and returns VIM connector class name.
244 name (str): rovim_openstack
248 VIM connector class name (class)
254 if name
in self
.plugins
:
255 return self
.plugins
[name
]
257 for ep
in entry_points(group
="osm_ro{}.plugins".format(type), name
=name
):
258 self
.plugins
[name
] = ep
.load()
259 return self
.plugins
[name
]
261 except Exception as e
:
262 raise MonitorVimException("Cannot load plugin osm_{}: {}".format(name
, e
))
265 def create_vm_to_monitor(ro_task
: dict) -> Optional
[object]:
266 """Create VM using dataclass with ro task details.
269 ro_task (dict): Details of ro_task
277 ro_task
["vim_info"]["vim_id"], ro_task
["tasks"][0]["target_record"]
281 def add_vm_to_existing_vim(
282 vims_to_monitor
: list, ro_task
: dict, target_vim
: str
284 """Add VmToMonitor to existing VIM list.
287 vims_to_monitor (list): List of VIMs to monitor
288 ro_task (dict): ro_task details
289 target_vim (str): ID of target VIM
292 Boolean If VM is added to VIM list, it returns True else False.
294 for vim
in vims_to_monitor
:
295 if target_vim
== vim
.vim_id
:
296 vm_to_monitor
= MonitorVms
.create_vm_to_monitor(ro_task
)
297 vim
.vms
.append(vm_to_monitor
)
302 def add_new_vim_for_monitoring(
303 vims_to_monitor
: list, ro_task
: dict, target_vim
: str
305 """Create a new VIM object and add to vims_to_monitor list.
308 vims_to_monitor (list): List of VIMs to monitor
309 ro_task (dict): ro_task details
310 target_vim (str): ID of target VIM
312 vim_to_monitor
= VimToMonitor(target_vim
, [])
313 vm_to_monitor
= MonitorVms
.create_vm_to_monitor(ro_task
)
314 vim_to_monitor
.vms
.append(vm_to_monitor
)
315 vims_to_monitor
.append(vim_to_monitor
)
318 def prepare_vims_to_monitor(
319 vims_to_monitor
: list, ro_task
: dict, target_vim
: str
321 """If the required VIM exists in the vims_to_monitor list, add VM under related VIM,
322 otherwise create a new VIM object and add VM to this new created VIM.
325 vims_to_monitor (list): List of VIMs to monitor
326 ro_task (dict): ro_task details
327 target_vim (str): ID of target VIM
329 if not MonitorVms
.add_vm_to_existing_vim(vims_to_monitor
, ro_task
, target_vim
):
330 MonitorVms
.add_new_vim_for_monitoring(vims_to_monitor
, ro_task
, target_vim
)
332 def _get_db_paths(self
, target_record
: str) -> tuple:
333 """Get the database paths and info of target VDU and VIM.
336 target_record (str): A string which includes vnfr_id, vdur_id, vim_id
339 (vim_info_path: str, vim_id: str, vnfr_id: str, vdur_path:str, vdur_index: int, db_vnfr: dict) tuple
345 [_
, vnfr_id
, vdur_info
, vim_id
] = target_record
.split(":")
346 vim_info_path
= vdur_info
+ ":" + vim_id
347 vdur_path
= vim_info_path
.split(".vim_info.")[0]
348 vdur_index
= int(vdur_path
.split(".")[1])
349 db_vnfr
= self
.db
.get_one("vnfrs", {"_id": vnfr_id
}, fail_on_empty
=False)
350 return vim_info_path
, vim_id
, vnfr_id
, vdur_path
, vdur_index
, db_vnfr
351 except (DbException
, ValueError) as e
:
352 raise MonitorVmsException(str(e
))
355 def _check_if_vdur_vim_info_exists(
356 db_vnfr
: dict, vdur_index
: int
358 """Check if VNF record and vdur vim_info record exists.
361 db_vnfr (dict): VNF record
362 vdur_index (int): index of vdur under db_vnfr["vdur"]
365 Boolean True if VNF record and vdur vim_info record exists.
368 if db_vnfr
and db_vnfr
.get("vdur") and isinstance(vdur_index
, int):
369 if db_vnfr
["vdur"][vdur_index
] and db_vnfr
["vdur"][vdur_index
].get(
376 def _get_vm_data_from_db(self
, vm_to_monitor
: object) -> Optional
[tuple]:
377 """Get the required DB path and VIM info data from database.
380 vm_to_monitor (object): Includes vm_id and target record in DB.
383 (vdur_path: str, vdur_vim_info_update: dict, db_vnfr: dict, existing_vim_info: dict, vnfr_id,vim_info_path: str) (Tuple):
384 Required VM info if _check_if_vdur_vim_info_exists else None
393 ) = self
._get
_db
_paths
(vm_to_monitor
.target_record
)
394 if not self
._check
_if
_vdur
_vim
_info
_exists
(db_vnfr
, vdur_index
):
397 existing_vim_info
= db_vnfr
["vdur"][vdur_index
]["vim_info"].get("vim:" + vim_id
)
398 if not existing_vim_info
:
401 vdur_vim_info_update
= deepcopy(existing_vim_info
)
404 vdur_vim_info_update
,
412 def update_vim_info_for_deleted_vm(vdur_vim_info_update
: dict) -> None:
413 """Updates the vdur_vim_info_update to report that VM is deleted.
416 vdur_vim_info_update (dict): Dictionary to be updated and used to update VDUR later.
418 vdur_vim_info_update
.update(
420 "vim_status": "DELETED",
421 "vim_message": "Deleted externally",
428 def report_deleted_vdur(self
, vm_to_monitor
: object) -> None:
429 """VM does not exist in the Openstack Cloud so update the VNFR to report VM deletion.
432 vm_to_monitor (object): VM needs to be reported as deleted.
434 vm_data
= self
._get
_vm
_data
_from
_db
(vm_to_monitor
)
439 vdur_vim_info_update
,
445 self
.update_vim_info_for_deleted_vm(vdur_vim_info_update
)
447 vdur_path
+ ".status": "DELETED",
450 if existing_vim_info
!= vdur_vim_info_update
:
451 # VNFR record is updated one time upon VM deletion.
452 self
.logger
.info(f
"Reporting deletion of VM: {vm_to_monitor.vm_id}")
453 self
.backup_vdu_interfaces(vdur_vim_info_update
)
454 all_updates
= [vdur_update
, {vim_info_path
: vdur_vim_info_update
}]
455 self
.update_in_database(all_updates
, vnfr_id
)
456 self
.logger
.info(f
"Updated vnfr for vm_id: {vm_to_monitor.vm_id}.")
458 def update_vnfrs(self
, servers
: list, ports
: dict, vms_to_monitor
: list) -> None:
459 """Update the VDURs according to the latest information provided by servers list.
462 servers (list): List of existing VMs comes from single Openstack VIM account
463 ports (dict): List of all ports comes from single Openstack VIM account
464 vms_to_monitor (list): List of VMs to be monitored and updated.
466 for vm_to_monitor
in vms_to_monitor
:
468 filter(lambda server
: server
.id == vm_to_monitor
.vm_id
, servers
), None
471 self
.report_vdur_updates(server
, vm_to_monitor
, ports
)
473 self
.report_deleted_vdur(vm_to_monitor
)
475 def serialize(self
, value
: dict) -> Optional
[str]:
476 """Serialization of python basic types.
477 In the case value is not serializable a message will be logged.
480 value (dict/str): Data to serialize
483 serialized_value (str, yaml)
485 if isinstance(value
, str):
489 value
, Dumper
=SafeDumper
, default_flow_style
=True, width
=256
491 except RepresenterError
:
493 "The following entity cannot be serialized in YAML:\n\n%s\n\n",
499 def _get_server_info(self
, server
: object) -> str:
500 """Get the server info, extract some fields and returns info as string.
503 server (object): VM info object
508 server_info
= server
.to_dict()
509 server_info
.pop("OS-EXT-SRV-ATTR:user_data", None)
510 server_info
.pop("user_data", None)
511 return self
.serialize(server_info
)
513 def check_vm_status_updates(
515 vdur_vim_info_update
: dict,
520 """Fills up dictionaries to update VDUR according to server.status.
523 vdur_vim_info_update (dict): Dictionary which keeps the differences of vdur_vim_info
524 vdur_update (dict): Dictionary which keeps the differences of vdur
525 server (server): VM info
526 vdur_path (str): Path of VDUR in DB
528 if server
.status
in openStackvmStatusOk
:
529 vdur_vim_info_update
["vim_status"] = vdur_update
[
530 vdur_path
+ ".status"
534 vdur_vim_info_update
["vim_status"] = vdur_update
[
535 vdur_path
+ ".status"
537 vdur_vim_info_update
["vim_message"] = "VIM status reported " + server
.status
539 vdur_vim_info_update
["vim_details"] = self
._get
_server
_info
(server
)
540 vdur_vim_info_update
["vim_id"] = server
.id
541 vdur_vim_info_update
["vim_name"] = vdur_update
[
546 def get_interface_info(
547 ports
: dict, interface
: dict, server
: object
549 """Get the updated port info regarding with existing interface of server.
552 ports (dict): List of all ports belong to single VIM account
553 interface (dict): Existing interface info which is taken from DB
554 server (object): Server info
557 port (dict): The updated port info related to existing interface of server
561 lambda port
: port
.get("id") == interface
.get("vim_interface_id")
562 and port
.get("device_id") == server
.id,
569 def check_vlan_pci_updates(
570 interface_info
: dict, index
: int, vdur_vim_info_update
: dict
572 """If interface has pci and vlan, update vdur_vim_info dictionary with the refreshed data.
575 interface_info (dict): Refreshed interface info
576 index (int): Index of interface in VDUR
577 vdur_vim_info_update (dict): Dictionary to be updated and used to update VDUR later.
579 if interface_info
.get("binding:profile") and interface_info
[
582 pci
= interface_info
["binding:profile"]["pci_slot"]
583 vdur_vim_info_update
["interfaces"][index
]["pci"] = pci
585 if interface_info
.get("binding:vif_details"):
586 vdur_vim_info_update
["interfaces"][index
]["vlan"] = interface_info
[
587 "binding:vif_details"
591 def check_vdur_interface_updates(
595 interface_info
: dict,
600 """Updates the vdur_update dictionary which stores differences between the latest interface data and data in DB.
603 vdur_update (dict): Dictionary used to store vdur updates
604 vdur_path (str): VDUR record path in DB
605 index (int): Index of interface in VDUR
606 interface_info (dict): Refreshed interface info
607 old_interface (dict): The previous interface info comes from DB
608 vnfr_update (dict): VDUR record path in DB
609 vnfr_id (str): VNFR ID
611 current_ip_address
= MonitorVms
._get
_current
_ip
_address
(interface_info
)
612 if current_ip_address
:
614 vdur_path
+ ".interfaces." + str(index
) + ".ip-address"
615 ] = current_ip_address
617 if old_interface
.get("mgmt_vdu_interface"):
618 vdur_update
[vdur_path
+ ".ip-address"] = current_ip_address
620 if old_interface
.get("mgmt_vnf_interface"):
621 vnfr_update
[vnfr_id
+ ".ip-address"] = current_ip_address
624 vdur_path
+ ".interfaces." + str(index
) + ".mac-address"
625 ] = interface_info
.get("mac_address")
628 def _get_current_ip_address(interface_info
: dict) -> Optional
[str]:
629 if interface_info
.get("fixed_ips") and interface_info
["fixed_ips"][0]:
630 return interface_info
["fixed_ips"][0].get("ip_address")
633 def backup_vdu_interfaces(vdur_vim_info_update
: dict) -> None:
634 """Backup VDU interfaces as interfaces_backup.
637 vdur_vim_info_update (dict): Dictionary used to store vdur_vim_info updates
639 if vdur_vim_info_update
.get("interfaces") and not vdur_vim_info_update
.get(
642 vdur_vim_info_update
["interfaces_backup"] = vdur_vim_info_update
[
646 def update_vdur_vim_info_interfaces(
648 vdur_vim_info_update
: dict,
650 interface_info
: dict,
653 """Update the vdur_vim_info dictionary with the latest interface info.
656 vdur_vim_info_update (dict): The dictionary which is used to store vdur_vim_info updates
657 index (int): Interface index
658 interface_info (dict): The latest interface info
659 server (object): The latest VM info
662 vdur_vim_info_update
.get("interfaces")
663 and vdur_vim_info_update
["interfaces"][index
]
665 raise MonitorVmsException("Existing interfaces info could not found.")
667 vdur_vim_info_update
["interfaces"][index
].update(
669 "mac_address": interface_info
["mac_address"],
670 "ip_address": interface_info
["fixed_ips"][0].get("ip_address")
671 if interface_info
.get("fixed_ips")
673 "vim_net_id": interface_info
["network_id"],
674 "vim_info": self
.serialize(interface_info
),
675 "compute_node": server
.to_dict()["OS-EXT-SRV-ATTR:host"]
676 if server
.to_dict().get("OS-EXT-SRV-ATTR:host")
681 def prepare_interface_updates(
683 vdur_vim_info_update
: dict,
685 interface_info
: dict,
693 """Updates network related info in vdur_vim_info and vdur by using the latest interface info.
696 vdur_vim_info_update (dict): Dictionary used to store vdur_vim_info updates
697 index (int): Interface index
698 interface_info (dict): The latest interface info
699 server (object): The latest VM info
700 vdur_path (str): VDUR record path in DB
701 vnfr_update (dict): VDUR record path in DB
702 old_interface (dict): The previous interface info comes from DB
703 vdur_update (dict): Dictionary used to store vdur updates
704 vnfr_id (str): VNFR ID
706 self
.update_vdur_vim_info_interfaces(
707 vdur_vim_info_update
, index
, interface_info
, server
709 self
.check_vlan_pci_updates(interface_info
, index
, vdur_vim_info_update
)
710 self
.check_vdur_interface_updates(
720 def check_vm_interface_updates(
723 existing_vim_info
: dict,
725 vdur_vim_info_update
: dict,
731 """Gets the refreshed interfaces info of server and updates the VDUR if interfaces exist,
732 otherwise reports that interfaces are deleted.
735 server (object): The latest VM info
736 existing_vim_info (dict): VM info details comes from DB
737 ports (dict): All ports info belongs to single VIM account
738 vdur_vim_info_update (dict): Dictionary used to store vdur_vim_info updates
739 vdur_update (dict): Dictionary used to store vdur updates
740 vdur_path (str): VDUR record path in DB
741 vnfr_update (dict): VDUR record path in DB
742 vnfr_id (str): VNFR ID
744 for index
, old_interface
in enumerate(existing_vim_info
["interfaces"]):
745 interface_info
= self
.get_interface_info(ports
, old_interface
, server
)
746 if not interface_info
:
747 vdur_vim_info_update
[
749 ] = f
"Interface {old_interface['vim_interface_id']} deleted externally."
752 if interface_info
.get("status") in openStacknetStatusOk
:
753 self
.prepare_interface_updates(
754 vdur_vim_info_update
,
766 vdur_vim_info_update
["vim_message"] = (
767 f
"Interface {old_interface['vim_interface_id']} status: "
768 + interface_info
.get("status")
771 def update_in_database(self
, all_updates
: list, vnfr_id
: str) -> None:
772 """Update differences in VNFR.
775 all_updates (list): List of dictionaries which includes differences
776 vnfr_id (str): VNF record ID
782 for updated_dict
in all_updates
:
786 update_dict
=updated_dict
,
787 q_filter
={"_id": vnfr_id
},
789 except DbException
as e
:
790 raise MonitorDbException(
791 f
"Error while updating differences in VNFR {str(e)}"
794 def report_vdur_updates(
795 self
, server
: object, vm_to_monitor
: object, ports
: dict
797 """Report VDU updates by changing the VDUR records in DB.
800 server (object): Refreshed VM info
801 vm_to_monitor (object): VM to be monitored
802 ports (dict): Ports dict includes all ports details regarding with single VIM account
804 vm_data
= self
._get
_vm
_data
_from
_db
(vm_to_monitor
)
809 vdur_vim_info_update
,
815 vdur_update
, vnfr_update
= {}, {}
817 self
.check_vm_status_updates(
818 vdur_vim_info_update
, vdur_update
, server
, vdur_path
821 self
.check_vm_interface_updates(
825 vdur_vim_info_update
,
831 # Update vnfr in MongoDB if there are differences
832 if existing_vim_info
!= vdur_vim_info_update
:
833 self
.logger
.info(f
"Reporting status updates of VM: {vm_to_monitor.vm_id}.")
834 self
.backup_vdu_interfaces(vdur_vim_info_update
)
837 {vim_info_path
: vdur_vim_info_update
},
840 self
.update_in_database(all_updates
, vnfr_id
)
841 self
.logger
.info(f
"Updated vnfr for vm_id: {server.id}.")
843 def run(self
) -> None:
844 """Perfoms the periodic updates of Openstack VMs by sending only two requests to Openstack APIs
845 for each VIM account (in order to get details of all servers, all ports).
851 # If there is not any Openstack type VIM account in DB or VM status updates are disabled by config,
852 # Openstack VMs will not be monitored.
853 if not self
.db_vims
or self
.refresh_config
.active
== -1:
856 ro_tasks_to_monitor
= self
.find_ro_tasks_to_monitor()
857 db_vims
= [vim
["_id"] for vim
in self
.db_vims
]
860 for ro_task
in ro_tasks_to_monitor
:
861 _
, _
, target_vim
= ro_task
["target_id"].partition(":")
862 if target_vim
in db_vims
:
863 self
.prepare_vims_to_monitor(vims_to_monitor
, ro_task
, target_vim
)
865 for vim
in vims_to_monitor
:
866 all_servers
, all_ports
= self
.my_vims
[vim
.vim_id
].get_monitoring_data()
867 self
.update_vnfrs(all_servers
, all_ports
, vim
.vms
)
877 vimconn
.VimConnException
,
879 raise MonitorVmsException(
880 f
"Exception while monitoring Openstack VMs: {str(e)}"
884 def start_monitoring(config
: dict):
885 global monitoring_task
886 if not (config
and config
.get("period")):
887 raise MonitorVmsException("Wrong configuration format is provided.")
888 instance
= MonitorVms(config
)
889 period
= instance
.refresh_config
.active
891 monitoring_task
= threading
.Timer(period
, start_monitoring
, args
=(config
,))
892 monitoring_task
.start()
895 def stop_monitoring():
896 global monitoring_task
898 monitoring_task
.cancel()