blob: 2779a2560c1c09b15ca0e07cd70ad9a7ebd80aaa [file] [log] [blame]
tierno59d22d22018-09-25 18:10:19 +02001# -*- coding: utf-8 -*-
2
tierno2e215512018-11-28 09:37:52 +00003##
4# Copyright 2018 Telefonica S.A.
5#
6# Licensed under the Apache License, Version 2.0 (the "License"); you may
7# not use this file except in compliance with the License. You may obtain
8# a copy of the License at
9#
10# http://www.apache.org/licenses/LICENSE-2.0
11#
12# Unless required by applicable law or agreed to in writing, software
13# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
14# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
15# License for the specific language governing permissions and limitations
16# under the License.
17##
tierno59d22d22018-09-25 18:10:19 +020018
kuused124bfe2019-06-18 12:09:24 +020019import asyncio
tierno59d22d22018-09-25 18:10:19 +020020from collections import OrderedDict
tiernobaa51102018-12-14 13:16:18 +000021# from osm_common.dbbase import DbException
tierno59d22d22018-09-25 18:10:19 +020022
23__author__ = "Alfonso Tierno"
24
25
26class LcmException(Exception):
27 pass
28
29
tiernof578e552018-11-08 19:07:20 +010030class LcmExceptionNoMgmtIP(LcmException):
31 pass
32
33
gcalvinoed7f6d42018-12-14 14:44:56 +010034class LcmExceptionExit(LcmException):
35 pass
36
37
tierno59d22d22018-09-25 18:10:19 +020038def versiontuple(v):
tierno27246d82018-09-27 15:59:09 +020039 """utility for compare dot separate versions. Fills with zeros to proper number comparison
40 package version will be something like 4.0.1.post11+gb3f024d.dirty-1. Where 4.0.1 is the git tag, postXX is the
41 number of commits from this tag, and +XXXXXXX is the git commit short id. Total length is 16 with until 999 commits
42 """
tierno59d22d22018-09-25 18:10:19 +020043 filled = []
44 for point in v.split("."):
tiernoe64f7fb2019-09-11 08:55:52 +000045 point, _, _ = point.partition("+")
46 point, _, _ = point.partition("-")
47 filled.append(point.zfill(20))
tierno59d22d22018-09-25 18:10:19 +020048 return tuple(filled)
49
50
kuused124bfe2019-06-18 12:09:24 +020051# LcmBase must be listed before TaskRegistry, as it is a dependency.
52class LcmBase:
53
54 def __init__(self, db, msg, fs, logger):
55 """
56
57 :param db: database connection
58 """
59 self.db = db
60 self.msg = msg
61 self.fs = fs
62 self.logger = logger
63
64 def update_db_2(self, item, _id, _desc):
65 """
66 Updates database with _desc information. If success _desc is cleared
67 :param item:
68 :param _id:
69 :param _desc: dictionary with the content to update. Keys are dot separated keys for
70 :return: None. Exception is raised on error
71 """
72 if not _desc:
73 return
74 self.db.set_one(item, {"_id": _id}, _desc)
75 _desc.clear()
76 # except DbException as e:
77 # self.logger.error("Updating {} _id={} with '{}'. Error: {}".format(item, _id, _desc, e))
78
79
80class TaskRegistry(LcmBase):
tierno59d22d22018-09-25 18:10:19 +020081 """
82 Implements a registry of task needed for later cancelation, look for related tasks that must be completed before
83 etc. It stores a four level dict
84 First level is the topic, ns, vim_account, sdn
85 Second level is the _id
86 Third level is the operation id
87 Fourth level is a descriptive name, the value is the task class
kuused124bfe2019-06-18 12:09:24 +020088
89 The HA (High-Availability) methods are used when more than one LCM instance is running.
90 To register the current task in the external DB, use LcmBase as base class, to be able
91 to reuse LcmBase.update_db_2()
92 The DB registry uses the following fields to distinguish a task:
93 - op_type: operation type ("nslcmops" or "nsilcmops")
94 - op_id: operation ID
95 - worker: the worker ID for this process
tierno59d22d22018-09-25 18:10:19 +020096 """
97
kuuse6a470c62019-07-10 13:52:45 +020098 # NS/NSI: "services" VIM/WIM/SDN: "accounts"
99 topic_service_list = ['ns', 'nsi']
100 topic_account_list = ['vim', 'wim', 'sdn']
101
102 # Map topic to InstanceID
103 topic2instid_dict = {
104 'ns': 'nsInstanceId',
105 'nsi': 'netsliceInstanceId'}
106
107 # Map topic to DB table name
108 topic2dbtable_dict = {
109 'ns': 'nslcmops',
110 'nsi': 'nsilcmops',
111 'vim': 'vim_accounts',
112 'wim': 'wim_accounts',
113 'sdn': 'sdns'}
kuused124bfe2019-06-18 12:09:24 +0200114
115 def __init__(self, worker_id=None, db=None, logger=None):
tierno59d22d22018-09-25 18:10:19 +0200116 self.task_registry = {
117 "ns": {},
Felipe Vicensc2033f22018-11-15 15:09:58 +0100118 "nsi": {},
tierno59d22d22018-09-25 18:10:19 +0200119 "vim_account": {},
tiernoe37b57d2018-12-11 17:22:51 +0000120 "wim_account": {},
tierno59d22d22018-09-25 18:10:19 +0200121 "sdn": {},
122 }
kuused124bfe2019-06-18 12:09:24 +0200123 self.worker_id = worker_id
124 self.db = db
125 self.logger = logger
tierno59d22d22018-09-25 18:10:19 +0200126
127 def register(self, topic, _id, op_id, task_name, task):
128 """
129 Register a new task
Felipe Vicensc2033f22018-11-15 15:09:58 +0100130 :param topic: Can be "ns", "nsi", "vim_account", "sdn"
tierno59d22d22018-09-25 18:10:19 +0200131 :param _id: _id of the related item
132 :param op_id: id of the operation of the related item
133 :param task_name: Task descriptive name, as create, instantiate, terminate. Must be unique in this op_id
134 :param task: Task class
135 :return: none
136 """
137 if _id not in self.task_registry[topic]:
138 self.task_registry[topic][_id] = OrderedDict()
139 if op_id not in self.task_registry[topic][_id]:
140 self.task_registry[topic][_id][op_id] = {task_name: task}
141 else:
142 self.task_registry[topic][_id][op_id][task_name] = task
143 # print("registering task", topic, _id, op_id, task_name, task)
144
145 def remove(self, topic, _id, op_id, task_name=None):
146 """
tiernobaa51102018-12-14 13:16:18 +0000147 When task is ended, it should be removed. It ignores missing tasks. It also removes tasks done with this _id
Felipe Vicensc2033f22018-11-15 15:09:58 +0100148 :param topic: Can be "ns", "nsi", "vim_account", "sdn"
tierno59d22d22018-09-25 18:10:19 +0200149 :param _id: _id of the related item
150 :param op_id: id of the operation of the related item
tiernobaa51102018-12-14 13:16:18 +0000151 :param task_name: Task descriptive name. If none it deletes all tasks with same _id and op_id
152 :return: None
tierno59d22d22018-09-25 18:10:19 +0200153 """
tiernobaa51102018-12-14 13:16:18 +0000154 if not self.task_registry[topic].get(_id):
tierno59d22d22018-09-25 18:10:19 +0200155 return
156 if not task_name:
tiernobaa51102018-12-14 13:16:18 +0000157 self.task_registry[topic][_id].pop(op_id, None)
158 elif self.task_registry[topic][_id].get(op_id):
159 self.task_registry[topic][_id][op_id].pop(task_name, None)
160
161 # delete done tasks
162 for op_id_ in list(self.task_registry[topic][_id]):
163 for name, task in self.task_registry[topic][_id][op_id_].items():
164 if not task.done():
165 break
166 else:
167 del self.task_registry[topic][_id][op_id_]
tierno59d22d22018-09-25 18:10:19 +0200168 if not self.task_registry[topic][_id]:
169 del self.task_registry[topic][_id]
170
171 def lookfor_related(self, topic, _id, my_op_id=None):
172 task_list = []
173 task_name_list = []
174 if _id not in self.task_registry[topic]:
175 return "", task_name_list
176 for op_id in reversed(self.task_registry[topic][_id]):
177 if my_op_id:
178 if my_op_id == op_id:
179 my_op_id = None # so that the next task is taken
180 continue
181
182 for task_name, task in self.task_registry[topic][_id][op_id].items():
tiernobaa51102018-12-14 13:16:18 +0000183 if not task.done():
184 task_list.append(task)
185 task_name_list.append(task_name)
tierno59d22d22018-09-25 18:10:19 +0200186 break
187 return ", ".join(task_name_list), task_list
188
189 def cancel(self, topic, _id, target_op_id=None, target_task_name=None):
190 """
kuused124bfe2019-06-18 12:09:24 +0200191 Cancel all active tasks of a concrete ns, nsi, vim_account, sdn identified for _id. If op_id is supplied only
Felipe Vicensc2033f22018-11-15 15:09:58 +0100192 this is cancelled, and the same with task_name
tierno59d22d22018-09-25 18:10:19 +0200193 """
194 if not self.task_registry[topic].get(_id):
195 return
196 for op_id in reversed(self.task_registry[topic][_id]):
197 if target_op_id and target_op_id != op_id:
198 continue
199 for task_name, task in self.task_registry[topic][_id][op_id].items():
200 if target_task_name and target_task_name != task_name:
201 continue
202 # result =
203 task.cancel()
204 # if result:
205 # self.logger.debug("{} _id={} order_id={} task={} cancelled".format(topic, _id, op_id, task_name))
206
kuuse6a470c62019-07-10 13:52:45 +0200207 # Is topic NS/NSI?
208 def _is_service_type_HA(self, topic):
209 return topic in self.topic_service_list
210
211 # Is topic VIM/WIM/SDN?
212 def _is_account_type_HA(self, topic):
213 return topic in self.topic_account_list
214
215 # Input: op_id, example: 'abc123def:3' Output: account_id='abc123def', op_index=3
216 def _get_account_and_op_HA(self, op_id):
217 if not op_id:
218 return (None, None)
219 account_id, _, op_index = op_id.rpartition(':')
220 if not account_id:
221 return (None, None)
222 if not op_index.isdigit():
223 return (None, None)
224 return account_id, op_index
225
226 # Get '_id' for any topic and operation
227 def _get_instance_id_HA(self, topic, op_type, op_id):
228 _id = None
229 # Special operation 'ANY', for SDN account associated to a VIM account: op_id as '_id'
230 if op_type == 'ANY':
231 _id = op_id
232 # NS/NSI: Use op_id as '_id'
233 elif self._is_service_type_HA(topic):
234 _id = op_id
235 # VIM/SDN/WIM: Split op_id to get Account ID and Operation Index, use Account ID as '_id'
236 elif self._is_account_type_HA(topic):
237 _id, _ = self._get_account_and_op_HA(op_id)
238 return _id
239
240 # Set DB _filter for querying any related process state
241 def _get_waitfor_filter_HA(self, db_lcmop, topic, op_type, op_id):
242 _filter = {}
243 # Special operation 'ANY', for SDN account associated to a VIM account: op_id as '_id'
244 # In this special case, the timestamp is ignored
245 if op_type == 'ANY':
246 _filter = {'operationState': 'PROCESSING'}
247 # Otherwise, get 'startTime' timestamp for this operation
248 else:
249 # NS/NSI
250 if self._is_service_type_HA(topic):
251 starttime_this_op = db_lcmop.get("startTime")
252 instance_id_label = self.topic2instid_dict.get(topic)
253 instance_id = db_lcmop.get(instance_id_label)
254 _filter = {instance_id_label: instance_id,
255 'operationState': 'PROCESSING',
256 'startTime.lt': starttime_this_op}
257 # VIM/WIM/SDN
258 elif self._is_account_type_HA(topic):
259 _, op_index = self._get_account_and_op_HA(op_id)
260 _ops = db_lcmop['_admin']['operations']
261 _this_op = _ops[int(op_index)]
262 starttime_this_op = _this_op.get('startTime', None)
263 _filter = {'operationState': 'PROCESSING',
264 'startTime.lt': starttime_this_op}
265 return _filter
266
267 # Get DB params for any topic and operation
268 def _get_dbparams_for_lock_HA(self, topic, op_type, op_id):
269 q_filter = {}
270 update_dict = {}
271 # NS/NSI
272 if self._is_service_type_HA(topic):
273 q_filter = {'_id': op_id, '_admin.worker': None}
274 update_dict = {'_admin.worker': self.worker_id}
275 # VIM/WIM/SDN
276 elif self._is_account_type_HA(topic):
277 account_id, op_index = self._get_account_and_op_HA(op_id)
278 if not account_id:
279 return None, None
280 if op_type == 'create':
281 # Creating a VIM/WIM/SDN account implies setting '_admin.current_operation' = 0
282 op_index = 0
283 q_filter = {'_id': account_id, "_admin.operations.{}.worker".format(op_index): None}
284 update_dict = {'_admin.operations.{}.worker'.format(op_index): self.worker_id,
285 '_admin.current_operation': op_index}
286 return q_filter, update_dict
287
kuused124bfe2019-06-18 12:09:24 +0200288 def lock_HA(self, topic, op_type, op_id):
289 """
kuuse6a470c62019-07-10 13:52:45 +0200290 Lock a task, if possible, to indicate to the HA system that
kuused124bfe2019-06-18 12:09:24 +0200291 the task will be executed in this LCM instance.
kuuse6a470c62019-07-10 13:52:45 +0200292 :param topic: Can be "ns", "nsi", "vim", "wim", or "sdn"
293 :param op_type: Operation type, can be "nslcmops", "nsilcmops", "create", "edit", "delete"
294 :param op_id: NS, NSI: Operation ID VIM,WIM,SDN: Account ID + ':' + Operation Index
kuused124bfe2019-06-18 12:09:24 +0200295 :return:
kuuse6a470c62019-07-10 13:52:45 +0200296 True=lock was successful => execute the task (not registered by any other LCM instance)
kuused124bfe2019-06-18 12:09:24 +0200297 False=lock failed => do NOT execute the task (already registered by another LCM instance)
kuuse6a470c62019-07-10 13:52:45 +0200298
299 HA tasks and backward compatibility:
300 If topic is "account type" (VIM/WIM/SDN) and op_id is None, 'op_id' was not provided by NBI.
301 This means that the running NBI instance does not support HA.
302 In such a case this method should always return True, to always execute
303 the task in this instance of LCM, without querying the DB.
tierno59d22d22018-09-25 18:10:19 +0200304 """
305
kuuse6a470c62019-07-10 13:52:45 +0200306 # Backward compatibility for VIM/WIM/SDN without op_id
307 if self._is_account_type_HA(topic) and op_id is None:
308 return True
tierno59d22d22018-09-25 18:10:19 +0200309
kuuse6a470c62019-07-10 13:52:45 +0200310 # Try to lock this task
311 db_table_name = self.topic2dbtable_dict.get(topic)
312 q_filter, update_dict = self._get_dbparams_for_lock_HA(topic, op_type, op_id)
313 db_lock_task = self.db.set_one(db_table_name,
314 q_filter=q_filter,
315 update_dict=update_dict,
316 fail_on_empty=False)
kuused124bfe2019-06-18 12:09:24 +0200317 if db_lock_task is None:
318 self.logger.debug("Task {} operation={} already locked by another worker".format(topic, op_id))
319 return False
320 else:
kuuse6a470c62019-07-10 13:52:45 +0200321 # Set 'detailed-status' to 'In progress' for VIM/WIM/SDN operations
322 if self._is_account_type_HA(topic):
323 detailed_status = 'In progress'
324 account_id, op_index = self._get_account_and_op_HA(op_id)
325 q_filter = {'_id': account_id}
326 update_dict = {'_admin.operations.{}.detailed-status'.format(op_index): detailed_status}
327 self.db.set_one(db_table_name,
328 q_filter=q_filter,
329 update_dict=update_dict,
330 fail_on_empty=False)
kuused124bfe2019-06-18 12:09:24 +0200331 return True
332
kuuse6a470c62019-07-10 13:52:45 +0200333 def register_HA(self, topic, op_type, op_id, operationState, detailed_status):
334 """
335 Register a task, done when finished a VIM/WIM/SDN 'create' operation.
336 :param topic: Can be "vim", "wim", or "sdn"
337 :param op_type: Operation type, can be "create", "edit", "delete"
338 :param op_id: Account ID + ':' + Operation Index
339 :return: nothing
340 """
341
342 # Backward compatibility
343 if not self._is_account_type_HA(topic) or (self._is_account_type_HA(topic) and op_id is None):
344 return
345
346 # Get Account ID and Operation Index
347 account_id, op_index = self._get_account_and_op_HA(op_id)
348 db_table_name = self.topic2dbtable_dict.get(topic)
349
350 # If this is a 'delete' operation, the account may have been deleted (SUCCESS) or may still exist (FAILED)
351 # If the account exist, register the HA task.
352 # Update DB for HA tasks
353 q_filter = {'_id': account_id}
354 update_dict = {'_admin.operations.{}.operationState'.format(op_index): operationState,
355 '_admin.operations.{}.detailed-status'.format(op_index): detailed_status}
356 self.db.set_one(db_table_name,
357 q_filter=q_filter,
358 update_dict=update_dict,
359 fail_on_empty=False)
360 return
361
kuused124bfe2019-06-18 12:09:24 +0200362 async def waitfor_related_HA(self, topic, op_type, op_id=None):
tierno59d22d22018-09-25 18:10:19 +0200363 """
kuused124bfe2019-06-18 12:09:24 +0200364 Wait for any pending related HA tasks
tierno59d22d22018-09-25 18:10:19 +0200365 """
kuused124bfe2019-06-18 12:09:24 +0200366
kuuse6a470c62019-07-10 13:52:45 +0200367 # Backward compatibility
368 if not (self._is_service_type_HA(topic) or self._is_account_type_HA(topic)) and (op_id is None):
369 return
kuused124bfe2019-06-18 12:09:24 +0200370
kuuse6a470c62019-07-10 13:52:45 +0200371 # Get DB table name
372 db_table_name = self.topic2dbtable_dict.get(topic)
373
374 # Get instance ID
375 _id = self._get_instance_id_HA(topic, op_type, op_id)
376 _filter = {"_id": _id}
377 db_lcmop = self.db.get_one(db_table_name,
378 _filter,
kuused124bfe2019-06-18 12:09:24 +0200379 fail_on_empty=False)
380 if not db_lcmop:
tierno59d22d22018-09-25 18:10:19 +0200381 return
kuuse6a470c62019-07-10 13:52:45 +0200382
383 # Set DB _filter for querying any related process state
384 _filter = self._get_waitfor_filter_HA(db_lcmop, topic, op_type, op_id)
kuused124bfe2019-06-18 12:09:24 +0200385
386 # For HA, get list of tasks from DB instead of from dictionary (in-memory) variable.
387 timeout_wait_for_task = 3600 # Max time (seconds) to wait for a related task to finish
388 # interval_wait_for_task = 30 # A too long polling interval slows things down considerably
389 interval_wait_for_task = 10 # Interval in seconds for polling related tasks
390 time_left = timeout_wait_for_task
391 old_num_related_tasks = 0
392 while True:
kuuse6a470c62019-07-10 13:52:45 +0200393 # Get related tasks (operations within the same instance as this) which are
kuused124bfe2019-06-18 12:09:24 +0200394 # still running (operationState='PROCESSING') and which were started before this task.
kuuse6a470c62019-07-10 13:52:45 +0200395 # In the case of op_type='ANY', get any related tasks with operationState='PROCESSING', ignore timestamps.
396 db_waitfor_related_task = self.db.get_list(db_table_name,
kuused124bfe2019-06-18 12:09:24 +0200397 q_filter=_filter)
398 new_num_related_tasks = len(db_waitfor_related_task)
kuuse6a470c62019-07-10 13:52:45 +0200399 # If there are no related tasks, there is nothing to wait for, so return.
kuused124bfe2019-06-18 12:09:24 +0200400 if not new_num_related_tasks:
kuused124bfe2019-06-18 12:09:24 +0200401 return
402 # If number of pending related tasks have changed,
403 # update the 'detailed-status' field and log the change.
kuuse6a470c62019-07-10 13:52:45 +0200404 # Do NOT update the 'detailed-status' for SDNC-associated-to-VIM operations ('ANY').
405 if (op_type != 'ANY') and (new_num_related_tasks != old_num_related_tasks):
406 step = "Waiting for {} related tasks to be completed.".format(new_num_related_tasks)
407 update_dict = {}
408 q_filter = {'_id': _id}
409 # NS/NSI
410 if self._is_service_type_HA(topic):
411 update_dict = {'detailed-status': step}
412 # VIM/WIM/SDN
413 elif self._is_account_type_HA(topic):
414 _, op_index = self._get_account_and_op_HA(op_id)
415 update_dict = {'_admin.operations.{}.detailed-status'.format(op_index): step}
416 self.logger.debug("Task {} operation={} {}".format(topic, _id, step))
417 self.db.set_one(db_table_name,
418 q_filter=q_filter,
419 update_dict=update_dict,
420 fail_on_empty=False)
kuused124bfe2019-06-18 12:09:24 +0200421 old_num_related_tasks = new_num_related_tasks
422 time_left -= interval_wait_for_task
423 if time_left < 0:
424 raise LcmException(
425 "Timeout ({}) when waiting for related tasks to be completed".format(
426 timeout_wait_for_task))
427 await asyncio.sleep(interval_wait_for_task)
428
429 return