diff --git a/lib/charms/observability_libs/v0/cert_handler.py b/lib/charms/observability_libs/v0/cert_handler.py deleted file mode 100644 index 0fc610ff..00000000 --- a/lib/charms/observability_libs/v0/cert_handler.py +++ /dev/null @@ -1,450 +0,0 @@ -# Copyright 2023 Canonical Ltd. -# See LICENSE file for licensing details. -"""## Overview. - -This document explains how to use the `CertHandler` class to -create and manage TLS certificates through the `tls_certificates` interface. - -The goal of the CertHandler is to provide a wrapper to the `tls_certificates` -library functions to make the charm integration smoother. - -## Library Usage - -This library should be used to create a `CertHandler` object, as per the -following example: - -```python -self.cert_handler = CertHandler( - charm=self, - key="my-app-cert-manager", - peer_relation_name="replicas", - cert_subject="unit_name", # Optional -) -``` - -You can then observe the library's custom event and make use of the key and cert: -```python -self.framework.observe(self.cert_handler.on.cert_changed, self._on_server_cert_changed) - -container.push(keypath, self.cert_handler.key) -container.push(certpath, self.cert_handler.cert) -``` - -This library requires a peer relation to be declared in the requirer's metadata. Peer relation data -is used for "persistent storage" of the private key and certs. -""" -import ipaddress -import json -import socket -from itertools import filterfalse -from typing import List, Optional, Union, cast - -try: - from charms.tls_certificates_interface.v3.tls_certificates import ( # type: ignore - AllCertificatesInvalidatedEvent, - CertificateAvailableEvent, - CertificateExpiringEvent, - CertificateInvalidatedEvent, - TLSCertificatesRequiresV3, - generate_csr, - generate_private_key, - ) -except ImportError as e: - raise ImportError( - "failed to import charms.tls_certificates_interface.v3.tls_certificates; " - "Either the library itself is missing (please get it through charmcraft fetch-lib) " - "or one of its dependencies is unmet." - ) from e - -import logging - -from ops.charm import CharmBase, RelationBrokenEvent -from ops.framework import EventBase, EventSource, Object, ObjectEvents -from ops.model import Relation - -logger = logging.getLogger(__name__) - - -LIBID = "b5cd5cd580f3428fa5f59a8876dcbe6a" -LIBAPI = 0 -LIBPATCH = 12 - - -def is_ip_address(value: str) -> bool: - """Return True if the input value is a valid IPv4 address; False otherwise.""" - try: - ipaddress.IPv4Address(value) - return True - except ipaddress.AddressValueError: - return False - - -class CertChanged(EventBase): - """Event raised when a cert is changed (becomes available or revoked).""" - - -class CertHandlerEvents(ObjectEvents): - """Events for CertHandler.""" - - cert_changed = EventSource(CertChanged) - - -class CertHandler(Object): - """A wrapper for the requirer side of the TLS Certificates charm library.""" - - on = CertHandlerEvents() # pyright: ignore - - def __init__( - self, - charm: CharmBase, - *, - key: str, - peer_relation_name: str, - certificates_relation_name: str = "certificates", - cert_subject: Optional[str] = None, - extra_sans_dns: Optional[List[str]] = None, # TODO: in v1, rename arg to `sans` - ): - """CertHandler is used to wrap TLS Certificates management operations for charms. - - CerHandler manages one single cert. - - Args: - charm: The owning charm. - key: A manually-crafted, static, unique identifier used by ops to identify events. - It shouldn't change between one event to another. - peer_relation_name: Must match metadata.yaml. - certificates_relation_name: Must match metadata.yaml. - cert_subject: Custom subject. Name collisions are under the caller's responsibility. - extra_sans_dns: DNS names. If none are given, use FQDN. - """ - super().__init__(charm, key) - - self.charm = charm - # We need to sanitize the unit name, otherwise route53 complains: - # "urn:ietf:params:acme:error:malformed" :: Domain name contains an invalid character - self.cert_subject = charm.unit.name.replace("/", "-") if not cert_subject else cert_subject - - # Use fqdn only if no SANs were given, and drop empty/duplicate SANs - sans = list(set(filter(None, (extra_sans_dns or [socket.getfqdn()])))) - self.sans_ip = list(filter(is_ip_address, sans)) - self.sans_dns = list(filterfalse(is_ip_address, sans)) - - self.peer_relation_name = peer_relation_name - self.certificates_relation_name = certificates_relation_name - - self.certificates = TLSCertificatesRequiresV3(self.charm, self.certificates_relation_name) - - self.framework.observe( - self.charm.on.config_changed, - self._on_config_changed, - ) - self.framework.observe( - self.charm.on.certificates_relation_joined, # pyright: ignore - self._on_certificates_relation_joined, - ) - self.framework.observe( - self.certificates.on.certificate_available, # pyright: ignore - self._on_certificate_available, - ) - self.framework.observe( - self.certificates.on.certificate_expiring, # pyright: ignore - self._on_certificate_expiring, - ) - self.framework.observe( - self.certificates.on.certificate_invalidated, # pyright: ignore - self._on_certificate_invalidated, - ) - self.framework.observe( - self.certificates.on.all_certificates_invalidated, # pyright: ignore - self._on_all_certificates_invalidated, - ) - self.framework.observe( - self.charm.on[self.certificates_relation_name].relation_broken, # pyright: ignore - self._on_certificates_relation_broken, - ) - - # Peer relation events - self.framework.observe( - self.charm.on[self.peer_relation_name].relation_created, self._on_peer_relation_created - ) - - @property - def enabled(self) -> bool: - """Boolean indicating whether the charm has a tls_certificates relation.""" - # We need to check for units as a temporary workaround because of https://bugs.launchpad.net/juju/+bug/2024583 - # This could in theory not work correctly on scale down to 0 but it is necessary for the moment. - return ( - len(self.charm.model.relations[self.certificates_relation_name]) > 0 - and len(self.charm.model.get_relation(self.certificates_relation_name).units) > 0 # type: ignore - ) - - @property - def _peer_relation(self) -> Optional[Relation]: - """Return the peer relation.""" - return self.charm.model.get_relation(self.peer_relation_name, None) - - def _on_peer_relation_created(self, _): - """Generate the CSR if the certificates relation is ready.""" - self._generate_privkey() - - # check cert relation is ready - if not (self.charm.model.get_relation(self.certificates_relation_name)): - # peer relation event happened to fire before tls-certificates events. - # Abort, and let the "certificates joined" observer create the CSR. - logger.info("certhandler waiting on certificates relation") - return - - logger.debug("certhandler has peer and certs relation: proceeding to generate csr") - self._generate_csr() - - def _on_certificates_relation_joined(self, _) -> None: - """Generate the CSR if the peer relation is ready.""" - self._generate_privkey() - - # check peer relation is there - if not self._peer_relation: - # tls-certificates relation event happened to fire before peer events. - # Abort, and let the "peer joined" relation create the CSR. - logger.info("certhandler waiting on peer relation") - return - - logger.debug("certhandler has peer and certs relation: proceeding to generate csr") - self._generate_csr() - - def _generate_privkey(self): - # Generate priv key unless done already - # TODO figure out how to go about key rotation. - if not self._private_key: - private_key = generate_private_key() - self._private_key = private_key.decode() - - def _on_config_changed(self, _): - # FIXME on config changed, the web_external_url may or may not change. But because every - # call to `generate_csr` appends a uuid, CSRs cannot be easily compared to one another. - # so for now, will be overwriting the CSR (and cert) every config change. This is not - # great. We could avoid this problem if: - # - we extract the external_url from the existing cert and compare to current; or - # - we drop the web_external_url from the list of SANs. - # Generate a CSR only if the necessary relations are already in place. - if self._peer_relation and self.charm.model.get_relation(self.certificates_relation_name): - self._generate_csr(renew=True) - - def _generate_csr( - self, overwrite: bool = False, renew: bool = False, clear_cert: bool = False - ): - """Request a CSR "creation" if renew is False, otherwise request a renewal. - - Without overwrite=True, the CSR would be created only once, even if calling the method - multiple times. This is useful needed because the order of peer-created and - certificates-joined is not predictable. - - This method intentionally does not emit any events, leave it for caller's responsibility. - """ - # if we are in a relation-broken hook, we might not have a relation to publish the csr to. - if not self.charm.model.get_relation(self.certificates_relation_name): - logger.warning( - f"No {self.certificates_relation_name!r} relation found. " f"Cannot generate csr." - ) - return - - # At this point, assuming "peer joined" and "certificates joined" have already fired - # (caller must guard) so we must have a private_key entry in relation data at our disposal. - # Otherwise, traceback -> debug. - - # In case we already have a csr, do not overwrite it by default. - if overwrite or renew or not self._csr: - private_key = self._private_key - if private_key is None: - # FIXME: raise this in a less nested scope by - # generating privkey and csr in the same method. - raise RuntimeError( - "private key unset. call _generate_privkey() before you call this method." - ) - csr = generate_csr( - private_key=private_key.encode(), - subject=self.cert_subject, - sans_dns=self.sans_dns, - sans_ip=self.sans_ip, - ) - - if renew and self._csr: - self.certificates.request_certificate_renewal( - old_certificate_signing_request=self._csr.encode(), - new_certificate_signing_request=csr, - ) - else: - logger.info( - "Creating CSR for %s with DNS %s and IPs %s", - self.cert_subject, - self.sans_dns, - self.sans_ip, - ) - self.certificates.request_certificate_creation(certificate_signing_request=csr) - - # Note: CSR is being replaced with a new one, so until we get the new cert, we'd have - # a mismatch between the CSR and the cert. - # For some reason the csr contains a trailing '\n'. TODO figure out why - self._csr = csr.decode().strip() - - if clear_cert: - self._ca_cert = "" - self._server_cert = "" - self._chain = "" - - def _on_certificate_available(self, event: CertificateAvailableEvent) -> None: - """Get the certificate from the event and store it in a peer relation. - - Note: assuming "limit: 1" in metadata - """ - # We need to store the ca cert and server cert somewhere it would persist across upgrades. - # While we support Juju 2.9, the only option is peer data. When we drop 2.9, then secrets. - - # I think juju guarantees that a peer-created always fires before any regular - # relation-changed. If that is not the case, we would need more guards and more paths. - - # Process the cert only if it belongs to the unit that requested it (this unit) - event_csr = ( - event.certificate_signing_request.strip() - if event.certificate_signing_request - else None - ) - if event_csr == self._csr: - self._ca_cert = event.ca - self._server_cert = event.certificate - self._chain = event.chain_as_pem() - self.on.cert_changed.emit() # pyright: ignore - - @property - def key(self): - """Return the private key.""" - return self._private_key - - @property - def _private_key(self) -> Optional[str]: - if self._peer_relation: - return self._peer_relation.data[self.charm.unit].get("private_key", None) - return None - - @_private_key.setter - def _private_key(self, value: str): - # Caller must guard. We want the setter to fail loudly. Failure must have a side effect. - rel = self._peer_relation - assert rel is not None # For type checker - rel.data[self.charm.unit].update({"private_key": value}) - - @property - def _csr(self) -> Optional[str]: - if self._peer_relation: - return self._peer_relation.data[self.charm.unit].get("csr", None) - return None - - @_csr.setter - def _csr(self, value: str): - # Caller must guard. We want the setter to fail loudly. Failure must have a side effect. - rel = self._peer_relation - assert rel is not None # For type checker - rel.data[self.charm.unit].update({"csr": value}) - - @property - def _ca_cert(self) -> Optional[str]: - if self._peer_relation: - return self._peer_relation.data[self.charm.unit].get("ca", None) - return None - - @_ca_cert.setter - def _ca_cert(self, value: str): - # Caller must guard. We want the setter to fail loudly. Failure must have a side effect. - rel = self._peer_relation - assert rel is not None # For type checker - rel.data[self.charm.unit].update({"ca": value}) - - @property - def cert(self): - """Return the server cert.""" - return self._server_cert - - @property - def ca(self): - """Return the CA cert.""" - return self._ca_cert - - @property - def _server_cert(self) -> Optional[str]: - if self._peer_relation: - return self._peer_relation.data[self.charm.unit].get("certificate", None) - return None - - @_server_cert.setter - def _server_cert(self, value: str): - # Caller must guard. We want the setter to fail loudly. Failure must have a side effect. - rel = self._peer_relation - assert rel is not None # For type checker - rel.data[self.charm.unit].update({"certificate": value}) - - @property - def _chain(self) -> str: - if self._peer_relation: - if chain := self._peer_relation.data[self.charm.unit].get("chain", ""): - chain = json.loads(chain) - - # In a previous version of this lib, chain used to be a list. - # Convert the List[str] to str, per - # https://github.com/canonical/tls-certificates-interface/pull/141 - if isinstance(chain, list): - chain = "\n\n".join(reversed(chain)) - - return cast(str, chain) - return "" - - @_chain.setter - def _chain(self, value: str): - # Caller must guard. We want the setter to fail loudly. Failure must have a side effect. - rel = self._peer_relation - assert rel is not None # For type checker - rel.data[self.charm.unit].update({"chain": json.dumps(value)}) - - @property - def chain(self) -> str: - """Return the ca chain.""" - return self._chain - - def _on_certificate_expiring( - self, event: Union[CertificateExpiringEvent, CertificateInvalidatedEvent] - ) -> None: - """Generate a new CSR and request certificate renewal.""" - if event.certificate == self._server_cert: - self._generate_csr(renew=True) - - def _certificate_revoked(self, event) -> None: - """Remove the certificate from the peer relation and generate a new CSR.""" - # Note: assuming "limit: 1" in metadata - if event.certificate == self._server_cert: - self._generate_csr(overwrite=True, clear_cert=True) - self.on.cert_changed.emit() # pyright: ignore - - def _on_certificate_invalidated(self, event: CertificateInvalidatedEvent) -> None: - """Deal with certificate revocation and expiration.""" - if event.certificate != self._server_cert: - return - - # if event.reason in ("revoked", "expired"): - # Currently, the reason does not matter to us because the action is the same. - self._generate_csr(overwrite=True, clear_cert=True) - self.on.cert_changed.emit() # pyright: ignore - - def _on_all_certificates_invalidated(self, event: AllCertificatesInvalidatedEvent) -> None: - # Do what you want with this information, probably remove all certificates - # Note: assuming "limit: 1" in metadata - self._generate_csr(overwrite=True, clear_cert=True) - self.on.cert_changed.emit() # pyright: ignore - - def _on_certificates_relation_broken(self, event: RelationBrokenEvent) -> None: - """Clear the certificates data when removing the relation.""" - if self._peer_relation: - private_key = self._private_key - # This is a workaround for https://bugs.launchpad.net/juju/+bug/2024583 - self._peer_relation.data[self.charm.unit].clear() - if private_key: - self._peer_relation.data[self.charm.unit].update({"private_key": private_key}) - - self.on.cert_changed.emit() # pyright: ignore diff --git a/lib/charms/tls_certificates_interface/v3/tls_certificates.py b/lib/charms/tls_certificates_interface/v3/tls_certificates.py deleted file mode 100644 index cbdd80d1..00000000 --- a/lib/charms/tls_certificates_interface/v3/tls_certificates.py +++ /dev/null @@ -1,1900 +0,0 @@ -# Copyright 2024 Canonical Ltd. -# See LICENSE file for licensing details. - - -"""Library for the tls-certificates relation. - -This library contains the Requires and Provides classes for handling the tls-certificates -interface. - -Pre-requisites: - - Juju >= 3.0 - -## Getting Started -From a charm directory, fetch the library using `charmcraft`: - -```shell -charmcraft fetch-lib charms.tls_certificates_interface.v3.tls_certificates -``` - -Add the following libraries to the charm's `requirements.txt` file: -- jsonschema -- cryptography >= 42.0.0 - -Add the following section to the charm's `charmcraft.yaml` file: -```yaml -parts: - charm: - build-packages: - - libffi-dev - - libssl-dev - - rustc - - cargo -``` - -### Provider charm -The provider charm is the charm providing certificates to another charm that requires them. In -this example, the provider charm is storing its private key using a peer relation interface called -`replicas`. - -Example: -```python -from charms.tls_certificates_interface.v3.tls_certificates import ( - CertificateCreationRequestEvent, - CertificateRevocationRequestEvent, - TLSCertificatesProvidesV3, - generate_private_key, -) -from ops.charm import CharmBase, InstallEvent -from ops.main import main -from ops.model import ActiveStatus, WaitingStatus - - -def generate_ca(private_key: bytes, subject: str) -> str: - return "whatever ca content" - - -def generate_certificate(ca: str, private_key: str, csr: str) -> str: - return "Whatever certificate" - - -class ExampleProviderCharm(CharmBase): - - def __init__(self, *args): - super().__init__(*args) - self.certificates = TLSCertificatesProvidesV3(self, "certificates") - self.framework.observe( - self.certificates.on.certificate_request, - self._on_certificate_request - ) - self.framework.observe( - self.certificates.on.certificate_revocation_request, - self._on_certificate_revocation_request - ) - self.framework.observe(self.on.install, self._on_install) - - def _on_install(self, event: InstallEvent) -> None: - private_key_password = b"banana" - private_key = generate_private_key(password=private_key_password) - ca_certificate = generate_ca(private_key=private_key, subject="whatever") - replicas_relation = self.model.get_relation("replicas") - if not replicas_relation: - self.unit.status = WaitingStatus("Waiting for peer relation to be created") - event.defer() - return - replicas_relation.data[self.app].update( - { - "private_key_password": "banana", - "private_key": private_key, - "ca_certificate": ca_certificate, - } - ) - self.unit.status = ActiveStatus() - - def _on_certificate_request(self, event: CertificateCreationRequestEvent) -> None: - replicas_relation = self.model.get_relation("replicas") - if not replicas_relation: - self.unit.status = WaitingStatus("Waiting for peer relation to be created") - event.defer() - return - ca_certificate = replicas_relation.data[self.app].get("ca_certificate") - private_key = replicas_relation.data[self.app].get("private_key") - certificate = generate_certificate( - ca=ca_certificate, - private_key=private_key, - csr=event.certificate_signing_request, - ) - - self.certificates.set_relation_certificate( - certificate=certificate, - certificate_signing_request=event.certificate_signing_request, - ca=ca_certificate, - chain=[ca_certificate, certificate], - relation_id=event.relation_id, - ) - - def _on_certificate_revocation_request(self, event: CertificateRevocationRequestEvent) -> None: - # Do what you want to do with this information - pass - - -if __name__ == "__main__": - main(ExampleProviderCharm) -``` - -### Requirer charm -The requirer charm is the charm requiring certificates from another charm that provides them. In -this example, the requirer charm is storing its certificates using a peer relation interface called -`replicas`. - -Example: -```python -from charms.tls_certificates_interface.v3.tls_certificates import ( - CertificateAvailableEvent, - CertificateExpiringEvent, - CertificateRevokedEvent, - TLSCertificatesRequiresV3, - generate_csr, - generate_private_key, -) -from ops.charm import CharmBase, RelationCreatedEvent -from ops.main import main -from ops.model import ActiveStatus, WaitingStatus -from typing import Union - - -class ExampleRequirerCharm(CharmBase): - - def __init__(self, *args): - super().__init__(*args) - self.cert_subject = "whatever" - self.certificates = TLSCertificatesRequiresV3(self, "certificates") - self.framework.observe(self.on.install, self._on_install) - self.framework.observe( - self.on.certificates_relation_created, self._on_certificates_relation_created - ) - self.framework.observe( - self.certificates.on.certificate_available, self._on_certificate_available - ) - self.framework.observe( - self.certificates.on.certificate_expiring, self._on_certificate_expiring - ) - self.framework.observe( - self.certificates.on.certificate_invalidated, self._on_certificate_invalidated - ) - self.framework.observe( - self.certificates.on.all_certificates_invalidated, - self._on_all_certificates_invalidated - ) - - def _on_install(self, event) -> None: - private_key_password = b"banana" - private_key = generate_private_key(password=private_key_password) - replicas_relation = self.model.get_relation("replicas") - if not replicas_relation: - self.unit.status = WaitingStatus("Waiting for peer relation to be created") - event.defer() - return - replicas_relation.data[self.app].update( - {"private_key_password": "banana", "private_key": private_key.decode()} - ) - - def _on_certificates_relation_created(self, event: RelationCreatedEvent) -> None: - replicas_relation = self.model.get_relation("replicas") - if not replicas_relation: - self.unit.status = WaitingStatus("Waiting for peer relation to be created") - event.defer() - return - private_key_password = replicas_relation.data[self.app].get("private_key_password") - private_key = replicas_relation.data[self.app].get("private_key") - csr = generate_csr( - private_key=private_key.encode(), - private_key_password=private_key_password.encode(), - subject=self.cert_subject, - ) - replicas_relation.data[self.app].update({"csr": csr.decode()}) - self.certificates.request_certificate_creation(certificate_signing_request=csr) - - def _on_certificate_available(self, event: CertificateAvailableEvent) -> None: - replicas_relation = self.model.get_relation("replicas") - if not replicas_relation: - self.unit.status = WaitingStatus("Waiting for peer relation to be created") - event.defer() - return - replicas_relation.data[self.app].update({"certificate": event.certificate}) - replicas_relation.data[self.app].update({"ca": event.ca}) - replicas_relation.data[self.app].update({"chain": event.chain}) - self.unit.status = ActiveStatus() - - def _on_certificate_expiring( - self, event: Union[CertificateExpiringEvent, CertificateInvalidatedEvent] - ) -> None: - replicas_relation = self.model.get_relation("replicas") - if not replicas_relation: - self.unit.status = WaitingStatus("Waiting for peer relation to be created") - event.defer() - return - old_csr = replicas_relation.data[self.app].get("csr") - private_key_password = replicas_relation.data[self.app].get("private_key_password") - private_key = replicas_relation.data[self.app].get("private_key") - new_csr = generate_csr( - private_key=private_key.encode(), - private_key_password=private_key_password.encode(), - subject=self.cert_subject, - ) - self.certificates.request_certificate_renewal( - old_certificate_signing_request=old_csr, - new_certificate_signing_request=new_csr, - ) - replicas_relation.data[self.app].update({"csr": new_csr.decode()}) - - def _certificate_revoked(self) -> None: - old_csr = replicas_relation.data[self.app].get("csr") - private_key_password = replicas_relation.data[self.app].get("private_key_password") - private_key = replicas_relation.data[self.app].get("private_key") - new_csr = generate_csr( - private_key=private_key.encode(), - private_key_password=private_key_password.encode(), - subject=self.cert_subject, - ) - self.certificates.request_certificate_renewal( - old_certificate_signing_request=old_csr, - new_certificate_signing_request=new_csr, - ) - replicas_relation.data[self.app].update({"csr": new_csr.decode()}) - replicas_relation.data[self.app].pop("certificate") - replicas_relation.data[self.app].pop("ca") - replicas_relation.data[self.app].pop("chain") - self.unit.status = WaitingStatus("Waiting for new certificate") - - def _on_certificate_invalidated(self, event: CertificateInvalidatedEvent) -> None: - replicas_relation = self.model.get_relation("replicas") - if not replicas_relation: - self.unit.status = WaitingStatus("Waiting for peer relation to be created") - event.defer() - return - if event.reason == "revoked": - self._certificate_revoked() - if event.reason == "expired": - self._on_certificate_expiring(event) - - def _on_all_certificates_invalidated(self, event: AllCertificatesInvalidatedEvent) -> None: - # Do what you want with this information, probably remove all certificates. - pass - - -if __name__ == "__main__": - main(ExampleRequirerCharm) -``` - -You can relate both charms by running: - -```bash -juju relate -``` - -""" # noqa: D405, D410, D411, D214, D416 - -import copy -import json -import logging -import uuid -from contextlib import suppress -from dataclasses import dataclass -from datetime import datetime, timedelta, timezone -from ipaddress import IPv4Address -from typing import List, Literal, Optional, Union - -from cryptography import x509 -from cryptography.hazmat._oid import ExtensionOID -from cryptography.hazmat.primitives import hashes, serialization -from cryptography.hazmat.primitives.asymmetric import rsa -from jsonschema import exceptions, validate -from ops.charm import ( - CharmBase, - CharmEvents, - RelationBrokenEvent, - RelationChangedEvent, - SecretExpiredEvent, -) -from ops.framework import EventBase, EventSource, Handle, Object -from ops.jujuversion import JujuVersion -from ops.model import ( - Application, - ModelError, - Relation, - RelationDataContent, - SecretNotFoundError, - Unit, -) - -# The unique Charmhub library identifier, never change it -LIBID = "afd8c2bccf834997afce12c2706d2ede" - -# Increment this major API version when introducing breaking changes -LIBAPI = 3 - -# Increment this PATCH version before using `charmcraft publish-lib` or reset -# to 0 if you are raising the major API version -LIBPATCH = 10 - -PYDEPS = ["cryptography", "jsonschema"] - -REQUIRER_JSON_SCHEMA = { - "$schema": "http://json-schema.org/draft-04/schema#", - "$id": "https://canonical.github.io/charm-relation-interfaces/interfaces/tls_certificates/v1/schemas/requirer.json", - "type": "object", - "title": "`tls_certificates` requirer root schema", - "description": "The `tls_certificates` root schema comprises the entire requirer databag for this interface.", # noqa: E501 - "examples": [ - { - "certificate_signing_requests": [ - { - "certificate_signing_request": "-----BEGIN CERTIFICATE REQUEST-----\\nMIICWjCCAUICAQAwFTETMBEGA1UEAwwKYmFuYW5hLmNvbTCCASIwDQYJKoZIhvcN\\nAQEBBQADggEPADCCAQoCggEBANWlx9wE6cW7Jkb4DZZDOZoEjk1eDBMJ+8R4pyKp\\nFBeHMl1SQSDt6rAWsrfL3KOGiIHqrRY0B5H6c51L8LDuVrJG0bPmyQ6rsBo3gVke\\nDSivfSLtGvHtp8lwYnIunF8r858uYmblAR0tdXQNmnQvm+6GERvURQ6sxpgZ7iLC\\npPKDoPt+4GKWL10FWf0i82FgxWC2KqRZUtNbgKETQuARLig7etBmCnh20zmynorA\\ncY7vrpTPAaeQpGLNqqYvKV9W6yWVY08V+nqARrFrjk3vSioZSu8ZJUdZ4d9++SGl\\nbH7A6e77YDkX9i/dQ3Pa/iDtWO3tXS2MvgoxX1iSWlGNOHcCAwEAAaAAMA0GCSqG\\nSIb3DQEBCwUAA4IBAQCW1fKcHessy/ZhnIwAtSLznZeZNH8LTVOzkhVd4HA7EJW+\\nKVLBx8DnN7L3V2/uPJfHiOg4Rx7fi7LkJPegl3SCqJZ0N5bQS/KvDTCyLG+9E8Y+\\n7wqCmWiXaH1devimXZvazilu4IC2dSks2D8DPWHgsOdVks9bme8J3KjdNMQudegc\\newWZZ1Dtbd+Rn7cpKU3jURMwm4fRwGxbJ7iT5fkLlPBlyM/yFEik4SmQxFYrZCQg\\n0f3v4kBefTh5yclPy5tEH+8G0LMsbbo3dJ5mPKpAShi0QEKDLd7eR1R/712lYTK4\\ndi4XaEfqERgy68O4rvb4PGlJeRGS7AmL7Ss8wfAq\\n-----END CERTIFICATE REQUEST-----\\n" # noqa: E501 - }, - { - "certificate_signing_request": "-----BEGIN CERTIFICATE REQUEST-----\\nMIICWjCCAUICAQAwFTETMBEGA1UEAwwKYmFuYW5hLmNvbTCCASIwDQYJKoZIhvcN\\nAQEBBQADggEPADCCAQoCggEBAMk3raaX803cHvzlBF9LC7KORT46z4VjyU5PIaMb\\nQLIDgYKFYI0n5hf2Ra4FAHvOvEmW7bjNlHORFEmvnpcU5kPMNUyKFMTaC8LGmN8z\\nUBH3aK+0+FRvY4afn9tgj5435WqOG9QdoDJ0TJkjJbJI9M70UOgL711oU7ql6HxU\\n4d2ydFK9xAHrBwziNHgNZ72L95s4gLTXf0fAHYf15mDA9U5yc+YDubCKgTXzVySQ\\nUx73VCJLfC/XkZIh559IrnRv5G9fu6BMLEuBwAz6QAO4+/XidbKWN4r2XSq5qX4n\\n6EPQQWP8/nd4myq1kbg6Q8w68L/0YdfjCmbyf2TuoWeImdUCAwEAAaAAMA0GCSqG\\nSIb3DQEBCwUAA4IBAQBIdwraBvpYo/rl5MH1+1Um6HRg4gOdQPY5WcJy9B9tgzJz\\nittRSlRGTnhyIo6fHgq9KHrmUthNe8mMTDailKFeaqkVNVvk7l0d1/B90Kz6OfmD\\nxN0qjW53oP7y3QB5FFBM8DjqjmUnz5UePKoX4AKkDyrKWxMwGX5RoET8c/y0y9jp\\nvSq3Wh5UpaZdWbe1oVY8CqMVUEVQL2DPjtopxXFz2qACwsXkQZxWmjvZnRiP8nP8\\nbdFaEuh9Q6rZ2QdZDEtrU4AodPU3NaukFr5KlTUQt3w/cl+5//zils6G5zUWJ2pN\\ng7+t9PTvXHRkH+LnwaVnmsBFU2e05qADQbfIn7JA\\n-----END CERTIFICATE REQUEST-----\\n" # noqa: E501 - }, - ] - } - ], - "properties": { - "certificate_signing_requests": { - "type": "array", - "items": { - "type": "object", - "properties": { - "certificate_signing_request": {"type": "string"}, - "ca": {"type": "boolean"}, - }, - "required": ["certificate_signing_request"], - }, - } - }, - "required": ["certificate_signing_requests"], - "additionalProperties": True, -} - -PROVIDER_JSON_SCHEMA = { - "$schema": "http://json-schema.org/draft-04/schema#", - "$id": "https://canonical.github.io/charm-relation-interfaces/interfaces/tls_certificates/v1/schemas/provider.json", - "type": "object", - "title": "`tls_certificates` provider root schema", - "description": "The `tls_certificates` root schema comprises the entire provider databag for this interface.", # noqa: E501 - "examples": [ - { - "certificates": [ - { - "ca": "-----BEGIN CERTIFICATE-----\\nMIIDJTCCAg2gAwIBAgIUMsSK+4FGCjW6sL/EXMSxColmKw8wDQYJKoZIhvcNAQEL\\nBQAwIDELMAkGA1UEBhMCVVMxETAPBgNVBAMMCHdoYXRldmVyMB4XDTIyMDcyOTIx\\nMTgyN1oXDTIzMDcyOTIxMTgyN1owIDELMAkGA1UEBhMCVVMxETAPBgNVBAMMCHdo\\nYXRldmVyMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA55N9DkgFWbJ/\\naqcdQhso7n1kFvt6j/fL1tJBvRubkiFMQJnZFtekfalN6FfRtA3jq+nx8o49e+7t\\nLCKT0xQ+wufXfOnxv6/if6HMhHTiCNPOCeztUgQ2+dfNwRhYYgB1P93wkUVjwudK\\n13qHTTZ6NtEF6EzOqhOCe6zxq6wrr422+ZqCvcggeQ5tW9xSd/8O1vNID/0MTKpy\\nET3drDtBfHmiUEIBR3T3tcy6QsIe4Rz/2sDinAcM3j7sG8uY6drh8jY3PWar9til\\nv2l4qDYSU8Qm5856AB1FVZRLRJkLxZYZNgreShAIYgEd0mcyI2EO/UvKxsIcxsXc\\nd45GhGpKkwIDAQABo1cwVTAfBgNVHQ4EGAQWBBRXBrXKh3p/aFdQjUcT/UcvICBL\\nODAhBgNVHSMEGjAYgBYEFFcGtcqHen9oV1CNRxP9Ry8gIEs4MA8GA1UdEwEB/wQF\\nMAMBAf8wDQYJKoZIhvcNAQELBQADggEBAGmCEvcoFUrT9e133SHkgF/ZAgzeIziO\\nBjfAdU4fvAVTVfzaPm0yBnGqzcHyacCzbZjKQpaKVgc5e6IaqAQtf6cZJSCiJGhS\\nJYeosWrj3dahLOUAMrXRr8G/Ybcacoqc+osKaRa2p71cC3V6u2VvcHRV7HDFGJU7\\noijbdB+WhqET6Txe67rxZCJG9Ez3EOejBJBl2PJPpy7m1Ml4RR+E8YHNzB0lcBzc\\nEoiJKlDfKSO14E2CPDonnUoWBJWjEvJys3tbvKzsRj2fnLilytPFU0gH3cEjCopi\\nzFoWRdaRuNHYCqlBmso1JFDl8h4fMmglxGNKnKRar0WeGyxb4xXBGpI=\\n-----END CERTIFICATE-----\\n", # noqa: E501 - "chain": [ - "-----BEGIN CERTIFICATE-----\\nMIIDJTCCAg2gAwIBAgIUMsSK+4FGCjW6sL/EXMSxColmKw8wDQYJKoZIhvcNAQEL\\nBQAwIDELMAkGA1UEBhMCVVMxETAPBgNVBAMMCHdoYXRldmVyMB4XDTIyMDcyOTIx\\nMTgyN1oXDTIzMDcyOTIxMTgyN1owIDELMAkGA1UEBhMCVVMxETAPBgNVBAMMCHdo\\nYXRldmVyMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA55N9DkgFWbJ/\\naqcdQhso7n1kFvt6j/fL1tJBvRubkiFMQJnZFtekfalN6FfRtA3jq+nx8o49e+7t\\nLCKT0xQ+wufXfOnxv6/if6HMhHTiCNPOCeztUgQ2+dfNwRhYYgB1P93wkUVjwudK\\n13qHTTZ6NtEF6EzOqhOCe6zxq6wrr422+ZqCvcggeQ5tW9xSd/8O1vNID/0MTKpy\\nET3drDtBfHmiUEIBR3T3tcy6QsIe4Rz/2sDinAcM3j7sG8uY6drh8jY3PWar9til\\nv2l4qDYSU8Qm5856AB1FVZRLRJkLxZYZNgreShAIYgEd0mcyI2EO/UvKxsIcxsXc\\nd45GhGpKkwIDAQABo1cwVTAfBgNVHQ4EGAQWBBRXBrXKh3p/aFdQjUcT/UcvICBL\\nODAhBgNVHSMEGjAYgBYEFFcGtcqHen9oV1CNRxP9Ry8gIEs4MA8GA1UdEwEB/wQF\\nMAMBAf8wDQYJKoZIhvcNAQELBQADggEBAGmCEvcoFUrT9e133SHkgF/ZAgzeIziO\\nBjfAdU4fvAVTVfzaPm0yBnGqzcHyacCzbZjKQpaKVgc5e6IaqAQtf6cZJSCiJGhS\\nJYeosWrj3dahLOUAMrXRr8G/Ybcacoqc+osKaRa2p71cC3V6u2VvcHRV7HDFGJU7\\noijbdB+WhqET6Txe67rxZCJG9Ez3EOejBJBl2PJPpy7m1Ml4RR+E8YHNzB0lcBzc\\nEoiJKlDfKSO14E2CPDonnUoWBJWjEvJys3tbvKzsRj2fnLilytPFU0gH3cEjCopi\\nzFoWRdaRuNHYCqlBmso1JFDl8h4fMmglxGNKnKRar0WeGyxb4xXBGpI=\\n-----END CERTIFICATE-----\\n" # noqa: E501, W505 - ], - "certificate_signing_request": "-----BEGIN CERTIFICATE REQUEST-----\nMIICWjCCAUICAQAwFTETMBEGA1UEAwwKYmFuYW5hLmNvbTCCASIwDQYJKoZIhvcN\nAQEBBQADggEPADCCAQoCggEBANWlx9wE6cW7Jkb4DZZDOZoEjk1eDBMJ+8R4pyKp\nFBeHMl1SQSDt6rAWsrfL3KOGiIHqrRY0B5H6c51L8LDuVrJG0bPmyQ6rsBo3gVke\nDSivfSLtGvHtp8lwYnIunF8r858uYmblAR0tdXQNmnQvm+6GERvURQ6sxpgZ7iLC\npPKDoPt+4GKWL10FWf0i82FgxWC2KqRZUtNbgKETQuARLig7etBmCnh20zmynorA\ncY7vrpTPAaeQpGLNqqYvKV9W6yWVY08V+nqARrFrjk3vSioZSu8ZJUdZ4d9++SGl\nbH7A6e77YDkX9i/dQ3Pa/iDtWO3tXS2MvgoxX1iSWlGNOHcCAwEAAaAAMA0GCSqG\nSIb3DQEBCwUAA4IBAQCW1fKcHessy/ZhnIwAtSLznZeZNH8LTVOzkhVd4HA7EJW+\nKVLBx8DnN7L3V2/uPJfHiOg4Rx7fi7LkJPegl3SCqJZ0N5bQS/KvDTCyLG+9E8Y+\n7wqCmWiXaH1devimXZvazilu4IC2dSks2D8DPWHgsOdVks9bme8J3KjdNMQudegc\newWZZ1Dtbd+Rn7cpKU3jURMwm4fRwGxbJ7iT5fkLlPBlyM/yFEik4SmQxFYrZCQg\n0f3v4kBefTh5yclPy5tEH+8G0LMsbbo3dJ5mPKpAShi0QEKDLd7eR1R/712lYTK4\ndi4XaEfqERgy68O4rvb4PGlJeRGS7AmL7Ss8wfAq\n-----END CERTIFICATE REQUEST-----\n", # noqa: E501 - "certificate": "-----BEGIN CERTIFICATE-----\nMIICvDCCAaQCFFPAOD7utDTsgFrm0vS4We18OcnKMA0GCSqGSIb3DQEBCwUAMCAx\nCzAJBgNVBAYTAlVTMREwDwYDVQQDDAh3aGF0ZXZlcjAeFw0yMjA3MjkyMTE5Mzha\nFw0yMzA3MjkyMTE5MzhaMBUxEzARBgNVBAMMCmJhbmFuYS5jb20wggEiMA0GCSqG\nSIb3DQEBAQUAA4IBDwAwggEKAoIBAQDVpcfcBOnFuyZG+A2WQzmaBI5NXgwTCfvE\neKciqRQXhzJdUkEg7eqwFrK3y9yjhoiB6q0WNAeR+nOdS/Cw7layRtGz5skOq7Aa\nN4FZHg0or30i7Rrx7afJcGJyLpxfK/OfLmJm5QEdLXV0DZp0L5vuhhEb1EUOrMaY\nGe4iwqTyg6D7fuBili9dBVn9IvNhYMVgtiqkWVLTW4ChE0LgES4oO3rQZgp4dtM5\nsp6KwHGO766UzwGnkKRizaqmLylfVusllWNPFfp6gEaxa45N70oqGUrvGSVHWeHf\nfvkhpWx+wOnu+2A5F/Yv3UNz2v4g7Vjt7V0tjL4KMV9YklpRjTh3AgMBAAEwDQYJ\nKoZIhvcNAQELBQADggEBAChjRzuba8zjQ7NYBVas89Oy7u++MlS8xWxh++yiUsV6\nWMk3ZemsPtXc1YmXorIQohtxLxzUPm2JhyzFzU/sOLmJQ1E/l+gtZHyRCwsb20fX\nmphuJsMVd7qv/GwEk9PBsk2uDqg4/Wix0Rx5lf95juJP7CPXQJl5FQauf3+LSz0y\nwF/j+4GqvrwsWr9hKOLmPdkyKkR6bHKtzzsxL9PM8GnElk2OpaPMMnzbL/vt2IAt\nxK01ZzPxCQCzVwHo5IJO5NR/fIyFbEPhxzG17QsRDOBR9fl9cOIvDeSO04vyZ+nz\n+kA2c3fNrZFAtpIlOOmFh8Q12rVL4sAjI5mVWnNEgvI=\n-----END CERTIFICATE-----\n", # noqa: E501 - } - ] - }, - { - "certificates": [ - { - "ca": "-----BEGIN CERTIFICATE-----\\nMIIDJTCCAg2gAwIBAgIUMsSK+4FGCjW6sL/EXMSxColmKw8wDQYJKoZIhvcNAQEL\\nBQAwIDELMAkGA1UEBhMCVVMxETAPBgNVBAMMCHdoYXRldmVyMB4XDTIyMDcyOTIx\\nMTgyN1oXDTIzMDcyOTIxMTgyN1owIDELMAkGA1UEBhMCVVMxETAPBgNVBAMMCHdo\\nYXRldmVyMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA55N9DkgFWbJ/\\naqcdQhso7n1kFvt6j/fL1tJBvRubkiFMQJnZFtekfalN6FfRtA3jq+nx8o49e+7t\\nLCKT0xQ+wufXfOnxv6/if6HMhHTiCNPOCeztUgQ2+dfNwRhYYgB1P93wkUVjwudK\\n13qHTTZ6NtEF6EzOqhOCe6zxq6wrr422+ZqCvcggeQ5tW9xSd/8O1vNID/0MTKpy\\nET3drDtBfHmiUEIBR3T3tcy6QsIe4Rz/2sDinAcM3j7sG8uY6drh8jY3PWar9til\\nv2l4qDYSU8Qm5856AB1FVZRLRJkLxZYZNgreShAIYgEd0mcyI2EO/UvKxsIcxsXc\\nd45GhGpKkwIDAQABo1cwVTAfBgNVHQ4EGAQWBBRXBrXKh3p/aFdQjUcT/UcvICBL\\nODAhBgNVHSMEGjAYgBYEFFcGtcqHen9oV1CNRxP9Ry8gIEs4MA8GA1UdEwEB/wQF\\nMAMBAf8wDQYJKoZIhvcNAQELBQADggEBAGmCEvcoFUrT9e133SHkgF/ZAgzeIziO\\nBjfAdU4fvAVTVfzaPm0yBnGqzcHyacCzbZjKQpaKVgc5e6IaqAQtf6cZJSCiJGhS\\nJYeosWrj3dahLOUAMrXRr8G/Ybcacoqc+osKaRa2p71cC3V6u2VvcHRV7HDFGJU7\\noijbdB+WhqET6Txe67rxZCJG9Ez3EOejBJBl2PJPpy7m1Ml4RR+E8YHNzB0lcBzc\\nEoiJKlDfKSO14E2CPDonnUoWBJWjEvJys3tbvKzsRj2fnLilytPFU0gH3cEjCopi\\nzFoWRdaRuNHYCqlBmso1JFDl8h4fMmglxGNKnKRar0WeGyxb4xXBGpI=\\n-----END CERTIFICATE-----\\n", # noqa: E501 - "chain": [ - "-----BEGIN CERTIFICATE-----\\nMIIDJTCCAg2gAwIBAgIUMsSK+4FGCjW6sL/EXMSxColmKw8wDQYJKoZIhvcNAQEL\\nBQAwIDELMAkGA1UEBhMCVVMxETAPBgNVBAMMCHdoYXRldmVyMB4XDTIyMDcyOTIx\\nMTgyN1oXDTIzMDcyOTIxMTgyN1owIDELMAkGA1UEBhMCVVMxETAPBgNVBAMMCHdo\\nYXRldmVyMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA55N9DkgFWbJ/\\naqcdQhso7n1kFvt6j/fL1tJBvRubkiFMQJnZFtekfalN6FfRtA3jq+nx8o49e+7t\\nLCKT0xQ+wufXfOnxv6/if6HMhHTiCNPOCeztUgQ2+dfNwRhYYgB1P93wkUVjwudK\\n13qHTTZ6NtEF6EzOqhOCe6zxq6wrr422+ZqCvcggeQ5tW9xSd/8O1vNID/0MTKpy\\nET3drDtBfHmiUEIBR3T3tcy6QsIe4Rz/2sDinAcM3j7sG8uY6drh8jY3PWar9til\\nv2l4qDYSU8Qm5856AB1FVZRLRJkLxZYZNgreShAIYgEd0mcyI2EO/UvKxsIcxsXc\\nd45GhGpKkwIDAQABo1cwVTAfBgNVHQ4EGAQWBBRXBrXKh3p/aFdQjUcT/UcvICBL\\nODAhBgNVHSMEGjAYgBYEFFcGtcqHen9oV1CNRxP9Ry8gIEs4MA8GA1UdEwEB/wQF\\nMAMBAf8wDQYJKoZIhvcNAQELBQADggEBAGmCEvcoFUrT9e133SHkgF/ZAgzeIziO\\nBjfAdU4fvAVTVfzaPm0yBnGqzcHyacCzbZjKQpaKVgc5e6IaqAQtf6cZJSCiJGhS\\nJYeosWrj3dahLOUAMrXRr8G/Ybcacoqc+osKaRa2p71cC3V6u2VvcHRV7HDFGJU7\\noijbdB+WhqET6Txe67rxZCJG9Ez3EOejBJBl2PJPpy7m1Ml4RR+E8YHNzB0lcBzc\\nEoiJKlDfKSO14E2CPDonnUoWBJWjEvJys3tbvKzsRj2fnLilytPFU0gH3cEjCopi\\nzFoWRdaRuNHYCqlBmso1JFDl8h4fMmglxGNKnKRar0WeGyxb4xXBGpI=\\n-----END CERTIFICATE-----\\n" # noqa: E501, W505 - ], - "certificate_signing_request": "-----BEGIN CERTIFICATE REQUEST-----\nMIICWjCCAUICAQAwFTETMBEGA1UEAwwKYmFuYW5hLmNvbTCCASIwDQYJKoZIhvcN\nAQEBBQADggEPADCCAQoCggEBANWlx9wE6cW7Jkb4DZZDOZoEjk1eDBMJ+8R4pyKp\nFBeHMl1SQSDt6rAWsrfL3KOGiIHqrRY0B5H6c51L8LDuVrJG0bPmyQ6rsBo3gVke\nDSivfSLtGvHtp8lwYnIunF8r858uYmblAR0tdXQNmnQvm+6GERvURQ6sxpgZ7iLC\npPKDoPt+4GKWL10FWf0i82FgxWC2KqRZUtNbgKETQuARLig7etBmCnh20zmynorA\ncY7vrpTPAaeQpGLNqqYvKV9W6yWVY08V+nqARrFrjk3vSioZSu8ZJUdZ4d9++SGl\nbH7A6e77YDkX9i/dQ3Pa/iDtWO3tXS2MvgoxX1iSWlGNOHcCAwEAAaAAMA0GCSqG\nSIb3DQEBCwUAA4IBAQCW1fKcHessy/ZhnIwAtSLznZeZNH8LTVOzkhVd4HA7EJW+\nKVLBx8DnN7L3V2/uPJfHiOg4Rx7fi7LkJPegl3SCqJZ0N5bQS/KvDTCyLG+9E8Y+\n7wqCmWiXaH1devimXZvazilu4IC2dSks2D8DPWHgsOdVks9bme8J3KjdNMQudegc\newWZZ1Dtbd+Rn7cpKU3jURMwm4fRwGxbJ7iT5fkLlPBlyM/yFEik4SmQxFYrZCQg\n0f3v4kBefTh5yclPy5tEH+8G0LMsbbo3dJ5mPKpAShi0QEKDLd7eR1R/712lYTK4\ndi4XaEfqERgy68O4rvb4PGlJeRGS7AmL7Ss8wfAq\n-----END CERTIFICATE REQUEST-----\n", # noqa: E501 - "certificate": "-----BEGIN CERTIFICATE-----\nMIICvDCCAaQCFFPAOD7utDTsgFrm0vS4We18OcnKMA0GCSqGSIb3DQEBCwUAMCAx\nCzAJBgNVBAYTAlVTMREwDwYDVQQDDAh3aGF0ZXZlcjAeFw0yMjA3MjkyMTE5Mzha\nFw0yMzA3MjkyMTE5MzhaMBUxEzARBgNVBAMMCmJhbmFuYS5jb20wggEiMA0GCSqG\nSIb3DQEBAQUAA4IBDwAwggEKAoIBAQDVpcfcBOnFuyZG+A2WQzmaBI5NXgwTCfvE\neKciqRQXhzJdUkEg7eqwFrK3y9yjhoiB6q0WNAeR+nOdS/Cw7layRtGz5skOq7Aa\nN4FZHg0or30i7Rrx7afJcGJyLpxfK/OfLmJm5QEdLXV0DZp0L5vuhhEb1EUOrMaY\nGe4iwqTyg6D7fuBili9dBVn9IvNhYMVgtiqkWVLTW4ChE0LgES4oO3rQZgp4dtM5\nsp6KwHGO766UzwGnkKRizaqmLylfVusllWNPFfp6gEaxa45N70oqGUrvGSVHWeHf\nfvkhpWx+wOnu+2A5F/Yv3UNz2v4g7Vjt7V0tjL4KMV9YklpRjTh3AgMBAAEwDQYJ\nKoZIhvcNAQELBQADggEBAChjRzuba8zjQ7NYBVas89Oy7u++MlS8xWxh++yiUsV6\nWMk3ZemsPtXc1YmXorIQohtxLxzUPm2JhyzFzU/sOLmJQ1E/l+gtZHyRCwsb20fX\nmphuJsMVd7qv/GwEk9PBsk2uDqg4/Wix0Rx5lf95juJP7CPXQJl5FQauf3+LSz0y\nwF/j+4GqvrwsWr9hKOLmPdkyKkR6bHKtzzsxL9PM8GnElk2OpaPMMnzbL/vt2IAt\nxK01ZzPxCQCzVwHo5IJO5NR/fIyFbEPhxzG17QsRDOBR9fl9cOIvDeSO04vyZ+nz\n+kA2c3fNrZFAtpIlOOmFh8Q12rVL4sAjI5mVWnNEgvI=\n-----END CERTIFICATE-----\n", # noqa: E501 - "revoked": True, - } - ] - }, - ], - "properties": { - "certificates": { - "$id": "#/properties/certificates", - "type": "array", - "items": { - "$id": "#/properties/certificates/items", - "type": "object", - "required": ["certificate_signing_request", "certificate", "ca", "chain"], - "properties": { - "certificate_signing_request": { - "$id": "#/properties/certificates/items/certificate_signing_request", - "type": "string", - }, - "certificate": { - "$id": "#/properties/certificates/items/certificate", - "type": "string", - }, - "ca": {"$id": "#/properties/certificates/items/ca", "type": "string"}, - "chain": { - "$id": "#/properties/certificates/items/chain", - "type": "array", - "items": { - "type": "string", - "$id": "#/properties/certificates/items/chain/items", - }, - }, - "revoked": { - "$id": "#/properties/certificates/items/revoked", - "type": "boolean", - }, - }, - "additionalProperties": True, - }, - } - }, - "required": ["certificates"], - "additionalProperties": True, -} - - -logger = logging.getLogger(__name__) - - -@dataclass -class RequirerCSR: - """This class represents a certificate signing request from an interface Requirer.""" - - relation_id: int - application_name: str - unit_name: str - csr: str - is_ca: bool - - -@dataclass -class ProviderCertificate: - """This class represents a certificate from an interface Provider.""" - - relation_id: int - application_name: str - csr: str - certificate: str - ca: str - chain: List[str] - revoked: bool - - def chain_as_pem(self) -> str: - """Return full certificate chain as a PEM string.""" - return "\n\n".join(reversed(self.chain)) - - -class CertificateAvailableEvent(EventBase): - """Charm Event triggered when a TLS certificate is available.""" - - def __init__( - self, - handle: Handle, - certificate: str, - certificate_signing_request: str, - ca: str, - chain: List[str], - ): - super().__init__(handle) - self.certificate = certificate - self.certificate_signing_request = certificate_signing_request - self.ca = ca - self.chain = chain - - def snapshot(self) -> dict: - """Return snapshot.""" - return { - "certificate": self.certificate, - "certificate_signing_request": self.certificate_signing_request, - "ca": self.ca, - "chain": self.chain, - } - - def restore(self, snapshot: dict): - """Restore snapshot.""" - self.certificate = snapshot["certificate"] - self.certificate_signing_request = snapshot["certificate_signing_request"] - self.ca = snapshot["ca"] - self.chain = snapshot["chain"] - - def chain_as_pem(self) -> str: - """Return full certificate chain as a PEM string.""" - return "\n\n".join(reversed(self.chain)) - - -class CertificateExpiringEvent(EventBase): - """Charm Event triggered when a TLS certificate is almost expired.""" - - def __init__(self, handle, certificate: str, expiry: str): - """CertificateExpiringEvent. - - Args: - handle (Handle): Juju framework handle - certificate (str): TLS Certificate - expiry (str): Datetime string representing the time at which the certificate - won't be valid anymore. - """ - super().__init__(handle) - self.certificate = certificate - self.expiry = expiry - - def snapshot(self) -> dict: - """Return snapshot.""" - return {"certificate": self.certificate, "expiry": self.expiry} - - def restore(self, snapshot: dict): - """Restore snapshot.""" - self.certificate = snapshot["certificate"] - self.expiry = snapshot["expiry"] - - -class CertificateInvalidatedEvent(EventBase): - """Charm Event triggered when a TLS certificate is invalidated.""" - - def __init__( - self, - handle: Handle, - reason: Literal["expired", "revoked"], - certificate: str, - certificate_signing_request: str, - ca: str, - chain: List[str], - ): - super().__init__(handle) - self.reason = reason - self.certificate_signing_request = certificate_signing_request - self.certificate = certificate - self.ca = ca - self.chain = chain - - def snapshot(self) -> dict: - """Return snapshot.""" - return { - "reason": self.reason, - "certificate_signing_request": self.certificate_signing_request, - "certificate": self.certificate, - "ca": self.ca, - "chain": self.chain, - } - - def restore(self, snapshot: dict): - """Restore snapshot.""" - self.reason = snapshot["reason"] - self.certificate_signing_request = snapshot["certificate_signing_request"] - self.certificate = snapshot["certificate"] - self.ca = snapshot["ca"] - self.chain = snapshot["chain"] - - -class AllCertificatesInvalidatedEvent(EventBase): - """Charm Event triggered when all TLS certificates are invalidated.""" - - def __init__(self, handle: Handle): - super().__init__(handle) - - def snapshot(self) -> dict: - """Return snapshot.""" - return {} - - def restore(self, snapshot: dict): - """Restore snapshot.""" - pass - - -class CertificateCreationRequestEvent(EventBase): - """Charm Event triggered when a TLS certificate is required.""" - - def __init__( - self, - handle: Handle, - certificate_signing_request: str, - relation_id: int, - is_ca: bool = False, - ): - super().__init__(handle) - self.certificate_signing_request = certificate_signing_request - self.relation_id = relation_id - self.is_ca = is_ca - - def snapshot(self) -> dict: - """Return snapshot.""" - return { - "certificate_signing_request": self.certificate_signing_request, - "relation_id": self.relation_id, - "is_ca": self.is_ca, - } - - def restore(self, snapshot: dict): - """Restore snapshot.""" - self.certificate_signing_request = snapshot["certificate_signing_request"] - self.relation_id = snapshot["relation_id"] - self.is_ca = snapshot["is_ca"] - - -class CertificateRevocationRequestEvent(EventBase): - """Charm Event triggered when a TLS certificate needs to be revoked.""" - - def __init__( - self, - handle: Handle, - certificate: str, - certificate_signing_request: str, - ca: str, - chain: str, - ): - super().__init__(handle) - self.certificate = certificate - self.certificate_signing_request = certificate_signing_request - self.ca = ca - self.chain = chain - - def snapshot(self) -> dict: - """Return snapshot.""" - return { - "certificate": self.certificate, - "certificate_signing_request": self.certificate_signing_request, - "ca": self.ca, - "chain": self.chain, - } - - def restore(self, snapshot: dict): - """Restore snapshot.""" - self.certificate = snapshot["certificate"] - self.certificate_signing_request = snapshot["certificate_signing_request"] - self.ca = snapshot["ca"] - self.chain = snapshot["chain"] - - -def _load_relation_data(relation_data_content: RelationDataContent) -> dict: - """Load relation data from the relation data bag. - - Json loads all data. - - Args: - relation_data_content: Relation data from the databag - - Returns: - dict: Relation data in dict format. - """ - certificate_data = {} - try: - for key in relation_data_content: - try: - certificate_data[key] = json.loads(relation_data_content[key]) - except (json.decoder.JSONDecodeError, TypeError): - certificate_data[key] = relation_data_content[key] - except ModelError: - pass - return certificate_data - - -def _get_closest_future_time( - expiry_notification_time: datetime, expiry_time: datetime -) -> datetime: - """Return expiry_notification_time if not in the past, otherwise return expiry_time. - - Args: - expiry_notification_time (datetime): Notification time of impending expiration - expiry_time (datetime): Expiration time - - Returns: - datetime: expiry_notification_time if not in the past, expiry_time otherwise - """ - return ( - expiry_notification_time - if datetime.now(timezone.utc) < expiry_notification_time - else expiry_time - ) - - -def _get_certificate_expiry_time(certificate: str) -> Optional[datetime]: - """Extract expiry time from a certificate string. - - Args: - certificate (str): x509 certificate as a string - - Returns: - Optional[datetime]: Expiry datetime or None - """ - try: - certificate_object = x509.load_pem_x509_certificate(data=certificate.encode()) - return certificate_object.not_valid_after_utc - except ValueError: - logger.warning("Could not load certificate.") - return None - - -def generate_ca( - private_key: bytes, - subject: str, - private_key_password: Optional[bytes] = None, - validity: int = 365, - country: str = "US", -) -> bytes: - """Generate a CA Certificate. - - Args: - private_key (bytes): Private key - subject (str): Common Name that can be an IP or a Full Qualified Domain Name (FQDN). - private_key_password (bytes): Private key password - validity (int): Certificate validity time (in days) - country (str): Certificate Issuing country - - Returns: - bytes: CA Certificate. - """ - private_key_object = serialization.load_pem_private_key( - private_key, password=private_key_password - ) - subject_name = x509.Name( - [ - x509.NameAttribute(x509.NameOID.COUNTRY_NAME, country), - x509.NameAttribute(x509.NameOID.COMMON_NAME, subject), - ] - ) - subject_identifier_object = x509.SubjectKeyIdentifier.from_public_key( - private_key_object.public_key() # type: ignore[arg-type] - ) - subject_identifier = key_identifier = subject_identifier_object.public_bytes() - key_usage = x509.KeyUsage( - digital_signature=True, - key_encipherment=True, - key_cert_sign=True, - key_agreement=False, - content_commitment=False, - data_encipherment=False, - crl_sign=False, - encipher_only=False, - decipher_only=False, - ) - cert = ( - x509.CertificateBuilder() - .subject_name(subject_name) - .issuer_name(subject_name) - .public_key(private_key_object.public_key()) # type: ignore[arg-type] - .serial_number(x509.random_serial_number()) - .not_valid_before(datetime.now(timezone.utc)) - .not_valid_after(datetime.now(timezone.utc) + timedelta(days=validity)) - .add_extension(x509.SubjectKeyIdentifier(digest=subject_identifier), critical=False) - .add_extension( - x509.AuthorityKeyIdentifier( - key_identifier=key_identifier, - authority_cert_issuer=None, - authority_cert_serial_number=None, - ), - critical=False, - ) - .add_extension(key_usage, critical=True) - .add_extension( - x509.BasicConstraints(ca=True, path_length=None), - critical=True, - ) - .sign(private_key_object, hashes.SHA256()) # type: ignore[arg-type] - ) - return cert.public_bytes(serialization.Encoding.PEM) - - -def get_certificate_extensions( - authority_key_identifier: bytes, - csr: x509.CertificateSigningRequest, - alt_names: Optional[List[str]], - is_ca: bool, -) -> List[x509.Extension]: - """Generate a list of certificate extensions from a CSR and other known information. - - Args: - authority_key_identifier (bytes): Authority key identifier - csr (x509.CertificateSigningRequest): CSR - alt_names (list): List of alt names to put on cert - prefer putting SANs in CSR - is_ca (bool): Whether the certificate is a CA certificate - - Returns: - List[x509.Extension]: List of extensions - """ - cert_extensions_list: List[x509.Extension] = [ - x509.Extension( - oid=ExtensionOID.AUTHORITY_KEY_IDENTIFIER, - value=x509.AuthorityKeyIdentifier( - key_identifier=authority_key_identifier, - authority_cert_issuer=None, - authority_cert_serial_number=None, - ), - critical=False, - ), - x509.Extension( - oid=ExtensionOID.SUBJECT_KEY_IDENTIFIER, - value=x509.SubjectKeyIdentifier.from_public_key(csr.public_key()), - critical=False, - ), - x509.Extension( - oid=ExtensionOID.BASIC_CONSTRAINTS, - critical=True, - value=x509.BasicConstraints(ca=is_ca, path_length=None), - ), - ] - - sans: List[x509.GeneralName] = [] - san_alt_names = [x509.DNSName(name) for name in alt_names] if alt_names else [] - sans.extend(san_alt_names) - try: - loaded_san_ext = csr.extensions.get_extension_for_class(x509.SubjectAlternativeName) - sans.extend( - [x509.DNSName(name) for name in loaded_san_ext.value.get_values_for_type(x509.DNSName)] - ) - sans.extend( - [x509.IPAddress(ip) for ip in loaded_san_ext.value.get_values_for_type(x509.IPAddress)] - ) - sans.extend( - [ - x509.RegisteredID(oid) - for oid in loaded_san_ext.value.get_values_for_type(x509.RegisteredID) - ] - ) - except x509.ExtensionNotFound: - pass - - if sans: - cert_extensions_list.append( - x509.Extension( - oid=ExtensionOID.SUBJECT_ALTERNATIVE_NAME, - critical=False, - value=x509.SubjectAlternativeName(sans), - ) - ) - - if is_ca: - cert_extensions_list.append( - x509.Extension( - ExtensionOID.KEY_USAGE, - critical=True, - value=x509.KeyUsage( - digital_signature=False, - content_commitment=False, - key_encipherment=False, - data_encipherment=False, - key_agreement=False, - key_cert_sign=True, - crl_sign=True, - encipher_only=False, - decipher_only=False, - ), - ) - ) - - existing_oids = {ext.oid for ext in cert_extensions_list} - for extension in csr.extensions: - if extension.oid == ExtensionOID.SUBJECT_ALTERNATIVE_NAME: - continue - if extension.oid in existing_oids: - logger.warning("Extension %s is managed by the TLS provider, ignoring.", extension.oid) - continue - cert_extensions_list.append(extension) - - return cert_extensions_list - - -def generate_certificate( - csr: bytes, - ca: bytes, - ca_key: bytes, - ca_key_password: Optional[bytes] = None, - validity: int = 365, - alt_names: Optional[List[str]] = None, - is_ca: bool = False, -) -> bytes: - """Generate a TLS certificate based on a CSR. - - Args: - csr (bytes): CSR - ca (bytes): CA Certificate - ca_key (bytes): CA private key - ca_key_password: CA private key password - validity (int): Certificate validity (in days) - alt_names (list): List of alt names to put on cert - prefer putting SANs in CSR - is_ca (bool): Whether the certificate is a CA certificate - - Returns: - bytes: Certificate - """ - csr_object = x509.load_pem_x509_csr(csr) - subject = csr_object.subject - ca_pem = x509.load_pem_x509_certificate(ca) - issuer = ca_pem.issuer - private_key = serialization.load_pem_private_key(ca_key, password=ca_key_password) - - certificate_builder = ( - x509.CertificateBuilder() - .subject_name(subject) - .issuer_name(issuer) - .public_key(csr_object.public_key()) - .serial_number(x509.random_serial_number()) - .not_valid_before(datetime.now(timezone.utc)) - .not_valid_after(datetime.now(timezone.utc) + timedelta(days=validity)) - ) - extensions = get_certificate_extensions( - authority_key_identifier=ca_pem.extensions.get_extension_for_class( - x509.SubjectKeyIdentifier - ).value.key_identifier, - csr=csr_object, - alt_names=alt_names, - is_ca=is_ca, - ) - for extension in extensions: - try: - certificate_builder = certificate_builder.add_extension( - extval=extension.value, - critical=extension.critical, - ) - except ValueError as e: - logger.warning("Failed to add extension %s: %s", extension.oid, e) - - cert = certificate_builder.sign(private_key, hashes.SHA256()) # type: ignore[arg-type] - return cert.public_bytes(serialization.Encoding.PEM) - - -def generate_private_key( - password: Optional[bytes] = None, - key_size: int = 2048, - public_exponent: int = 65537, -) -> bytes: - """Generate a private key. - - Args: - password (bytes): Password for decrypting the private key - key_size (int): Key size in bytes - public_exponent: Public exponent. - - Returns: - bytes: Private Key - """ - private_key = rsa.generate_private_key( - public_exponent=public_exponent, - key_size=key_size, - ) - key_bytes = private_key.private_bytes( - encoding=serialization.Encoding.PEM, - format=serialization.PrivateFormat.TraditionalOpenSSL, - encryption_algorithm=( - serialization.BestAvailableEncryption(password) - if password - else serialization.NoEncryption() - ), - ) - return key_bytes - - -def generate_csr( # noqa: C901 - private_key: bytes, - subject: str, - add_unique_id_to_subject_name: bool = True, - organization: Optional[str] = None, - email_address: Optional[str] = None, - country_name: Optional[str] = None, - private_key_password: Optional[bytes] = None, - sans: Optional[List[str]] = None, - sans_oid: Optional[List[str]] = None, - sans_ip: Optional[List[str]] = None, - sans_dns: Optional[List[str]] = None, - additional_critical_extensions: Optional[List] = None, -) -> bytes: - """Generate a CSR using private key and subject. - - Args: - private_key (bytes): Private key - subject (str): CSR Common Name that can be an IP or a Full Qualified Domain Name (FQDN). - add_unique_id_to_subject_name (bool): Whether a unique ID must be added to the CSR's - subject name. Always leave to "True" when the CSR is used to request certificates - using the tls-certificates relation. - organization (str): Name of organization. - email_address (str): Email address. - country_name (str): Country Name. - private_key_password (bytes): Private key password - sans (list): Use sans_dns - this will be deprecated in a future release - List of DNS subject alternative names (keeping it for now for backward compatibility) - sans_oid (list): List of registered ID SANs - sans_dns (list): List of DNS subject alternative names (similar to the arg: sans) - sans_ip (list): List of IP subject alternative names - additional_critical_extensions (list): List of critical additional extension objects. - Object must be a x509 ExtensionType. - - Returns: - bytes: CSR - """ - signing_key = serialization.load_pem_private_key(private_key, password=private_key_password) - subject_name = [x509.NameAttribute(x509.NameOID.COMMON_NAME, subject)] - if add_unique_id_to_subject_name: - unique_identifier = uuid.uuid4() - subject_name.append( - x509.NameAttribute(x509.NameOID.X500_UNIQUE_IDENTIFIER, str(unique_identifier)) - ) - if organization: - subject_name.append(x509.NameAttribute(x509.NameOID.ORGANIZATION_NAME, organization)) - if email_address: - subject_name.append(x509.NameAttribute(x509.NameOID.EMAIL_ADDRESS, email_address)) - if country_name: - subject_name.append(x509.NameAttribute(x509.NameOID.COUNTRY_NAME, country_name)) - csr = x509.CertificateSigningRequestBuilder(subject_name=x509.Name(subject_name)) - - _sans: List[x509.GeneralName] = [] - if sans_oid: - _sans.extend([x509.RegisteredID(x509.ObjectIdentifier(san)) for san in sans_oid]) - if sans_ip: - _sans.extend([x509.IPAddress(IPv4Address(san)) for san in sans_ip]) - if sans: - _sans.extend([x509.DNSName(san) for san in sans]) - if sans_dns: - _sans.extend([x509.DNSName(san) for san in sans_dns]) - if _sans: - csr = csr.add_extension(x509.SubjectAlternativeName(set(_sans)), critical=False) - - if additional_critical_extensions: - for extension in additional_critical_extensions: - csr = csr.add_extension(extension, critical=True) - - signed_certificate = csr.sign(signing_key, hashes.SHA256()) # type: ignore[arg-type] - return signed_certificate.public_bytes(serialization.Encoding.PEM) - - -def csr_matches_certificate(csr: str, cert: str) -> bool: - """Check if a CSR matches a certificate. - - Args: - csr (str): Certificate Signing Request as a string - cert (str): Certificate as a string - Returns: - bool: True/False depending on whether the CSR matches the certificate. - """ - try: - csr_object = x509.load_pem_x509_csr(csr.encode("utf-8")) - cert_object = x509.load_pem_x509_certificate(cert.encode("utf-8")) - - if csr_object.public_key().public_bytes( - encoding=serialization.Encoding.PEM, - format=serialization.PublicFormat.SubjectPublicKeyInfo, - ) != cert_object.public_key().public_bytes( - encoding=serialization.Encoding.PEM, - format=serialization.PublicFormat.SubjectPublicKeyInfo, - ): - return False - if ( - csr_object.public_key().public_numbers().n # type: ignore[union-attr] - != cert_object.public_key().public_numbers().n # type: ignore[union-attr] - ): - return False - except ValueError: - logger.warning("Could not load certificate or CSR.") - return False - return True - - -def _relation_data_is_valid( - relation: Relation, app_or_unit: Union[Application, Unit], json_schema: dict -) -> bool: - """Check whether relation data is valid based on json schema. - - Args: - relation (Relation): Relation object - app_or_unit (Union[Application, Unit]): Application or unit object - json_schema (dict): Json schema - - Returns: - bool: Whether relation data is valid. - """ - relation_data = _load_relation_data(relation.data[app_or_unit]) - try: - validate(instance=relation_data, schema=json_schema) - return True - except exceptions.ValidationError: - return False - - -class CertificatesProviderCharmEvents(CharmEvents): - """List of events that the TLS Certificates provider charm can leverage.""" - - certificate_creation_request = EventSource(CertificateCreationRequestEvent) - certificate_revocation_request = EventSource(CertificateRevocationRequestEvent) - - -class CertificatesRequirerCharmEvents(CharmEvents): - """List of events that the TLS Certificates requirer charm can leverage.""" - - certificate_available = EventSource(CertificateAvailableEvent) - certificate_expiring = EventSource(CertificateExpiringEvent) - certificate_invalidated = EventSource(CertificateInvalidatedEvent) - all_certificates_invalidated = EventSource(AllCertificatesInvalidatedEvent) - - -class TLSCertificatesProvidesV3(Object): - """TLS certificates provider class to be instantiated by TLS certificates providers.""" - - on = CertificatesProviderCharmEvents() # type: ignore[reportAssignmentType] - - def __init__(self, charm: CharmBase, relationship_name: str): - super().__init__(charm, relationship_name) - self.framework.observe( - charm.on[relationship_name].relation_changed, self._on_relation_changed - ) - self.charm = charm - self.relationship_name = relationship_name - - def _load_app_relation_data(self, relation: Relation) -> dict: - """Load relation data from the application relation data bag. - - Json loads all data. - - Args: - relation: Relation data from the application databag - - Returns: - dict: Relation data in dict format. - """ - # If unit is not leader, it does not try to reach relation data. - if not self.model.unit.is_leader(): - return {} - return _load_relation_data(relation.data[self.charm.app]) - - def _add_certificate( - self, - relation_id: int, - certificate: str, - certificate_signing_request: str, - ca: str, - chain: List[str], - ) -> None: - """Add certificate to relation data. - - Args: - relation_id (int): Relation id - certificate (str): Certificate - certificate_signing_request (str): Certificate Signing Request - ca (str): CA Certificate - chain (list): CA Chain - - Returns: - None - """ - relation = self.model.get_relation( - relation_name=self.relationship_name, relation_id=relation_id - ) - if not relation: - raise RuntimeError( - f"Relation {self.relationship_name} does not exist - " - f"The certificate request can't be completed" - ) - new_certificate = { - "certificate": certificate, - "certificate_signing_request": certificate_signing_request, - "ca": ca, - "chain": chain, - } - provider_relation_data = self._load_app_relation_data(relation) - provider_certificates = provider_relation_data.get("certificates", []) - certificates = copy.deepcopy(provider_certificates) - if new_certificate in certificates: - logger.info("Certificate already in relation data - Doing nothing") - return - certificates.append(new_certificate) - relation.data[self.model.app]["certificates"] = json.dumps(certificates) - - def _remove_certificate( - self, - relation_id: int, - certificate: Optional[str] = None, - certificate_signing_request: Optional[str] = None, - ) -> None: - """Remove certificate from a given relation based on user provided certificate or csr. - - Args: - relation_id (int): Relation id - certificate (str): Certificate (optional) - certificate_signing_request: Certificate signing request (optional) - - Returns: - None - """ - relation = self.model.get_relation( - relation_name=self.relationship_name, - relation_id=relation_id, - ) - if not relation: - raise RuntimeError( - f"Relation {self.relationship_name} with relation id {relation_id} does not exist" - ) - provider_relation_data = self._load_app_relation_data(relation) - provider_certificates = provider_relation_data.get("certificates", []) - certificates = copy.deepcopy(provider_certificates) - for certificate_dict in certificates: - if certificate and certificate_dict["certificate"] == certificate: - certificates.remove(certificate_dict) - if ( - certificate_signing_request - and certificate_dict["certificate_signing_request"] == certificate_signing_request - ): - certificates.remove(certificate_dict) - relation.data[self.model.app]["certificates"] = json.dumps(certificates) - - def revoke_all_certificates(self) -> None: - """Revoke all certificates of this provider. - - This method is meant to be used when the Root CA has changed. - """ - for relation in self.model.relations[self.relationship_name]: - provider_relation_data = self._load_app_relation_data(relation) - provider_certificates = copy.deepcopy(provider_relation_data.get("certificates", [])) - for certificate in provider_certificates: - certificate["revoked"] = True - relation.data[self.model.app]["certificates"] = json.dumps(provider_certificates) - - def set_relation_certificate( - self, - certificate: str, - certificate_signing_request: str, - ca: str, - chain: List[str], - relation_id: int, - ) -> None: - """Add certificates to relation data. - - Args: - certificate (str): Certificate - certificate_signing_request (str): Certificate signing request - ca (str): CA Certificate - chain (list): CA Chain - relation_id (int): Juju relation ID - - Returns: - None - """ - if not self.model.unit.is_leader(): - return - certificates_relation = self.model.get_relation( - relation_name=self.relationship_name, relation_id=relation_id - ) - if not certificates_relation: - raise RuntimeError(f"Relation {self.relationship_name} does not exist") - self._remove_certificate( - certificate_signing_request=certificate_signing_request.strip(), - relation_id=relation_id, - ) - self._add_certificate( - relation_id=relation_id, - certificate=certificate.strip(), - certificate_signing_request=certificate_signing_request.strip(), - ca=ca.strip(), - chain=[cert.strip() for cert in chain], - ) - - def remove_certificate(self, certificate: str) -> None: - """Remove a given certificate from relation data. - - Args: - certificate (str): TLS Certificate - - Returns: - None - """ - certificates_relation = self.model.relations[self.relationship_name] - if not certificates_relation: - raise RuntimeError(f"Relation {self.relationship_name} does not exist") - for certificate_relation in certificates_relation: - self._remove_certificate(certificate=certificate, relation_id=certificate_relation.id) - - def get_issued_certificates( - self, relation_id: Optional[int] = None - ) -> List[ProviderCertificate]: - """Return a List of issued (non revoked) certificates. - - Returns: - List: List of ProviderCertificate objects - """ - provider_certificates = self.get_provider_certificates(relation_id=relation_id) - return [certificate for certificate in provider_certificates if not certificate.revoked] - - def get_provider_certificates( - self, relation_id: Optional[int] = None - ) -> List[ProviderCertificate]: - """Return a List of issued certificates. - - Returns: - List: List of ProviderCertificate objects - """ - certificates: List[ProviderCertificate] = [] - relations = ( - [ - relation - for relation in self.model.relations[self.relationship_name] - if relation.id == relation_id - ] - if relation_id is not None - else self.model.relations.get(self.relationship_name, []) - ) - for relation in relations: - if not relation.app: - logger.warning("Relation %s does not have an application", relation.id) - continue - provider_relation_data = self._load_app_relation_data(relation) - provider_certificates = provider_relation_data.get("certificates", []) - for certificate in provider_certificates: - provider_certificate = ProviderCertificate( - relation_id=relation.id, - application_name=relation.app.name, - csr=certificate["certificate_signing_request"], - certificate=certificate["certificate"], - ca=certificate["ca"], - chain=certificate["chain"], - revoked=certificate.get("revoked", False), - ) - certificates.append(provider_certificate) - return certificates - - def _on_relation_changed(self, event: RelationChangedEvent) -> None: - """Handle relation changed event. - - Looks at the relation data and either emits: - - certificate request event: If the unit relation data contains a CSR for which - a certificate does not exist in the provider relation data. - - certificate revocation event: If the provider relation data contains a CSR for which - a csr does not exist in the requirer relation data. - - Args: - event: Juju event - - Returns: - None - """ - if event.unit is None: - logger.error("Relation_changed event does not have a unit.") - return - if not self.model.unit.is_leader(): - return - if not _relation_data_is_valid(event.relation, event.unit, REQUIRER_JSON_SCHEMA): - logger.debug("Relation data did not pass JSON Schema validation") - return - provider_certificates = self.get_provider_certificates(relation_id=event.relation.id) - requirer_csrs = self.get_requirer_csrs(relation_id=event.relation.id) - provider_csrs = [ - certificate_creation_request.csr - for certificate_creation_request in provider_certificates - ] - for certificate_request in requirer_csrs: - if certificate_request.csr not in provider_csrs: - self.on.certificate_creation_request.emit( - certificate_signing_request=certificate_request.csr, - relation_id=certificate_request.relation_id, - is_ca=certificate_request.is_ca, - ) - self._revoke_certificates_for_which_no_csr_exists(relation_id=event.relation.id) - - def _revoke_certificates_for_which_no_csr_exists(self, relation_id: int) -> None: - """Revoke certificates for which no unit has a CSR. - - Goes through all generated certificates and compare against the list of CSRs for all units. - - Returns: - None - """ - provider_certificates = self.get_provider_certificates(relation_id) - requirer_csrs = self.get_requirer_csrs(relation_id) - list_of_csrs = [csr.csr for csr in requirer_csrs] - for certificate in provider_certificates: - if certificate.csr not in list_of_csrs: - self.on.certificate_revocation_request.emit( - certificate=certificate.certificate, - certificate_signing_request=certificate.csr, - ca=certificate.ca, - chain=certificate.chain, - ) - self.remove_certificate(certificate=certificate.certificate) - - def get_outstanding_certificate_requests( - self, relation_id: Optional[int] = None - ) -> List[RequirerCSR]: - """Return CSR's for which no certificate has been issued. - - Args: - relation_id (int): Relation id - - Returns: - list: List of RequirerCSR objects. - """ - requirer_csrs = self.get_requirer_csrs(relation_id=relation_id) - outstanding_csrs: List[RequirerCSR] = [] - for relation_csr in requirer_csrs: - if not self.certificate_issued_for_csr( - app_name=relation_csr.application_name, - csr=relation_csr.csr, - relation_id=relation_id, - ): - outstanding_csrs.append(relation_csr) - return outstanding_csrs - - def get_requirer_csrs(self, relation_id: Optional[int] = None) -> List[RequirerCSR]: - """Return a list of requirers' CSRs. - - It returns CSRs from all relations if relation_id is not specified. - CSRs are returned per relation id, application name and unit name. - - Returns: - list: List[RequirerCSR] - """ - relation_csrs: List[RequirerCSR] = [] - relations = ( - [ - relation - for relation in self.model.relations[self.relationship_name] - if relation.id == relation_id - ] - if relation_id is not None - else self.model.relations.get(self.relationship_name, []) - ) - - for relation in relations: - for unit in relation.units: - requirer_relation_data = _load_relation_data(relation.data[unit]) - unit_csrs_list = requirer_relation_data.get("certificate_signing_requests", []) - for unit_csr in unit_csrs_list: - csr = unit_csr.get("certificate_signing_request") - if not csr: - logger.warning("No CSR found in relation data - Skipping") - continue - ca = unit_csr.get("ca", False) - if not relation.app: - logger.warning("No remote app in relation - Skipping") - continue - relation_csr = RequirerCSR( - relation_id=relation.id, - application_name=relation.app.name, - unit_name=unit.name, - csr=csr, - is_ca=ca, - ) - relation_csrs.append(relation_csr) - return relation_csrs - - def certificate_issued_for_csr( - self, app_name: str, csr: str, relation_id: Optional[int] - ) -> bool: - """Check whether a certificate has been issued for a given CSR. - - Args: - app_name (str): Application name that the CSR belongs to. - csr (str): Certificate Signing Request. - relation_id (Optional[int]): Relation ID - - Returns: - bool: True/False depending on whether a certificate has been issued for the given CSR. - """ - issued_certificates_per_csr = self.get_issued_certificates(relation_id=relation_id) - for issued_certificate in issued_certificates_per_csr: - if issued_certificate.csr == csr and issued_certificate.application_name == app_name: - return csr_matches_certificate(csr, issued_certificate.certificate) - return False - - -class TLSCertificatesRequiresV3(Object): - """TLS certificates requirer class to be instantiated by TLS certificates requirers.""" - - on = CertificatesRequirerCharmEvents() # type: ignore[reportAssignmentType] - - def __init__( - self, - charm: CharmBase, - relationship_name: str, - expiry_notification_time: int = 168, - ): - """Generate/use private key and observes relation changed event. - - Args: - charm: Charm object - relationship_name: Juju relation name - expiry_notification_time (int): Time difference between now and expiry (in hours). - Used to trigger the CertificateExpiring event. Default: 7 days. - """ - super().__init__(charm, relationship_name) - if not JujuVersion.from_environ().has_secrets: - logger.warning("This version of the TLS library requires Juju secrets (Juju >= 3.0)") - self.relationship_name = relationship_name - self.charm = charm - self.expiry_notification_time = expiry_notification_time - self.framework.observe( - charm.on[relationship_name].relation_changed, self._on_relation_changed - ) - self.framework.observe( - charm.on[relationship_name].relation_broken, self._on_relation_broken - ) - self.framework.observe(charm.on.secret_expired, self._on_secret_expired) - - def get_requirer_csrs(self) -> List[RequirerCSR]: - """Return list of requirer's CSRs from relation unit data. - - Returns: - list: List of RequirerCSR objects. - """ - relation = self.model.get_relation(self.relationship_name) - if not relation: - return [] - requirer_csrs = [] - requirer_relation_data = _load_relation_data(relation.data[self.model.unit]) - requirer_csrs_dict = requirer_relation_data.get("certificate_signing_requests", []) - for requirer_csr_dict in requirer_csrs_dict: - csr = requirer_csr_dict.get("certificate_signing_request") - if not csr: - logger.warning("No CSR found in relation data - Skipping") - continue - ca = requirer_csr_dict.get("ca", False) - relation_csr = RequirerCSR( - relation_id=relation.id, - application_name=self.model.app.name, - unit_name=self.model.unit.name, - csr=csr, - is_ca=ca, - ) - requirer_csrs.append(relation_csr) - return requirer_csrs - - def get_provider_certificates(self) -> List[ProviderCertificate]: - """Return list of certificates from the provider's relation data.""" - provider_certificates: List[ProviderCertificate] = [] - relation = self.model.get_relation(self.relationship_name) - if not relation: - logger.debug("No relation: %s", self.relationship_name) - return [] - if not relation.app: - logger.debug("No remote app in relation: %s", self.relationship_name) - return [] - provider_relation_data = _load_relation_data(relation.data[relation.app]) - provider_certificate_dicts = provider_relation_data.get("certificates", []) - for provider_certificate_dict in provider_certificate_dicts: - certificate = provider_certificate_dict.get("certificate") - if not certificate: - logger.warning("No certificate found in relation data - Skipping") - continue - ca = provider_certificate_dict.get("ca") - chain = provider_certificate_dict.get("chain", []) - csr = provider_certificate_dict.get("certificate_signing_request") - if not csr: - logger.warning("No CSR found in relation data - Skipping") - continue - revoked = provider_certificate_dict.get("revoked", False) - provider_certificate = ProviderCertificate( - relation_id=relation.id, - application_name=relation.app.name, - csr=csr, - certificate=certificate, - ca=ca, - chain=chain, - revoked=revoked, - ) - provider_certificates.append(provider_certificate) - return provider_certificates - - def _add_requirer_csr_to_relation_data(self, csr: str, is_ca: bool) -> None: - """Add CSR to relation data. - - Args: - csr (str): Certificate Signing Request - is_ca (bool): Whether the certificate is a CA certificate - - Returns: - None - """ - relation = self.model.get_relation(self.relationship_name) - if not relation: - raise RuntimeError( - f"Relation {self.relationship_name} does not exist - " - f"The certificate request can't be completed" - ) - for requirer_csr in self.get_requirer_csrs(): - if requirer_csr.csr == csr and requirer_csr.is_ca == is_ca: - logger.info("CSR already in relation data - Doing nothing") - return - new_csr_dict = { - "certificate_signing_request": csr, - "ca": is_ca, - } - requirer_relation_data = _load_relation_data(relation.data[self.model.unit]) - existing_relation_data = requirer_relation_data.get("certificate_signing_requests", []) - new_relation_data = copy.deepcopy(existing_relation_data) - new_relation_data.append(new_csr_dict) - relation.data[self.model.unit]["certificate_signing_requests"] = json.dumps( - new_relation_data - ) - - def _remove_requirer_csr_from_relation_data(self, csr: str) -> None: - """Remove CSR from relation data. - - Args: - csr (str): Certificate signing request - - Returns: - None - """ - relation = self.model.get_relation(self.relationship_name) - if not relation: - raise RuntimeError( - f"Relation {self.relationship_name} does not exist - " - f"The certificate request can't be completed" - ) - if not self.get_requirer_csrs(): - logger.info("No CSRs in relation data - Doing nothing") - return - requirer_relation_data = _load_relation_data(relation.data[self.model.unit]) - existing_relation_data = requirer_relation_data.get("certificate_signing_requests", []) - new_relation_data = copy.deepcopy(existing_relation_data) - for requirer_csr in new_relation_data: - if requirer_csr["certificate_signing_request"] == csr: - new_relation_data.remove(requirer_csr) - relation.data[self.model.unit]["certificate_signing_requests"] = json.dumps( - new_relation_data - ) - - def request_certificate_creation( - self, certificate_signing_request: bytes, is_ca: bool = False - ) -> None: - """Request TLS certificate to provider charm. - - Args: - certificate_signing_request (bytes): Certificate Signing Request - is_ca (bool): Whether the certificate is a CA certificate - - Returns: - None - """ - relation = self.model.get_relation(self.relationship_name) - if not relation: - raise RuntimeError( - f"Relation {self.relationship_name} does not exist - " - f"The certificate request can't be completed" - ) - self._add_requirer_csr_to_relation_data( - certificate_signing_request.decode().strip(), is_ca=is_ca - ) - logger.info("Certificate request sent to provider") - - def request_certificate_revocation(self, certificate_signing_request: bytes) -> None: - """Remove CSR from relation data. - - The provider of this relation is then expected to remove certificates associated to this - CSR from the relation data as well and emit a request_certificate_revocation event for the - provider charm to interpret. - - Args: - certificate_signing_request (bytes): Certificate Signing Request - - Returns: - None - """ - self._remove_requirer_csr_from_relation_data(certificate_signing_request.decode().strip()) - logger.info("Certificate revocation sent to provider") - - def request_certificate_renewal( - self, old_certificate_signing_request: bytes, new_certificate_signing_request: bytes - ) -> None: - """Renew certificate. - - Removes old CSR from relation data and adds new one. - - Args: - old_certificate_signing_request: Old CSR - new_certificate_signing_request: New CSR - - Returns: - None - """ - try: - self.request_certificate_revocation( - certificate_signing_request=old_certificate_signing_request - ) - except RuntimeError: - logger.warning("Certificate revocation failed.") - self.request_certificate_creation( - certificate_signing_request=new_certificate_signing_request - ) - logger.info("Certificate renewal request completed.") - - def get_assigned_certificates(self) -> List[ProviderCertificate]: - """Get a list of certificates that were assigned to this unit. - - Returns: - List: List[ProviderCertificate] - """ - assigned_certificates = [] - for requirer_csr in self.get_certificate_signing_requests(fulfilled_only=True): - if cert := self._find_certificate_in_relation_data(requirer_csr.csr): - assigned_certificates.append(cert) - return assigned_certificates - - def get_expiring_certificates(self) -> List[ProviderCertificate]: - """Get a list of certificates that were assigned to this unit that are expiring or expired. - - Returns: - List: List[ProviderCertificate] - """ - expiring_certificates: List[ProviderCertificate] = [] - for requirer_csr in self.get_certificate_signing_requests(fulfilled_only=True): - if cert := self._find_certificate_in_relation_data(requirer_csr.csr): - expiry_time = _get_certificate_expiry_time(cert.certificate) - if not expiry_time: - continue - expiry_notification_time = expiry_time - timedelta( - hours=self.expiry_notification_time - ) - if datetime.now(timezone.utc) > expiry_notification_time: - expiring_certificates.append(cert) - return expiring_certificates - - def get_certificate_signing_requests( - self, - fulfilled_only: bool = False, - unfulfilled_only: bool = False, - ) -> List[RequirerCSR]: - """Get the list of CSR's that were sent to the provider. - - You can choose to get only the CSR's that have a certificate assigned or only the CSR's - that don't. - - Args: - fulfilled_only (bool): This option will discard CSRs that don't have certificates yet. - unfulfilled_only (bool): This option will discard CSRs that have certificates signed. - - Returns: - List of RequirerCSR objects. - """ - csrs = [] - for requirer_csr in self.get_requirer_csrs(): - cert = self._find_certificate_in_relation_data(requirer_csr.csr) - if (unfulfilled_only and cert) or (fulfilled_only and not cert): - continue - csrs.append(requirer_csr) - - return csrs - - def _on_relation_changed(self, event: RelationChangedEvent) -> None: - """Handle relation changed event. - - Goes through all providers certificates that match a requested CSR. - - If the provider certificate is revoked, emit a CertificateInvalidateEvent, - otherwise emit a CertificateAvailableEvent. - - Remove the secret for revoked certificate, or add a secret with the correct expiry - time for new certificates. - - Args: - event: Juju event - - Returns: - None - """ - if not event.app: - logger.warning("No remote app in relation - Skipping") - return - if not _relation_data_is_valid(event.relation, event.app, PROVIDER_JSON_SCHEMA): - logger.debug("Relation data did not pass JSON Schema validation") - return - provider_certificates = self.get_provider_certificates() - requirer_csrs = [ - certificate_creation_request.csr - for certificate_creation_request in self.get_requirer_csrs() - ] - for certificate in provider_certificates: - if certificate.csr in requirer_csrs: - if certificate.revoked: - with suppress(SecretNotFoundError): - secret = self.model.get_secret(label=f"{LIBID}-{certificate.csr}") - secret.remove_all_revisions() - self.on.certificate_invalidated.emit( - reason="revoked", - certificate=certificate.certificate, - certificate_signing_request=certificate.csr, - ca=certificate.ca, - chain=certificate.chain, - ) - else: - try: - secret = self.model.get_secret(label=f"{LIBID}-{certificate.csr}") - secret.set_content({"certificate": certificate.certificate}) - secret.set_info( - expire=self._get_next_secret_expiry_time(certificate.certificate), - ) - except SecretNotFoundError: - secret = self.charm.unit.add_secret( - {"certificate": certificate.certificate}, - label=f"{LIBID}-{certificate.csr}", - expire=self._get_next_secret_expiry_time(certificate.certificate), - ) - self.on.certificate_available.emit( - certificate_signing_request=certificate.csr, - certificate=certificate.certificate, - ca=certificate.ca, - chain=certificate.chain, - ) - - def _get_next_secret_expiry_time(self, certificate: str) -> Optional[datetime]: - """Return the expiry time or expiry notification time. - - Extracts the expiry time from the provided certificate, calculates the - expiry notification time and return the closest of the two, that is in - the future. - - Args: - certificate: x509 certificate - - Returns: - Optional[datetime]: None if the certificate expiry time cannot be read, - next expiry time otherwise. - """ - expiry_time = _get_certificate_expiry_time(certificate) - if not expiry_time: - return None - expiry_notification_time = expiry_time - timedelta(hours=self.expiry_notification_time) - return _get_closest_future_time(expiry_notification_time, expiry_time) - - def _on_relation_broken(self, event: RelationBrokenEvent) -> None: - """Handle Relation Broken Event. - - Emitting `all_certificates_invalidated` from `relation-broken` rather - than `relation-departed` since certs are stored in app data. - - Args: - event: Juju event - - Returns: - None - """ - self.on.all_certificates_invalidated.emit() - - def _on_secret_expired(self, event: SecretExpiredEvent) -> None: - """Handle Secret Expired Event. - - Loads the certificate from the secret, and will emit 1 of 2 - events. - - If the certificate is not yet expired, emits CertificateExpiringEvent - and updates the expiry time of the secret to the exact expiry time on - the certificate. - - If the certificate is expired, emits CertificateInvalidedEvent and - deletes the secret. - - Args: - event (SecretExpiredEvent): Juju event - """ - if not event.secret.label or not event.secret.label.startswith(f"{LIBID}-"): - return - csr = event.secret.label[len(f"{LIBID}-") :] - provider_certificate = self._find_certificate_in_relation_data(csr) - if not provider_certificate: - # A secret expired but we did not find matching certificate. Cleaning up - event.secret.remove_all_revisions() - return - - expiry_time = _get_certificate_expiry_time(provider_certificate.certificate) - if not expiry_time: - # A secret expired but matching certificate is invalid. Cleaning up - event.secret.remove_all_revisions() - return - - if datetime.now(timezone.utc) < expiry_time: - logger.warning("Certificate almost expired") - self.on.certificate_expiring.emit( - certificate=provider_certificate.certificate, - expiry=expiry_time.isoformat(), - ) - event.secret.set_info( - expire=_get_certificate_expiry_time(provider_certificate.certificate), - ) - else: - logger.warning("Certificate is expired") - self.on.certificate_invalidated.emit( - reason="expired", - certificate=provider_certificate.certificate, - certificate_signing_request=provider_certificate.csr, - ca=provider_certificate.ca, - chain=provider_certificate.chain, - ) - self.request_certificate_revocation(provider_certificate.certificate.encode()) - event.secret.remove_all_revisions() - - def _find_certificate_in_relation_data(self, csr: str) -> Optional[ProviderCertificate]: - """Return the certificate that match the given CSR.""" - for provider_certificate in self.get_provider_certificates(): - if provider_certificate.csr != csr: - continue - return provider_certificate - return None diff --git a/lib/charms/tls_certificates_interface/v4/tls_certificates.py b/lib/charms/tls_certificates_interface/v4/tls_certificates.py new file mode 100644 index 00000000..278207da --- /dev/null +++ b/lib/charms/tls_certificates_interface/v4/tls_certificates.py @@ -0,0 +1,1697 @@ +# Copyright 2024 Canonical Ltd. +# See LICENSE file for licensing details. + +"""Charm library for managing TLS certificates (V4). + +This library contains the Requires and Provides classes for handling the tls-certificates +interface. + +Pre-requisites: + - Juju >= 3.0 + - cryptography >= 43.0.0 + - pydantic + +Learn more on how-to use the TLS Certificates interface library by reading the documentation: +- https://charmhub.io/tls-certificates-interface/ + +""" # noqa: D214, D405, D411, D416 + +import copy +import ipaddress +import json +import logging +import uuid +from contextlib import suppress +from dataclasses import dataclass +from datetime import datetime, timedelta, timezone +from enum import Enum +from typing import FrozenSet, List, MutableMapping, Optional, Tuple, Union + +from cryptography import x509 +from cryptography.hazmat._oid import ExtensionOID +from cryptography.hazmat.primitives import hashes, serialization +from cryptography.hazmat.primitives.asymmetric import rsa +from cryptography.x509.oid import NameOID +from ops import BoundEvent, CharmBase, CharmEvents, SecretExpiredEvent, SecretRemoveEvent +from ops.framework import EventBase, EventSource, Handle, Object +from ops.jujuversion import JujuVersion +from ops.model import ( + Application, + ModelError, + Relation, + SecretNotFoundError, + Unit, +) +from pydantic import BaseModel, ConfigDict, ValidationError + +# The unique Charmhub library identifier, never change it +LIBID = "afd8c2bccf834997afce12c2706d2ede" + +# Increment this major API version when introducing breaking changes +LIBAPI = 4 + +# Increment this PATCH version before using `charmcraft publish-lib` or reset +# to 0 if you are raising the major API version +LIBPATCH = 5 + +PYDEPS = ["cryptography", "pydantic"] + +logger = logging.getLogger(__name__) + + +class TLSCertificatesError(Exception): + """Base class for custom errors raised by this library.""" + + +class DataValidationError(TLSCertificatesError): + """Raised when data validation fails.""" + + +class _DatabagModel(BaseModel): + """Base databag model.""" + + model_config = ConfigDict( + # tolerate additional keys in databag + extra="ignore", + # Allow instantiating this class by field name (instead of forcing alias). + populate_by_name=True, + # Custom config key: whether to nest the whole datastructure (as json) + # under a field or spread it out at the toplevel. + _NEST_UNDER=None, + ) # type: ignore + """Pydantic config.""" + + @classmethod + def load(cls, databag: MutableMapping): + """Load this model from a Juju databag.""" + nest_under = cls.model_config.get("_NEST_UNDER") + if nest_under: + return cls.model_validate(json.loads(databag[nest_under])) + + try: + data = { + k: json.loads(v) + for k, v in databag.items() + # Don't attempt to parse model-external values + if k in {(f.alias or n) for n, f in cls.model_fields.items()} + } + except json.JSONDecodeError as e: + msg = f"invalid databag contents: expecting json. {databag}" + logger.error(msg) + raise DataValidationError(msg) from e + + try: + return cls.model_validate_json(json.dumps(data)) + except ValidationError as e: + msg = f"failed to validate databag: {databag}" + logger.debug(msg, exc_info=True) + raise DataValidationError(msg) from e + + def dump(self, databag: Optional[MutableMapping] = None, clear: bool = True): + """Write the contents of this model to Juju databag. + + Args: + databag: The databag to write to. + clear: Whether to clear the databag before writing. + + Returns: + MutableMapping: The databag. + """ + if clear and databag: + databag.clear() + + if databag is None: + databag = {} + nest_under = self.model_config.get("_NEST_UNDER") + if nest_under: + databag[nest_under] = self.model_dump_json( + by_alias=True, + # skip keys whose values are default + exclude_defaults=True, + ) + return databag + + dct = self.model_dump(mode="json", by_alias=True, exclude_defaults=True) + databag.update({k: json.dumps(v) for k, v in dct.items()}) + return databag + + +class _Certificate(BaseModel): + """Certificate model.""" + + ca: str + certificate_signing_request: str + certificate: str + chain: Optional[List[str]] = None + revoked: Optional[bool] = None + + def to_provider_certificate(self, relation_id: int) -> "ProviderCertificate": + """Convert to a ProviderCertificate.""" + return ProviderCertificate( + relation_id=relation_id, + certificate=Certificate.from_string(self.certificate), + certificate_signing_request=CertificateSigningRequest.from_string( + self.certificate_signing_request + ), + ca=Certificate.from_string(self.ca), + chain=[Certificate.from_string(certificate) for certificate in self.chain] + if self.chain + else [], + revoked=self.revoked, + ) + + +class _CertificateSigningRequest(BaseModel): + """Certificate signing request model.""" + + certificate_signing_request: str + ca: Optional[bool] + + +class _ProviderApplicationData(_DatabagModel): + """Provider application data model.""" + + certificates: List[_Certificate] + + +class _RequirerData(_DatabagModel): + """Requirer data model. + + The same model is used for the unit and application data. + """ + + certificate_signing_requests: List[_CertificateSigningRequest] + + +class Mode(Enum): + """Enum representing the mode of the certificate request. + + UNIT (default): Request a certificate for the unit. + Each unit will have its own private key and certificate. + APP: Request a certificate for the application. + The private key and certificate will be shared by all units. + """ + + UNIT = 1 + APP = 2 + + +@dataclass(frozen=True) +class PrivateKey: + """This class represents a private key.""" + + raw: str + + def __str__(self): + """Return the private key as a string.""" + return self.raw + + @classmethod + def from_string(cls, private_key: str) -> "PrivateKey": + """Create a PrivateKey object from a private key.""" + return cls(raw=private_key.strip()) + + +@dataclass(frozen=True) +class Certificate: + """This class represents a certificate.""" + + raw: str + common_name: str + expiry_time: datetime + validity_start_time: datetime + is_ca: bool = False + sans_dns: Optional[FrozenSet[str]] = frozenset() + sans_ip: Optional[FrozenSet[str]] = frozenset() + sans_oid: Optional[FrozenSet[str]] = frozenset() + email_address: Optional[str] = None + organization: Optional[str] = None + organizational_unit: Optional[str] = None + country_name: Optional[str] = None + state_or_province_name: Optional[str] = None + locality_name: Optional[str] = None + + def __str__(self) -> str: + """Return the certificate as a string.""" + return self.raw + + @classmethod + def from_string(cls, certificate: str) -> "Certificate": + """Create a Certificate object from a certificate.""" + try: + certificate_object = x509.load_pem_x509_certificate(data=certificate.encode()) + except ValueError as e: + logger.error("Could not load certificate: %s", e) + raise TLSCertificatesError("Could not load certificate") + + common_name = certificate_object.subject.get_attributes_for_oid(NameOID.COMMON_NAME) + country_name = certificate_object.subject.get_attributes_for_oid(NameOID.COUNTRY_NAME) + state_or_province_name = certificate_object.subject.get_attributes_for_oid( + NameOID.STATE_OR_PROVINCE_NAME + ) + locality_name = certificate_object.subject.get_attributes_for_oid(NameOID.LOCALITY_NAME) + organization_name = certificate_object.subject.get_attributes_for_oid( + NameOID.ORGANIZATION_NAME + ) + organizational_unit = certificate_object.subject.get_attributes_for_oid( + NameOID.ORGANIZATIONAL_UNIT_NAME + ) + email_address = certificate_object.subject.get_attributes_for_oid(NameOID.EMAIL_ADDRESS) + sans_dns: List[str] = [] + sans_ip: List[str] = [] + sans_oid: List[str] = [] + try: + sans = certificate_object.extensions.get_extension_for_class( + x509.SubjectAlternativeName + ).value + for san in sans: + if isinstance(san, x509.DNSName): + sans_dns.append(san.value) + if isinstance(san, x509.IPAddress): + sans_ip.append(str(san.value)) + if isinstance(san, x509.RegisteredID): + sans_oid.append(str(san.value)) + except x509.ExtensionNotFound: + logger.debug("No SANs found in certificate") + sans_dns = [] + sans_ip = [] + sans_oid = [] + expiry_time = certificate_object.not_valid_after_utc + validity_start_time = certificate_object.not_valid_before_utc + is_ca = False + try: + is_ca = certificate_object.extensions.get_extension_for_oid( + ExtensionOID.BASIC_CONSTRAINTS + ).value.ca # type: ignore[reportAttributeAccessIssue] + except x509.ExtensionNotFound: + pass + + return cls( + raw=certificate.strip(), + common_name=str(common_name[0].value), + is_ca=is_ca, + country_name=str(country_name[0].value) if country_name else None, + state_or_province_name=str(state_or_province_name[0].value) + if state_or_province_name + else None, + locality_name=str(locality_name[0].value) if locality_name else None, + organization=str(organization_name[0].value) if organization_name else None, + organizational_unit=str(organizational_unit[0].value) if organizational_unit else None, + email_address=str(email_address[0].value) if email_address else None, + sans_dns=frozenset(sans_dns), + sans_ip=frozenset(sans_ip), + sans_oid=frozenset(sans_oid), + expiry_time=expiry_time, + validity_start_time=validity_start_time, + ) + + def matches_private_key(self, private_key: PrivateKey) -> bool: + """Check if this certificate matches a given private key. + + Args: + private_key (PrivateKey): The private key to validate against. + + Returns: + bool: True if the certificate matches the private key, False otherwise. + """ + try: + cert_object = x509.load_pem_x509_certificate(self.raw.encode()) + key_object = serialization.load_pem_private_key( + private_key.raw.encode(), password=None + ) + + cert_public_key = cert_object.public_key() + key_public_key = key_object.public_key() + + if not isinstance(cert_public_key, rsa.RSAPublicKey): + logger.warning("Certificate does not use RSA public key") + return False + + if not isinstance(key_public_key, rsa.RSAPublicKey): + logger.warning("Private key is not an RSA key") + return False + + return cert_public_key.public_numbers() == key_public_key.public_numbers() + except Exception as e: + logger.warning("Failed to validate certificate and private key match: %s", e) + return False + + +@dataclass(frozen=True) +class CertificateSigningRequest: + """This class represents a certificate signing request.""" + + raw: str + common_name: str + sans_dns: Optional[FrozenSet[str]] = None + sans_ip: Optional[FrozenSet[str]] = None + sans_oid: Optional[FrozenSet[str]] = None + email_address: Optional[str] = None + organization: Optional[str] = None + organizational_unit: Optional[str] = None + country_name: Optional[str] = None + state_or_province_name: Optional[str] = None + locality_name: Optional[str] = None + + def __eq__(self, other: object) -> bool: + """Check if two CertificateSigningRequest objects are equal.""" + if not isinstance(other, CertificateSigningRequest): + return NotImplemented + return self.raw.strip() == other.raw.strip() + + def __str__(self) -> str: + """Return the CSR as a string.""" + return self.raw + + @classmethod + def from_string(cls, csr: str) -> "CertificateSigningRequest": + """Create a CertificateSigningRequest object from a CSR.""" + try: + csr_object = x509.load_pem_x509_csr(csr.encode()) + except ValueError as e: + logger.error("Could not load CSR: %s", e) + raise TLSCertificatesError("Could not load CSR") + common_name = csr_object.subject.get_attributes_for_oid(NameOID.COMMON_NAME) + country_name = csr_object.subject.get_attributes_for_oid(NameOID.COUNTRY_NAME) + state_or_province_name = csr_object.subject.get_attributes_for_oid( + NameOID.STATE_OR_PROVINCE_NAME + ) + locality_name = csr_object.subject.get_attributes_for_oid(NameOID.LOCALITY_NAME) + organization_name = csr_object.subject.get_attributes_for_oid(NameOID.ORGANIZATION_NAME) + email_address = csr_object.subject.get_attributes_for_oid(NameOID.EMAIL_ADDRESS) + try: + sans = csr_object.extensions.get_extension_for_class(x509.SubjectAlternativeName).value + sans_dns = frozenset(sans.get_values_for_type(x509.DNSName)) + sans_ip = frozenset([str(san) for san in sans.get_values_for_type(x509.IPAddress)]) + sans_oid = frozenset([str(san) for san in sans.get_values_for_type(x509.RegisteredID)]) + except x509.ExtensionNotFound: + sans = frozenset() + sans_dns = frozenset() + sans_ip = frozenset() + sans_oid = frozenset() + return cls( + raw=csr.strip(), + common_name=str(common_name[0].value), + country_name=str(country_name[0].value) if country_name else None, + state_or_province_name=str(state_or_province_name[0].value) + if state_or_province_name + else None, + locality_name=str(locality_name[0].value) if locality_name else None, + organization=str(organization_name[0].value) if organization_name else None, + email_address=str(email_address[0].value) if email_address else None, + sans_dns=sans_dns, + sans_ip=sans_ip, + sans_oid=sans_oid, + ) + + def matches_private_key(self, key: PrivateKey) -> bool: + """Check if a CSR matches a private key. + + This function only works with RSA keys. + + Args: + key (PrivateKey): Private key + Returns: + bool: True/False depending on whether the CSR matches the private key. + """ + try: + csr_object = x509.load_pem_x509_csr(self.raw.encode("utf-8")) + key_object = serialization.load_pem_private_key( + data=key.raw.encode("utf-8"), password=None + ) + key_object_public_key = key_object.public_key() + csr_object_public_key = csr_object.public_key() + if not isinstance(key_object_public_key, rsa.RSAPublicKey): + logger.warning("Key is not an RSA key") + return False + if not isinstance(csr_object_public_key, rsa.RSAPublicKey): + logger.warning("CSR is not an RSA key") + return False + if ( + csr_object_public_key.public_numbers().n + != key_object_public_key.public_numbers().n + ): + logger.warning("Public key numbers between CSR and key do not match") + return False + except ValueError: + logger.warning("Could not load certificate or CSR.") + return False + return True + + def matches_certificate(self, certificate: Certificate) -> bool: + """Check if a CSR matches a certificate. + + Args: + certificate (Certificate): Certificate + Returns: + bool: True/False depending on whether the CSR matches the certificate. + """ + csr_object = x509.load_pem_x509_csr(self.raw.encode("utf-8")) + cert_object = x509.load_pem_x509_certificate(certificate.raw.encode("utf-8")) + return csr_object.public_key() == cert_object.public_key() + + def get_sha256_hex(self) -> str: + """Calculate the hash of the provided data and return the hexadecimal representation.""" + digest = hashes.Hash(hashes.SHA256()) + digest.update(self.raw.encode()) + return digest.finalize().hex() + + +@dataclass(frozen=True) +class CertificateRequestAttributes: + """A representation of the certificate request attributes. + + This class should be used inside the requirer charm to specify the requested + attributes for the certificate. + """ + + common_name: str + sans_dns: Optional[FrozenSet[str]] = frozenset() + sans_ip: Optional[FrozenSet[str]] = frozenset() + sans_oid: Optional[FrozenSet[str]] = frozenset() + email_address: Optional[str] = None + organization: Optional[str] = None + organizational_unit: Optional[str] = None + country_name: Optional[str] = None + state_or_province_name: Optional[str] = None + locality_name: Optional[str] = None + is_ca: bool = False + + def is_valid(self) -> bool: + """Check whether the certificate request is valid.""" + if not self.common_name: + return False + return True + + def generate_csr( + self, + private_key: PrivateKey, + ) -> CertificateSigningRequest: + """Generate a CSR using private key and subject. + + Args: + private_key (PrivateKey): Private key + + Returns: + CertificateSigningRequest: CSR + """ + return generate_csr( + private_key=private_key, + common_name=self.common_name, + sans_dns=self.sans_dns, + sans_ip=self.sans_ip, + sans_oid=self.sans_oid, + email_address=self.email_address, + organization=self.organization, + organizational_unit=self.organizational_unit, + country_name=self.country_name, + state_or_province_name=self.state_or_province_name, + locality_name=self.locality_name, + ) + + @classmethod + def from_csr(cls, csr: CertificateSigningRequest, is_ca: bool): + """Create a CertificateRequestAttributes object from a CSR.""" + return cls( + common_name=csr.common_name, + sans_dns=csr.sans_dns, + sans_ip=csr.sans_ip, + sans_oid=csr.sans_oid, + email_address=csr.email_address, + organization=csr.organization, + organizational_unit=csr.organizational_unit, + country_name=csr.country_name, + state_or_province_name=csr.state_or_province_name, + locality_name=csr.locality_name, + is_ca=is_ca, + ) + + +@dataclass(frozen=True) +class ProviderCertificate: + """This class represents a certificate provided by the TLS provider.""" + + relation_id: int + certificate: Certificate + certificate_signing_request: CertificateSigningRequest + ca: Certificate + chain: List[Certificate] + revoked: Optional[bool] = None + + def to_json(self) -> str: + """Return the object as a JSON string. + + Returns: + str: JSON representation of the object + """ + return json.dumps( + { + "csr": str(self.certificate_signing_request), + "certificate": str(self.certificate), + "ca": str(self.ca), + "chain": [str(cert) for cert in self.chain], + "revoked": self.revoked, + } + ) + + +@dataclass(frozen=True) +class RequirerCertificateRequest: + """This class represents a certificate signing request requested by a specific TLS requirer.""" + + relation_id: int + certificate_signing_request: CertificateSigningRequest + is_ca: bool + + +class CertificateAvailableEvent(EventBase): + """Charm Event triggered when a TLS certificate is available.""" + + def __init__( + self, + handle: Handle, + certificate: Certificate, + certificate_signing_request: CertificateSigningRequest, + ca: Certificate, + chain: List[Certificate], + ): + super().__init__(handle) + self.certificate = certificate + self.certificate_signing_request = certificate_signing_request + self.ca = ca + self.chain = chain + + def snapshot(self) -> dict: + """Return snapshot.""" + return { + "certificate": str(self.certificate), + "certificate_signing_request": str(self.certificate_signing_request), + "ca": str(self.ca), + "chain": json.dumps([str(certificate) for certificate in self.chain]), + } + + def restore(self, snapshot: dict): + """Restore snapshot.""" + self.certificate = Certificate.from_string(snapshot["certificate"]) + self.certificate_signing_request = CertificateSigningRequest.from_string( + snapshot["certificate_signing_request"] + ) + self.ca = Certificate.from_string(snapshot["ca"]) + chain_strs = json.loads(snapshot["chain"]) + self.chain = [Certificate.from_string(chain_str) for chain_str in chain_strs] + + def chain_as_pem(self) -> str: + """Return full certificate chain as a PEM string.""" + return "\n\n".join([str(cert) for cert in self.chain]) + + +def generate_private_key( + key_size: int = 2048, + public_exponent: int = 65537, +) -> PrivateKey: + """Generate a private key with the RSA algorithm. + + Args: + key_size (int): Key size in bytes + public_exponent: Public exponent. + + Returns: + PrivateKey: Private Key + """ + private_key = rsa.generate_private_key( + public_exponent=public_exponent, + key_size=key_size, + ) + key_bytes = private_key.private_bytes( + encoding=serialization.Encoding.PEM, + format=serialization.PrivateFormat.TraditionalOpenSSL, + encryption_algorithm=serialization.NoEncryption(), + ) + return PrivateKey.from_string(key_bytes.decode()) + + +def generate_csr( # noqa: C901 + private_key: PrivateKey, + common_name: str, + sans_dns: Optional[FrozenSet[str]] = frozenset(), + sans_ip: Optional[FrozenSet[str]] = frozenset(), + sans_oid: Optional[FrozenSet[str]] = frozenset(), + organization: Optional[str] = None, + organizational_unit: Optional[str] = None, + email_address: Optional[str] = None, + country_name: Optional[str] = None, + locality_name: Optional[str] = None, + state_or_province_name: Optional[str] = None, + add_unique_id_to_subject_name: bool = True, +) -> CertificateSigningRequest: + """Generate a CSR using private key and subject. + + Args: + private_key (PrivateKey): Private key + common_name (str): Common name + sans_dns (FrozenSet[str]): DNS Subject Alternative Names + sans_ip (FrozenSet[str]): IP Subject Alternative Names + sans_oid (FrozenSet[str]): OID Subject Alternative Names + organization (Optional[str]): Organization name + organizational_unit (Optional[str]): Organizational unit name + email_address (Optional[str]): Email address + country_name (Optional[str]): Country name + state_or_province_name (Optional[str]): State or province name + locality_name (Optional[str]): Locality name + add_unique_id_to_subject_name (bool): Whether a unique ID must be added to the CSR's + subject name. Always leave to "True" when the CSR is used to request certificates + using the tls-certificates relation. + + Returns: + CertificateSigningRequest: CSR + """ + signing_key = serialization.load_pem_private_key(str(private_key).encode(), password=None) + subject_name = [x509.NameAttribute(x509.NameOID.COMMON_NAME, common_name)] + if add_unique_id_to_subject_name: + unique_identifier = uuid.uuid4() + subject_name.append( + x509.NameAttribute(x509.NameOID.X500_UNIQUE_IDENTIFIER, str(unique_identifier)) + ) + if organization: + subject_name.append(x509.NameAttribute(x509.NameOID.ORGANIZATION_NAME, organization)) + if organizational_unit: + subject_name.append( + x509.NameAttribute(x509.NameOID.ORGANIZATIONAL_UNIT_NAME, organizational_unit) + ) + if email_address: + subject_name.append(x509.NameAttribute(x509.NameOID.EMAIL_ADDRESS, email_address)) + if country_name: + subject_name.append(x509.NameAttribute(x509.NameOID.COUNTRY_NAME, country_name)) + if state_or_province_name: + subject_name.append( + x509.NameAttribute(x509.NameOID.STATE_OR_PROVINCE_NAME, state_or_province_name) + ) + if locality_name: + subject_name.append(x509.NameAttribute(x509.NameOID.LOCALITY_NAME, locality_name)) + csr = x509.CertificateSigningRequestBuilder(subject_name=x509.Name(subject_name)) + + _sans: List[x509.GeneralName] = [] + if sans_oid: + _sans.extend([x509.RegisteredID(x509.ObjectIdentifier(san)) for san in sans_oid]) + if sans_ip: + _sans.extend([x509.IPAddress(ipaddress.ip_address(san)) for san in sans_ip]) + if sans_dns: + _sans.extend([x509.DNSName(san) for san in sans_dns]) + if _sans: + csr = csr.add_extension(x509.SubjectAlternativeName(set(_sans)), critical=False) + signed_certificate = csr.sign(signing_key, hashes.SHA256()) # type: ignore[arg-type] + csr_str = signed_certificate.public_bytes(serialization.Encoding.PEM).decode() + return CertificateSigningRequest.from_string(csr_str) + + +def generate_ca( + private_key: PrivateKey, + validity: timedelta, + common_name: str, + sans_dns: Optional[FrozenSet[str]] = frozenset(), + sans_ip: Optional[FrozenSet[str]] = frozenset(), + sans_oid: Optional[FrozenSet[str]] = frozenset(), + organization: Optional[str] = None, + organizational_unit: Optional[str] = None, + email_address: Optional[str] = None, + country_name: Optional[str] = None, + state_or_province_name: Optional[str] = None, + locality_name: Optional[str] = None, +) -> Certificate: + """Generate a self signed CA Certificate. + + Args: + private_key (PrivateKey): Private key + validity (timedelta): Certificate validity time + common_name (str): Common Name that can be an IP or a Full Qualified Domain Name (FQDN). + sans_dns (FrozenSet[str]): DNS Subject Alternative Names + sans_ip (FrozenSet[str]): IP Subject Alternative Names + sans_oid (FrozenSet[str]): OID Subject Alternative Names + organization (Optional[str]): Organization name + organizational_unit (Optional[str]): Organizational unit name + email_address (Optional[str]): Email address + country_name (str): Certificate Issuing country + state_or_province_name (str): Certificate Issuing state or province + locality_name (str): Certificate Issuing locality + + Returns: + Certificate: CA Certificate. + """ + private_key_object = serialization.load_pem_private_key( + str(private_key).encode(), password=None + ) + assert isinstance(private_key_object, rsa.RSAPrivateKey) + subject_name = [x509.NameAttribute(x509.NameOID.COMMON_NAME, common_name)] + if organization: + subject_name.append(x509.NameAttribute(x509.NameOID.ORGANIZATION_NAME, organization)) + if organizational_unit: + subject_name.append( + x509.NameAttribute(x509.NameOID.ORGANIZATIONAL_UNIT_NAME, organizational_unit) + ) + if email_address: + subject_name.append(x509.NameAttribute(x509.NameOID.EMAIL_ADDRESS, email_address)) + if country_name: + subject_name.append(x509.NameAttribute(x509.NameOID.COUNTRY_NAME, country_name)) + if state_or_province_name: + subject_name.append( + x509.NameAttribute(x509.NameOID.STATE_OR_PROVINCE_NAME, state_or_province_name) + ) + if locality_name: + subject_name.append(x509.NameAttribute(x509.NameOID.LOCALITY_NAME, locality_name)) + + _sans: List[x509.GeneralName] = [] + if sans_oid: + _sans.extend([x509.RegisteredID(x509.ObjectIdentifier(san)) for san in sans_oid]) + if sans_ip: + _sans.extend([x509.IPAddress(ipaddress.ip_address(san)) for san in sans_ip]) + if sans_dns: + _sans.extend([x509.DNSName(san) for san in sans_dns]) + + subject_identifier_object = x509.SubjectKeyIdentifier.from_public_key( + private_key_object.public_key() + ) + subject_identifier = key_identifier = subject_identifier_object.public_bytes() + key_usage = x509.KeyUsage( + digital_signature=True, + key_encipherment=True, + key_cert_sign=True, + key_agreement=False, + content_commitment=False, + data_encipherment=False, + crl_sign=False, + encipher_only=False, + decipher_only=False, + ) + cert = ( + x509.CertificateBuilder() + .subject_name(x509.Name(subject_name)) + .issuer_name(x509.Name([x509.NameAttribute(x509.NameOID.COMMON_NAME, common_name)])) + .public_key(private_key_object.public_key()) + .serial_number(x509.random_serial_number()) + .not_valid_before(datetime.now(timezone.utc)) + .not_valid_after(datetime.now(timezone.utc) + validity) + .add_extension(x509.SubjectAlternativeName(set(_sans)), critical=False) + .add_extension(x509.SubjectKeyIdentifier(digest=subject_identifier), critical=False) + .add_extension( + x509.AuthorityKeyIdentifier( + key_identifier=key_identifier, + authority_cert_issuer=None, + authority_cert_serial_number=None, + ), + critical=False, + ) + .add_extension(key_usage, critical=True) + .add_extension( + x509.BasicConstraints(ca=True, path_length=None), + critical=True, + ) + .sign(private_key_object, hashes.SHA256()) # type: ignore[arg-type] + ) + ca_cert_str = cert.public_bytes(serialization.Encoding.PEM).decode().strip() + return Certificate.from_string(ca_cert_str) + + +def generate_certificate( + csr: CertificateSigningRequest, + ca: Certificate, + ca_private_key: PrivateKey, + validity: timedelta, + is_ca: bool = False, +) -> Certificate: + """Generate a TLS certificate based on a CSR. + + Args: + csr (CertificateSigningRequest): CSR + ca (Certificate): CA Certificate + ca_private_key (PrivateKey): CA private key + validity (timedelta): Certificate validity time + is_ca (bool): Whether the certificate is a CA certificate + + Returns: + Certificate: Certificate + """ + csr_object = x509.load_pem_x509_csr(str(csr).encode()) + subject = csr_object.subject + ca_pem = x509.load_pem_x509_certificate(str(ca).encode()) + issuer = ca_pem.issuer + private_key = serialization.load_pem_private_key(str(ca_private_key).encode(), password=None) + + certificate_builder = ( + x509.CertificateBuilder() + .subject_name(subject) + .issuer_name(issuer) + .public_key(csr_object.public_key()) + .serial_number(x509.random_serial_number()) + .not_valid_before(datetime.now(timezone.utc)) + .not_valid_after(datetime.now(timezone.utc) + validity) + ) + extensions = _get_certificate_request_extensions( + authority_key_identifier=ca_pem.extensions.get_extension_for_class( + x509.SubjectKeyIdentifier + ).value.key_identifier, + csr=csr_object, + is_ca=is_ca, + ) + for extension in extensions: + try: + certificate_builder = certificate_builder.add_extension( + extval=extension.value, + critical=extension.critical, + ) + except ValueError as e: + logger.warning("Failed to add extension %s: %s", extension.oid, e) + + cert = certificate_builder.sign(private_key, hashes.SHA256()) # type: ignore[arg-type] + cert_bytes = cert.public_bytes(serialization.Encoding.PEM) + return Certificate.from_string(cert_bytes.decode().strip()) + + +def _get_certificate_request_extensions( + authority_key_identifier: bytes, + csr: x509.CertificateSigningRequest, + is_ca: bool, +) -> List[x509.Extension]: + """Generate a list of certificate extensions from a CSR and other known information. + + Args: + authority_key_identifier (bytes): Authority key identifier + csr (x509.CertificateSigningRequest): CSR + is_ca (bool): Whether the certificate is a CA certificate + + Returns: + List[x509.Extension]: List of extensions + """ + cert_extensions_list: List[x509.Extension] = [ + x509.Extension( + oid=ExtensionOID.AUTHORITY_KEY_IDENTIFIER, + value=x509.AuthorityKeyIdentifier( + key_identifier=authority_key_identifier, + authority_cert_issuer=None, + authority_cert_serial_number=None, + ), + critical=False, + ), + x509.Extension( + oid=ExtensionOID.SUBJECT_KEY_IDENTIFIER, + value=x509.SubjectKeyIdentifier.from_public_key(csr.public_key()), + critical=False, + ), + x509.Extension( + oid=ExtensionOID.BASIC_CONSTRAINTS, + critical=True, + value=x509.BasicConstraints(ca=is_ca, path_length=None), + ), + ] + sans: List[x509.GeneralName] = [] + try: + loaded_san_ext = csr.extensions.get_extension_for_class(x509.SubjectAlternativeName) + sans.extend( + [x509.DNSName(name) for name in loaded_san_ext.value.get_values_for_type(x509.DNSName)] + ) + sans.extend( + [x509.IPAddress(ip) for ip in loaded_san_ext.value.get_values_for_type(x509.IPAddress)] + ) + sans.extend( + [ + x509.RegisteredID(oid) + for oid in loaded_san_ext.value.get_values_for_type(x509.RegisteredID) + ] + ) + except x509.ExtensionNotFound: + pass + + if sans: + cert_extensions_list.append( + x509.Extension( + oid=ExtensionOID.SUBJECT_ALTERNATIVE_NAME, + critical=False, + value=x509.SubjectAlternativeName(sans), + ) + ) + + if is_ca: + cert_extensions_list.append( + x509.Extension( + ExtensionOID.KEY_USAGE, + critical=True, + value=x509.KeyUsage( + digital_signature=False, + content_commitment=False, + key_encipherment=False, + data_encipherment=False, + key_agreement=False, + key_cert_sign=True, + crl_sign=True, + encipher_only=False, + decipher_only=False, + ), + ) + ) + + existing_oids = {ext.oid for ext in cert_extensions_list} + for extension in csr.extensions: + if extension.oid == ExtensionOID.SUBJECT_ALTERNATIVE_NAME: + continue + if extension.oid in existing_oids: + logger.warning("Extension %s is managed by the TLS provider, ignoring.", extension.oid) + continue + cert_extensions_list.append(extension) + + return cert_extensions_list + + +class CertificatesRequirerCharmEvents(CharmEvents): + """List of events that the TLS Certificates requirer charm can leverage.""" + + certificate_available = EventSource(CertificateAvailableEvent) + + +class TLSCertificatesRequiresV4(Object): + """A class to manage the TLS certificates interface for a unit or app.""" + + on = CertificatesRequirerCharmEvents() # type: ignore[reportAssignmentType] + + def __init__( + self, + charm: CharmBase, + relationship_name: str, + certificate_requests: List[CertificateRequestAttributes], + mode: Mode = Mode.UNIT, + refresh_events: List[BoundEvent] = [], + ): + """Create a new instance of the TLSCertificatesRequiresV4 class. + + Args: + charm (CharmBase): The charm instance to relate to. + relationship_name (str): The name of the relation that provides the certificates. + certificate_requests (List[CertificateRequestAttributes]): + A list with the attributes of the certificate requests. + mode (Mode): Whether to use unit or app certificates mode. Default is Mode.UNIT. + refresh_events (List[BoundEvent]): A list of events to trigger a refresh of + the certificates. + """ + super().__init__(charm, relationship_name) + if not JujuVersion.from_environ().has_secrets: + logger.warning("This version of the TLS library requires Juju secrets (Juju >= 3.0)") + if not self._mode_is_valid(mode): + raise TLSCertificatesError("Invalid mode. Must be Mode.UNIT or Mode.APP") + for certificate_request in certificate_requests: + if not certificate_request.is_valid(): + raise TLSCertificatesError("Invalid certificate request") + self.charm = charm + self.relationship_name = relationship_name + self.certificate_requests = certificate_requests + self.mode = mode + self.framework.observe(charm.on[relationship_name].relation_created, self._configure) + self.framework.observe(charm.on[relationship_name].relation_changed, self._configure) + self.framework.observe(charm.on.secret_expired, self._on_secret_expired) + self.framework.observe(charm.on.secret_remove, self._on_secret_remove) + for event in refresh_events: + self.framework.observe(event, self._configure) + + def _configure(self, _: EventBase): + """Handle TLS Certificates Relation Data. + + This method is called during any TLS relation event. + It will generate a private key if it doesn't exist yet. + It will send certificate requests if they haven't been sent yet. + It will find available certificates and emit events. + """ + if not self._tls_relation_created(): + logger.debug("TLS relation not created yet.") + return + self._generate_private_key() + self._send_certificate_requests() + self._find_available_certificates() + self._cleanup_certificate_requests() + + def _mode_is_valid(self, mode: Mode) -> bool: + return mode in [Mode.UNIT, Mode.APP] + + def _on_secret_remove(self, event: SecretRemoveEvent) -> None: + """Handle Secret Removed Event.""" + try: + event.secret.remove_revision(event.revision) + except SecretNotFoundError: + logger.warning( + "No such secret %s, nothing to remove", + event.secret.label or event.secret.id, + ) + return + + def _on_secret_expired(self, event: SecretExpiredEvent) -> None: + """Handle Secret Expired Event. + + Renews certificate requests and removes the expired secret. + """ + if not event.secret.label or not event.secret.label.startswith(f"{LIBID}-certificate"): + return + try: + csr_str = event.secret.get_content(refresh=True)["csr"] + except ModelError: + logger.error("Failed to get CSR from secret - Skipping") + return + csr = CertificateSigningRequest.from_string(csr_str) + self._renew_certificate_request(csr) + event.secret.remove_all_revisions() + + def renew_certificate(self, certificate: ProviderCertificate) -> None: + """Request the renewal of the provided certificate.""" + certificate_signing_request = certificate.certificate_signing_request + secret_label = self._get_csr_secret_label(certificate_signing_request) + try: + secret = self.model.get_secret(label=secret_label) + except SecretNotFoundError: + logger.warning("No matching secret found - Skipping renewal") + return + current_csr = secret.get_content(refresh=True).get("csr", "") + if current_csr != str(certificate_signing_request): + logger.warning("No matching CSR found - Skipping renewal") + return + self._renew_certificate_request(certificate_signing_request) + secret.remove_all_revisions() + + def _renew_certificate_request(self, csr: CertificateSigningRequest): + """Remove existing CSR from relation data and create a new one.""" + self._remove_requirer_csr_from_relation_data(csr) + self._send_certificate_requests() + logger.info("Renewed certificate request") + + def _remove_requirer_csr_from_relation_data(self, csr: CertificateSigningRequest) -> None: + relation = self.model.get_relation(self.relationship_name) + if not relation: + logger.debug("No relation: %s", self.relationship_name) + return + if not self.get_csrs_from_requirer_relation_data(): + logger.info("No CSRs in relation data - Doing nothing") + return + app_or_unit = self._get_app_or_unit() + try: + requirer_relation_data = _RequirerData.load(relation.data[app_or_unit]) + except DataValidationError: + logger.warning("Invalid relation data - Skipping removal of CSR") + return + new_relation_data = copy.deepcopy(requirer_relation_data.certificate_signing_requests) + for requirer_csr in new_relation_data: + if requirer_csr.certificate_signing_request.strip() == str(csr).strip(): + new_relation_data.remove(requirer_csr) + try: + _RequirerData(certificate_signing_requests=new_relation_data).dump( + relation.data[app_or_unit] + ) + logger.info("Removed CSR from relation data") + except ModelError: + logger.warning("Failed to update relation data") + + def _get_app_or_unit(self) -> Union[Application, Unit]: + """Return the unit or app object based on the mode.""" + if self.mode == Mode.UNIT: + return self.model.unit + elif self.mode == Mode.APP: + return self.model.app + raise TLSCertificatesError("Invalid mode") + + @property + def private_key(self) -> Optional[PrivateKey]: + """Return the private key.""" + if not self._private_key_generated(): + return None + secret = self.charm.model.get_secret(label=self._get_private_key_secret_label()) + private_key = secret.get_content(refresh=True)["private-key"] + return PrivateKey.from_string(private_key) + + def _generate_private_key(self) -> None: + if self._private_key_generated(): + return + private_key = generate_private_key() + self.charm.unit.add_secret( + content={"private-key": str(private_key)}, + label=self._get_private_key_secret_label(), + ) + logger.info("Private key generated") + + def regenerate_private_key(self) -> None: + """Regenerate the private key. + + Generate a new private key, remove old certificate requests and send new ones. + """ + if not self._private_key_generated(): + logger.warning("No private key to regenerate") + return + self._regenerate_private_key() + self._cleanup_certificate_requests() + self._send_certificate_requests() + + def _regenerate_private_key(self) -> None: + secret = self.charm.model.get_secret(label=self._get_private_key_secret_label()) + secret.set_content({"private-key": str(generate_private_key())}) + + def _private_key_generated(self) -> bool: + try: + self.charm.model.get_secret(label=self._get_private_key_secret_label()) + except (SecretNotFoundError, KeyError): + return False + return True + + def _csr_matches_certificate_request( + self, certificate_signing_request: CertificateSigningRequest, is_ca: bool + ) -> bool: + for certificate_request in self.certificate_requests: + if certificate_request == CertificateRequestAttributes.from_csr( + certificate_signing_request, + is_ca, + ): + return True + return False + + def _certificate_requested(self, certificate_request: CertificateRequestAttributes) -> bool: + if not self.private_key: + return False + csr = self._certificate_requested_for_attributes(certificate_request) + if not csr: + return False + if not csr.certificate_signing_request.matches_private_key(key=self.private_key): + return False + return True + + def _certificate_requested_for_attributes( + self, + certificate_request: CertificateRequestAttributes, + ) -> Optional[RequirerCertificateRequest]: + for requirer_csr in self.get_csrs_from_requirer_relation_data(): + if certificate_request == CertificateRequestAttributes.from_csr( + requirer_csr.certificate_signing_request, + requirer_csr.is_ca, + ): + return requirer_csr + return None + + def get_csrs_from_requirer_relation_data(self) -> List[RequirerCertificateRequest]: + """Return list of requirer's CSRs from relation data.""" + if self.mode == Mode.APP and not self.model.unit.is_leader(): + logger.debug("Not a leader unit - Skipping") + return [] + relation = self.model.get_relation(self.relationship_name) + if not relation: + logger.debug("No relation: %s", self.relationship_name) + return [] + app_or_unit = self._get_app_or_unit() + try: + requirer_relation_data = _RequirerData.load(relation.data[app_or_unit]) + except DataValidationError: + logger.warning("Invalid relation data") + return [] + requirer_csrs = [] + for csr in requirer_relation_data.certificate_signing_requests: + requirer_csrs.append( + RequirerCertificateRequest( + relation_id=relation.id, + certificate_signing_request=CertificateSigningRequest.from_string( + csr.certificate_signing_request + ), + is_ca=csr.ca if csr.ca else False, + ) + ) + return requirer_csrs + + def get_provider_certificates(self) -> List[ProviderCertificate]: + """Return list of certificates from the provider's relation data.""" + return self._load_provider_certificates() + + def _load_provider_certificates(self) -> List[ProviderCertificate]: + relation = self.model.get_relation(self.relationship_name) + if not relation: + logger.debug("No relation: %s", self.relationship_name) + return [] + if not relation.app: + logger.debug("No remote app in relation: %s", self.relationship_name) + return [] + try: + provider_relation_data = _ProviderApplicationData.load(relation.data[relation.app]) + except DataValidationError: + logger.warning("Invalid relation data") + return [] + return [ + certificate.to_provider_certificate(relation_id=relation.id) + for certificate in provider_relation_data.certificates + ] + + def _request_certificate(self, csr: CertificateSigningRequest, is_ca: bool) -> None: + """Add CSR to relation data.""" + if self.mode == Mode.APP and not self.model.unit.is_leader(): + logger.debug("Not a leader unit - Skipping") + return + relation = self.model.get_relation(self.relationship_name) + if not relation: + logger.debug("No relation: %s", self.relationship_name) + return + new_csr = _CertificateSigningRequest( + certificate_signing_request=str(csr).strip(), ca=is_ca + ) + app_or_unit = self._get_app_or_unit() + try: + requirer_relation_data = _RequirerData.load(relation.data[app_or_unit]) + except DataValidationError: + requirer_relation_data = _RequirerData( + certificate_signing_requests=[], + ) + new_relation_data = copy.deepcopy(requirer_relation_data.certificate_signing_requests) + new_relation_data.append(new_csr) + try: + _RequirerData(certificate_signing_requests=new_relation_data).dump( + relation.data[app_or_unit] + ) + logger.info("Certificate signing request added to relation data.") + except ModelError: + logger.warning("Failed to update relation data") + + def _send_certificate_requests(self): + if not self.private_key: + logger.debug("Private key not generated yet.") + return + for certificate_request in self.certificate_requests: + if not self._certificate_requested(certificate_request): + csr = certificate_request.generate_csr( + private_key=self.private_key, + ) + if not csr: + logger.warning("Failed to generate CSR") + continue + self._request_certificate(csr=csr, is_ca=certificate_request.is_ca) + + def get_assigned_certificate( + self, certificate_request: CertificateRequestAttributes + ) -> Tuple[Optional[ProviderCertificate], Optional[PrivateKey]]: + """Get the certificate that was assigned to the given certificate request.""" + for requirer_csr in self.get_csrs_from_requirer_relation_data(): + if certificate_request == CertificateRequestAttributes.from_csr( + requirer_csr.certificate_signing_request, + requirer_csr.is_ca, + ): + return self._find_certificate_in_relation_data(requirer_csr), self.private_key + return None, None + + def get_assigned_certificates( + self, + ) -> Tuple[List[ProviderCertificate], Optional[PrivateKey]]: + """Get a list of certificates that were assigned to this or app.""" + assigned_certificates = [] + for requirer_csr in self.get_csrs_from_requirer_relation_data(): + if cert := self._find_certificate_in_relation_data(requirer_csr): + assigned_certificates.append(cert) + return assigned_certificates, self.private_key + + def _find_certificate_in_relation_data( + self, csr: RequirerCertificateRequest + ) -> Optional[ProviderCertificate]: + """Return the certificate that matches the given CSR, validated against the private key.""" + if not self.private_key: + return None + for provider_certificate in self.get_provider_certificates(): + if ( + provider_certificate.certificate_signing_request == csr.certificate_signing_request + and provider_certificate.certificate.is_ca == csr.is_ca + ): + if not provider_certificate.certificate.matches_private_key(self.private_key): + logger.warning( + "Certificate does not match the private key. Ignoring invalid certificate." + ) + continue + return provider_certificate + return None + + def _find_available_certificates(self): + """Find available certificates and emit events. + + This method will find certificates that are available for the requirer's CSRs. + If a certificate is found, it will be set as a secret and an event will be emitted. + If a certificate is revoked, the secret will be removed and an event will be emitted. + """ + requirer_csrs = self.get_csrs_from_requirer_relation_data() + csrs = [csr.certificate_signing_request for csr in requirer_csrs] + provider_certificates = self.get_provider_certificates() + for provider_certificate in provider_certificates: + if provider_certificate.certificate_signing_request in csrs: + secret_label = self._get_csr_secret_label( + provider_certificate.certificate_signing_request + ) + if provider_certificate.revoked: + with suppress(SecretNotFoundError): + logger.debug( + "Removing secret with label %s", + secret_label, + ) + secret = self.model.get_secret(label=secret_label) + secret.remove_all_revisions() + else: + if not self._csr_matches_certificate_request( + certificate_signing_request=provider_certificate.certificate_signing_request, + is_ca=provider_certificate.certificate.is_ca, + ): + logger.debug("Certificate requested for different attributes - Skipping") + continue + try: + secret = self.model.get_secret(label=secret_label) + logger.debug("Setting secret with label %s", secret_label) + # Juju < 3.6 will create a new revision even if the content is the same + if secret.get_content(refresh=True).get("certificate", "") == str( + provider_certificate.certificate + ): + logger.debug( + "Secret %s with correct certificate already exists", secret_label + ) + return + secret.set_content( + content={ + "certificate": str(provider_certificate.certificate), + "csr": str(provider_certificate.certificate_signing_request), + } + ) + secret.set_info( + expire=provider_certificate.certificate.expiry_time, + ) + except SecretNotFoundError: + logger.debug("Creating new secret with label %s", secret_label) + secret = self.charm.unit.add_secret( + content={ + "certificate": str(provider_certificate.certificate), + "csr": str(provider_certificate.certificate_signing_request), + }, + label=secret_label, + expire=provider_certificate.certificate.expiry_time, + ) + self.on.certificate_available.emit( + certificate_signing_request=provider_certificate.certificate_signing_request, + certificate=provider_certificate.certificate, + ca=provider_certificate.ca, + chain=provider_certificate.chain, + ) + + def _cleanup_certificate_requests(self): + """Clean up certificate requests. + + Remove any certificate requests that falls into one of the following categories: + - The CSR attributes do not match any of the certificate requests defined in + the charm's certificate_requests attribute. + - The CSR public key does not match the private key. + """ + for requirer_csr in self.get_csrs_from_requirer_relation_data(): + if not self._csr_matches_certificate_request( + certificate_signing_request=requirer_csr.certificate_signing_request, + is_ca=requirer_csr.is_ca, + ): + self._remove_requirer_csr_from_relation_data( + requirer_csr.certificate_signing_request + ) + logger.info( + "Removed CSR from relation data because it did not match any certificate request" # noqa: E501 + ) + elif ( + self.private_key + and not requirer_csr.certificate_signing_request.matches_private_key( + self.private_key + ) + ): + self._remove_requirer_csr_from_relation_data( + requirer_csr.certificate_signing_request + ) + logger.info( + "Removed CSR from relation data because it did not match the private key" # noqa: E501 + ) + + def _tls_relation_created(self) -> bool: + relation = self.model.get_relation(self.relationship_name) + if not relation: + return False + return True + + def _get_private_key_secret_label(self) -> str: + if self.mode == Mode.UNIT: + return f"{LIBID}-private-key-{self._get_unit_number()}" + elif self.mode == Mode.APP: + return f"{LIBID}-private-key" + else: + raise TLSCertificatesError("Invalid mode. Must be Mode.UNIT or Mode.APP.") + + def _get_csr_secret_label(self, csr: CertificateSigningRequest) -> str: + csr_in_sha256_hex = csr.get_sha256_hex() + if self.mode == Mode.UNIT: + return f"{LIBID}-certificate-{self._get_unit_number()}-{csr_in_sha256_hex}" + elif self.mode == Mode.APP: + return f"{LIBID}-certificate-{csr_in_sha256_hex}" + else: + raise TLSCertificatesError("Invalid mode. Must be Mode.UNIT or Mode.APP.") + + def _get_unit_number(self) -> str: + return self.model.unit.name.split("/")[1] + + +class TLSCertificatesProvidesV4(Object): + """TLS certificates provider class to be instantiated by TLS certificates providers.""" + + def __init__(self, charm: CharmBase, relationship_name: str): + super().__init__(charm, relationship_name) + self.framework.observe(charm.on[relationship_name].relation_joined, self._configure) + self.framework.observe(charm.on[relationship_name].relation_changed, self._configure) + self.framework.observe(charm.on.update_status, self._configure) + self.charm = charm + self.relationship_name = relationship_name + + def _configure(self, _: EventBase) -> None: + """Handle update status and tls relation changed events. + + This is a common hook triggered on a regular basis. + + Revoke certificates for which no csr exists + """ + if not self.model.unit.is_leader(): + return + self._remove_certificates_for_which_no_csr_exists() + + def _remove_certificates_for_which_no_csr_exists(self) -> None: + provider_certificates = self.get_provider_certificates() + requirer_csrs = [ + request.certificate_signing_request for request in self.get_certificate_requests() + ] + for provider_certificate in provider_certificates: + if provider_certificate.certificate_signing_request not in requirer_csrs: + tls_relation = self._get_tls_relations( + relation_id=provider_certificate.relation_id + ) + self._remove_provider_certificate( + certificate=provider_certificate.certificate, + relation=tls_relation[0], + ) + + def _get_tls_relations(self, relation_id: Optional[int] = None) -> List[Relation]: + return ( + [ + relation + for relation in self.model.relations[self.relationship_name] + if relation.id == relation_id + ] + if relation_id is not None + else self.model.relations.get(self.relationship_name, []) + ) + + def get_certificate_requests( + self, relation_id: Optional[int] = None + ) -> List[RequirerCertificateRequest]: + """Load certificate requests from the relation data.""" + relations = self._get_tls_relations(relation_id) + requirer_csrs: List[RequirerCertificateRequest] = [] + for relation in relations: + for unit in relation.units: + requirer_csrs.extend(self._load_requirer_databag(relation, unit)) + requirer_csrs.extend(self._load_requirer_databag(relation, relation.app)) + return requirer_csrs + + def _load_requirer_databag( + self, relation: Relation, unit_or_app: Union[Application, Unit] + ) -> List[RequirerCertificateRequest]: + try: + requirer_relation_data = _RequirerData.load(relation.data[unit_or_app]) + except DataValidationError: + logger.debug("Invalid requirer relation data for %s", unit_or_app.name) + return [] + return [ + RequirerCertificateRequest( + relation_id=relation.id, + certificate_signing_request=CertificateSigningRequest.from_string( + csr.certificate_signing_request + ), + is_ca=csr.ca if csr.ca else False, + ) + for csr in requirer_relation_data.certificate_signing_requests + ] + + def _add_provider_certificate( + self, + relation: Relation, + provider_certificate: ProviderCertificate, + ) -> None: + new_certificate = _Certificate( + certificate=str(provider_certificate.certificate), + certificate_signing_request=str(provider_certificate.certificate_signing_request), + ca=str(provider_certificate.ca), + chain=[str(certificate) for certificate in provider_certificate.chain], + ) + provider_certificates = self._load_provider_certificates(relation) + if new_certificate in provider_certificates: + logger.info("Certificate already in relation data - Doing nothing") + return + provider_certificates.append(new_certificate) + self._dump_provider_certificates(relation=relation, certificates=provider_certificates) + + def _load_provider_certificates(self, relation: Relation) -> List[_Certificate]: + try: + provider_relation_data = _ProviderApplicationData.load(relation.data[self.charm.app]) + except DataValidationError: + logger.debug("Invalid provider relation data") + return [] + return copy.deepcopy(provider_relation_data.certificates) + + def _dump_provider_certificates(self, relation: Relation, certificates: List[_Certificate]): + try: + _ProviderApplicationData(certificates=certificates).dump(relation.data[self.model.app]) + logger.info("Certificate relation data updated") + except ModelError: + logger.warning("Failed to update relation data") + + def _remove_provider_certificate( + self, + relation: Relation, + certificate: Optional[Certificate] = None, + certificate_signing_request: Optional[CertificateSigningRequest] = None, + ) -> None: + """Remove certificate based on certificate or certificate signing request.""" + provider_certificates = self._load_provider_certificates(relation) + for provider_certificate in provider_certificates: + if certificate and provider_certificate.certificate == str(certificate): + provider_certificates.remove(provider_certificate) + if ( + certificate_signing_request + and provider_certificate.certificate_signing_request + == str(certificate_signing_request) + ): + provider_certificates.remove(provider_certificate) + self._dump_provider_certificates(relation=relation, certificates=provider_certificates) + + def revoke_all_certificates(self) -> None: + """Revoke all certificates of this provider. + + This method is meant to be used when the Root CA has changed. + """ + if not self.model.unit.is_leader(): + logger.warning("Unit is not a leader - will not set relation data") + return + relations = self._get_tls_relations() + for relation in relations: + provider_certificates = self._load_provider_certificates(relation) + for certificate in provider_certificates: + certificate.revoked = True + self._dump_provider_certificates(relation=relation, certificates=provider_certificates) + + def set_relation_certificate( + self, + provider_certificate: ProviderCertificate, + ) -> None: + """Add certificates to relation data. + + Args: + provider_certificate (ProviderCertificate): ProviderCertificate object + + Returns: + None + """ + if not self.model.unit.is_leader(): + logger.warning("Unit is not a leader - will not set relation data") + return + certificates_relation = self.model.get_relation( + relation_name=self.relationship_name, relation_id=provider_certificate.relation_id + ) + if not certificates_relation: + raise TLSCertificatesError(f"Relation {self.relationship_name} does not exist") + self._remove_provider_certificate( + relation=certificates_relation, + certificate_signing_request=provider_certificate.certificate_signing_request, + ) + self._add_provider_certificate( + relation=certificates_relation, + provider_certificate=provider_certificate, + ) + + def get_issued_certificates( + self, relation_id: Optional[int] = None + ) -> List[ProviderCertificate]: + """Return a List of issued (non revoked) certificates. + + Returns: + List: List of ProviderCertificate objects + """ + if not self.model.unit.is_leader(): + logger.warning("Unit is not a leader - will not read relation data") + return [] + provider_certificates = self.get_provider_certificates(relation_id=relation_id) + return [certificate for certificate in provider_certificates if not certificate.revoked] + + def get_provider_certificates( + self, relation_id: Optional[int] = None + ) -> List[ProviderCertificate]: + """Return a List of issued certificates.""" + certificates: List[ProviderCertificate] = [] + relations = self._get_tls_relations(relation_id) + for relation in relations: + if not relation.app: + logger.warning("Relation %s does not have an application", relation.id) + continue + for certificate in self._load_provider_certificates(relation): + certificates.append(certificate.to_provider_certificate(relation_id=relation.id)) + return certificates + + def get_unsolicited_certificates( + self, relation_id: Optional[int] = None + ) -> List[ProviderCertificate]: + """Return provider certificates for which no certificate requests exists. + + Those certificates should be revoked. + """ + unsolicited_certificates: List[ProviderCertificate] = [] + provider_certificates = self.get_provider_certificates(relation_id=relation_id) + requirer_csrs = self.get_certificate_requests(relation_id=relation_id) + list_of_csrs = [csr.certificate_signing_request for csr in requirer_csrs] + for certificate in provider_certificates: + if certificate.certificate_signing_request not in list_of_csrs: + unsolicited_certificates.append(certificate) + return unsolicited_certificates + + def get_outstanding_certificate_requests( + self, relation_id: Optional[int] = None + ) -> List[RequirerCertificateRequest]: + """Return CSR's for which no certificate has been issued. + + Args: + relation_id (int): Relation id + + Returns: + list: List of RequirerCertificateRequest objects. + """ + requirer_csrs = self.get_certificate_requests(relation_id=relation_id) + outstanding_csrs: List[RequirerCertificateRequest] = [] + for relation_csr in requirer_csrs: + if not self._certificate_issued_for_csr( + csr=relation_csr.certificate_signing_request, + relation_id=relation_id, + ): + outstanding_csrs.append(relation_csr) + return outstanding_csrs + + def _certificate_issued_for_csr( + self, csr: CertificateSigningRequest, relation_id: Optional[int] + ) -> bool: + """Check whether a certificate has been issued for a given CSR.""" + issued_certificates_per_csr = self.get_issued_certificates(relation_id=relation_id) + for issued_certificate in issued_certificates_per_csr: + if issued_certificate.certificate_signing_request == csr: + return csr.matches_certificate(issued_certificate.certificate) + return False diff --git a/src/charm.py b/src/charm.py index 6028355a..bf6afc42 100755 --- a/src/charm.py +++ b/src/charm.py @@ -26,16 +26,20 @@ import secrets import socket import string +import subprocess import time -from cosl import JujuTopology from io import StringIO from pathlib import Path from typing import Any, Callable, Dict, cast from urllib.parse import urlparse -import subprocess import yaml from charms.catalogue_k8s.v1.catalogue import CatalogueConsumer, CatalogueItem +from charms.certificate_transfer_interface.v0.certificate_transfer import ( + CertificateAvailableEvent, + CertificateRemovedEvent, + CertificateTransferRequires, +) from charms.grafana_k8s.v0.grafana_auth import AuthRequirer, AuthRequirerCharmEvents from charms.grafana_k8s.v0.grafana_dashboard import GrafanaDashboardConsumer from charms.grafana_k8s.v0.grafana_source import ( @@ -45,6 +49,8 @@ ) from charms.hydra.v0.oauth import ( ClientConfig as OauthClientConfig, +) +from charms.hydra.v0.oauth import ( OAuthInfoChangedEvent, OAuthRequirer, ) @@ -54,15 +60,17 @@ ResourceRequirements, adjust_resource_requirements, ) -from charms.observability_libs.v0.cert_handler import CertHandler -from charms.certificate_transfer_interface.v0.certificate_transfer import ( - CertificateAvailableEvent, - CertificateRemovedEvent, - CertificateTransferRequires, -) from charms.parca_k8s.v0.parca_scrape import ProfilingEndpointProvider from charms.prometheus_k8s.v0.prometheus_scrape import MetricsEndpointProvider +from charms.tempo_coordinator_k8s.v0.charm_tracing import trace_charm +from charms.tempo_coordinator_k8s.v0.tracing import TracingEndpointRequirer, charm_tracing_config +from charms.tls_certificates_interface.v4.tls_certificates import ( + CertificateRequestAttributes, + TLSCertificatesRequiresV4, +) from charms.traefik_k8s.v0.traefik_route import TraefikRouteRequirer +from cosl import JujuTopology +from ops import main from ops.charm import ( ActionEvent, CharmBase, @@ -73,16 +81,12 @@ RelationJoinedEvent, UpgradeCharmEvent, ) -from charms.tempo_coordinator_k8s.v0.charm_tracing import trace_charm -from charms.tempo_coordinator_k8s.v0.tracing import TracingEndpointRequirer, charm_tracing_config from ops.framework import StoredState -from ops import main from ops.model import ActiveStatus, BlockedStatus, MaintenanceStatus, Port - from ops.pebble import ( APIError, - ConnectionError, ChangeError, + ConnectionError, ExecError, Layer, PathError, @@ -131,11 +135,11 @@ server_cert="server_cert", extra_types=[ AuthRequirer, - CertHandler, GrafanaDashboardConsumer, GrafanaSourceConsumer, KubernetesComputeResourcesPatch, MetricsEndpointProvider, + TLSCertificatesRequiresV4, ], ) class GrafanaCharm(CharmBase): @@ -164,12 +168,17 @@ def __init__(self, *args): self._stored.set_default(admin_password="") self._topology = JujuTopology.from_charm(self) - # -- cert_handler - self.cert_handler = CertHandler( + # -- certificates + self.cert_subject = self.unit.name.replace("/", "-") + self.certificate_request = CertificateRequestAttributes( + common_name=self.cert_subject, + sans_dns=frozenset((socket.getfqdn(),)), + ) + self.certificates = TLSCertificatesRequiresV4( charm=self, - key="grafana-server-cert", - peer_relation_name="replicas", - extra_sans_dns=[socket.getfqdn()], + relationship_name="certificates", + certificate_requests=[self.certificate_request], + refresh_events=[self.on.config_changed], ) # -- trusted_cert_transfer @@ -183,7 +192,7 @@ def __init__(self, *args): self.framework.observe(self.ingress.on.ready, self._on_ingress_ready) # pyright: ignore self.framework.observe(self.on.leader_elected, self._configure_ingress) self.framework.observe(self.on.config_changed, self._configure_ingress) - self.framework.observe(self.cert_handler.on.cert_changed, self._configure_ingress) + self.framework.observe(self.certificates.on.certificate_available, self._configure_ingress) # Assuming FQDN is always part of the SANs DNS. self.grafana_service = Grafana(f"{self._scheme}://{socket.getfqdn()}:{PORT}") @@ -194,7 +203,7 @@ def __init__(self, *args): refresh_event=[ self.on.grafana_pebble_ready, # pyright: ignore self.on.update_status, - self.cert_handler.on.cert_changed, # pyright: ignore + self.certificates.on.certificate_available, # pyright: ignore ], ) self.charm_tracing = TracingEndpointRequirer( @@ -301,8 +310,8 @@ def __init__(self, *args): # -- cert_handler observations self.framework.observe( - self.cert_handler.on.cert_changed, - self._on_server_cert_changed, # pyright: ignore + self.certificates.on.certificate_available, + self._on_server_cert_available, # pyright: ignore ) # -- trusted_cert_transfer observations @@ -941,15 +950,8 @@ def _on_pebble_ready(self, event) -> None: "Cannot set workload version at this time: could not get Alertmanager version." ) - def _cert_ready(self): - # Verify that the certificate and key are correctly configured - workload = self.containers["workload"] - return ( - self.cert_handler.cert - and self.cert_handler.key - and workload.exists(GRAFANA_CRT_PATH) - and workload.exists(GRAFANA_KEY_PATH) - ) + def _certificates_relation_in_use(self) -> bool: + return len(self.model.relations["certificates"]) > 0 def restart_grafana(self) -> None: """Restart the pebble container. @@ -964,7 +966,7 @@ def restart_grafana(self) -> None: # This is needed here to circumvent a code ordering issue that results in: # *api.HTTPServer run error: cert_file cannot be empty when using HTTPS # ERROR cannot start service: exited quickly with code 1 - if self.cert_handler.enabled: + if self._certificates_relation_in_use(): logger.debug("TLS enabled: updating certs") self._update_cert() # now that this is done, build_layer should include cert and key into the config and we'll @@ -1394,9 +1396,12 @@ def _resource_reqs_from_config(self) -> ResourceRequirements: def _on_resource_patch_failed(self, event: K8sResourcePatchFailedEvent): self.unit.status = BlockedStatus(str(event.message)) + def _is_assigned_certificate(self) -> bool: + return bool(self.certificates.get_assigned_certificate(self.certificate_request)[0]) + @property def _scheme(self) -> str: - return "https" if self.cert_handler.cert else "http" + return "https" if self._is_assigned_certificate() else "http" @property def internal_url(self) -> str: @@ -1524,47 +1529,47 @@ def _profiling_scrape_jobs(self) -> list: job = {"static_configs": [{"targets": [f"*:{PROFILING_PORT}"]}], "scheme": self._scheme} return [job] - def _on_server_cert_changed(self, _): + def _on_server_cert_available(self, _): # this triggers a restart, which triggers a cert update. - self._configure(force_restart=True) + assigned_cert, key = self.certificates.get_assigned_certificate(self.certificate_request) + if assigned_cert and key: + logger.info("Server cert changed. Restarting grafana-k8s. Cert: %s", assigned_cert.certificate) + self._configure(force_restart=True) def _update_cert(self): container = self.containers["workload"] - if self.cert_handler.cert: + assigned_cert, key = self.certificates.get_assigned_certificate(self.certificate_request) + if assigned_cert: # Save the workload certificates container.push( GRAFANA_CRT_PATH, - self.cert_handler.cert, - make_dirs=True, - ) - else: - container.remove_path(GRAFANA_CRT_PATH, recursive=True) - - if self.cert_handler.key: - container.push( - GRAFANA_KEY_PATH, - self.cert_handler.key, + str(assigned_cert.certificate), make_dirs=True, ) - else: - container.remove_path(GRAFANA_KEY_PATH, recursive=True) - - if self.cert_handler.ca: - # Save the CA among the trusted CAs and trust it container.push( CA_CERT_PATH, - self.cert_handler.ca, + str(assigned_cert.ca), make_dirs=True, ) # Repeat for the charm container. We need it there for grafana client requests. CA_CERT_PATH.parent.mkdir(exist_ok=True, parents=True) - CA_CERT_PATH.write_text(self.cert_handler.ca) + CA_CERT_PATH.write_text(str(assigned_cert.ca)) else: + container.remove_path(GRAFANA_CRT_PATH, recursive=True) container.remove_path(CA_CERT_PATH, recursive=True) # Repeat for the charm container. CA_CERT_PATH.unlink(missing_ok=True) + if key: + container.push( + GRAFANA_KEY_PATH, + str(key), + make_dirs=True, + ) + else: + container.remove_path(GRAFANA_KEY_PATH, recursive=True) + container.exec(["update-ca-certificates", "--fresh"]).wait() subprocess.run(["update-ca-certificates", "--fresh"]) diff --git a/tests/integration/test_tls_web.py b/tests/integration/test_tls_web.py index 78abaf87..a4a8bf4f 100644 --- a/tests/integration/test_tls_web.py +++ b/tests/integration/test_tls_web.py @@ -45,6 +45,7 @@ async def test_deploy(ops_test, grafana_charm): apps=[grafana.name], raise_on_error=False, timeout=1200, + wait_for_exact_units=2, ), ops_test.model.wait_for_idle( apps=["ca"], @@ -78,13 +79,13 @@ async def test_server_cert(ops_test: OpsTest): cmd = [ "sh", "-c", - f"echo | openssl s_client -showcerts -servername {grafana_ip}:3000 -connect {grafana_ip}:3000 2>/dev/null | openssl x509 -inform pem -noout -text", + f"echo | openssl s_client -showcerts -servername {grafana_ip}:3000 -connect {grafana_ip}:3000 | openssl x509 -inform pem -noout -text", ] retcode, stdout, stderr = await ops_test.run(*cmd) fqdn = ( f"{grafana.name}-{i}.{grafana.name}-endpoints.{ops_test.model_name}.svc.cluster.local" ) - assert fqdn in stdout + assert fqdn in stdout, stderr @pytest.mark.abort_on_fail @@ -97,11 +98,11 @@ async def test_https_reachable(ops_test: OpsTest, temp_dir): for i in range(grafana.scale): unit_name = f"{grafana.name}/{i}" # Save CA cert locally - # juju show-unit grafana/0 --format yaml | yq '.grafana/0."relation-info"[0]."local-unit".data.ca' > /tmp/cacert.pem + # juju show-unit grafana/0 | yq '.grafana/0."relation-info".[] | select (.endpoint=="certificates") | .application-data.[]' | jq '.[0].ca' -r cmd = [ "sh", "-c", - f'juju show-unit {unit_name} --format yaml | yq \'.{unit_name}."relation-info".[] | select (.endpoint=="replicas") | ."local-unit".data.ca\'', + f"juju show-unit {unit_name} --format yaml | yq '.{unit_name}.\"relation-info\".[] | select (.endpoint==\"certificates\") | .application-data.[]' | jq '.[0].ca' -r", ] retcode, stdout, stderr = await ops_test.run(*cmd) cert = stdout