blob: 07bf87e180f0f3f2a8c109cf470fa31ccb7f60bc [file] [log] [blame]
Guillermo Calvinoa13b2502022-06-29 17:40:36 +02001#!/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 POL charm.
26
27See more: https://charmhub.io/osm
28"""
29
30import logging
31from typing import Any, Dict
32
Dario Faccin56db64f2023-02-16 20:50:38 +010033from charms.data_platform_libs.v0.data_interfaces import DatabaseRequires
Guillermo Calvinoa13b2502022-06-29 17:40:36 +020034from charms.kafka_k8s.v0.kafka import KafkaEvents, KafkaRequires
35from charms.osm_libs.v0.utils import (
36 CharmError,
37 DebugMode,
38 HostPath,
39 check_container_ready,
40 check_service_active,
41)
42from ops.charm import ActionEvent, CharmBase
43from ops.framework import StoredState
44from ops.main import main
45from ops.model import ActiveStatus, Container
46
Dario Faccin56db64f2023-02-16 20:50:38 +010047from legacy_interfaces import MysqlClient
Guillermo Calvinoa13b2502022-06-29 17:40:36 +020048
49HOSTPATHS = [
50 HostPath(
51 config="pol-hostpath",
52 container_path="/usr/lib/python3/dist-packages/osm_policy_module",
53 ),
54 HostPath(
55 config="common-hostpath",
56 container_path="/usr/lib/python3/dist-packages/osm_common",
57 ),
58]
59
60logger = logging.getLogger(__name__)
61
62
63class OsmPolCharm(CharmBase):
64 """OSM POL Kubernetes sidecar charm."""
65
66 on = KafkaEvents()
67 _stored = StoredState()
68 container_name = "pol"
69 service_name = "pol"
70
71 def __init__(self, *args):
72 super().__init__(*args)
73
74 self.kafka = KafkaRequires(self)
Dario Faccin56db64f2023-02-16 20:50:38 +010075 self.mongodb_client = DatabaseRequires(self, "mongodb", database_name="osm")
Guillermo Calvinoa13b2502022-06-29 17:40:36 +020076 self.mysql_client = MysqlClient(self, "mysql")
77 self._observe_charm_events()
78 self.container: Container = self.unit.get_container(self.container_name)
79 self.debug_mode = DebugMode(self, self._stored, self.container, HOSTPATHS)
80
81 # ---------------------------------------------------------------------------
82 # Handlers for Charm Events
83 # ---------------------------------------------------------------------------
84
85 def _on_config_changed(self, _) -> None:
86 """Handler for the config-changed event."""
87 try:
88 self._validate_config()
89 self._check_relations()
90 # Check if the container is ready.
91 # Eventually it will become ready after the first pebble-ready event.
92 check_container_ready(self.container)
93
Guillermo Calvino7292e6e2022-08-18 11:48:30 +020094 if not self.debug_mode.started:
95 self._configure_service(self.container)
Guillermo Calvinoa13b2502022-06-29 17:40:36 +020096 # Update charm status
97 self._on_update_status()
98 except CharmError as e:
99 logger.debug(e.message)
100 self.unit.status = e.status
101
102 def _on_update_status(self, _=None) -> None:
103 """Handler for the update-status event."""
104 try:
105 self._validate_config()
106 self._check_relations()
107 check_container_ready(self.container)
108 if self.debug_mode.started:
109 return
110 check_service_active(self.container, self.service_name)
111 self.unit.status = ActiveStatus()
112 except CharmError as e:
113 logger.debug(e.message)
114 self.unit.status = e.status
115
116 def _on_required_relation_broken(self, _) -> None:
117 """Handler for the kafka-broken event."""
118 # Check Pebble has started in the container
119 try:
120 check_container_ready(self.container)
121 check_service_active(self.container, self.service_name)
122 self.container.stop(self.container_name)
123 except CharmError:
124 pass
125 self._on_update_status()
126
127 def _on_get_debug_mode_information_action(self, event: ActionEvent) -> None:
128 """Handler for the get-debug-mode-information action event."""
129 if not self.debug_mode.started:
130 event.fail("debug-mode has not started. Hint: juju config pol debug-mode=true")
131 return
132
133 debug_info = {"command": self.debug_mode.command, "password": self.debug_mode.password}
134 event.set_results(debug_info)
135
136 # ---------------------------------------------------------------------------
137 # Validation and configuration and more
138 # ---------------------------------------------------------------------------
139
140 def _observe_charm_events(self) -> None:
141 event_handler_mapping = {
142 # Core lifecycle events
143 self.on.pol_pebble_ready: self._on_config_changed,
144 self.on.config_changed: self._on_config_changed,
145 self.on.update_status: self._on_update_status,
146 # Relation events
147 self.on.kafka_available: self._on_config_changed,
148 self.on["kafka"].relation_broken: self._on_required_relation_broken,
Dario Faccin56db64f2023-02-16 20:50:38 +0100149 self.on["mysql"].relation_changed: self._on_config_changed,
150 self.on["mysql"].relation_broken: self._on_config_changed,
151 self.mongodb_client.on.database_created: self._on_config_changed,
152 self.on["mongodb"].relation_broken: self._on_required_relation_broken,
Guillermo Calvinoa13b2502022-06-29 17:40:36 +0200153 # Action events
154 self.on.get_debug_mode_information_action: self._on_get_debug_mode_information_action,
155 }
Guillermo Calvinoa13b2502022-06-29 17:40:36 +0200156
157 for event, handler in event_handler_mapping.items():
158 self.framework.observe(event, handler)
159
Dario Faccin56db64f2023-02-16 20:50:38 +0100160 def _is_database_available(self) -> bool:
161 try:
162 return self.mongodb_client.is_resource_created()
163 except KeyError:
164 return False
165
Guillermo Calvinoa13b2502022-06-29 17:40:36 +0200166 def _validate_config(self) -> None:
167 """Validate charm configuration.
168
169 Raises:
170 CharmError: if charm configuration is invalid.
171 """
172 logger.debug("validating charm config")
173
174 def _check_relations(self) -> None:
175 """Validate charm relations.
176
177 Raises:
178 CharmError: if charm configuration is invalid.
179 """
180 logger.debug("check for missing relations")
181 missing_relations = []
182
183 if not self.kafka.host or not self.kafka.port:
184 missing_relations.append("kafka")
Dario Faccin56db64f2023-02-16 20:50:38 +0100185 if not self._is_database_available():
Guillermo Calvinoa13b2502022-06-29 17:40:36 +0200186 missing_relations.append("mongodb")
187 if not self.config.get("mysql-uri") and self.mysql_client.is_missing_data_in_unit():
188 missing_relations.append("mysql")
189
190 if missing_relations:
191 relations_str = ", ".join(missing_relations)
192 one_relation_missing = len(missing_relations) == 1
193 error_msg = f'need {relations_str} relation{"" if one_relation_missing else "s"}'
194 logger.warning(error_msg)
195 raise CharmError(error_msg)
196
197 def _configure_service(self, container: Container) -> None:
198 """Add Pebble layer with the pol service."""
199 logger.debug(f"configuring {self.app.name} service")
200 container.add_layer("pol", self._get_layer(), combine=True)
201 container.replan()
202
203 def _get_layer(self) -> Dict[str, Any]:
204 """Get layer for Pebble."""
205 return {
206 "summary": "pol layer",
207 "description": "pebble config layer for pol",
208 "services": {
209 self.service_name: {
210 "override": "replace",
211 "summary": "pol service",
212 "command": "/bin/bash scripts/start.sh",
213 "startup": "enabled",
214 "user": "appuser",
215 "group": "appuser",
216 "environment": {
217 # General configuration
218 "OSMPOL_GLOBAL_LOGLEVEL": self.config["log-level"],
219 # Kafka configuration
220 "OSMPOL_MESSAGE_HOST": self.kafka.host,
221 "OSMPOL_MESSAGE_PORT": self.kafka.port,
222 "OSMPOL_MESSAGE_DRIVER": "kafka",
223 # Database Mongodb configuration
224 "OSMPOL_DATABASE_DRIVER": "mongo",
Dario Faccin56db64f2023-02-16 20:50:38 +0100225 "OSMPOL_DATABASE_URI": self._get_mongodb_uri(),
Guillermo Calvinoa13b2502022-06-29 17:40:36 +0200226 # Database MySQL configuration
227 "OSMPOL_SQL_DATABASE_URI": self._get_mysql_uri(),
228 },
229 }
230 },
231 }
232
233 def _get_mysql_uri(self):
234 return self.config.get("mysql-uri") or self.mysql_client.get_root_uri("pol")
235
Dario Faccin56db64f2023-02-16 20:50:38 +0100236 def _get_mongodb_uri(self):
237 return list(self.mongodb_client.fetch_relation_data().values())[0]["uris"]
238
Guillermo Calvinoa13b2502022-06-29 17:40:36 +0200239
240if __name__ == "__main__": # pragma: no cover
241 main(OsmPolCharm)