Feature 10922: Stop, start and rebuild
[osm/LCM.git] / osm_lcm / tests / test_ns.py
1 #
2 # Licensed under the Apache License, Version 2.0 (the "License"); you may
3 # not use this file except in compliance with the License. You may obtain
4 # a copy of the License at
5 #
6 # http://www.apache.org/licenses/LICENSE-2.0
7 #
8 # Unless required by applicable law or agreed to in writing, software
9 # distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
10 # WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
11 # License for the specific language governing permissions and limitations
12 # under the License.
13 #
14 # For those usages not covered by the Apache License, Version 2.0 please
15 # contact: alfonso.tiernosepulveda@telefonica.com
16 ##
17
18
19 import asynctest # pip3 install asynctest --user
20 import asyncio
21 import yaml
22 import copy
23 from os import getenv
24 from osm_lcm import ns
25 from osm_common.msgkafka import MsgKafka
26 from osm_lcm.lcm_utils import TaskRegistry
27 from osm_lcm.ng_ro import NgRoClient
28 from osm_lcm.data_utils.database.database import Database
29 from osm_lcm.data_utils.filesystem.filesystem import Filesystem
30 from osm_lcm.data_utils.vnfd import find_software_version
31 from osm_lcm.lcm_utils import check_juju_bundle_existence, get_charm_artifact_path
32 from osm_lcm.lcm_utils import LcmException
33 from uuid import uuid4
34 from unittest.mock import Mock, patch
35
36 from osm_lcm.tests import test_db_descriptors as descriptors
37
38 __author__ = "Alfonso Tierno <alfonso.tiernosepulveda@telefonica.com>"
39
40 """ Perform unittests using asynctest of osm_lcm.ns module
41 It allows, if some testing ENV are supplied, testing without mocking some external libraries for debugging:
42 OSMLCMTEST_NS_PUBKEY: public ssh-key returned by N2VC to inject to VMs
43 OSMLCMTEST_NS_NAME: change name of NS
44 OSMLCMTEST_PACKAGES_PATH: path where the vnf-packages are stored (de-compressed), each one on a 'vnfd_id' folder
45 OSMLCMTEST_NS_IPADDRESS: IP address where emulated VMs are reached. Comma separate list
46 OSMLCMTEST_RO_VIMID: VIM id of RO target vim IP. Obtain it with openmano datcenter-list on RO container
47 OSMLCMTEST_VCA_NOMOCK: Do no mock the VCA, N2VC library, for debugging it
48 OSMLCMTEST_RO_NOMOCK: Do no mock the ROClient library, for debugging it
49 OSMLCMTEST_DB_NOMOCK: Do no mock the database library, for debugging it
50 OSMLCMTEST_FS_NOMOCK: Do no mock the File Storage library, for debugging it
51 OSMLCMTEST_LOGGING_NOMOCK: Do no mock the logging
52 OSMLCM_VCA_XXX: configuration of N2VC
53 OSMLCM_RO_XXX: configuration of RO
54 """
55
56 lcm_config = {
57 "global": {"loglevel": "DEBUG"},
58 "timeout": {},
59 "VCA": { # TODO replace with os.get_env to get other configurations
60 "host": getenv("OSMLCM_VCA_HOST", "vca"),
61 "port": getenv("OSMLCM_VCA_PORT", 17070),
62 "user": getenv("OSMLCM_VCA_USER", "admin"),
63 "secret": getenv("OSMLCM_VCA_SECRET", "vca"),
64 "public_key": getenv("OSMLCM_VCA_PUBKEY", None),
65 "ca_cert": getenv("OSMLCM_VCA_CACERT", None),
66 "apiproxy": getenv("OSMLCM_VCA_APIPROXY", "192.168.1.1"),
67 },
68 "ro_config": {
69 "uri": "http://{}:{}/openmano".format(
70 getenv("OSMLCM_RO_HOST", "ro"), getenv("OSMLCM_RO_PORT", "9090")
71 ),
72 "tenant": getenv("OSMLCM_RO_TENANT", "osm"),
73 "logger_name": "lcm.ROclient",
74 "loglevel": "DEBUG",
75 "ng": True,
76 },
77 }
78
79
80 class TestMyNS(asynctest.TestCase):
81 async def _n2vc_DeployCharms(
82 self,
83 model_name,
84 application_name,
85 vnfd,
86 charm_path,
87 params={},
88 machine_spec={},
89 callback=None,
90 *callback_args
91 ):
92 if callback:
93 for status, message in (
94 ("maintenance", "installing sofwware"),
95 ("active", "Ready!"),
96 ):
97 # call callback after some time
98 asyncio.sleep(5, loop=self.loop)
99 callback(model_name, application_name, status, message, *callback_args)
100
101 @staticmethod
102 def _n2vc_FormatApplicationName(*args):
103 num_calls = 0
104 while True:
105 yield "app_name-{}".format(num_calls)
106 num_calls += 1
107
108 def _n2vc_CreateExecutionEnvironment(
109 self, namespace, reuse_ee_id, db_dict, *args, **kwargs
110 ):
111 k_list = namespace.split(".")
112 ee_id = k_list[1] + "."
113 if len(k_list) >= 2:
114 for k in k_list[2:4]:
115 ee_id += k[:8]
116 else:
117 ee_id += "_NS_"
118 return ee_id, {}
119
120 def _ro_status(self, *args, **kwargs):
121 print("Args > {}".format(args))
122 print("kwargs > {}".format(kwargs))
123 if args:
124 if "update" in args:
125 ro_ns_desc = yaml.load(
126 descriptors.ro_update_action_text, Loader=yaml.Loader
127 )
128 while True:
129 yield ro_ns_desc
130 if kwargs.get("delete"):
131 ro_ns_desc = yaml.load(
132 descriptors.ro_delete_action_text, Loader=yaml.Loader
133 )
134 while True:
135 yield ro_ns_desc
136
137 ro_ns_desc = yaml.load(descriptors.ro_ns_text, Loader=yaml.Loader)
138
139 # if ip address provided, replace descriptor
140 ip_addresses = getenv("OSMLCMTEST_NS_IPADDRESS", "")
141 if ip_addresses:
142 ip_addresses_list = ip_addresses.split(",")
143 for vnf in ro_ns_desc["vnfs"]:
144 if not ip_addresses_list:
145 break
146 vnf["ip_address"] = ip_addresses_list[0]
147 for vm in vnf["vms"]:
148 if not ip_addresses_list:
149 break
150 vm["ip_address"] = ip_addresses_list.pop(0)
151
152 while True:
153 yield ro_ns_desc
154 for net in ro_ns_desc["nets"]:
155 if net["status"] != "ACTIVE":
156 net["status"] = "ACTIVE"
157 break
158 else:
159 for vnf in ro_ns_desc["vnfs"]:
160 for vm in vnf["vms"]:
161 if vm["status"] != "ACTIVE":
162 vm["status"] = "ACTIVE"
163 break
164
165 def _ro_deploy(self, *args, **kwargs):
166 return {"action_id": args[1]["action_id"], "nsr_id": args[0], "status": "ok"}
167
168 def _return_uuid(self, *args, **kwargs):
169 return str(uuid4())
170
171 async def setUp(self):
172
173 # Mock DB
174 if not getenv("OSMLCMTEST_DB_NOMOCK"):
175 # Cleanup singleton Database instance
176 Database.instance = None
177
178 self.db = Database({"database": {"driver": "memory"}}).instance.db
179 self.db.create_list(
180 "vnfds", yaml.load(descriptors.db_vnfds_text, Loader=yaml.Loader)
181 )
182 self.db.create_list(
183 "vnfds_revisions",
184 yaml.load(descriptors.db_vnfds_revisions_text, Loader=yaml.Loader),
185 )
186 self.db.create_list(
187 "nsds", yaml.load(descriptors.db_nsds_text, Loader=yaml.Loader)
188 )
189 self.db.create_list(
190 "nsrs", yaml.load(descriptors.db_nsrs_text, Loader=yaml.Loader)
191 )
192 self.db.create_list(
193 "vim_accounts",
194 yaml.load(descriptors.db_vim_accounts_text, Loader=yaml.Loader),
195 )
196 self.db.create_list(
197 "k8sclusters",
198 yaml.load(descriptors.db_k8sclusters_text, Loader=yaml.Loader),
199 )
200 self.db.create_list(
201 "nslcmops", yaml.load(descriptors.db_nslcmops_text, Loader=yaml.Loader)
202 )
203 self.db.create_list(
204 "vnfrs", yaml.load(descriptors.db_vnfrs_text, Loader=yaml.Loader)
205 )
206 self.db_vim_accounts = yaml.load(
207 descriptors.db_vim_accounts_text, Loader=yaml.Loader
208 )
209
210 # Mock kafka
211 self.msg = asynctest.Mock(MsgKafka())
212
213 # Mock filesystem
214 if not getenv("OSMLCMTEST_FS_NOMOCK"):
215 self.fs = asynctest.Mock(
216 Filesystem({"storage": {"driver": "local", "path": "/"}}).instance.fs
217 )
218 self.fs.get_params.return_value = {
219 "path": getenv("OSMLCMTEST_PACKAGES_PATH", "./test/temp/packages")
220 }
221 self.fs.file_open = asynctest.mock_open()
222 # self.fs.file_open.return_value.__enter__.return_value = asynctest.MagicMock() # called on a python "with"
223 # self.fs.file_open.return_value.__enter__.return_value.read.return_value = "" # empty file
224
225 # Mock TaskRegistry
226 self.lcm_tasks = asynctest.Mock(TaskRegistry())
227 self.lcm_tasks.lock_HA.return_value = True
228 self.lcm_tasks.waitfor_related_HA.return_value = None
229 self.lcm_tasks.lookfor_related.return_value = ("", [])
230
231 # Mock VCA - K8s
232 if not getenv("OSMLCMTEST_VCA_K8s_NOMOCK"):
233 ns.K8sJujuConnector = asynctest.MagicMock(ns.K8sJujuConnector)
234 ns.K8sHelmConnector = asynctest.MagicMock(ns.K8sHelmConnector)
235 ns.K8sHelm3Connector = asynctest.MagicMock(ns.K8sHelm3Connector)
236
237 if not getenv("OSMLCMTEST_VCA_NOMOCK"):
238 ns.N2VCJujuConnector = asynctest.MagicMock(ns.N2VCJujuConnector)
239 ns.LCMHelmConn = asynctest.MagicMock(ns.LCMHelmConn)
240
241 # Create NsLCM class
242 self.my_ns = ns.NsLcm(self.msg, self.lcm_tasks, lcm_config, self.loop)
243 self.my_ns.fs = self.fs
244 self.my_ns.db = self.db
245 self.my_ns._wait_dependent_n2vc = asynctest.CoroutineMock()
246
247 # Mock logging
248 if not getenv("OSMLCMTEST_LOGGING_NOMOCK"):
249 self.my_ns.logger = asynctest.Mock(self.my_ns.logger)
250
251 # Mock VCA - N2VC
252 if not getenv("OSMLCMTEST_VCA_NOMOCK"):
253 pub_key = getenv("OSMLCMTEST_NS_PUBKEY", "ssh-rsa test-pub-key t@osm.com")
254 # self.my_ns.n2vc = asynctest.Mock(N2VC())
255 self.my_ns.n2vc.GetPublicKey.return_value = getenv(
256 "OSMLCM_VCA_PUBKEY", "public_key"
257 )
258 # allow several versions of n2vc
259 self.my_ns.n2vc.FormatApplicationName = asynctest.Mock(
260 side_effect=self._n2vc_FormatApplicationName()
261 )
262 self.my_ns.n2vc.DeployCharms = asynctest.CoroutineMock(
263 side_effect=self._n2vc_DeployCharms
264 )
265 self.my_ns.n2vc.create_execution_environment = asynctest.CoroutineMock(
266 side_effect=self._n2vc_CreateExecutionEnvironment
267 )
268 self.my_ns.n2vc.install_configuration_sw = asynctest.CoroutineMock(
269 return_value=pub_key
270 )
271 self.my_ns.n2vc.get_ee_ssh_public__key = asynctest.CoroutineMock(
272 return_value=pub_key
273 )
274 self.my_ns.n2vc.exec_primitive = asynctest.CoroutineMock(
275 side_effect=self._return_uuid
276 )
277 self.my_ns.n2vc.exec_primitive = asynctest.CoroutineMock(
278 side_effect=self._return_uuid
279 )
280 self.my_ns.n2vc.GetPrimitiveStatus = asynctest.CoroutineMock(
281 return_value="completed"
282 )
283 self.my_ns.n2vc.GetPrimitiveOutput = asynctest.CoroutineMock(
284 return_value={"result": "ok", "pubkey": pub_key}
285 )
286 self.my_ns.n2vc.delete_execution_environment = asynctest.CoroutineMock(
287 return_value=None
288 )
289 self.my_ns.n2vc.get_public_key = asynctest.CoroutineMock(
290 return_value=getenv("OSMLCM_VCA_PUBKEY", "public_key")
291 )
292 self.my_ns.n2vc.delete_namespace = asynctest.CoroutineMock(
293 return_value=None
294 )
295
296 # Mock RO
297 if not getenv("OSMLCMTEST_RO_NOMOCK"):
298 self.my_ns.RO = asynctest.Mock(
299 NgRoClient(self.loop, **lcm_config["ro_config"])
300 )
301 # TODO first time should be empty list, following should return a dict
302 # self.my_ns.RO.get_list = asynctest.CoroutineMock(self.my_ns.RO.get_list, return_value=[])
303 self.my_ns.RO.deploy = asynctest.CoroutineMock(
304 self.my_ns.RO.deploy, side_effect=self._ro_deploy
305 )
306 # self.my_ns.RO.status = asynctest.CoroutineMock(self.my_ns.RO.status, side_effect=self._ro_status)
307 # self.my_ns.RO.create_action = asynctest.CoroutineMock(self.my_ns.RO.create_action,
308 # return_value={"vm-id": {"vim_result": 200,
309 # "description": "done"}})
310 self.my_ns.RO.delete = asynctest.CoroutineMock(self.my_ns.RO.delete)
311
312 # @asynctest.fail_on(active_handles=True) # all async tasks must be completed
313 # async def test_instantiate(self):
314 # nsr_id = descriptors.test_ids["TEST-A"]["ns"]
315 # nslcmop_id = descriptors.test_ids["TEST-A"]["instantiate"]
316 # # print("Test instantiate started")
317
318 # # delete deployed information of database
319 # if not getenv("OSMLCMTEST_DB_NOMOCK"):
320 # if self.db.get_list("nsrs")[0]["_admin"].get("deployed"):
321 # del self.db.get_list("nsrs")[0]["_admin"]["deployed"]
322 # for db_vnfr in self.db.get_list("vnfrs"):
323 # db_vnfr.pop("ip_address", None)
324 # for db_vdur in db_vnfr["vdur"]:
325 # db_vdur.pop("ip_address", None)
326 # db_vdur.pop("mac_address", None)
327 # if getenv("OSMLCMTEST_RO_VIMID"):
328 # self.db.get_list("vim_accounts")[0]["_admin"]["deployed"]["RO"] = getenv("OSMLCMTEST_RO_VIMID")
329 # if getenv("OSMLCMTEST_RO_VIMID"):
330 # self.db.get_list("nsrs")[0]["_admin"]["deployed"]["RO"] = getenv("OSMLCMTEST_RO_VIMID")
331
332 # await self.my_ns.instantiate(nsr_id, nslcmop_id)
333
334 # self.msg.aiowrite.assert_called_once_with("ns", "instantiated",
335 # {"nsr_id": nsr_id, "nslcmop_id": nslcmop_id,
336 # "operationState": "COMPLETED"},
337 # loop=self.loop)
338 # self.lcm_tasks.lock_HA.assert_called_once_with('ns', 'nslcmops', nslcmop_id)
339 # if not getenv("OSMLCMTEST_LOGGING_NOMOCK"):
340 # self.assertTrue(self.my_ns.logger.debug.called, "Debug method not called")
341 # self.my_ns.logger.error.assert_not_called()
342 # self.my_ns.logger.exception().assert_not_called()
343
344 # if not getenv("OSMLCMTEST_DB_NOMOCK"):
345 # self.assertTrue(self.db.set_one.called, "db.set_one not called")
346 # db_nsr = self.db.get_one("nsrs", {"_id": nsr_id})
347 # db_vnfrs_list = self.db.get_list("vnfrs", {"nsr-id-ref": nsr_id})
348 # self.assertEqual(db_nsr["_admin"].get("nsState"), "INSTANTIATED", "Not instantiated")
349 # for vnfr in db_vnfrs_list:
350 # self.assertEqual(vnfr["_admin"].get("nsState"), "INSTANTIATED", "Not instantiated")
351
352 # if not getenv("OSMLCMTEST_VCA_NOMOCK"):
353 # # check intial-primitives called
354 # self.assertTrue(self.my_ns.n2vc.exec_primitive.called,
355 # "Exec primitive not called for initial config primitive")
356 # for _call in self.my_ns.n2vc.exec_primitive.call_args_list:
357 # self.assertIn(_call[1]["primitive_name"], ("config", "touch"),
358 # "called exec primitive with a primitive different than config or touch")
359
360 # # TODO add more checks of called methods
361 # # TODO add a terminate
362
363 # async def test_instantiate_ee_list(self):
364 # # Using modern IM where configuration is in the new format of execution_environment_list
365 # ee_descriptor_id = "charm_simple"
366 # non_used_initial_primitive = {
367 # "name": "not_to_be_called",
368 # "seq": 3,
369 # "execution-environment-ref": "not_used_ee"
370 # }
371 # ee_list = [
372 # {
373 # "id": ee_descriptor_id,
374 # "juju": {"charm": "simple"},
375
376 # },
377 # ]
378
379 # self.db.set_one(
380 # "vnfds",
381 # q_filter={"_id": "7637bcf8-cf14-42dc-ad70-c66fcf1e6e77"},
382 # update_dict={"vnf-configuration.0.execution-environment-list": ee_list,
383 # "vnf-configuration.0.initial-config-primitive.0.execution-environment-ref": ee_descriptor_id,
384 # "vnf-configuration.0.initial-config-primitive.1.execution-environment-ref": ee_descriptor_id,
385 # "vnf-configuration.0.initial-config-primitive.2": non_used_initial_primitive,
386 # "vnf-configuration.0.config-primitive.0.execution-environment-ref": ee_descriptor_id,
387 # "vnf-configuration.0.config-primitive.0.execution-environment-primitive": "touch_charm",
388 # },
389 # unset={"vnf-configuration.juju": None})
390 # await self.test_instantiate()
391 # # this will check that the initial-congig-primitive 'not_to_be_called' is not called
392
393 @asynctest.fail_on(active_handles=True)
394 async def test_start_stop_rebuild_pass(self):
395 nsr_id = descriptors.test_ids["TEST-OP-VNF"]["ns"]
396 nslcmop_id = descriptors.test_ids["TEST-OP-VNF"]["nslcmops"]
397 vnf_id = descriptors.test_ids["TEST-OP-VNF"]["vnfrs"]
398 additional_param = {"count-index": "0"}
399 operation_type = "start"
400 await self.my_ns.rebuild_start_stop(
401 nsr_id, nslcmop_id, vnf_id, additional_param, operation_type
402 )
403 expected_value = "COMPLETED"
404 return_value = self.db.get_one("nslcmops", {"_id": nslcmop_id}).get(
405 "operationState"
406 )
407 self.assertEqual(return_value, expected_value)
408
409 @asynctest.fail_on(active_handles=True)
410 async def test_start_stop_rebuild_fail(self):
411 nsr_id = descriptors.test_ids["TEST-OP-VNF"]["ns"]
412 nslcmop_id = descriptors.test_ids["TEST-OP-VNF"]["nslcmops1"]
413 vnf_id = descriptors.test_ids["TEST-OP-VNF"]["vnfrs"]
414 additional_param = {"count-index": "0"}
415 operation_type = "stop"
416 await self.my_ns.rebuild_start_stop(
417 nsr_id, nslcmop_id, vnf_id, additional_param, operation_type
418 )
419 expected_value = "Error"
420 return_value = self.db.get_one("nslcmops", {"_id": nslcmop_id}).get(
421 "operationState"
422 )
423 self.assertEqual(return_value, expected_value)
424
425 # Test scale() and related methods
426 @asynctest.fail_on(active_handles=True) # all async tasks must be completed
427 async def test_scale(self):
428 # print("Test scale started")
429
430 # TODO: Add more higher-lever tests here, for example:
431 # scale-out/scale-in operations with success/error result
432
433 # Test scale() with missing 'scaleVnfData', should return operationState = 'FAILED'
434 nsr_id = descriptors.test_ids["TEST-A"]["ns"]
435 nslcmop_id = descriptors.test_ids["TEST-A"]["instantiate"]
436 await self.my_ns.scale(nsr_id, nslcmop_id)
437 expected_value = "FAILED"
438 return_value = self.db.get_one("nslcmops", {"_id": nslcmop_id}).get(
439 "operationState"
440 )
441 self.assertEqual(return_value, expected_value)
442 # print("scale_result: {}".format(self.db.get_one("nslcmops", {"_id": nslcmop_id}).get("detailed-status")))
443
444 # Test scale() for native kdu
445 # this also includes testing _scale_kdu()
446 nsr_id = descriptors.test_ids["TEST-NATIVE-KDU"]["ns"]
447 nslcmop_id = descriptors.test_ids["TEST-NATIVE-KDU"]["instantiate"]
448
449 self.my_ns.k8sclusterjuju.scale = asynctest.mock.CoroutineMock()
450 self.my_ns.k8sclusterjuju.exec_primitive = asynctest.mock.CoroutineMock()
451 self.my_ns.k8sclusterjuju.get_scale_count = asynctest.mock.CoroutineMock(
452 return_value=1
453 )
454 await self.my_ns.scale(nsr_id, nslcmop_id)
455 expected_value = "COMPLETED"
456 return_value = self.db.get_one("nslcmops", {"_id": nslcmop_id}).get(
457 "operationState"
458 )
459 self.assertEqual(return_value, expected_value)
460 self.my_ns.k8sclusterjuju.scale.assert_called_once()
461
462 # Test scale() for native kdu with 2 resource
463 nsr_id = descriptors.test_ids["TEST-NATIVE-KDU-2"]["ns"]
464 nslcmop_id = descriptors.test_ids["TEST-NATIVE-KDU-2"]["instantiate"]
465
466 self.my_ns.k8sclusterjuju.get_scale_count.return_value = 2
467 await self.my_ns.scale(nsr_id, nslcmop_id)
468 expected_value = "COMPLETED"
469 return_value = self.db.get_one("nslcmops", {"_id": nslcmop_id}).get(
470 "operationState"
471 )
472 self.assertEqual(return_value, expected_value)
473 self.my_ns.k8sclusterjuju.scale.assert_called()
474
475 async def test_vca_status_refresh(self):
476 nsr_id = descriptors.test_ids["TEST-A"]["ns"]
477 nslcmop_id = descriptors.test_ids["TEST-A"]["instantiate"]
478 await self.my_ns.vca_status_refresh(nsr_id, nslcmop_id)
479 expected_value = dict()
480 return_value = dict()
481 vnf_descriptors = self.db.get_list("vnfds")
482 for i, _ in enumerate(vnf_descriptors):
483 for j, value in enumerate(vnf_descriptors[i]["df"]):
484 if "lcm-operations-configuration" in vnf_descriptors[i]["df"][j]:
485 if (
486 "day1-2"
487 in value["lcm-operations-configuration"][
488 "operate-vnf-op-config"
489 ]
490 ):
491 for k, v in enumerate(
492 value["lcm-operations-configuration"][
493 "operate-vnf-op-config"
494 ]["day1-2"]
495 ):
496 if (
497 v.get("execution-environment-list")
498 and "juju" in v["execution-environment-list"][k]
499 ):
500 expected_value = self.db.get_list("nsrs")[i][
501 "vcaStatus"
502 ]
503 await self.my_ns._on_update_n2vc_db(
504 "nsrs", {"_id": nsr_id}, "_admin.deployed.VCA.0", {}
505 )
506 return_value = self.db.get_list("nsrs")[i]["vcaStatus"]
507 self.assertEqual(return_value, expected_value)
508
509 # Test _retry_or_skip_suboperation()
510 # Expected result:
511 # - if a suboperation's 'operationState' is marked as 'COMPLETED', SUBOPERATION_STATUS_SKIP is expected
512 # - if marked as anything but 'COMPLETED', the suboperation index is expected
513 def test_scale_retry_or_skip_suboperation(self):
514 # Load an alternative 'nslcmops' YAML for this test
515 nslcmop_id = descriptors.test_ids["TEST-A"]["instantiate"]
516 db_nslcmop = self.db.get_one("nslcmops", {"_id": nslcmop_id})
517 op_index = 2
518 # Test when 'operationState' is 'COMPLETED'
519 db_nslcmop["_admin"]["operations"][op_index]["operationState"] = "COMPLETED"
520 return_value = self.my_ns._retry_or_skip_suboperation(db_nslcmop, op_index)
521 expected_value = self.my_ns.SUBOPERATION_STATUS_SKIP
522 self.assertEqual(return_value, expected_value)
523 # Test when 'operationState' is not 'COMPLETED'
524 db_nslcmop["_admin"]["operations"][op_index]["operationState"] = None
525 return_value = self.my_ns._retry_or_skip_suboperation(db_nslcmop, op_index)
526 expected_value = op_index
527 self.assertEqual(return_value, expected_value)
528
529 # Test _find_suboperation()
530 # Expected result: index of the found sub-operation, or SUBOPERATION_STATUS_NOT_FOUND if not found
531 def test_scale_find_suboperation(self):
532 # Load an alternative 'nslcmops' YAML for this test
533 nslcmop_id = descriptors.test_ids["TEST-A"]["instantiate"]
534 db_nslcmop = self.db.get_one("nslcmops", {"_id": nslcmop_id})
535 # Find this sub-operation
536 op_index = 2
537 vnf_index = db_nslcmop["_admin"]["operations"][op_index]["member_vnf_index"]
538 primitive = db_nslcmop["_admin"]["operations"][op_index]["primitive"]
539 primitive_params = db_nslcmop["_admin"]["operations"][op_index][
540 "primitive_params"
541 ]
542 match = {
543 "member_vnf_index": vnf_index,
544 "primitive": primitive,
545 "primitive_params": primitive_params,
546 }
547 found_op_index = self.my_ns._find_suboperation(db_nslcmop, match)
548 self.assertEqual(found_op_index, op_index)
549 # Test with not-matching params
550 match = {
551 "member_vnf_index": vnf_index,
552 "primitive": "",
553 "primitive_params": primitive_params,
554 }
555 found_op_index = self.my_ns._find_suboperation(db_nslcmop, match)
556 self.assertEqual(found_op_index, self.my_ns.SUBOPERATION_STATUS_NOT_FOUND)
557 # Test with None
558 match = None
559 found_op_index = self.my_ns._find_suboperation(db_nslcmop, match)
560 self.assertEqual(found_op_index, self.my_ns.SUBOPERATION_STATUS_NOT_FOUND)
561
562 # Test _update_suboperation_status()
563 def test_scale_update_suboperation_status(self):
564 self.db.set_one = asynctest.Mock()
565 nslcmop_id = descriptors.test_ids["TEST-A"]["instantiate"]
566 db_nslcmop = self.db.get_one("nslcmops", {"_id": nslcmop_id})
567 op_index = 0
568 # Force the initial values to be distinct from the updated ones
569 q_filter = {"_id": db_nslcmop["_id"]}
570 # Test to change 'operationState' and 'detailed-status'
571 operationState = "COMPLETED"
572 detailed_status = "Done"
573 expected_update_dict = {
574 "_admin.operations.0.operationState": operationState,
575 "_admin.operations.0.detailed-status": detailed_status,
576 }
577 self.my_ns._update_suboperation_status(
578 db_nslcmop, op_index, operationState, detailed_status
579 )
580 self.db.set_one.assert_called_once_with(
581 "nslcmops",
582 q_filter=q_filter,
583 update_dict=expected_update_dict,
584 fail_on_empty=False,
585 )
586
587 def test_scale_add_suboperation(self):
588 nslcmop_id = descriptors.test_ids["TEST-A"]["instantiate"]
589 db_nslcmop = self.db.get_one("nslcmops", {"_id": nslcmop_id})
590 vnf_index = "1"
591 num_ops_before = len(db_nslcmop.get("_admin", {}).get("operations", [])) - 1
592 vdu_id = None
593 vdu_count_index = None
594 vdu_name = None
595 primitive = "touch"
596 mapped_primitive_params = {
597 "parameter": [
598 {
599 "data-type": "STRING",
600 "name": "filename",
601 "default-value": "<touch_filename2>",
602 }
603 ],
604 "name": "touch",
605 }
606 operationState = "PROCESSING"
607 detailed_status = "In progress"
608 operationType = "PRE-SCALE"
609 # Add a 'pre-scale' suboperation
610 op_index_after = self.my_ns._add_suboperation(
611 db_nslcmop,
612 vnf_index,
613 vdu_id,
614 vdu_count_index,
615 vdu_name,
616 primitive,
617 mapped_primitive_params,
618 operationState,
619 detailed_status,
620 operationType,
621 )
622 self.assertEqual(op_index_after, num_ops_before + 1)
623
624 # Delete all suboperations and add the same operation again
625 del db_nslcmop["_admin"]["operations"]
626 op_index_zero = self.my_ns._add_suboperation(
627 db_nslcmop,
628 vnf_index,
629 vdu_id,
630 vdu_count_index,
631 vdu_name,
632 primitive,
633 mapped_primitive_params,
634 operationState,
635 detailed_status,
636 operationType,
637 )
638 self.assertEqual(op_index_zero, 0)
639
640 # Add a 'RO' suboperation
641 RO_nsr_id = "1234567890"
642 RO_scaling_info = [
643 {
644 "type": "create",
645 "count": 1,
646 "member-vnf-index": "1",
647 "osm_vdu_id": "dataVM",
648 }
649 ]
650 op_index = self.my_ns._add_suboperation(
651 db_nslcmop,
652 vnf_index,
653 vdu_id,
654 vdu_count_index,
655 vdu_name,
656 primitive,
657 mapped_primitive_params,
658 operationState,
659 detailed_status,
660 operationType,
661 RO_nsr_id,
662 RO_scaling_info,
663 )
664 db_RO_nsr_id = db_nslcmop["_admin"]["operations"][op_index]["RO_nsr_id"]
665 self.assertEqual(op_index, 1)
666 self.assertEqual(RO_nsr_id, db_RO_nsr_id)
667
668 # Try to add an invalid suboperation, should return SUBOPERATION_STATUS_NOT_FOUND
669 op_index_invalid = self.my_ns._add_suboperation(
670 None, None, None, None, None, None, None, None, None, None, None
671 )
672 self.assertEqual(op_index_invalid, self.my_ns.SUBOPERATION_STATUS_NOT_FOUND)
673
674 # Test _check_or_add_scale_suboperation() and _check_or_add_scale_suboperation_RO()
675 # check the possible return values:
676 # - SUBOPERATION_STATUS_NEW: This is a new sub-operation
677 # - op_index (non-negative number): This is an existing sub-operation, operationState != 'COMPLETED'
678 # - SUBOPERATION_STATUS_SKIP: This is an existing sub-operation, operationState == 'COMPLETED'
679 def test_scale_check_or_add_scale_suboperation(self):
680 nslcmop_id = descriptors.test_ids["TEST-A"]["instantiate"]
681 db_nslcmop = self.db.get_one("nslcmops", {"_id": nslcmop_id})
682 operationType = "PRE-SCALE"
683 vnf_index = "1"
684 primitive = "touch"
685 primitive_params = {
686 "parameter": [
687 {
688 "data-type": "STRING",
689 "name": "filename",
690 "default-value": "<touch_filename2>",
691 }
692 ],
693 "name": "touch",
694 }
695
696 # Delete all sub-operations to be sure this is a new sub-operation
697 del db_nslcmop["_admin"]["operations"]
698
699 # Add a new sub-operation
700 # For new sub-operations, operationState is set to 'PROCESSING' by default
701 op_index_new = self.my_ns._check_or_add_scale_suboperation(
702 db_nslcmop, vnf_index, primitive, primitive_params, operationType
703 )
704 self.assertEqual(op_index_new, self.my_ns.SUBOPERATION_STATUS_NEW)
705
706 # Use the same parameters again to match the already added sub-operation
707 # which has status 'PROCESSING' (!= 'COMPLETED') by default
708 # The expected return value is a non-negative number
709 op_index_existing = self.my_ns._check_or_add_scale_suboperation(
710 db_nslcmop, vnf_index, primitive, primitive_params, operationType
711 )
712 self.assertTrue(op_index_existing >= 0)
713
714 # Change operationState 'manually' for this sub-operation
715 db_nslcmop["_admin"]["operations"][op_index_existing][
716 "operationState"
717 ] = "COMPLETED"
718 # Then use the same parameters again to match the already added sub-operation,
719 # which now has status 'COMPLETED'
720 # The expected return value is SUBOPERATION_STATUS_SKIP
721 op_index_skip = self.my_ns._check_or_add_scale_suboperation(
722 db_nslcmop, vnf_index, primitive, primitive_params, operationType
723 )
724 self.assertEqual(op_index_skip, self.my_ns.SUBOPERATION_STATUS_SKIP)
725
726 # RO sub-operation test:
727 # Repeat tests for the very similar _check_or_add_scale_suboperation_RO(),
728 RO_nsr_id = "1234567890"
729 RO_scaling_info = [
730 {
731 "type": "create",
732 "count": 1,
733 "member-vnf-index": "1",
734 "osm_vdu_id": "dataVM",
735 }
736 ]
737 op_index_new_RO = self.my_ns._check_or_add_scale_suboperation(
738 db_nslcmop, vnf_index, None, None, "SCALE-RO", RO_nsr_id, RO_scaling_info
739 )
740 self.assertEqual(op_index_new_RO, self.my_ns.SUBOPERATION_STATUS_NEW)
741
742 # Use the same parameters again to match the already added RO sub-operation
743 op_index_existing_RO = self.my_ns._check_or_add_scale_suboperation(
744 db_nslcmop, vnf_index, None, None, "SCALE-RO", RO_nsr_id, RO_scaling_info
745 )
746 self.assertTrue(op_index_existing_RO >= 0)
747
748 # Change operationState 'manually' for this RO sub-operation
749 db_nslcmop["_admin"]["operations"][op_index_existing_RO][
750 "operationState"
751 ] = "COMPLETED"
752 # Then use the same parameters again to match the already added sub-operation,
753 # which now has status 'COMPLETED'
754 # The expected return value is SUBOPERATION_STATUS_SKIP
755 op_index_skip_RO = self.my_ns._check_or_add_scale_suboperation(
756 db_nslcmop, vnf_index, None, None, "SCALE-RO", RO_nsr_id, RO_scaling_info
757 )
758 self.assertEqual(op_index_skip_RO, self.my_ns.SUBOPERATION_STATUS_SKIP)
759
760 async def test_deploy_kdus(self):
761 nsr_id = descriptors.test_ids["TEST-KDU"]["ns"]
762 nslcmop_id = descriptors.test_ids["TEST-KDU"]["instantiate"]
763 db_nsr = self.db.get_one("nsrs", {"_id": nsr_id})
764 db_vnfr = self.db.get_one(
765 "vnfrs", {"nsr-id-ref": nsr_id, "member-vnf-index-ref": "multikdu"}
766 )
767 db_vnfrs = {"multikdu": db_vnfr}
768 db_vnfd = self.db.get_one("vnfds", {"_id": db_vnfr["vnfd-id"]})
769 db_vnfds = [db_vnfd]
770 task_register = {}
771 logging_text = "KDU"
772 self.my_ns.k8sclusterhelm3.generate_kdu_instance_name = asynctest.mock.Mock()
773 self.my_ns.k8sclusterhelm3.generate_kdu_instance_name.return_value = "k8s_id"
774 self.my_ns.k8sclusterhelm3.install = asynctest.CoroutineMock()
775 self.my_ns.k8sclusterhelm3.synchronize_repos = asynctest.CoroutineMock(
776 return_value=("", "")
777 )
778 self.my_ns.k8sclusterhelm3.get_services = asynctest.CoroutineMock(
779 return_value=([])
780 )
781 await self.my_ns.deploy_kdus(
782 logging_text, nsr_id, nslcmop_id, db_vnfrs, db_vnfds, task_register
783 )
784 await asyncio.wait(list(task_register.keys()), timeout=100)
785 db_nsr = self.db.get_list("nsrs")[1]
786 self.assertIn(
787 "K8s",
788 db_nsr["_admin"]["deployed"],
789 "K8s entry not created at '_admin.deployed'",
790 )
791 self.assertIsInstance(
792 db_nsr["_admin"]["deployed"]["K8s"], list, "K8s entry is not of type list"
793 )
794 self.assertEqual(
795 len(db_nsr["_admin"]["deployed"]["K8s"]), 2, "K8s entry is not of type list"
796 )
797 k8s_instace_info = {
798 "kdu-instance": "k8s_id",
799 "k8scluster-uuid": "73d96432-d692-40d2-8440-e0c73aee209c",
800 "k8scluster-type": "helm-chart-v3",
801 "kdu-name": "ldap",
802 "member-vnf-index": "multikdu",
803 "namespace": None,
804 "kdu-deployment-name": None,
805 }
806
807 nsr_result = copy.deepcopy(db_nsr["_admin"]["deployed"]["K8s"][0])
808 nsr_kdu_model_result = nsr_result.pop("kdu-model")
809 expected_kdu_model = "stable/openldap:1.2.1"
810 self.assertEqual(nsr_result, k8s_instace_info)
811 self.assertTrue(
812 nsr_kdu_model_result in expected_kdu_model
813 or expected_kdu_model in nsr_kdu_model_result
814 )
815 nsr_result = copy.deepcopy(db_nsr["_admin"]["deployed"]["K8s"][1])
816 nsr_kdu_model_result = nsr_result.pop("kdu-model")
817 k8s_instace_info["kdu-name"] = "mongo"
818 expected_kdu_model = "stable/mongodb"
819 self.assertEqual(nsr_result, k8s_instace_info)
820 self.assertTrue(
821 nsr_kdu_model_result in expected_kdu_model
822 or expected_kdu_model in nsr_kdu_model_result
823 )
824
825 # Test remove_vnf() and related methods
826 @asynctest.fail_on(active_handles=True) # all async tasks must be completed
827 async def test_remove_vnf(self):
828 # Test REMOVE_VNF
829 nsr_id = descriptors.test_ids["TEST-UPDATE"]["ns"]
830 nslcmop_id = descriptors.test_ids["TEST-UPDATE"]["removeVnf"]
831 vnf_instance_id = descriptors.test_ids["TEST-UPDATE"]["vnf"]
832 mock_wait_ng_ro = asynctest.CoroutineMock()
833 with patch("osm_lcm.ns.NsLcm._wait_ng_ro", mock_wait_ng_ro):
834 await self.my_ns.update(nsr_id, nslcmop_id)
835 expected_value = "COMPLETED"
836 return_value = self.db.get_one("nslcmops", {"_id": nslcmop_id}).get(
837 "operationState"
838 )
839 self.assertEqual(return_value, expected_value)
840 with self.assertRaises(Exception) as context:
841 self.db.get_one("vnfrs", {"_id": vnf_instance_id})
842 self.assertTrue("database exception Not found entry with filter" in str(context.exception))
843
844 # async def test_instantiate_pdu(self):
845 # nsr_id = descriptors.test_ids["TEST-A"]["ns"]
846 # nslcmop_id = descriptors.test_ids["TEST-A"]["instantiate"]
847 # # Modify vnfd/vnfr to change KDU for PDU. Adding keys that NBI will already set
848 # self.db.set_one("vnfrs", {"nsr-id-ref": nsr_id, "member-vnf-index-ref": "1"},
849 # update_dict={"ip-address": "10.205.1.46",
850 # "vdur.0.pdu-id": "53e1ec21-2464-451e-a8dc-6e311d45b2c8",
851 # "vdur.0.pdu-type": "PDU-TYPE-1",
852 # "vdur.0.ip-address": "10.205.1.46",
853 # },
854 # unset={"vdur.status": None})
855 # self.db.set_one("vnfrs", {"nsr-id-ref": nsr_id, "member-vnf-index-ref": "2"},
856 # update_dict={"ip-address": "10.205.1.47",
857 # "vdur.0.pdu-id": "53e1ec21-2464-451e-a8dc-6e311d45b2c8",
858 # "vdur.0.pdu-type": "PDU-TYPE-1",
859 # "vdur.0.ip-address": "10.205.1.47",
860 # },
861 # unset={"vdur.status": None})
862
863 # await self.my_ns.instantiate(nsr_id, nslcmop_id)
864 # db_nsr = self.db.get_one("nsrs", {"_id": nsr_id})
865 # self.assertEqual(db_nsr.get("nsState"), "READY", str(db_nsr.get("errorDescription ")))
866 # self.assertEqual(db_nsr.get("currentOperation"), "IDLE", "currentOperation different than 'IDLE'")
867 # self.assertEqual(db_nsr.get("currentOperationID"), None, "currentOperationID different than None")
868 # self.assertEqual(db_nsr.get("errorDescription "), None, "errorDescription different than None")
869 # self.assertEqual(db_nsr.get("errorDetail"), None, "errorDetail different than None")
870
871 # @asynctest.fail_on(active_handles=True) # all async tasks must be completed
872 # async def test_terminate_without_configuration(self):
873 # nsr_id = descriptors.test_ids["TEST-A"]["ns"]
874 # nslcmop_id = descriptors.test_ids["TEST-A"]["terminate"]
875 # # set instantiation task as completed
876 # self.db.set_list("nslcmops", {"nsInstanceId": nsr_id, "_id.ne": nslcmop_id},
877 # update_dict={"operationState": "COMPLETED"})
878 # self.db.set_one("nsrs", {"_id": nsr_id},
879 # update_dict={"_admin.deployed.VCA.0": None, "_admin.deployed.VCA.1": None})
880
881 # await self.my_ns.terminate(nsr_id, nslcmop_id)
882 # db_nslcmop = self.db.get_one("nslcmops", {"_id": nslcmop_id})
883 # self.assertEqual(db_nslcmop.get("operationState"), 'COMPLETED', db_nslcmop.get("detailed-status"))
884 # db_nsr = self.db.get_one("nsrs", {"_id": nsr_id})
885 # self.assertEqual(db_nsr.get("nsState"), "NOT_INSTANTIATED", str(db_nsr.get("errorDescription ")))
886 # self.assertEqual(db_nsr["_admin"].get("nsState"), "NOT_INSTANTIATED", str(db_nsr.get("errorDescription ")))
887 # self.assertEqual(db_nsr.get("currentOperation"), "IDLE", "currentOperation different than 'IDLE'")
888 # self.assertEqual(db_nsr.get("currentOperationID"), None, "currentOperationID different than None")
889 # self.assertEqual(db_nsr.get("errorDescription "), None, "errorDescription different than None")
890 # self.assertEqual(db_nsr.get("errorDetail"), None, "errorDetail different than None")
891 # db_vnfrs_list = self.db.get_list("vnfrs", {"nsr-id-ref": nsr_id})
892 # for vnfr in db_vnfrs_list:
893 # self.assertEqual(vnfr["_admin"].get("nsState"), "NOT_INSTANTIATED", "Not instantiated")
894
895 # @asynctest.fail_on(active_handles=True) # all async tasks must be completed
896 # async def test_terminate_primitive(self):
897 # nsr_id = descriptors.test_ids["TEST-A"]["ns"]
898 # nslcmop_id = descriptors.test_ids["TEST-A"]["terminate"]
899 # # set instantiation task as completed
900 # self.db.set_list("nslcmops", {"nsInstanceId": nsr_id, "_id.ne": nslcmop_id},
901 # update_dict={"operationState": "COMPLETED"})
902
903 # # modify vnfd descriptor to include terminate_primitive
904 # terminate_primitive = [{
905 # "name": "touch",
906 # "parameter": [{"name": "filename", "value": "terminate_filename"}],
907 # "seq": '1'
908 # }]
909 # db_vnfr = self.db.get_one("vnfrs", {"nsr-id-ref": nsr_id, "member-vnf-index-ref": "1"})
910 # self.db.set_one("vnfds", {"_id": db_vnfr["vnfd-id"]},
911 # {"vnf-configuration.0.terminate-config-primitive": terminate_primitive})
912
913 # await self.my_ns.terminate(nsr_id, nslcmop_id)
914 # db_nslcmop = self.db.get_one("nslcmops", {"_id": nslcmop_id})
915 # self.assertEqual(db_nslcmop.get("operationState"), 'COMPLETED', db_nslcmop.get("detailed-status"))
916 # db_nsr = self.db.get_one("nsrs", {"_id": nsr_id})
917 # self.assertEqual(db_nsr.get("nsState"), "NOT_INSTANTIATED", str(db_nsr.get("errorDescription ")))
918 # self.assertEqual(db_nsr["_admin"].get("nsState"), "NOT_INSTANTIATED", str(db_nsr.get("errorDescription ")))
919 # self.assertEqual(db_nsr.get("currentOperation"), "IDLE", "currentOperation different than 'IDLE'")
920 # self.assertEqual(db_nsr.get("currentOperationID"), None, "currentOperationID different than None")
921 # self.assertEqual(db_nsr.get("errorDescription "), None, "errorDescription different than None")
922 # self.assertEqual(db_nsr.get("errorDetail"), None, "errorDetail different than None")
923
924 # Test update method
925
926 async def test_update(self):
927
928 nsr_id = descriptors.test_ids["TEST-A"]["ns"]
929 nslcmop_id = descriptors.test_ids["TEST-A"]["update"]
930 vnfr_id = "6421c7c9-d865-4fb4-9a13-d4275d243e01"
931 vnfd_id = "7637bcf8-cf14-42dc-ad70-c66fcf1e6e77"
932
933 def mock_reset():
934 mock_charm_hash.reset_mock()
935 mock_juju_bundle.reset_mock()
936 fs.sync.reset_mock()
937 mock_charm_upgrade.reset_mock()
938 mock_software_version.reset_mock()
939
940 with self.subTest(
941 i=1,
942 t="Update type: CHANGE_VNFPKG, latest_vnfd revision changed,"
943 "Charm package changed, sw-version is not changed.",
944 ):
945
946 self.db.set_one(
947 "vnfds",
948 q_filter={"_id": vnfd_id},
949 update_dict={"_admin.revision": 3, "kdu": []},
950 )
951
952 self.db.set_one(
953 "vnfds_revisions",
954 q_filter={"_id": vnfd_id + ":1"},
955 update_dict={"_admin.revision": 1, "kdu": []},
956 )
957
958 self.db.set_one(
959 "vnfrs", q_filter={"_id": vnfr_id}, update_dict={"revision": 1}
960 )
961
962 mock_charm_hash = Mock(autospec=True)
963 mock_charm_hash.return_value = True
964
965 mock_juju_bundle = Mock(return_value=None)
966
967 mock_software_version = Mock(autospec=True)
968 mock_software_version.side_effect = ["1.0", "1.0"]
969
970 mock_charm_upgrade = asynctest.Mock(autospec=True)
971 task = asyncio.Future()
972 task.set_result(("COMPLETED", "some_output"))
973 mock_charm_upgrade.return_value = task
974
975 fs = Mock(autospec=True)
976 fs.path.__add__ = Mock()
977 fs.path.side_effect = ["/", "/", "/", "/"]
978 fs.sync.side_effect = [None, None]
979
980 instance = self.my_ns
981
982 expected_operation_state = "COMPLETED"
983 expected_operation_error = ""
984 expected_vnfr_revision = 3
985 expected_ns_state = "INSTANTIATED"
986 expected_ns_operational_state = "running"
987
988 with patch.object(instance, "fs", fs), patch(
989 "osm_lcm.lcm_utils.LcmBase.check_charm_hash_changed", mock_charm_hash
990 ), patch("osm_lcm.ns.NsLcm._ns_charm_upgrade", mock_charm_upgrade), patch(
991 "osm_lcm.data_utils.vnfd.find_software_version", mock_software_version
992 ), patch(
993 "osm_lcm.lcm_utils.check_juju_bundle_existence", mock_juju_bundle
994 ):
995
996 await instance.update(nsr_id, nslcmop_id)
997 return_operation_state = self.db.get_one(
998 "nslcmops", {"_id": nslcmop_id}
999 ).get("operationState")
1000 return_operation_error = self.db.get_one(
1001 "nslcmops", {"_id": nslcmop_id}
1002 ).get("errorMessage")
1003 return_ns_operational_state = self.db.get_one(
1004 "nsrs", {"_id": nsr_id}
1005 ).get("operational-status")
1006
1007 return_vnfr_revision = self.db.get_one("vnfrs", {"_id": vnfr_id}).get(
1008 "revision"
1009 )
1010
1011 return_ns_state = self.db.get_one("nsrs", {"_id": nsr_id}).get(
1012 "nsState"
1013 )
1014
1015 mock_charm_hash.assert_called_with(
1016 "7637bcf8-cf14-42dc-ad70-c66fcf1e6e77:1/hackfest_3charmed_vnfd/charms/simple",
1017 "7637bcf8-cf14-42dc-ad70-c66fcf1e6e77:3/hackfest_3charmed_vnfd/charms/simple",
1018 )
1019
1020 self.assertEqual(fs.sync.call_count, 2)
1021 self.assertEqual(return_ns_state, expected_ns_state)
1022 self.assertEqual(return_operation_state, expected_operation_state)
1023 self.assertEqual(return_operation_error, expected_operation_error)
1024 self.assertEqual(
1025 return_ns_operational_state, expected_ns_operational_state
1026 )
1027 self.assertEqual(return_vnfr_revision, expected_vnfr_revision)
1028
1029 mock_reset()
1030
1031 with self.subTest(
1032 i=2, t="Update type: CHANGE_VNFPKG, latest_vnfd revision not changed"
1033 ):
1034
1035 self.db.set_one(
1036 "vnfds", q_filter={"_id": vnfd_id}, update_dict={"_admin.revision": 1}
1037 )
1038
1039 self.db.set_one(
1040 "vnfrs", q_filter={"_id": vnfr_id}, update_dict={"revision": 1}
1041 )
1042
1043 mock_charm_hash = Mock(autospec=True)
1044 mock_charm_hash.return_value = True
1045
1046 mock_juju_bundle = Mock(return_value=None)
1047 mock_software_version = Mock(autospec=True)
1048
1049 mock_charm_upgrade = asynctest.Mock(autospec=True)
1050 task = asyncio.Future()
1051 task.set_result(("COMPLETED", "some_output"))
1052 mock_charm_upgrade.return_value = task
1053
1054 fs = Mock(autospec=True)
1055 fs.path.__add__ = Mock()
1056 fs.path.side_effect = ["/", "/", "/", "/"]
1057 fs.sync.side_effect = [None, None]
1058
1059 instance = self.my_ns
1060
1061 expected_operation_state = "COMPLETED"
1062 expected_operation_error = ""
1063 expected_vnfr_revision = 1
1064 expected_ns_state = "INSTANTIATED"
1065 expected_ns_operational_state = "running"
1066
1067 with patch.object(instance, "fs", fs), patch(
1068 "osm_lcm.lcm_utils.LcmBase.check_charm_hash_changed", mock_charm_hash
1069 ), patch("osm_lcm.ns.NsLcm._ns_charm_upgrade", mock_charm_upgrade), patch(
1070 "osm_lcm.lcm_utils.check_juju_bundle_existence", mock_juju_bundle
1071 ):
1072
1073 await instance.update(nsr_id, nslcmop_id)
1074
1075 return_operation_state = self.db.get_one(
1076 "nslcmops", {"_id": nslcmop_id}
1077 ).get("operationState")
1078
1079 return_operation_error = self.db.get_one(
1080 "nslcmops", {"_id": nslcmop_id}
1081 ).get("errorMessage")
1082
1083 return_ns_operational_state = self.db.get_one(
1084 "nsrs", {"_id": nsr_id}
1085 ).get("operational-status")
1086
1087 return_ns_state = self.db.get_one("nsrs", {"_id": nsr_id}).get(
1088 "nsState"
1089 )
1090
1091 return_vnfr_revision = self.db.get_one("vnfrs", {"_id": vnfr_id}).get(
1092 "revision"
1093 )
1094
1095 mock_charm_hash.assert_not_called()
1096 mock_software_version.assert_not_called()
1097 mock_juju_bundle.assert_not_called()
1098 mock_charm_upgrade.assert_not_called()
1099 fs.sync.assert_not_called()
1100
1101 self.assertEqual(return_ns_state, expected_ns_state)
1102 self.assertEqual(return_operation_state, expected_operation_state)
1103 self.assertEqual(return_operation_error, expected_operation_error)
1104 self.assertEqual(
1105 return_ns_operational_state, expected_ns_operational_state
1106 )
1107 self.assertEqual(return_vnfr_revision, expected_vnfr_revision)
1108
1109 mock_reset()
1110
1111 with self.subTest(
1112 i=3,
1113 t="Update type: CHANGE_VNFPKG, latest_vnfd revision changed, "
1114 "Charm package is not changed, sw-version is not changed.",
1115 ):
1116
1117 self.db.set_one(
1118 "vnfds", q_filter={"_id": vnfd_id}, update_dict={"_admin.revision": 3}
1119 )
1120
1121 self.db.set_one(
1122 "vnfds_revisions",
1123 q_filter={"_id": vnfd_id + ":1"},
1124 update_dict={"_admin.revision": 1},
1125 )
1126
1127 self.db.set_one(
1128 "vnfrs", q_filter={"_id": vnfr_id}, update_dict={"revision": 1}
1129 )
1130
1131 mock_charm_hash = Mock(autospec=True)
1132 mock_charm_hash.return_value = False
1133
1134 mock_juju_bundle = Mock(return_value=None)
1135
1136 mock_software_version = Mock(autospec=True)
1137
1138 mock_charm_upgrade = asynctest.Mock(autospec=True)
1139 task = asyncio.Future()
1140 task.set_result(("COMPLETED", "some_output"))
1141 mock_charm_upgrade.return_value = task
1142 mock_software_version.side_effect = ["1.0", "1.0"]
1143
1144 fs = Mock(autospec=True)
1145 fs.path.__add__ = Mock()
1146 fs.path.side_effect = ["/", "/", "/", "/"]
1147 fs.sync.side_effect = [None, None]
1148
1149 instance = self.my_ns
1150
1151 expected_operation_state = "COMPLETED"
1152 expected_operation_error = ""
1153 expected_vnfr_revision = 3
1154 expected_ns_state = "INSTANTIATED"
1155 expected_ns_operational_state = "running"
1156
1157 with patch.object(instance, "fs", fs), patch(
1158 "osm_lcm.lcm_utils.LcmBase.check_charm_hash_changed", mock_charm_hash
1159 ), patch("osm_lcm.ns.NsLcm._ns_charm_upgrade", mock_charm_upgrade), patch(
1160 "osm_lcm.lcm_utils.check_juju_bundle_existence", mock_juju_bundle
1161 ):
1162
1163 await instance.update(nsr_id, nslcmop_id)
1164
1165 return_operation_state = self.db.get_one(
1166 "nslcmops", {"_id": nslcmop_id}
1167 ).get("operationState")
1168
1169 return_operation_error = self.db.get_one(
1170 "nslcmops", {"_id": nslcmop_id}
1171 ).get("errorMessage")
1172
1173 return_ns_operational_state = self.db.get_one(
1174 "nsrs", {"_id": nsr_id}
1175 ).get("operational-status")
1176
1177 return_vnfr_revision = self.db.get_one("vnfrs", {"_id": vnfr_id}).get(
1178 "revision"
1179 )
1180
1181 return_ns_state = self.db.get_one("nsrs", {"_id": nsr_id}).get(
1182 "nsState"
1183 )
1184
1185 mock_charm_hash.assert_called_with(
1186 "7637bcf8-cf14-42dc-ad70-c66fcf1e6e77:1/hackfest_3charmed_vnfd/charms/simple",
1187 "7637bcf8-cf14-42dc-ad70-c66fcf1e6e77:3/hackfest_3charmed_vnfd/charms/simple",
1188 )
1189
1190 self.assertEqual(fs.sync.call_count, 2)
1191 self.assertEqual(mock_charm_hash.call_count, 1)
1192
1193 mock_juju_bundle.assert_not_called()
1194 mock_charm_upgrade.assert_not_called()
1195
1196 self.assertEqual(return_ns_state, expected_ns_state)
1197 self.assertEqual(return_operation_state, expected_operation_state)
1198 self.assertEqual(return_operation_error, expected_operation_error)
1199 self.assertEqual(
1200 return_ns_operational_state, expected_ns_operational_state
1201 )
1202 self.assertEqual(return_vnfr_revision, expected_vnfr_revision)
1203
1204 mock_reset()
1205
1206 with self.subTest(
1207 i=4,
1208 t="Update type: CHANGE_VNFPKG, latest_vnfd revision changed, "
1209 "Charm package exists, sw-version changed.",
1210 ):
1211
1212 self.db.set_one(
1213 "vnfds",
1214 q_filter={"_id": vnfd_id},
1215 update_dict={"_admin.revision": 3, "software-version": "3.0"},
1216 )
1217
1218 self.db.set_one(
1219 "vnfds_revisions",
1220 q_filter={"_id": vnfd_id + ":1"},
1221 update_dict={"_admin.revision": 1},
1222 )
1223
1224 self.db.set_one(
1225 "vnfrs",
1226 q_filter={"_id": vnfr_id},
1227 update_dict={"revision": 1},
1228 )
1229
1230 mock_charm_hash = Mock(autospec=True)
1231 mock_charm_hash.return_value = False
1232
1233 mock_juju_bundle = Mock(return_value=None)
1234
1235 mock_charm_upgrade = asynctest.Mock(autospec=True)
1236 task = asyncio.Future()
1237 task.set_result(("COMPLETED", "some_output"))
1238 mock_charm_upgrade.return_value = task
1239
1240 mock_charm_artifact = Mock(autospec=True)
1241 mock_charm_artifact.side_effect = [
1242 "7637bcf8-cf14-42dc-ad70-c66fcf1e6e77:1/hackfest_3charmed_vnfd/charms/simple",
1243 "7637bcf8-cf14-42dc-ad70-c66fcf1e6e77/hackfest_3charmed_vnfd/charms/simple",
1244 ]
1245
1246 fs = Mock(autospec=True)
1247 fs.path.__add__ = Mock()
1248 fs.path.side_effect = ["/", "/", "/", "/"]
1249 fs.sync.side_effect = [None, None]
1250
1251 instance = self.my_ns
1252
1253 expected_operation_state = "FAILED"
1254 expected_operation_error = "FAILED Checking if existing VNF has charm: Software version change is not supported as VNF instance 6421c7c9-d865-4fb4-9a13-d4275d243e01 has charm."
1255 expected_vnfr_revision = 1
1256 expected_ns_state = "INSTANTIATED"
1257 expected_ns_operational_state = "running"
1258
1259 with patch.object(instance, "fs", fs), patch(
1260 "osm_lcm.lcm_utils.LcmBase.check_charm_hash_changed", mock_charm_hash
1261 ), patch("osm_lcm.ns.NsLcm._ns_charm_upgrade", mock_charm_upgrade), patch(
1262 "osm_lcm.lcm_utils.get_charm_artifact_path", mock_charm_artifact
1263 ):
1264
1265 await instance.update(nsr_id, nslcmop_id)
1266
1267 return_operation_state = self.db.get_one(
1268 "nslcmops", {"_id": nslcmop_id}
1269 ).get("operationState")
1270
1271 return_operation_error = self.db.get_one(
1272 "nslcmops", {"_id": nslcmop_id}
1273 ).get("errorMessage")
1274
1275 return_ns_operational_state = self.db.get_one(
1276 "nsrs", {"_id": nsr_id}
1277 ).get("operational-status")
1278
1279 return_vnfr_revision = self.db.get_one("vnfrs", {"_id": vnfr_id}).get(
1280 "revision"
1281 )
1282
1283 return_ns_state = self.db.get_one("nsrs", {"_id": nsr_id}).get(
1284 "nsState"
1285 )
1286
1287 self.assertEqual(fs.sync.call_count, 2)
1288 mock_charm_hash.assert_not_called()
1289
1290 mock_juju_bundle.assert_not_called()
1291 mock_charm_upgrade.assert_not_called()
1292
1293 self.assertEqual(return_ns_state, expected_ns_state)
1294 self.assertEqual(return_operation_state, expected_operation_state)
1295 self.assertEqual(return_operation_error, expected_operation_error)
1296 self.assertEqual(
1297 return_ns_operational_state, expected_ns_operational_state
1298 )
1299 self.assertEqual(return_vnfr_revision, expected_vnfr_revision)
1300
1301 mock_reset()
1302
1303 with self.subTest(
1304 i=5,
1305 t="Update type: CHANGE_VNFPKG, latest_vnfd revision changed,"
1306 "Charm package exists, sw-version not changed, juju-bundle exists",
1307 ):
1308
1309 self.db.set_one(
1310 "vnfds",
1311 q_filter={"_id": vnfd_id},
1312 update_dict={
1313 "_admin.revision": 3,
1314 "software-version": "1.0",
1315 "kdu.0.juju-bundle": "stable/native-kdu",
1316 },
1317 )
1318
1319 self.db.set_one(
1320 "vnfds_revisions",
1321 q_filter={"_id": vnfd_id + ":1"},
1322 update_dict={
1323 "_admin.revision": 1,
1324 "software-version": "1.0",
1325 "kdu.0.juju-bundle": "stable/native-kdu",
1326 },
1327 )
1328
1329 self.db.set_one(
1330 "vnfrs", q_filter={"_id": vnfr_id}, update_dict={"revision": 1}
1331 )
1332
1333 mock_charm_hash = Mock(autospec=True)
1334 mock_charm_hash.return_value = True
1335
1336 mock_charm_artifact = Mock(autospec=True)
1337 mock_charm_artifact.side_effect = [
1338 "7637bcf8-cf14-42dc-ad70-c66fcf1e6e77:1/hackfest_3charmed_vnfd/charms/simple",
1339 "7637bcf8-cf14-42dc-ad70-c66fcf1e6e77/hackfest_3charmed_vnfd/charms/simple",
1340 ]
1341
1342 fs = Mock(autospec=True)
1343 fs.path.__add__ = Mock()
1344 fs.path.side_effect = ["/", "/", "/", "/"]
1345 fs.sync.side_effect = [None, None]
1346
1347 instance = self.my_ns
1348
1349 expected_operation_state = "FAILED"
1350 expected_operation_error = "FAILED Checking whether VNF uses juju bundle: Charm upgrade is not supported for the instance which uses juju-bundle: stable/native-kdu"
1351 expected_vnfr_revision = 1
1352 expected_ns_state = "INSTANTIATED"
1353 expected_ns_operational_state = "running"
1354
1355 with patch.object(instance, "fs", fs), patch(
1356 "osm_lcm.lcm_utils.LcmBase.check_charm_hash_changed", mock_charm_hash
1357 ), patch("osm_lcm.lcm_utils.get_charm_artifact_path", mock_charm_artifact):
1358
1359 await instance.update(nsr_id, nslcmop_id)
1360
1361 return_operation_state = self.db.get_one(
1362 "nslcmops", {"_id": nslcmop_id}
1363 ).get("operationState")
1364
1365 return_operation_error = self.db.get_one(
1366 "nslcmops", {"_id": nslcmop_id}
1367 ).get("errorMessage")
1368
1369 return_ns_operational_state = self.db.get_one(
1370 "nsrs", {"_id": nsr_id}
1371 ).get("operational-status")
1372
1373 return_vnfr_revision = self.db.get_one("vnfrs", {"_id": vnfr_id}).get(
1374 "revision"
1375 )
1376
1377 return_ns_state = self.db.get_one("nsrs", {"_id": nsr_id}).get(
1378 "nsState"
1379 )
1380
1381 self.assertEqual(fs.sync.call_count, 2)
1382 self.assertEqual(mock_charm_hash.call_count, 1)
1383 self.assertEqual(mock_charm_hash.call_count, 1)
1384
1385 mock_charm_upgrade.assert_not_called()
1386
1387 self.assertEqual(return_ns_state, expected_ns_state)
1388 self.assertEqual(return_operation_state, expected_operation_state)
1389 self.assertEqual(return_operation_error, expected_operation_error)
1390 self.assertEqual(
1391 return_ns_operational_state, expected_ns_operational_state
1392 )
1393 self.assertEqual(return_vnfr_revision, expected_vnfr_revision)
1394
1395 mock_reset()
1396
1397 with self.subTest(
1398 i=6,
1399 t="Update type: CHANGE_VNFPKG, latest_vnfd revision changed,"
1400 "Charm package exists, sw-version not changed, charm-upgrade failed",
1401 ):
1402
1403 self.db.set_one(
1404 "vnfds",
1405 q_filter={"_id": vnfd_id},
1406 update_dict={
1407 "_admin.revision": 3,
1408 "software-version": "1.0",
1409 "kdu": [],
1410 },
1411 )
1412
1413 self.db.set_one(
1414 "vnfds_revisions",
1415 q_filter={"_id": vnfd_id + ":1"},
1416 update_dict={
1417 "_admin.revision": 1,
1418 "software-version": "1.0",
1419 "kdu": [],
1420 },
1421 )
1422
1423 self.db.set_one(
1424 "vnfrs", q_filter={"_id": vnfr_id}, update_dict={"revision": 1}
1425 )
1426
1427 mock_charm_hash = Mock(autospec=True)
1428 mock_charm_hash.return_value = True
1429
1430 mock_charm_upgrade = asynctest.Mock(autospec=True)
1431 task = asyncio.Future()
1432 task.set_result(("FAILED", "some_error"))
1433 mock_charm_upgrade.return_value = task
1434
1435 mock_charm_artifact = Mock(autospec=True)
1436 mock_charm_artifact.side_effect = [
1437 "7637bcf8-cf14-42dc-ad70-c66fcf1e6e77:1/hackfest_3charmed_vnfd/charms/simple",
1438 "7637bcf8-cf14-42dc-ad70-c66fcf1e6e77/hackfest_3charmed_vnfd/charms/simple",
1439 ]
1440
1441 fs = Mock(autospec=True)
1442 fs.path.__add__ = Mock()
1443 fs.path.side_effect = ["/", "/", "/", "/"]
1444 fs.sync.side_effect = [None, None]
1445
1446 instance = self.my_ns
1447
1448 expected_operation_state = "FAILED"
1449 expected_operation_error = "some_error"
1450 expected_vnfr_revision = 1
1451 expected_ns_state = "INSTANTIATED"
1452 expected_ns_operational_state = "running"
1453
1454 with patch.object(instance, "fs", fs), patch(
1455 "osm_lcm.lcm_utils.LcmBase.check_charm_hash_changed", mock_charm_hash
1456 ), patch("osm_lcm.ns.NsLcm._ns_charm_upgrade", mock_charm_upgrade):
1457
1458 await instance.update(nsr_id, nslcmop_id)
1459
1460 return_operation_state = self.db.get_one(
1461 "nslcmops", {"_id": nslcmop_id}
1462 ).get("operationState")
1463
1464 return_operation_error = self.db.get_one(
1465 "nslcmops", {"_id": nslcmop_id}
1466 ).get("errorMessage")
1467
1468 return_ns_operational_state = self.db.get_one(
1469 "nsrs", {"_id": nsr_id}
1470 ).get("operational-status")
1471
1472 return_vnfr_revision = self.db.get_one("vnfrs", {"_id": vnfr_id}).get(
1473 "revision"
1474 )
1475
1476 return_ns_state = self.db.get_one("nsrs", {"_id": nsr_id}).get(
1477 "nsState"
1478 )
1479
1480 self.assertEqual(fs.sync.call_count, 2)
1481 self.assertEqual(mock_charm_hash.call_count, 1)
1482 self.assertEqual(mock_charm_upgrade.call_count, 1)
1483
1484 self.assertEqual(return_ns_state, expected_ns_state)
1485 self.assertEqual(return_operation_state, expected_operation_state)
1486 self.assertEqual(return_operation_error, expected_operation_error)
1487 self.assertEqual(
1488 return_ns_operational_state, expected_ns_operational_state
1489 )
1490 self.assertEqual(return_vnfr_revision, expected_vnfr_revision)
1491
1492 mock_reset()
1493
1494 def test_ns_update_helper_methods(self):
1495 def mock_reset():
1496 fs.mock_reset()
1497 mock_path.mock_reset()
1498 mock_checksumdir.mock_reset()
1499
1500 with self.subTest(
1501 i=1, t="Find software version, VNFD does not have have software version"
1502 ):
1503 # Testing method find_software_version
1504
1505 db_vnfd = self.db.get_one(
1506 "vnfds", {"_id": "7637bcf8-cf14-42dc-ad70-c66fcf1e6e77"}
1507 )
1508 expected_result = "1.0"
1509 result = find_software_version(db_vnfd)
1510 self.assertEqual(
1511 result, expected_result, "Default sw version should be 1.0"
1512 )
1513
1514 with self.subTest(
1515 i=2, t="Find software version, VNFD includes software version"
1516 ):
1517 # Testing method find_software_version
1518
1519 db_vnfd = self.db.get_one(
1520 "vnfds", {"_id": "7637bcf8-cf14-42dc-ad70-c66fcf1e6e77"}
1521 )
1522 db_vnfd["software-version"] = "3.1"
1523 expected_result = "3.1"
1524 result = find_software_version(db_vnfd)
1525 self.assertEqual(result, expected_result, "VNFD software version is wrong")
1526
1527 with self.subTest(i=3, t="Check charm hash, Hash has did not change"):
1528 # Testing method check_charm_hash_changed
1529
1530 current_path, target_path = "/tmp/charm1", "/tmp/charm1"
1531 fs = Mock(autospec=True)
1532 fs.path.__add__ = Mock()
1533 fs.path.side_effect = ["/", "/", "/", "/"]
1534
1535 mock_path = Mock(autospec=True)
1536 mock_path.exists.side_effect = [True, True]
1537
1538 mock_checksumdir = Mock(autospec=True)
1539 mock_checksumdir.dirhash.side_effect = ["hash_value", "hash_value"]
1540
1541 instance = self.my_ns
1542 expected_result = False
1543
1544 with patch.object(instance, "fs", fs), patch(
1545 "checksumdir.dirhash", mock_checksumdir.dirhash
1546 ), patch("os.path.exists", mock_path.exists):
1547
1548 result = instance.check_charm_hash_changed(current_path, target_path)
1549 self.assertEqual(
1550 result, expected_result, "Wrong charm hash control value"
1551 )
1552 self.assertEqual(mock_path.exists.call_count, 2)
1553 self.assertEqual(mock_checksumdir.dirhash.call_count, 2)
1554
1555 mock_reset()
1556
1557 with self.subTest(i=4, t="Check charm hash, Hash has changed"):
1558 # Testing method check_charm_hash_changed
1559
1560 current_path, target_path = "/tmp/charm1", "/tmp/charm2"
1561 fs = Mock(autospec=True)
1562 fs.path.__add__ = Mock()
1563 fs.path.side_effect = ["/", "/", "/", "/"]
1564
1565 mock_path = Mock(autospec=True)
1566 mock_path.exists.side_effect = [True, True]
1567
1568 mock_checksumdir = Mock(autospec=True)
1569 mock_checksumdir.dirhash.side_effect = ["hash_value", "another_hash_value"]
1570
1571 instance = self.my_ns
1572 expected_result = True
1573
1574 with patch.object(instance, "fs", fs), patch(
1575 "checksumdir.dirhash", mock_checksumdir.dirhash
1576 ), patch("os.path.exists", mock_path.exists):
1577
1578 result = instance.check_charm_hash_changed(current_path, target_path)
1579 self.assertEqual(
1580 result, expected_result, "Wrong charm hash control value"
1581 )
1582 self.assertEqual(mock_path.exists.call_count, 2)
1583 self.assertEqual(mock_checksumdir.dirhash.call_count, 2)
1584
1585 mock_reset()
1586
1587 with self.subTest(i=5, t="Check charm hash, Charm path does not exists"):
1588 # Testing method check_charm_hash_changed
1589
1590 current_path, target_path = "/tmp/charm1", "/tmp/charm2"
1591 fs = Mock(autospec=True)
1592 fs.path.__add__ = Mock()
1593 fs.path.side_effect = ["/", "/", "/", "/"]
1594
1595 mock_path = Mock(autospec=True)
1596 mock_path.exists.side_effect = [True, False]
1597
1598 mock_checksumdir = Mock(autospec=True)
1599 mock_checksumdir.dirhash.side_effect = ["hash_value", "hash_value"]
1600
1601 instance = self.my_ns
1602
1603 with patch.object(instance, "fs", fs), patch(
1604 "checksumdir.dirhash", mock_checksumdir.dirhash
1605 ), patch("os.path.exists", mock_path.exists):
1606
1607 with self.assertRaises(LcmException):
1608
1609 instance.check_charm_hash_changed(current_path, target_path)
1610 self.assertEqual(mock_path.exists.call_count, 2)
1611 self.assertEqual(mock_checksumdir.dirhash.call_count, 0)
1612
1613 mock_reset()
1614
1615 with self.subTest(i=6, t="Check juju bundle existence"):
1616 # Testing method check_juju_bundle_existence
1617
1618 test_vnfd1 = self.db.get_one(
1619 "vnfds", {"_id": "7637bcf8-cf14-42dc-ad70-c66fcf1e6e77"}
1620 )
1621 test_vnfd2 = self.db.get_one(
1622 "vnfds", {"_id": "d96b1cdf-5ad6-49f7-bf65-907ada989293"}
1623 )
1624
1625 expected_result = None
1626 result = check_juju_bundle_existence(test_vnfd1)
1627 self.assertEqual(result, expected_result, "Wrong juju bundle name")
1628
1629 expected_result = "stable/native-kdu"
1630 result = check_juju_bundle_existence(test_vnfd2)
1631 self.assertEqual(result, expected_result, "Wrong juju bundle name")
1632
1633 with self.subTest(i=7, t="Check charm artifacts"):
1634 # Testing method check_juju_bundle_existence
1635
1636 base_folder = {
1637 "folder": "7637bcf8-cf14-42dc-ad70-c66fcf1e6e77",
1638 "pkg-dir": "hackfest_3charmed_vnfd",
1639 }
1640 charm_name = "simple"
1641 charm_type = "lxc_proxy_charm"
1642 revision = 3
1643
1644 expected_result = "7637bcf8-cf14-42dc-ad70-c66fcf1e6e77:3/hackfest_3charmed_vnfd/charms/simple"
1645 result = get_charm_artifact_path(
1646 base_folder, charm_name, charm_type, revision
1647 )
1648 self.assertEqual(result, expected_result, "Wrong charm artifact path")
1649
1650 # SOL004 packages
1651 base_folder = {
1652 "folder": "7637bcf8-cf14-42dc-ad70-c66fcf1e6e77",
1653 }
1654 charm_name = "basic"
1655 charm_type = ""
1656 revision = ""
1657
1658 expected_result = (
1659 "7637bcf8-cf14-42dc-ad70-c66fcf1e6e77/Scripts/helm-charts/basic"
1660 )
1661 result = get_charm_artifact_path(
1662 base_folder, charm_name, charm_type, revision
1663 )
1664 self.assertEqual(result, expected_result, "Wrong charm artifact path")
1665
1666
1667 if __name__ == "__main__":
1668 asynctest.main()