generated from canonical/template-operator
-
Notifications
You must be signed in to change notification settings - Fork 14
/
Copy pathmysql.py
2653 lines (2173 loc) · 103 KB
/
mysql.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
# Copyright 2022 Canonical Ltd.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""MySQL helper class and functions.
The `mysql` module provides an abstraction class and methods for for managing a
Group Replication enabled MySQL cluster.
The `MySQLBase` abstract class must be inherited and have its abstract methods
implemented for each platform (vm/k8s) before being directly used in charm code.
An example of inheriting `MySQLBase` and implementing the abstract methods plus extending it:
```python
from charms.mysql.v0.mysql import MySQLBase
from tenacity import retry, stop_after_delay, wait_fixed
class MySQL(MySQLBase):
def __init__(
self,
instance_address: str,
cluster_name: str,
root_password: str,
server_config_user: str,
server_config_password: str,
cluster_admin_user: str,
cluster_admin_password: str,
new_parameter: str
):
super().__init__(
instance_address=instance_address,
cluster_name=cluster_name,
root_password=root_password,
server_config_user=server_config_user,
server_config_password=server_config_password,
cluster_admin_user=cluster_admin_user,
cluster_admin_password=cluster_admin_password,
)
# Add new attribute
self.new_parameter = new_parameter
# abstract method implementation
@retry(reraise=True, stop=stop_after_delay(30), wait=wait_fixed(5))
def wait_until_mysql_connection(self) -> None:
if not os.path.exists(MYSQLD_SOCK_FILE):
raise MySQLServiceNotRunningError()
...
```
The module also provides a set of custom exceptions, used to trigger specific
error handling on the subclass and in the charm code.
"""
import configparser
import dataclasses
import enum
import io
import json
import logging
import re
import socket
import time
from abc import ABC, abstractmethod
from typing import Any, Dict, Iterable, List, Optional, Tuple, Union
import ops
from charms.data_platform_libs.v0.data_secrets import (
APP_SCOPE,
UNIT_SCOPE,
Scopes,
SecretCache,
generate_secret_label,
)
from ops.charm import ActionEvent, CharmBase, RelationBrokenEvent
from ops.model import Unit
from tenacity import retry, retry_if_exception_type, stop_after_attempt, wait_fixed, wait_random
from constants import (
BACKUPS_PASSWORD_KEY,
BACKUPS_USERNAME,
CLUSTER_ADMIN_PASSWORD_KEY,
CLUSTER_ADMIN_USERNAME,
COS_AGENT_RELATION_NAME,
MONITORING_PASSWORD_KEY,
MONITORING_USERNAME,
PASSWORD_LENGTH,
PEER,
ROOT_PASSWORD_KEY,
ROOT_USERNAME,
SECRET_ID_KEY,
SERVER_CONFIG_PASSWORD_KEY,
SERVER_CONFIG_USERNAME,
)
from utils import generate_random_password
logger = logging.getLogger(__name__)
# The unique Charmhub library identifier, never change it
LIBID = "8c1428f06b1b4ec8bf98b7d980a38a8c"
# Increment this major API version when introducing breaking changes
LIBAPI = 0
# Increment this PATCH version before using `charmcraft publish-lib` or reset
# to 0 if you are raising the major API version
LIBPATCH = 53
UNIT_TEARDOWN_LOCKNAME = "unit-teardown"
UNIT_ADD_LOCKNAME = "unit-add"
BYTES_1GiB = 1073741824 # 1 gibibyte
BYTES_1GB = 1000000000 # 1 gigabyte
BYTES_1MB = 1000000 # 1 megabyte
BYTES_1MiB = 1048576 # 1 mebibyte
RECOVERY_CHECK_TIME = 10 # seconds
GET_MEMBER_STATE_TIME = 10 # seconds
class Error(Exception):
"""Base class for exceptions in this module."""
def __init__(self, message: str = "") -> None:
"""Initialize the Error class.
Args:
message: Optional message to pass to the exception.
"""
super().__init__(message)
self.message = message
def __repr__(self):
"""String representation of the Error class."""
return "<{}.{} {}>".format(type(self).__module__, type(self).__name__, self.args)
@property
def name(self):
"""Return a string representation of the model plus class."""
return "<{}.{}>".format(type(self).__module__, type(self).__name__)
class MySQLConfigureMySQLUsersError(Error):
"""Exception raised when creating a user fails."""
class MySQLCheckUserExistenceError(Error):
"""Exception raised when checking for the existence of a MySQL user."""
class MySQLConfigureRouterUserError(Error):
"""Exception raised when configuring the MySQLRouter user."""
class MySQLCreateApplicationDatabaseAndScopedUserError(Error):
"""Exception raised when creating application database and scoped user."""
class MySQLGetRouterUsersError(Error):
"""Exception raised when there is an issue getting MySQL Router users."""
class MySQLDeleteUsersForUnitError(Error):
"""Exception raised when there is an issue deleting users for a unit."""
class MySQLDeleteUsersForRelationError(Error):
"""Exception raised when there is an issue deleting users for a relation."""
class MySQLDeleteUserError(Error):
"""Exception raised when there is an issue deleting a user."""
class MySQLRemoveRouterFromMetadataError(Error):
"""Exception raised when there is an issue removing MySQL Router from cluster metadata."""
class MySQLConfigureInstanceError(Error):
"""Exception raised when there is an issue configuring a MySQL instance."""
class MySQLCreateClusterError(Error):
"""Exception raised when there is an issue creating an InnoDB cluster."""
class MySQLCreateClusterSetError(Error):
"""Exception raised when there is an issue creating an Cluster Set."""
class MySQLAddInstanceToClusterError(Error):
"""Exception raised when there is an issue add an instance to the MySQL InnoDB cluster."""
class MySQLRemoveInstanceRetryError(Error):
"""Exception raised when there is an issue removing an instance.
Utilized by tenacity to retry the method.
"""
class MySQLRemoveInstanceError(Error):
"""Exception raised when there is an issue removing an instance.
Exempt from the retry mechanism provided by tenacity.
"""
class MySQLInitializeJujuOperationsTableError(Error):
"""Exception raised when there is an issue initializing the juju units operations table."""
class MySQLClientError(Error):
"""Exception raised when there is an issue using the mysql cli or mysqlsh.
Abstract platform specific exceptions for external commands execution Errors.
"""
class MySQLGetClusterMembersAddressesError(Error):
"""Exception raised when there is an issue getting the cluster members addresses."""
class MySQLGetMySQLVersionError(Error):
"""Exception raised when there is an issue getting the MySQL version."""
class MySQLGetClusterPrimaryAddressError(Error):
"""Exception raised when there is an issue getting the primary instance."""
class MySQLSetClusterPrimaryError(Error):
"""Exception raised when there is an issue setting the primary instance."""
class MySQLGrantPrivilegesToUserError(Error):
"""Exception raised when there is an issue granting privileges to user."""
class MySQLGetMemberStateError(Error):
"""Exception raised when there is an issue getting member state."""
class MySQLGetClusterEndpointsError(Error):
"""Exception raised when there is an issue getting cluster endpoints."""
class MySQLRebootFromCompleteOutageError(Error):
"""Exception raised when there is an issue rebooting from complete outage."""
class MySQLSetInstanceOfflineModeError(Error):
"""Exception raised when there is an issue setting instance as offline."""
class MySQLSetInstanceOptionError(Error):
"""Exception raised when there is an issue setting instance option."""
class MySQLOfflineModeAndHiddenInstanceExistsError(Error):
"""Exception raised when there is an error checking if an instance is backing up.
We check if an instance is in offline_mode and hidden from mysql-router to determine
this.
"""
class MySQLGetAutoTunningParametersError(Error):
"""Exception raised when there is an error computing the innodb buffer pool parameters."""
class MySQLExecuteBackupCommandsError(Error):
"""Exception raised when there is an error executing the backup commands.
The backup commands are executed in the workload container using the pebble API.
"""
class MySQLDeleteTempBackupDirectoryError(Error):
"""Exception raised when there is an error deleting the temp backup directory."""
class MySQLRetrieveBackupWithXBCloudError(Error):
"""Exception raised when there is an error retrieving a backup from S3 with xbcloud."""
class MySQLPrepareBackupForRestoreError(Error):
"""Exception raised when there is an error preparing a backup for restore."""
class MySQLEmptyDataDirectoryError(Error):
"""Exception raised when there is an error emptying the mysql data directory."""
class MySQLRestoreBackupError(Error):
"""Exception raised when there is an error restoring a backup."""
class MySQLDeleteTempRestoreDirectoryError(Error):
"""Exception raised when there is an error deleting the temp restore directory."""
class MySQLExecError(Error):
"""Exception raised when there is an error executing commands on the mysql server."""
class MySQLStopMySQLDError(Error):
"""Exception raised when there is an error stopping the MySQLD process."""
class MySQLStartMySQLDError(Error):
"""Exception raised when there is an error starting the MySQLD process."""
class MySQLServiceNotRunningError(Error):
"""Exception raised when the MySQL service is not running."""
class MySQLTLSSetupError(Error):
"""Exception raised when there is an issue setting custom TLS config."""
class MySQLKillSessionError(Error):
"""Exception raised when there is an issue killing a connection."""
class MySQLLockAcquisitionError(Error):
"""Exception raised when a lock fails to be acquired."""
class MySQLRescanClusterError(Error):
"""Exception raised when there is an issue rescanning the cluster."""
class MySQLSetVariableError(Error):
"""Exception raised when there is an issue setting a variable."""
class MySQLServerNotUpgradableError(Error):
"""Exception raised when there is an issue checking for upgradeability."""
class MySQLSecretError(Error):
"""Exception raised when there is an issue setting/getting a secret."""
class MySQLGetAvailableMemoryError(Error):
"""Exception raised when there is an issue getting the available memory."""
@dataclasses.dataclass
class RouterUser:
"""MySQL Router user."""
username: str
router_id: str
class MySQLCharmBase(CharmBase, ABC):
"""Base class to encapsulate charm related functionality.
Meant as a means to share common charm related code between the MySQL VM and
K8s charms.
"""
def __init__(self, *args):
super().__init__(*args)
self.secrets = SecretCache(self)
self.framework.observe(self.on.get_cluster_status_action, self._get_cluster_status)
self.framework.observe(self.on.get_password_action, self._on_get_password)
self.framework.observe(self.on.set_password_action, self._on_set_password)
# Set in some event handlers in order to avoid passing event down a chain
# of methods
self.current_event = None
@property
@abstractmethod
def _mysql(self) -> "MySQLBase":
"""Return the MySQL instance."""
raise NotImplementedError
def _on_get_password(self, event: ActionEvent) -> None:
"""Action used to retrieve the system user's password."""
username = event.params.get("username") or ROOT_USERNAME
valid_usernames = {
ROOT_USERNAME: ROOT_PASSWORD_KEY,
SERVER_CONFIG_USERNAME: SERVER_CONFIG_PASSWORD_KEY,
CLUSTER_ADMIN_USERNAME: CLUSTER_ADMIN_PASSWORD_KEY,
MONITORING_USERNAME: MONITORING_PASSWORD_KEY,
BACKUPS_USERNAME: BACKUPS_PASSWORD_KEY,
}
secret_key = valid_usernames.get(username)
if not secret_key:
event.fail(
f"The action can be run only for users used by the charm: {', '.join(valid_usernames.keys())} not {username}"
)
return
event.set_results({"username": username, "password": self.get_secret("app", secret_key)})
def _on_set_password(self, event: ActionEvent) -> None:
"""Action used to update/rotate the system user's password."""
if not self.unit.is_leader():
event.fail("set-password action can only be run on the leader unit.")
return
username = event.params.get("username") or ROOT_USERNAME
valid_usernames = {
ROOT_USERNAME: ROOT_PASSWORD_KEY,
SERVER_CONFIG_USERNAME: SERVER_CONFIG_PASSWORD_KEY,
CLUSTER_ADMIN_USERNAME: CLUSTER_ADMIN_PASSWORD_KEY,
MONITORING_USERNAME: MONITORING_PASSWORD_KEY,
BACKUPS_USERNAME: BACKUPS_PASSWORD_KEY,
}
secret_key = valid_usernames.get(username)
if not secret_key:
event.fail(
f"The action can be run only for users used by the charm: {', '.join(valid_usernames.keys())} not {username}"
)
return
new_password = event.params.get("password") or generate_random_password(PASSWORD_LENGTH)
host = "%" if username != ROOT_USERNAME else "localhost"
self._mysql.update_user_password(username, new_password, host=host)
self.set_secret("app", secret_key, new_password)
if username == MONITORING_USERNAME and self.has_cos_relation:
self._mysql.restart_mysql_exporter()
def _get_cluster_status(self, event: ActionEvent) -> None:
"""Action used to retrieve the cluster status."""
if status := self._mysql.get_cluster_status():
event.set_results(
{
"success": True,
"status": status,
}
)
else:
event.set_results(
{
"success": False,
"message": "Failed to read cluster status. See logs for more information.",
}
)
@property
def peers(self) -> Optional[ops.model.Relation]:
"""Retrieve the peer relation."""
return self.model.get_relation(PEER)
@property
def cluster_initialized(self):
"""Returns True if the cluster is initialized."""
return int(self.app_peer_data.get("units-added-to-cluster", "0")) >= 1
@property
def unit_initialized(self):
"""Return True if the unit is initialized."""
return self.unit_peer_data.get("unit-initialized") == "True"
@property
def app_peer_data(self) -> Union[ops.RelationDataContent, dict]:
"""Application peer relation data object."""
if self.peers is None:
return {}
return self.peers.data[self.app]
@property
def unit_peer_data(self) -> Union[ops.RelationDataContent, dict]:
"""Unit peer relation data object."""
if self.peers is None:
return {}
return self.peers.data[self.unit]
@property
def app_units(self) -> set[Unit]:
"""The peer-related units in the application."""
if not self.peers:
return set()
return {self.unit, *self.peers.units}
@property
def unit_label(self):
"""Return unit label."""
return self.unit.name.replace("/", "-")
@property
def _is_peer_data_set(self):
return bool(
self.app_peer_data.get("cluster-name")
and self.get_secret("app", ROOT_PASSWORD_KEY)
and self.get_secret("app", SERVER_CONFIG_PASSWORD_KEY)
and self.get_secret("app", CLUSTER_ADMIN_PASSWORD_KEY)
and self.get_secret("app", MONITORING_PASSWORD_KEY)
and self.get_secret("app", BACKUPS_PASSWORD_KEY)
)
@property
def has_cos_relation(self) -> bool:
"""Returns a bool indicating whether a relation with COS is present."""
cos_relations = self.model.relations.get(COS_AGENT_RELATION_NAME, [])
active_cos_relations = list(
filter(
lambda relation: not (
isinstance(self.current_event, RelationBrokenEvent)
and self.current_event.relation.id == relation.id
),
cos_relations,
)
)
return len(active_cos_relations) > 0
def _scope_obj(self, scope: Scopes):
if scope == APP_SCOPE:
return self.app
if scope == UNIT_SCOPE:
return self.unit
def _peer_data(self, scope: Scopes) -> Dict:
"""Return corresponding databag for app/unit."""
if self.peers is None:
return {}
return self.peers.data[self._scope_obj(scope)]
def _safe_get_secret(self, scope: Scopes, label: str) -> SecretCache:
"""Safety measure, for upgrades between versions.
Based on secret URI usage to others with labels usage.
If the secret can't be retrieved by label, we search for the uri -- and
if found, we "stick" the label on the secret for further usage.
"""
secret_uri = self._peer_data(scope).get(SECRET_ID_KEY, None)
secret = self.secrets.get(label, secret_uri)
# Since now we switched to labels, the databag reference can be removed
if secret_uri and secret and scope == APP_SCOPE and self.unit.is_leader():
self._peer_data(scope).pop(SECRET_ID_KEY, None)
return secret
def _get_secret_from_juju(self, scope: Scopes, key: str) -> Optional[str]:
"""Retrieve and return the secret from the juju secret storage."""
label = generate_secret_label(self, scope)
secret = self._safe_get_secret(scope, label)
if not secret:
logger.debug("Getting a secret when secret is not added in juju")
return
value = secret.get_content().get(key)
return value
def _get_secret_from_databag(self, scope: str, key: str) -> Optional[str]:
"""Retrieve and return the secret from the peer relation databag."""
if scope == "unit":
return self.unit_peer_data.get(key)
return self.app_peer_data.get(key)
def get_secret(
self, scope: Scopes, key: str, fallback_key: Optional[str] = None
) -> Optional[str]:
"""Get secret from the secret storage.
Retrieve secret from juju secrets backend if secret exists there.
Else retrieve from peer databag (with key or fallback_key). This is to
account for cases where secrets are stored in peer databag but the charm
is then refreshed to a newer revision.
"""
if scope not in ["app", "unit"]:
raise MySQLSecretError(f"Invalid secret scope: {scope}")
if ops.jujuversion.JujuVersion.from_environ().has_secrets:
secret = self._get_secret_from_juju(scope, key)
if secret:
return secret
return self._get_secret_from_databag(scope, key) or self._get_secret_from_databag(
scope, fallback_key
)
def _set_secret_in_databag(self, scope: Scopes, key: str, value: Optional[str]) -> None:
"""Set secret in the peer relation databag."""
if not value:
try:
self._peer_data(scope).pop(key)
return
except KeyError:
logger.error(f"Non-existing secret {scope}:{key} was attempted to be removed.")
return
self._peer_data(scope)[key] = value
def _set_secret_in_juju(self, scope: Scopes, key: str, value: Optional[str]) -> None:
"""Set the secret in the juju secret storage."""
# Charm could have been upgraded since last run
# We make an attempt to remove potential traces from the databag
self._peer_data(scope).pop(key, None)
label = generate_secret_label(self, scope)
secret = self._safe_get_secret(scope, label)
if not secret and value:
self.secrets.add(label, {key: value}, scope)
return
content = secret.get_content() if secret else None
if not value:
if content and key in content:
content.pop(key, None)
else:
logger.error(f"Non-existing secret {scope}:{key} was attempted to be removed.")
return
else:
content.update({key: value})
# Temporary solution: this should come from the shared lib
# Improved after https://warthogs.atlassian.net/browse/DPE-3056 is resolved
if content:
secret.set_content(content)
else:
secret.meta.remove_all_revisions()
def set_secret(
self, scope: Scopes, key: str, value: Optional[str], fallback_key: Optional[str] = None
) -> None:
"""Set a secret in the secret storage."""
if scope not in ["app", "unit"]:
raise MySQLSecretError(f"Invalid secret scope: {scope}")
if scope == "app" and not self.unit.is_leader():
raise MySQLSecretError("Can only set app secrets on the leader unit")
if ops.jujuversion.JujuVersion.from_environ().has_secrets:
self._set_secret_in_juju(scope, key, value)
# for refresh from juju <= 3.1.4 to >= 3.1.5, we need to clear out
# secrets from the databag as well
if self._get_secret_from_databag(scope, key):
self._set_secret_in_databag(scope, key, None)
if fallback_key and self._get_secret_from_databag(scope, fallback_key):
self._set_secret_in_databag(scope, key, None)
return
self._set_secret_in_databag(scope, key, value)
if fallback_key:
self._set_secret_in_databag(scope, fallback_key, None)
class MySQLMemberState(str, enum.Enum):
"""MySQL Cluster member state."""
# TODO: python 3.11 has new enum.StrEnum
# that can remove str inheritance
ONLINE = "online"
RECOVERING = "recovering"
OFFLINE = "offline"
ERROR = "error"
UNREACHABLE = "unreachable"
UNKNOWN = "unknown"
class MySQLTextLogs(str, enum.Enum):
"""MySQL Text logs."""
# TODO: python 3.11 has new enum.StrEnum
# that can remove str inheritance
ERROR = "ERROR LOGS"
GENERAL = "GENERAL LOGS"
SLOW = "SLOW LOGS"
class MySQLBase(ABC):
"""Abstract class to encapsulate all operations related to the MySQL workload.
This class handles the configuration of MySQL instances, and also the
creation and configuration of MySQL InnoDB clusters via Group Replication.
Some methods are platform specific and must be implemented in the related
charm code.
"""
def __init__(
self,
instance_address: str,
cluster_name: str,
cluster_set_name: str,
root_password: str,
server_config_user: str,
server_config_password: str,
cluster_admin_user: str,
cluster_admin_password: str,
monitoring_user: str,
monitoring_password: str,
backups_user: str,
backups_password: str,
):
"""Initialize the MySQL class.
Args:
instance_address: address of the targeted instance
cluster_name: cluster name
cluster_set_name: cluster set domain name
root_password: password for the 'root' user
server_config_user: user name for the server config user
server_config_password: password for the server config user
cluster_admin_user: user name for the cluster admin user
cluster_admin_password: password for the cluster admin user
monitoring_user: user name for the mysql exporter
monitoring_password: password for the monitoring user
backups_user: user name used to create backups
backups_password: password for the backups user
"""
self.instance_address = instance_address
self.cluster_name = cluster_name
self.cluster_set_name = cluster_set_name
self.root_password = root_password
self.server_config_user = server_config_user
self.server_config_password = server_config_password
self.cluster_admin_user = cluster_admin_user
self.cluster_admin_password = cluster_admin_password
self.monitoring_user = monitoring_user
self.monitoring_password = monitoring_password
self.backups_user = backups_user
self.backups_password = backups_password
def render_mysqld_configuration(
self,
*,
profile: str,
memory_limit: Optional[int] = None,
snap_common: str = "",
) -> tuple[str, dict]:
"""Render mysqld ini configuration file.
Args:
profile: profile to use for the configuration (testing, production)
memory_limit: memory limit to use for the configuration in bytes
snap_common: snap common directory (for log files locations in vm)
Returns: a tuple with mysqld ini file string content and a the config dict
"""
performance_schema_instrument = ""
if profile == "testing":
innodb_buffer_pool_size = 20 * BYTES_1MiB
innodb_buffer_pool_chunk_size = 1 * BYTES_1MiB
group_replication_message_cache_size = 128 * BYTES_1MiB
max_connections = 20
performance_schema_instrument = "'memory/%=OFF'"
else:
available_memory = self.get_available_memory()
if memory_limit:
# when memory limit is set, we need to use the minimum
# between the available memory and the limit
available_memory = min(available_memory, memory_limit)
(
innodb_buffer_pool_size,
innodb_buffer_pool_chunk_size,
group_replication_message_cache_size,
) = self.get_innodb_buffer_pool_parameters(available_memory)
max_connections = self.get_max_connections(available_memory)
if available_memory < 2 * BYTES_1GiB:
# disable memory instruments if we have less than 2GiB of RAM
performance_schema_instrument = "'memory/%=OFF'"
config = configparser.ConfigParser(interpolation=None)
# do not enable slow query logs, but specify a log file path in case
# the admin enables them manually
config["mysqld"] = {
"bind-address": "0.0.0.0",
"mysqlx-bind-address": "0.0.0.0",
"report_host": self.instance_address,
"max_connections": str(max_connections),
"innodb_buffer_pool_size": str(innodb_buffer_pool_size),
"log_error_services": "log_filter_internal;log_sink_internal",
"log_error": f"{snap_common}/var/log/mysql/error.log",
"general_log": "ON",
"general_log_file": f"{snap_common}/var/log/mysql/general.log",
"slow_query_log_file": f"{snap_common}/var/log/mysql/slowquery.log",
"innodb_flush_method": "O_DIRECT",
"innodb_use_fdatasync": "ON",
}
if innodb_buffer_pool_chunk_size:
config["mysqld"]["innodb_buffer_pool_chunk_size"] = str(innodb_buffer_pool_chunk_size)
if performance_schema_instrument:
config["mysqld"]["performance-schema-instrument"] = performance_schema_instrument
if group_replication_message_cache_size:
config["mysqld"]["loose-group_replication_message_cache_size"] = str(
group_replication_message_cache_size
)
with io.StringIO() as string_io:
config.write(string_io)
return string_io.getvalue(), dict(config["mysqld"])
def configure_mysql_users(self):
"""Configure the MySQL users for the instance.
Create `<server_config>@%` user with the appropriate privileges, and
reconfigure `root@localhost` user password.
Raises MySQLConfigureMySQLUsersError if the user creation fails.
"""
# SYSTEM_USER and SUPER privileges to revoke from the root users
# Reference: https://dev.mysql.com/doc/refman/8.0/en/privileges-provided.html#priv_super
privileges_to_revoke = (
"SYSTEM_USER",
"SYSTEM_VARIABLES_ADMIN",
"SUPER",
"REPLICATION_SLAVE_ADMIN",
"GROUP_REPLICATION_ADMIN",
"BINLOG_ADMIN",
"SET_USER_ID",
"ENCRYPTION_KEY_ADMIN",
"VERSION_TOKEN_ADMIN",
"CONNECTION_ADMIN",
)
# privileges for the backups user:
# https://docs.percona.com/percona-xtrabackup/8.0/using_xtrabackup/privileges.html#permissions-and-privileges-needed
# CONNECTION_ADMIN added to provide it privileges to connect to offline_mode node
configure_users_commands = (
f"CREATE USER '{self.server_config_user}'@'%' IDENTIFIED BY '{self.server_config_password}'",
f"GRANT ALL ON *.* TO '{self.server_config_user}'@'%' WITH GRANT OPTION",
f"CREATE USER '{self.monitoring_user}'@'%' IDENTIFIED BY '{self.monitoring_password}' WITH MAX_USER_CONNECTIONS 3",
f"GRANT SYSTEM_USER, SELECT, PROCESS, SUPER, REPLICATION CLIENT, RELOAD ON *.* TO '{self.monitoring_user}'@'%'",
f"CREATE USER '{self.backups_user}'@'%' IDENTIFIED BY '{self.backups_password}'",
f"GRANT CONNECTION_ADMIN, BACKUP_ADMIN, PROCESS, RELOAD, LOCK TABLES, REPLICATION CLIENT ON *.* TO '{self.backups_user}'@'%'",
f"GRANT SELECT ON performance_schema.log_status TO '{self.backups_user}'@'%'",
f"GRANT SELECT ON performance_schema.keyring_component_status TO '{self.backups_user}'@'%'",
f"GRANT SELECT ON performance_schema.replication_group_members TO '{self.backups_user}'@'%'",
"UPDATE mysql.user SET authentication_string=null WHERE User='root' and Host='localhost'",
f"ALTER USER 'root'@'localhost' IDENTIFIED BY '{self.root_password}'",
f"REVOKE {', '.join(privileges_to_revoke)} ON *.* FROM 'root'@'localhost'",
"FLUSH PRIVILEGES",
)
try:
logger.debug(f"Configuring MySQL users for {self.instance_address}")
self._run_mysqlcli_script(
"; ".join(configure_users_commands),
password=self.root_password,
)
except MySQLClientError as e:
logger.exception(
f"Failed to configure users for: {self.instance_address} with error {e.message}",
exc_info=e,
)
raise MySQLConfigureMySQLUsersError(e.message)
def does_mysql_user_exist(self, username: str, hostname: str) -> bool:
"""Checks if a mysqlrouter user already exists.
Args:
username: The username for the mysql user
hostname: The hostname for the mysql user
Returns:
A boolean indicating whether the provided mysql user exists
Raises MySQLCheckUserExistenceError
if there is an issue confirming that the mysql user exists
"""
user_existence_commands = (
f"select if((select count(*) from mysql.user where user = '{username}' and host = '{hostname}'), 'USER_EXISTS', 'USER_DOES_NOT_EXIST') as ''",
)
try:
output = self._run_mysqlcli_script(
"; ".join(user_existence_commands),
user=self.server_config_user,
password=self.server_config_password,
)
return "USER_EXISTS" in output
except MySQLClientError as e:
logger.exception(
f"Failed to check for existence of mysql user {username}@{hostname}",
exc_info=e,
)
raise MySQLCheckUserExistenceError(e.message)
def configure_mysqlrouter_user(
self, username: str, password: str, hostname: str, unit_name: str
) -> None:
"""Configure a mysqlrouter user and grant the appropriate permissions to the user.
Args:
username: The username for the mysqlrouter user
password: The password for the mysqlrouter user
hostname: The hostname for the mysqlrouter user
unit_name: The name of unit from which the mysqlrouter user will be accessed
Raises MySQLConfigureRouterUserError
if there is an issue creating and configuring the mysqlrouter user
"""
try:
escaped_mysqlrouter_user_attributes = json.dumps({"unit_name": unit_name}).replace(
'"', r"\""
)
# Using server_config_user as we are sure it has create user grants
create_mysqlrouter_user_commands = (
f"shell.connect_to_primary('{self.server_config_user}:{self.server_config_password}@{self.instance_address}')",
f"session.run_sql(\"CREATE USER '{username}'@'{hostname}' IDENTIFIED BY '{password}' ATTRIBUTE '{escaped_mysqlrouter_user_attributes}';\")",
)
# Using server_config_user as we are sure it has create user grants
mysqlrouter_user_grant_commands = (
f"shell.connect_to_primary('{self.server_config_user}:{self.server_config_password}@{self.instance_address}')",
f"session.run_sql(\"GRANT CREATE USER ON *.* TO '{username}'@'{hostname}' WITH GRANT OPTION;\")",
f"session.run_sql(\"GRANT SELECT, INSERT, UPDATE, DELETE, EXECUTE ON mysql_innodb_cluster_metadata.* TO '{username}'@'{hostname}';\")",
f"session.run_sql(\"GRANT SELECT ON mysql.user TO '{username}'@'{hostname}';\")",
f"session.run_sql(\"GRANT SELECT ON performance_schema.replication_group_members TO '{username}'@'{hostname}';\")",
f"session.run_sql(\"GRANT SELECT ON performance_schema.replication_group_member_stats TO '{username}'@'{hostname}';\")",
f"session.run_sql(\"GRANT SELECT ON performance_schema.global_variables TO '{username}'@'{hostname}';\")",
)
logger.debug(f"Configuring MySQLRouter user for {self.instance_address}")
self._run_mysqlsh_script("\n".join(create_mysqlrouter_user_commands))
# grant permissions to the newly created mysqlrouter user
self._run_mysqlsh_script("\n".join(mysqlrouter_user_grant_commands))
except MySQLClientError as e:
logger.exception(
f"Failed to configure mysqlrouter user for: {self.instance_address} with error {e.message}",
exc_info=e,
)
raise MySQLConfigureRouterUserError(e.message)
def create_application_database_and_scoped_user(
self,
database_name: str,
username: str,
password: str,
hostname: str,
*,
unit_name: Optional[str] = None,
create_database: bool = True,
) -> None:
"""Create an application database and a user scoped to the created database.
Args:
database_name: The name of the database to create
username: The username of the scoped user
password: The password of the scoped user
hostname: The hostname of the scoped user
unit_name: The name of the unit from which the user will be accessed
create_database: Whether to create database
Raises MySQLCreateApplicationDatabaseAndScopedUserError
if there is an issue creating the application database or a user scoped to the database
"""
attributes = {}
if unit_name is not None:
attributes["unit_name"] = unit_name
try:
# Using server_config_user as we are sure it has create database grants
connect_command = (
f"shell.connect_to_primary('{self.server_config_user}:{self.server_config_password}@{self.instance_address}')",
)
create_database_commands = (
f'session.run_sql("CREATE DATABASE IF NOT EXISTS `{database_name}`;")',
)
escaped_user_attributes = json.dumps(attributes).replace('"', r"\"")
# Using server_config_user as we are sure it has create user grants
create_scoped_user_commands = (
f"session.run_sql(\"CREATE USER `{username}`@`{hostname}` IDENTIFIED BY '{password}' ATTRIBUTE '{escaped_user_attributes}';\")",
f'session.run_sql("GRANT USAGE ON *.* TO `{username}`@`{hostname}`;")',
f'session.run_sql("GRANT ALL PRIVILEGES ON `{database_name}`.* TO `{username}`@`{hostname}`;")',
)