blob: 6fd33745f68ba0b7c7cf67318512968f6a8e92ab [file] [log] [blame]
lloretgalleg1a3a4c92020-06-30 13:46:28 +00001##
2# Copyright 2020 Telefonica Investigacion y Desarrollo, S.A.U.
3#
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
7#
8# http://www.apache.org/licenses/LICENSE-2.0
9#
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
13# implied.
14# See the License for the specific language governing permissions and
15# limitations under the License.
16#
17##
18import functools
19import yaml
20import asyncio
21import socket
22import uuid
lloretgallegb5b9c982020-09-02 09:55:05 +000023import os
lloretgalleg1a3a4c92020-06-30 13:46:28 +000024
25from grpclib.client import Channel
26
27from osm_lcm.frontend_pb2 import PrimitiveRequest
28from osm_lcm.frontend_pb2 import SshKeyRequest, SshKeyReply
29from osm_lcm.frontend_grpc import FrontendExecutorStub
lloretgalleg18ebc3a2020-10-22 09:54:51 +000030from osm_lcm.lcm_utils import LcmBase
lloretgalleg1a3a4c92020-06-30 13:46:28 +000031
bravof922c4172020-11-24 21:21:43 -030032from osm_lcm.data_utils.database.database import Database
33from osm_lcm.data_utils.filesystem.filesystem import Filesystem
34
lloretgalleg1a3a4c92020-06-30 13:46:28 +000035from n2vc.n2vc_conn import N2VCConnector
36from n2vc.k8s_helm_conn import K8sHelmConnector
lloretgalleg18ebc3a2020-10-22 09:54:51 +000037from n2vc.k8s_helm3_conn import K8sHelm3Connector
garciadeblas5697b8b2021-03-24 09:17:02 +010038from n2vc.exceptions import (
39 N2VCBadArgumentsException,
40 N2VCException,
41 N2VCExecutionException,
42)
lloretgalleg1a3a4c92020-06-30 13:46:28 +000043
44from osm_lcm.lcm_utils import deep_get
45
46
lloretgallegbc10a082021-01-26 12:12:03 +000047def retryer(max_wait_time_var="_initial_retry_time", delay_time_var="_retry_delay"):
lloretgalleg1a3a4c92020-06-30 13:46:28 +000048 def wrapper(func):
garciadeblas5697b8b2021-03-24 09:17:02 +010049 retry_exceptions = ConnectionRefusedError
lloretgalleg1a3a4c92020-06-30 13:46:28 +000050
51 @functools.wraps(func)
52 async def wrapped(*args, **kwargs):
lloretgallegbc10a082021-01-26 12:12:03 +000053 # default values for wait time and delay_time
54 delay_time = 10
55 max_wait_time = 300
56
57 # obtain arguments from variable names
58 self = args[0]
59 if self.__dict__.get(max_wait_time_var):
60 max_wait_time = self.__dict__.get(max_wait_time_var)
61 if self.__dict__.get(delay_time_var):
62 delay_time = self.__dict__.get(delay_time_var)
63
lloretgalleg1a3a4c92020-06-30 13:46:28 +000064 wait_time = max_wait_time
65 while wait_time > 0:
66 try:
67 return await func(*args, **kwargs)
68 except retry_exceptions:
69 wait_time = wait_time - delay_time
70 await asyncio.sleep(delay_time)
71 continue
72 else:
73 return ConnectionRefusedError
garciadeblas5697b8b2021-03-24 09:17:02 +010074
lloretgalleg1a3a4c92020-06-30 13:46:28 +000075 return wrapped
garciadeblas5697b8b2021-03-24 09:17:02 +010076
lloretgalleg1a3a4c92020-06-30 13:46:28 +000077 return wrapper
78
79
lloretgalleg18ebc3a2020-10-22 09:54:51 +000080class LCMHelmConn(N2VCConnector, LcmBase):
lloretgalleg1a3a4c92020-06-30 13:46:28 +000081 _KUBECTL_OSM_NAMESPACE = "osm"
82 _KUBECTL_OSM_CLUSTER_NAME = "_system-osm-k8s"
83 _EE_SERVICE_PORT = 50050
84
lloretgalleg1a3a4c92020-06-30 13:46:28 +000085 # Initial max retry time
lloretgallegbc10a082021-01-26 12:12:03 +000086 _MAX_INITIAL_RETRY_TIME = 600
87 # Max retry time for normal operations
lloretgalleg1a3a4c92020-06-30 13:46:28 +000088 _MAX_RETRY_TIME = 30
lloretgallegbc10a082021-01-26 12:12:03 +000089 # Time beetween retries, retry time after a connection error is raised
90 _EE_RETRY_DELAY = 10
lloretgalleg1a3a4c92020-06-30 13:46:28 +000091
garciadeblas5697b8b2021-03-24 09:17:02 +010092 def __init__(
93 self,
94 log: object = None,
95 loop: object = None,
96 vca_config: dict = None,
97 on_update_db=None,
98 ):
lloretgalleg1a3a4c92020-06-30 13:46:28 +000099 """
100 Initialize EE helm connector.
101 """
102
bravof922c4172020-11-24 21:21:43 -0300103 self.db = Database().instance.db
104 self.fs = Filesystem().instance.fs
105
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000106 # parent class constructor
107 N2VCConnector.__init__(
garciadeblas5697b8b2021-03-24 09:17:02 +0100108 self, log=log, loop=loop, on_update_db=on_update_db, db=self.db, fs=self.fs
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000109 )
110
David Garciac1fe90a2021-03-31 19:12:02 +0200111 self.vca_config = vca_config
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000112 self.log.debug("Initialize helm N2VC connector")
lloretgallegbc10a082021-01-26 12:12:03 +0000113 self.log.debug("initial vca_config: {}".format(vca_config))
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000114
115 # TODO - Obtain data from configuration
116 self._ee_service_port = self._EE_SERVICE_PORT
117
118 self._retry_delay = self._EE_RETRY_DELAY
lloretgallegbc10a082021-01-26 12:12:03 +0000119
120 if self.vca_config and self.vca_config.get("eegrpcinittimeout"):
121 self._initial_retry_time = self.vca_config.get("eegrpcinittimeout")
122 self.log.debug("Initial retry time: {}".format(self._initial_retry_time))
123 else:
124 self._initial_retry_time = self._MAX_INITIAL_RETRY_TIME
garciadeblas5697b8b2021-03-24 09:17:02 +0100125 self.log.debug(
126 "Applied default retry time: {}".format(self._initial_retry_time)
127 )
lloretgallegbc10a082021-01-26 12:12:03 +0000128
129 if self.vca_config and self.vca_config.get("eegrpctimeout"):
130 self._max_retry_time = self.vca_config.get("eegrpctimeout")
131 self.log.debug("Retry time: {}".format(self._max_retry_time))
132 else:
133 self._max_retry_time = self._MAX_RETRY_TIME
garciadeblas5697b8b2021-03-24 09:17:02 +0100134 self.log.debug(
135 "Applied default retry time: {}".format(self._max_retry_time)
136 )
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000137
lloretgalleg18ebc3a2020-10-22 09:54:51 +0000138 # initialize helm connector for helmv2 and helmv3
139 self._k8sclusterhelm2 = K8sHelmConnector(
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000140 kubectl_command=self.vca_config.get("kubectlpath"),
141 helm_command=self.vca_config.get("helmpath"),
142 fs=self.fs,
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000143 db=self.db,
bravof922c4172020-11-24 21:21:43 -0300144 log=self.log,
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000145 on_update_db=None,
146 )
147
lloretgalleg18ebc3a2020-10-22 09:54:51 +0000148 self._k8sclusterhelm3 = K8sHelm3Connector(
149 kubectl_command=self.vca_config.get("kubectlpath"),
150 helm_command=self.vca_config.get("helm3path"),
151 fs=self.fs,
152 log=self.log,
153 db=self.db,
154 on_update_db=None,
155 )
156
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000157 self._system_cluster_id = None
158 self.log.info("Helm N2VC connector initialized")
159
160 # TODO - ¿reuse_ee_id?
garciadeblas5697b8b2021-03-24 09:17:02 +0100161 async def create_execution_environment(
162 self,
163 namespace: str,
164 db_dict: dict,
165 reuse_ee_id: str = None,
166 progress_timeout: float = None,
167 total_timeout: float = None,
168 config: dict = None,
169 artifact_path: str = None,
170 vca_type: str = None,
171 *kargs,
172 **kwargs,
173 ) -> (str, dict):
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000174 """
175 Creates a new helm execution environment deploying the helm-chat indicated in the
176 attifact_path
177 :param str namespace: This param is not used, all helm charts are deployed in the osm
178 system namespace
179 :param dict db_dict: where to write to database when the status changes.
180 It contains a dictionary with {collection: str, filter: {}, path: str},
181 e.g. {collection: "nsrs", filter: {_id: <nsd-id>, path:
182 "_admin.deployed.VCA.3"}
183 :param str reuse_ee_id: ee id from an older execution. TODO - right now this params is not used
184 :param float progress_timeout:
185 :param float total_timeout:
tiernob996d942020-07-03 14:52:28 +0000186 :param dict config: General variables to instantiate KDU
187 :param str artifact_path: path of package content
lloretgalleg18ebc3a2020-10-22 09:54:51 +0000188 :param str vca_type: Type of vca, must be type helm or helm-v3
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000189 :returns str, dict: id of the new execution environment including namespace.helm_id
190 and credentials object set to None as all credentials should be osm kubernetes .kubeconfig
191 """
192
193 self.log.info(
194 "create_execution_environment: namespace: {}, artifact_path: {}, db_dict: {}, "
garciadeblas5697b8b2021-03-24 09:17:02 +0100195 "reuse_ee_id: {}".format(namespace, artifact_path, db_dict, reuse_ee_id)
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000196 )
197
198 # Validate artifact-path is provided
199 if artifact_path is None or len(artifact_path) == 0:
200 raise N2VCBadArgumentsException(
201 message="artifact_path is mandatory", bad_args=["artifact_path"]
202 )
203
lloretgallegb5b9c982020-09-02 09:55:05 +0000204 # Validate artifact-path exists and sync path
205 from_path = os.path.split(artifact_path)[0]
206 self.fs.sync(from_path)
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000207
208 # remove / in charm path
209 while artifact_path.find("//") >= 0:
210 artifact_path = artifact_path.replace("//", "/")
211
212 # check charm path
213 if self.fs.file_exists(artifact_path):
214 helm_chart_path = artifact_path
215 else:
216 msg = "artifact path does not exist: {}".format(artifact_path)
217 raise N2VCBadArgumentsException(message=msg, bad_args=["artifact_path"])
218
219 if artifact_path.startswith("/"):
220 full_path = self.fs.path + helm_chart_path
221 else:
222 full_path = self.fs.path + "/" + helm_chart_path
223
bravof922c4172020-11-24 21:21:43 -0300224 while full_path.find("//") >= 0:
225 full_path = full_path.replace("//", "/")
226
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000227 try:
228 # Call helm conn install
229 # Obtain system cluster id from database
lloretgalleg18ebc3a2020-10-22 09:54:51 +0000230 system_cluster_uuid = await self._get_system_cluster_id()
tiernob996d942020-07-03 14:52:28 +0000231 # Add parameter osm if exist to global
232 if config and config.get("osm"):
233 if not config.get("global"):
234 config["global"] = {}
235 config["global"]["osm"] = config.get("osm")
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000236
237 self.log.debug("install helm chart: {}".format(full_path))
lloretgalleg18ebc3a2020-10-22 09:54:51 +0000238 if vca_type == "helm":
David Garciad64e2742021-02-25 20:19:18 +0100239 helm_id = self._k8sclusterhelm2.generate_kdu_instance_name(
240 db_dict=db_dict,
241 kdu_model=full_path,
242 )
garciadeblas5697b8b2021-03-24 09:17:02 +0100243 await self._k8sclusterhelm2.install(
244 system_cluster_uuid,
245 kdu_model=full_path,
246 kdu_instance=helm_id,
247 namespace=self._KUBECTL_OSM_NAMESPACE,
248 params=config,
249 db_dict=db_dict,
250 timeout=progress_timeout,
251 )
lloretgalleg18ebc3a2020-10-22 09:54:51 +0000252 else:
David Garciad64e2742021-02-25 20:19:18 +0100253 helm_id = self._k8sclusterhelm2.generate_kdu_instance_name(
254 db_dict=db_dict,
255 kdu_model=full_path,
256 )
garciadeblas5697b8b2021-03-24 09:17:02 +0100257 await self._k8sclusterhelm3.install(
258 system_cluster_uuid,
259 kdu_model=full_path,
260 kdu_instance=helm_id,
261 namespace=self._KUBECTL_OSM_NAMESPACE,
262 params=config,
263 db_dict=db_dict,
264 timeout=progress_timeout,
265 )
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000266
lloretgalleg18ebc3a2020-10-22 09:54:51 +0000267 ee_id = "{}:{}.{}".format(vca_type, self._KUBECTL_OSM_NAMESPACE, helm_id)
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000268 return ee_id, None
lloretgalleg843adbc2020-07-16 10:22:09 +0000269 except N2VCException:
270 raise
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000271 except Exception as e:
272 self.log.error("Error deploying chart ee: {}".format(e), exc_info=True)
273 raise N2VCException("Error deploying chart ee: {}".format(e))
274
garciadeblas5697b8b2021-03-24 09:17:02 +0100275 async def register_execution_environment(
276 self,
277 namespace: str,
278 credentials: dict,
279 db_dict: dict,
280 progress_timeout: float = None,
281 total_timeout: float = None,
282 *kargs,
283 **kwargs,
284 ) -> str:
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000285 # nothing to do
286 pass
287
David Garcia02ae5402021-05-04 13:15:57 +0200288 async def install_configuration_sw(self, *args, **kwargs):
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000289 # nothing to do
290 pass
291
David Garcia02ae5402021-05-04 13:15:57 +0200292 async def add_relation(self, *args, **kwargs):
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000293 # nothing to do
294 pass
295
296 async def remove_relation(self):
297 # nothing to to
298 pass
299
David Garcia02ae5402021-05-04 13:15:57 +0200300 async def get_status(self, *args, **kwargs):
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000301 # not used for this connector
302 pass
303
David Garcia02ae5402021-05-04 13:15:57 +0200304 async def get_ee_ssh_public__key(
305 self,
306 ee_id: str,
307 db_dict: dict,
308 progress_timeout: float = None,
309 total_timeout: float = None,
310 **kwargs,
311 ) -> str:
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000312 """
313 Obtains ssh-public key from ee executing GetSShKey method from the ee.
314
315 :param str ee_id: the id of the execution environment returned by
316 create_execution_environment or register_execution_environment
317 :param dict db_dict:
318 :param float progress_timeout:
319 :param float total_timeout:
320 :returns: public key of the execution environment
321 """
322
323 self.log.info(
garciadeblas5697b8b2021-03-24 09:17:02 +0100324 "get_ee_ssh_public_key: ee_id: {}, db_dict: {}".format(ee_id, db_dict)
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000325 )
326
327 # check arguments
328 if ee_id is None or len(ee_id) == 0:
329 raise N2VCBadArgumentsException(
330 message="ee_id is mandatory", bad_args=["ee_id"]
331 )
332
333 try:
334 # Obtain ip_addr for the ee service, it is resolved by dns from the ee name by kubernetes
lloretgalleg18ebc3a2020-10-22 09:54:51 +0000335 version, namespace, helm_id = self._get_ee_id_parts(ee_id)
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000336 ip_addr = socket.gethostbyname(helm_id)
337
338 # Obtain ssh_key from the ee, this method will implement retries to allow the ee
339 # install libraries and start successfully
340 ssh_key = await self._get_ssh_key(ip_addr)
341 return ssh_key
342 except Exception as e:
343 self.log.error("Error obtaining ee ssh_key: {}".format(e), exc_info=True)
344 raise N2VCException("Error obtaining ee ssh_ke: {}".format(e))
345
aticigac68ac02022-05-02 19:49:23 +0300346 async def upgrade_charm(
347 self,
348 ee_id: str = None,
349 path: str = None,
350 charm_id: str = None,
351 charm_type: str = None,
352 timeout: float = None,
353 ) -> str:
354 """This method upgrade charms in VNFs
355
356 This method does not support KDU's deployed with Helm.
357
358 Args:
359 ee_id: Execution environment id
360 path: Local path to the charm
361 charm_id: charm-id
362 charm_type: Charm type can be lxc-proxy-charm, native-charm or k8s-proxy-charm
363 timeout: (Float) Timeout for the ns update operation
364
365 Returns:
366 the output of the update operation if status equals to "completed"
367
368 """
369 raise N2VCException("KDUs deployed with Helm do not support charm upgrade")
370
David Garcia02ae5402021-05-04 13:15:57 +0200371 async def exec_primitive(
garciadeblas5697b8b2021-03-24 09:17:02 +0100372 self,
373 ee_id: str,
374 primitive_name: str,
375 params_dict: dict,
376 db_dict: dict = None,
377 progress_timeout: float = None,
378 total_timeout: float = None,
379 **kwargs,
David Garcia02ae5402021-05-04 13:15:57 +0200380 ) -> str:
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000381 """
382 Execute a primitive in the execution environment
383
384 :param str ee_id: the one returned by create_execution_environment or
385 register_execution_environment with the format namespace.helm_id
386 :param str primitive_name: must be one defined in the software. There is one
387 called 'config', where, for the proxy case, the 'credentials' of VM are
388 provided
389 :param dict params_dict: parameters of the action
390 :param dict db_dict: where to write into database when the status changes.
391 It contains a dict with
392 {collection: <str>, filter: {}, path: <str>},
393 e.g. {collection: "nslcmops", filter:
394 {_id: <nslcmop_id>, path: "_admin.VCA"}
395 It will be used to store information about intermediate notifications
396 :param float progress_timeout:
397 :param float total_timeout:
398 :returns str: primitive result, if ok. It raises exceptions in case of fail
399 """
400
garciadeblas5697b8b2021-03-24 09:17:02 +0100401 self.log.info(
402 "exec primitive for ee_id : {}, primitive_name: {}, params_dict: {}, db_dict: {}".format(
403 ee_id, primitive_name, params_dict, db_dict
404 )
405 )
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000406
407 # check arguments
408 if ee_id is None or len(ee_id) == 0:
409 raise N2VCBadArgumentsException(
410 message="ee_id is mandatory", bad_args=["ee_id"]
411 )
412 if primitive_name is None or len(primitive_name) == 0:
413 raise N2VCBadArgumentsException(
414 message="action_name is mandatory", bad_args=["action_name"]
415 )
416 if params_dict is None:
417 params_dict = dict()
418
419 try:
lloretgalleg18ebc3a2020-10-22 09:54:51 +0000420 version, namespace, helm_id = self._get_ee_id_parts(ee_id)
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000421 ip_addr = socket.gethostbyname(helm_id)
422 except Exception as e:
423 self.log.error("Error getting ee ip ee: {}".format(e))
424 raise N2VCException("Error getting ee ip ee: {}".format(e))
425
426 if primitive_name == "config":
427 try:
428 # Execute config primitive, higher timeout to check the case ee is starting
garciadeblas5697b8b2021-03-24 09:17:02 +0100429 status, detailed_message = await self._execute_config_primitive(
430 ip_addr, params_dict, db_dict=db_dict
431 )
432 self.log.debug(
433 "Executed config primitive ee_id_ {}, status: {}, message: {}".format(
434 ee_id, status, detailed_message
435 )
436 )
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000437 if status != "OK":
garciadeblas5697b8b2021-03-24 09:17:02 +0100438 self.log.error(
439 "Error configuring helm ee, status: {}, message: {}".format(
440 status, detailed_message
441 )
442 )
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000443 raise N2VCExecutionException(
444 message="Error configuring helm ee_id: {}, status: {}, message: {}: ".format(
445 ee_id, status, detailed_message
446 ),
447 primitive_name=primitive_name,
448 )
449 except Exception as e:
450 self.log.error("Error configuring helm ee: {}".format(e))
451 raise N2VCExecutionException(
garciadeblas5697b8b2021-03-24 09:17:02 +0100452 message="Error configuring helm ee_id: {}, {}".format(ee_id, e),
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000453 primitive_name=primitive_name,
454 )
455 return "CONFIG OK"
456 else:
457 try:
458 # Execute primitive
garciadeblas5697b8b2021-03-24 09:17:02 +0100459 status, detailed_message = await self._execute_primitive(
460 ip_addr, primitive_name, params_dict, db_dict=db_dict
461 )
462 self.log.debug(
463 "Executed primitive {} ee_id_ {}, status: {}, message: {}".format(
464 primitive_name, ee_id, status, detailed_message
465 )
466 )
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000467 if status != "OK" and status != "PROCESSING":
468 self.log.error(
469 "Execute primitive {} returned not ok status: {}, message: {}".format(
garciadeblas5697b8b2021-03-24 09:17:02 +0100470 primitive_name, status, detailed_message
471 )
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000472 )
473 raise N2VCExecutionException(
474 message="Execute primitive {} returned not ok status: {}, message: {}".format(
475 primitive_name, status, detailed_message
476 ),
477 primitive_name=primitive_name,
478 )
479 except Exception as e:
480 self.log.error(
481 "Error executing primitive {}: {}".format(primitive_name, e)
482 )
483 raise N2VCExecutionException(
484 message="Error executing primitive {} into ee={} : {}".format(
485 primitive_name, ee_id, e
486 ),
487 primitive_name=primitive_name,
488 )
489 return detailed_message
490
491 async def deregister_execution_environments(self):
492 # nothing to be done
493 pass
494
David Garciac43253d2021-03-04 13:12:48 +0100495 async def delete_execution_environment(
496 self,
497 ee_id: str,
498 db_dict: dict = None,
499 total_timeout: float = None,
500 **kwargs,
501 ):
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000502 """
503 Delete an execution environment
504 :param str ee_id: id of the execution environment to delete, included namespace.helm_id
505 :param dict db_dict: where to write into database when the status changes.
506 It contains a dict with
507 {collection: <str>, filter: {}, path: <str>},
508 e.g. {collection: "nsrs", filter:
509 {_id: <nsd-id>, path: "_admin.deployed.VCA.3"}
510 :param float total_timeout:
511 """
512
513 self.log.info("ee_id: {}".format(ee_id))
514
515 # check arguments
516 if ee_id is None:
517 raise N2VCBadArgumentsException(
518 message="ee_id is mandatory", bad_args=["ee_id"]
519 )
520
521 try:
522
523 # Obtain cluster_uuid
lloretgalleg18ebc3a2020-10-22 09:54:51 +0000524 system_cluster_uuid = await self._get_system_cluster_id()
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000525
526 # Get helm_id
lloretgalleg18ebc3a2020-10-22 09:54:51 +0000527 version, namespace, helm_id = self._get_ee_id_parts(ee_id)
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000528
lloretgalleg18ebc3a2020-10-22 09:54:51 +0000529 # Uninstall chart, for backward compatibility we must assume that if there is no
530 # version it is helm-v2
531 if version == "helm-v3":
bravof922c4172020-11-24 21:21:43 -0300532 await self._k8sclusterhelm3.uninstall(system_cluster_uuid, helm_id)
lloretgalleg18ebc3a2020-10-22 09:54:51 +0000533 else:
534 await self._k8sclusterhelm2.uninstall(system_cluster_uuid, helm_id)
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000535 self.log.info("ee_id: {} deleted".format(ee_id))
lloretgalleg843adbc2020-07-16 10:22:09 +0000536 except N2VCException:
537 raise
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000538 except Exception as e:
garciadeblas5697b8b2021-03-24 09:17:02 +0100539 self.log.error(
540 "Error deleting ee id: {}: {}".format(ee_id, e), exc_info=True
541 )
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000542 raise N2VCException("Error deleting ee id {}: {}".format(ee_id, e))
543
garciadeblas5697b8b2021-03-24 09:17:02 +0100544 async def delete_namespace(
545 self, namespace: str, db_dict: dict = None, total_timeout: float = None
546 ):
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000547 # method not implemented for this connector, execution environments must be deleted individually
548 pass
549
550 async def install_k8s_proxy_charm(
551 self,
552 charm_name: str,
553 namespace: str,
554 artifact_path: str,
555 db_dict: dict,
556 progress_timeout: float = None,
557 total_timeout: float = None,
558 config: dict = None,
garciadeblas5697b8b2021-03-24 09:17:02 +0100559 *kargs,
560 **kwargs,
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000561 ) -> str:
562 pass
563
lloretgallegbc10a082021-01-26 12:12:03 +0000564 @retryer(max_wait_time_var="_initial_retry_time", delay_time_var="_retry_delay")
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000565 async def _get_ssh_key(self, ip_addr):
566 channel = Channel(ip_addr, self._ee_service_port)
567 try:
568 stub = FrontendExecutorStub(channel)
569 self.log.debug("get ssh key, ip_addr: {}".format(ip_addr))
570 reply: SshKeyReply = await stub.GetSshKey(SshKeyRequest())
571 return reply.message
572 finally:
573 channel.close()
574
lloretgallegbc10a082021-01-26 12:12:03 +0000575 @retryer(max_wait_time_var="_initial_retry_time", delay_time_var="_retry_delay")
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000576 async def _execute_config_primitive(self, ip_addr, params, db_dict=None):
garciadeblas5697b8b2021-03-24 09:17:02 +0100577 return await self._execute_primitive_internal(
578 ip_addr, "config", params, db_dict=db_dict
579 )
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000580
lloretgallegbc10a082021-01-26 12:12:03 +0000581 @retryer(max_wait_time_var="_max_retry_time", delay_time_var="_retry_delay")
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000582 async def _execute_primitive(self, ip_addr, primitive_name, params, db_dict=None):
garciadeblas5697b8b2021-03-24 09:17:02 +0100583 return await self._execute_primitive_internal(
584 ip_addr, primitive_name, params, db_dict=db_dict
585 )
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000586
garciadeblas5697b8b2021-03-24 09:17:02 +0100587 async def _execute_primitive_internal(
588 self, ip_addr, primitive_name, params, db_dict=None
589 ):
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000590
591 channel = Channel(ip_addr, self._ee_service_port)
592 try:
593 stub = FrontendExecutorStub(channel)
594 async with stub.RunPrimitive.open() as stream:
595 primitive_id = str(uuid.uuid1())
596 result = None
garciadeblas5697b8b2021-03-24 09:17:02 +0100597 self.log.debug(
598 "Execute primitive internal: id:{}, name:{}, params: {}".format(
599 primitive_id, primitive_name, params
600 )
601 )
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000602 await stream.send_message(
garciadeblas5697b8b2021-03-24 09:17:02 +0100603 PrimitiveRequest(
604 id=primitive_id, name=primitive_name, params=yaml.dump(params)
605 ),
606 end=True,
607 )
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000608 async for reply in stream:
609 self.log.debug("Received reply: {}".format(reply))
610 result = reply
611 # If db_dict provided write notifs in database
612 if db_dict:
garciadeblas5697b8b2021-03-24 09:17:02 +0100613 self._write_op_detailed_status(
614 db_dict, reply.status, reply.detailed_message
615 )
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000616 if result:
617 return reply.status, reply.detailed_message
618 else:
619 return "ERROR", "No result received"
620 finally:
621 channel.close()
622
623 def _write_op_detailed_status(self, db_dict, status, detailed_message):
624
625 # write ee_id to database: _admin.deployed.VCA.x
626 try:
627 the_table = db_dict["collection"]
628 the_filter = db_dict["filter"]
629 update_dict = {"detailed-status": "{}: {}".format(status, detailed_message)}
630 # self.log.debug('Writing ee_id to database: {}'.format(the_path))
631 self.db.set_one(
632 table=the_table,
633 q_filter=the_filter,
634 update_dict=update_dict,
635 fail_on_empty=True,
636 )
637 except asyncio.CancelledError:
638 raise
639 except Exception as e:
640 self.log.error("Error writing detailedStatus to database: {}".format(e))
641
lloretgalleg18ebc3a2020-10-22 09:54:51 +0000642 async def _get_system_cluster_id(self):
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000643 if not self._system_cluster_id:
garciadeblas5697b8b2021-03-24 09:17:02 +0100644 db_k8cluster = self.db.get_one(
645 "k8sclusters", {"name": self._KUBECTL_OSM_CLUSTER_NAME}
646 )
lloretgalleg18ebc3a2020-10-22 09:54:51 +0000647 k8s_hc_id = deep_get(db_k8cluster, ("_admin", "helm-chart-v3", "id"))
lloretgalleg843adbc2020-07-16 10:22:09 +0000648 if not k8s_hc_id:
lloretgalleg18ebc3a2020-10-22 09:54:51 +0000649 try:
650 # backward compatibility for existing clusters that have not been initialized for helm v3
651 cluster_id = db_k8cluster.get("_id")
652 k8s_credentials = yaml.safe_dump(db_k8cluster.get("credentials"))
garciadeblas5697b8b2021-03-24 09:17:02 +0100653 k8s_hc_id, uninstall_sw = await self._k8sclusterhelm3.init_env(
654 k8s_credentials, reuse_cluster_uuid=cluster_id
655 )
656 db_k8scluster_update = {
657 "_admin.helm-chart-v3.error_msg": None,
658 "_admin.helm-chart-v3.id": k8s_hc_id,
659 "_admin.helm-chart-v3}.created": uninstall_sw,
660 "_admin.helm-chart-v3.operationalState": "ENABLED",
661 }
lloretgalleg18ebc3a2020-10-22 09:54:51 +0000662 self.update_db_2("k8sclusters", cluster_id, db_k8scluster_update)
663 except Exception as e:
garciadeblas5697b8b2021-03-24 09:17:02 +0100664 self.log.error(
665 "error initializing helm-v3 cluster: {}".format(str(e))
666 )
667 raise N2VCException(
668 "K8s system cluster '{}' has not been initialized for helm-chart-v3".format(
669 cluster_id
670 )
671 )
lloretgalleg1a3a4c92020-06-30 13:46:28 +0000672 self._system_cluster_id = k8s_hc_id
673 return self._system_cluster_id
674
675 def _get_ee_id_parts(self, ee_id):
lloretgalleg18ebc3a2020-10-22 09:54:51 +0000676 """
677 Parses ee_id stored at database that can be either 'version:namespace.helm_id' or only
678 namespace.helm_id for backward compatibility
679 If exists helm version can be helm-v3 or helm (helm-v2 old version)
680 """
garciadeblas5697b8b2021-03-24 09:17:02 +0100681 version, _, part_id = ee_id.rpartition(":")
682 namespace, _, helm_id = part_id.rpartition(".")
lloretgalleg18ebc3a2020-10-22 09:54:51 +0000683 return version, namespace, helm_id