00ef4259aacdfa9f446462be37dcf8e058af314b
[osm/devops.git] / installers / charm / osm-nbi / src / charm.py
1 #!/usr/bin/env python3
2 # Copyright 2022 Canonical Ltd.
3 #
4 # Licensed under the Apache License, Version 2.0 (the "License"); you may
5 # not use this file except in compliance with the License. You may obtain
6 # 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, WITHOUT
12 # WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
13 # License for the specific language governing permissions and limitations
14 # under the License.
15 #
16 # For those usages not covered by the Apache License, Version 2.0 please
17 # contact: legal@canonical.com
18 #
19 # To get in touch with the maintainers, please contact:
20 # osm-charmers@lists.launchpad.net
21 #
22 #
23 # Learn more at: https://juju.is/docs/sdk
24
25 """OSM NBI charm.
26
27 See more: https://charmhub.io/osm
28 """
29
30 import logging
31 from typing import Any, Dict
32 from urllib.parse import urlparse
33
34 from charms.data_platform_libs.v0.data_interfaces import DatabaseRequires
35 from charms.kafka_k8s.v0.kafka import KafkaEvents, KafkaRequires
36 from charms.nginx_ingress_integrator.v0.ingress import IngressRequires
37 from charms.observability_libs.v1.kubernetes_service_patch import KubernetesServicePatch
38 from charms.osm_libs.v0.utils import (
39 CharmError,
40 DebugMode,
41 HostPath,
42 check_container_ready,
43 check_service_active,
44 )
45 from charms.osm_nbi.v0.nbi import NbiProvides
46 from lightkube.models.core_v1 import ServicePort
47 from ops.charm import ActionEvent, CharmBase, RelationJoinedEvent
48 from ops.framework import StoredState
49 from ops.main import main
50 from ops.model import ActiveStatus, Container
51
52 from legacy_interfaces import KeystoneClient
53
54 HOSTPATHS = [
55 HostPath(
56 config="nbi-hostpath",
57 container_path="/usr/lib/python3/dist-packages/osm_nbi",
58 ),
59 HostPath(
60 config="common-hostpath",
61 container_path="/usr/lib/python3/dist-packages/osm_common",
62 ),
63 ]
64 SERVICE_PORT = 9999
65
66 logger = logging.getLogger(__name__)
67
68
69 class OsmNbiCharm(CharmBase):
70 """OSM NBI Kubernetes sidecar charm."""
71
72 on = KafkaEvents()
73 _stored = StoredState()
74
75 def __init__(self, *args):
76 super().__init__(*args)
77 self.ingress = IngressRequires(
78 self,
79 {
80 "service-hostname": self.external_hostname,
81 "service-name": self.app.name,
82 "service-port": SERVICE_PORT,
83 },
84 )
85 self.kafka = KafkaRequires(self)
86 self.nbi = NbiProvides(self)
87 self.mongodb_client = DatabaseRequires(
88 self, "mongodb", database_name="osm", extra_user_roles="admin"
89 )
90 self.keystone_client = KeystoneClient(self, "keystone")
91 self._observe_charm_events()
92 self.container: Container = self.unit.get_container("nbi")
93 self.debug_mode = DebugMode(self, self._stored, self.container, HOSTPATHS)
94 self._patch_k8s_service()
95
96 @property
97 def external_hostname(self) -> str:
98 """External hostname property.
99
100 Returns:
101 str: the external hostname from config.
102 If not set, return the ClusterIP service name.
103 """
104 return self.config.get("external-hostname") or self.app.name
105
106 # ---------------------------------------------------------------------------
107 # Handlers for Charm Events
108 # ---------------------------------------------------------------------------
109
110 def _on_config_changed(self, _) -> None:
111 """Handler for the config-changed event."""
112 try:
113 self._validate_config()
114 self._check_relations()
115 # Check if the container is ready.
116 # Eventually it will become ready after the first pebble-ready event.
117 check_container_ready(self.container)
118
119 if not self.debug_mode.started:
120 self._configure_service(self.container)
121 self._update_ingress_config()
122 self._update_nbi_relation()
123 # Update charm status
124 self._on_update_status()
125 except CharmError as e:
126 logger.debug(e.message)
127 self.unit.status = e.status
128
129 def _on_update_status(self, _=None) -> None:
130 """Handler for the update-status event."""
131 try:
132 self._validate_config()
133 self._check_relations()
134 if self.debug_mode.started:
135 return
136 check_container_ready(self.container)
137 check_service_active(self.container, "nbi")
138 self.unit.status = ActiveStatus()
139 except CharmError as e:
140 logger.debug(e.message)
141 self.unit.status = e.status
142
143 def _on_required_relation_broken(self, _) -> None:
144 """Handler for the kafka-broken event."""
145 # Check Pebble has started in the container
146 try:
147 check_container_ready(self.container)
148 check_service_active(self.container, "nbi")
149 self.container.stop("nbi")
150 except CharmError:
151 pass
152 finally:
153 self._on_update_status()
154
155 def _update_nbi_relation(self, event: RelationJoinedEvent = None) -> None:
156 """Handler for the nbi-relation-joined event."""
157 if self.unit.is_leader():
158 self.nbi.set_host_info(self.app.name, SERVICE_PORT, event.relation if event else None)
159
160 def _on_get_debug_mode_information_action(self, event: ActionEvent) -> None:
161 """Handler for the get-debug-mode-information action event."""
162 if not self.debug_mode.started:
163 event.fail("debug-mode has not started. Hint: juju config nbi debug-mode=true")
164 return
165
166 debug_info = {"command": self.debug_mode.command, "password": self.debug_mode.password}
167 event.set_results(debug_info)
168
169 # ---------------------------------------------------------------------------
170 # Validation and configuration and more
171 # ---------------------------------------------------------------------------
172
173 def _patch_k8s_service(self) -> None:
174 port = ServicePort(SERVICE_PORT, name=f"{self.app.name}")
175 self.service_patcher = KubernetesServicePatch(self, [port])
176
177 def _observe_charm_events(self) -> None:
178 event_handler_mapping = {
179 # Core lifecycle events
180 self.on.nbi_pebble_ready: self._on_config_changed,
181 self.on.config_changed: self._on_config_changed,
182 self.on.update_status: self._on_update_status,
183 # Relation events
184 self.on.kafka_available: self._on_config_changed,
185 self.on["kafka"].relation_broken: self._on_required_relation_broken,
186 self.mongodb_client.on.database_created: self._on_config_changed,
187 self.on["mongodb"].relation_broken: self._on_required_relation_broken,
188 self.on["keystone"].relation_changed: self._on_config_changed,
189 self.on["keystone"].relation_broken: self._on_required_relation_broken,
190 # Action events
191 self.on.get_debug_mode_information_action: self._on_get_debug_mode_information_action,
192 self.on.nbi_relation_joined: self._update_nbi_relation,
193 }
194
195 for event, handler in event_handler_mapping.items():
196 self.framework.observe(event, handler)
197
198 def _is_database_available(self) -> bool:
199 try:
200 return self.mongodb_client.is_resource_created()
201 except KeyError:
202 return False
203
204 def _validate_config(self) -> None:
205 """Validate charm configuration.
206
207 Raises:
208 CharmError: if charm configuration is invalid.
209 """
210 logger.debug("validating charm config")
211 url = self.config.get("prometheus-url")
212 if not url:
213 raise CharmError("need prometheus-url config")
214 if not self._is_valid_url(url):
215 raise CharmError(f"Invalid value for prometheus-url config: '{url}'")
216
217 def _is_valid_url(self, url) -> bool:
218 return urlparse(url).hostname is not None
219
220 def _check_relations(self) -> None:
221 """Validate charm relations.
222
223 Raises:
224 CharmError: if charm configuration is invalid.
225 """
226 logger.debug("check for missing relations")
227 missing_relations = []
228
229 if not self.kafka.host or not self.kafka.port:
230 missing_relations.append("kafka")
231 if not self._is_database_available():
232 missing_relations.append("mongodb")
233 if self.keystone_client.is_missing_data_in_app():
234 missing_relations.append("keystone")
235
236 if missing_relations:
237 relations_str = ", ".join(missing_relations)
238 one_relation_missing = len(missing_relations) == 1
239 error_msg = f'need {relations_str} relation{"" if one_relation_missing else "s"}'
240 logger.warning(error_msg)
241 raise CharmError(error_msg)
242
243 def _update_ingress_config(self) -> None:
244 """Update ingress config in relation."""
245 ingress_config = {
246 "service-hostname": self.external_hostname,
247 "max-body-size": self.config["max-body-size"],
248 }
249 if "tls-secret-name" in self.config:
250 ingress_config["tls-secret-name"] = self.config["tls-secret-name"]
251 logger.debug(f"updating ingress-config: {ingress_config}")
252 self.ingress.update_config(ingress_config)
253
254 def _configure_service(self, container: Container) -> None:
255 """Add Pebble layer with the nbi service."""
256 logger.debug(f"configuring {self.app.name} service")
257 container.add_layer("nbi", self._get_layer(), combine=True)
258 container.replan()
259
260 def _get_layer(self) -> Dict[str, Any]:
261 """Get layer for Pebble."""
262 prometheus = urlparse(self.config["prometheus-url"])
263 return {
264 "summary": "nbi layer",
265 "description": "pebble config layer for nbi",
266 "services": {
267 "nbi": {
268 "override": "replace",
269 "summary": "nbi service",
270 "command": "python3 -m osm_nbi.nbi",
271 "startup": "enabled",
272 "user": "appuser",
273 "group": "appuser",
274 "environment": {
275 # General configuration
276 "OSMNBI_SERVER_ENABLE_TEST": False,
277 "OSMNBI_STATIC_DIR": "/app/osm_nbi/html_public",
278 # Kafka configuration
279 "OSMNBI_MESSAGE_HOST": self.kafka.host,
280 "OSMNBI_MESSAGE_PORT": self.kafka.port,
281 "OSMNBI_MESSAGE_DRIVER": "kafka",
282 # Database configuration
283 "OSMNBI_DATABASE_DRIVER": "mongo",
284 "OSMNBI_DATABASE_URI": self._get_mongodb_uri(),
285 "OSMNBI_DATABASE_COMMONKEY": self.config["database-commonkey"],
286 # Storage configuration
287 "OSMNBI_STORAGE_DRIVER": "mongo",
288 "OSMNBI_STORAGE_PATH": "/app/storage",
289 "OSMNBI_STORAGE_COLLECTION": "files",
290 "OSMNBI_STORAGE_URI": self._get_mongodb_uri(),
291 # Prometheus configuration
292 "OSMNBI_PROMETHEUS_HOST": prometheus.hostname,
293 "OSMNBI_PROMETHEUS_PORT": prometheus.port if prometheus.port else "",
294 # Log configuration
295 "OSMNBI_LOG_LEVEL": self.config["log-level"],
296 # Authentication environments
297 "OSMNBI_AUTHENTICATION_BACKEND": "keystone",
298 "OSMNBI_AUTHENTICATION_AUTH_URL": self.keystone_client.host,
299 "OSMNBI_AUTHENTICATION_AUTH_PORT": self.keystone_client.port,
300 "OSMNBI_AUTHENTICATION_USER_DOMAIN_NAME": self.keystone_client.user_domain_name,
301 "OSMNBI_AUTHENTICATION_PROJECT_DOMAIN_NAME": self.keystone_client.project_domain_name,
302 "OSMNBI_AUTHENTICATION_SERVICE_USERNAME": self.keystone_client.username,
303 "OSMNBI_AUTHENTICATION_SERVICE_PASSWORD": self.keystone_client.password,
304 "OSMNBI_AUTHENTICATION_SERVICE_PROJECT": self.keystone_client.service,
305 # DISABLING INTERNAL SSL SERVER
306 "OSMNBI_SERVER_SSL_MODULE": "",
307 "OSMNBI_SERVER_SSL_CERTIFICATE": "",
308 "OSMNBI_SERVER_SSL_PRIVATE_KEY": "",
309 "OSMNBI_SERVER_SSL_PASS_PHRASE": "",
310 },
311 }
312 },
313 }
314
315 def _get_mongodb_uri(self):
316 return list(self.mongodb_client.fetch_relation_data().values())[0]["uris"]
317
318
319 if __name__ == "__main__": # pragma: no cover
320 main(OsmNbiCharm)