4 Commits

Author SHA1 Message Date
686e0a1055 Initialize MySQL 2022-06-14 15:29:10 +02:00
d3e2a3eab5 ergo: Add $ERGO_HISTORY_BACKEND to opt-in to history mysql backend 2022-06-14 15:09:46 +02:00
8bd102a391 ergo: Create MySQL subprocess instead of using external DB
This starts each test with a clean database, so we can remove chan/nick
randomization from stateful tests (chathistory and roleplay).

It will also allow testing Ergo with a MySQL backend for the KV store
instead of buntdb.

Additionally, this makes it much easier to run these tests, than having
to manually configure such a database.
2022-06-14 15:02:06 +02:00
00f0515d36 Remove redundant configuration
This statement was a no-op, given the value defined in BASE_CONFIG
2022-06-14 15:01:28 +02:00
2 changed files with 114 additions and 30 deletions

View File

@ -3,7 +3,7 @@ import json
import os import os
import shutil import shutil
import subprocess import subprocess
from typing import Any, Dict, Optional, Set, Type, Union from typing import Any, Dict, List, Optional, Set, Type, Union
from irctest.basecontrollers import ( from irctest.basecontrollers import (
BaseServerController, BaseServerController,
@ -139,6 +139,7 @@ class ErgoController(BaseServerController, DirectoryBasedController):
supported_sasl_mechanisms = {"PLAIN", "SCRAM-SHA-256"} supported_sasl_mechanisms = {"PLAIN", "SCRAM-SHA-256"}
supports_sts = True supports_sts = True
extban_mute_char = "m" extban_mute_char = "m"
mysql_proc: Optional[subprocess.Popen] = None
def create_config(self) -> None: def create_config(self) -> None:
super().create_config() super().create_config()
@ -173,7 +174,7 @@ class ErgoController(BaseServerController, DirectoryBasedController):
enable_chathistory = self.test_config.chathistory enable_chathistory = self.test_config.chathistory
enable_roleplay = self.test_config.ergo_roleplay enable_roleplay = self.test_config.ergo_roleplay
if enable_chathistory or enable_roleplay: if enable_chathistory or enable_roleplay:
config = self.addMysqlToConfig(config) self.addDatabaseToConfig(config)
if enable_roleplay: if enable_roleplay:
config["roleplay"] = {"enabled": True} config["roleplay"] = {"enabled": True}
@ -215,6 +216,16 @@ class ErgoController(BaseServerController, DirectoryBasedController):
[*faketime_cmd, "ergo", "run", "--conf", self._config_path, "--quiet"] [*faketime_cmd, "ergo", "run", "--conf", self._config_path, "--quiet"]
) )
def terminate(self) -> None:
if self.mysql_proc is not None:
self.mysql_proc.terminate()
super().terminate()
def kill(self) -> None:
if self.mysql_proc is not None:
self.mysql_proc.kill()
super().kill()
def wait_for_services(self) -> None: def wait_for_services(self) -> None:
# Nothing to wait for, they start at the same time as Ergo. # Nothing to wait for, they start at the same time as Ergo.
pass pass
@ -266,32 +277,107 @@ class ErgoController(BaseServerController, DirectoryBasedController):
config.update(LOGGING_CONFIG) config.update(LOGGING_CONFIG)
return config return config
def addMysqlToConfig(self, config: Optional[Dict] = None) -> Dict: def addDatabaseToConfig(self, config: Dict) -> None:
mysql_password = os.getenv("MYSQL_PASSWORD") history_backend = os.environ.get("ERGO_HISTORY_BACKEND", "memory")
if config is None: if history_backend == "memory":
config = self.baseConfig() # nothing to do, this is the default
if not mysql_password: pass
return config elif history_backend == "mysql":
config["datastore"]["mysql"] = { socket_path = self.startMysql()
"enabled": True, self.createMysqlDatabase(socket_path, "ergo_history")
"host": "localhost", config["datastore"]["mysql"] = {
"user": "ergo", "enabled": True,
"password": mysql_password, "socket-path": socket_path,
"history-database": "ergo_history", "history-database": "ergo_history",
"timeout": "3s", "timeout": "3s",
} }
config["accounts"]["multiclient"] = { config["history"]["persistent"] = {
"enabled": True, "enabled": True,
"allowed-by-default": True, "unregistered-channels": True,
"always-on": "disabled", "registered-channels": "opt-out",
} "direct-messages": "opt-out",
config["history"]["persistent"] = { }
"enabled": True, else:
"unregistered-channels": True, raise ValueError(
"registered-channels": "opt-out", f"Invalid $ERGO_HISTORY_BACKEND value: {history_backend}. "
"direct-messages": "opt-out", f"It should be 'memory' (the default) or 'mysql'"
} )
return config
def startMysql(self) -> str:
"""Starts a new MySQL server listening on a UNIX socket, returns the socket
path"""
# Function based on pifpaf's MySQL driver:
# https://github.com/jd/pifpaf/blob/3.1.5/pifpaf/drivers/mysql.py
assert self.directory
mysql_dir = os.path.join(self.directory, "mysql")
socket_path = os.path.join(mysql_dir, "mysql.socket")
os.mkdir(mysql_dir)
print("Starting MySQL...")
try:
subprocess.check_call(
[
"mysqld",
"--no-defaults",
"--tmpdir=" + mysql_dir,
"--initialize-insecure",
"--datadir=" + mysql_dir,
],
stdout=subprocess.DEVNULL,
stderr=subprocess.DEVNULL,
)
except subprocess.CalledProcessError:
# Initialize the old way
subprocess.check_call(
[
"mysql_install_db",
"--no-defaults",
"--tmpdir=" + mysql_dir,
"--datadir=" + mysql_dir,
],
stdout=subprocess.DEVNULL,
stderr=subprocess.DEVNULL,
)
self.mysql_proc = subprocess.Popen(
[
"mysqld",
"--no-defaults",
"--tmpdir=" + mysql_dir,
"--datadir=" + mysql_dir,
"--socket=" + socket_path,
"--skip-networking",
"--skip-grant-tables",
],
stdout=subprocess.PIPE,
stderr=subprocess.STDOUT,
)
mysql_stdout = self.mysql_proc.stdout
assert mysql_stdout is not None # for mypy...
lines: List[bytes] = []
while self.mysql_proc.returncode is None:
line = mysql_stdout.readline()
lines.append(lines)
if b"mysqld: ready for connections." in line:
break
assert self.mysql_proc.returncode is None, (
"MySQL unexpected stopped: " + b"\n".join(lines).decode()
)
print("MySQL started")
return socket_path
def createMysqlDatabase(self, socket_path: str, database_name: str) -> None:
subprocess.check_call(
[
"mysql",
"--no-defaults",
"-S",
socket_path,
"-e",
f"CREATE DATABASE {database_name};",
]
)
def rehash(self, case: BaseServerTestCase, config: Dict) -> None: def rehash(self, case: BaseServerTestCase, config: Dict) -> None:
self._config = config self._config = config

View File

@ -18,8 +18,6 @@ EVENT_PLAYBACK_CAP = "draft/event-playback"
# Keep this in sync with validate_chathistory() # Keep this in sync with validate_chathistory()
SUBCOMMANDS = ["LATEST", "BEFORE", "AFTER", "BETWEEN", "AROUND"] SUBCOMMANDS = ["LATEST", "BEFORE", "AFTER", "BETWEEN", "AROUND"]
MYSQL_PASSWORD = ""
def validate_chathistory_batch(msgs): def validate_chathistory_batch(msgs):
batch_tag = None batch_tag = None