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
|
#!/usr/bin/env python3
# Copyright (C) 2017-present Linaro Limited
#
# Author: Stevan Radaković <stevan.radakovic@linaro.org>
# Rémi Duraffort <remi.duraffort@linaro.org>
#
# SPDX-License-Identifier: GPL-3.0-or-later
import argparse
import contextlib
import grp
import importlib
import os
import pwd
import shutil
import subprocess # nosec - controlled inputs.
import sys
from pathlib import Path
from traceback import print_exc
import psycopg2
from django.core.management.utils import get_random_secret_key
from django.utils.crypto import get_random_string
from psycopg2.extensions import quote_ident as psycopg_quote_ident
# Constants
DEVICE_TYPES = Path("/usr/share/lava-server/device-types/")
DISPATCHER_CONFIG = Path("/etc/lava-server/dispatcher-config/")
DISPATCHER_D = Path("/etc/lava-server/dispatcher.d/")
INSTANCE_CONF = Path("/etc/lava-server/instance.conf")
INSTANCE_TEMPLATE_CONF = Path("/usr/share/lava-server/instance.conf.template")
LAVA_LOGS = Path("/var/log/lava-server/")
LAVA_SYS_HOME = Path("/var/lib/lava-server/home/")
LAVA_SYS_MOUNTDIR = Path("/var/lib/lava-server/default/")
SECRET_KEY = Path("/etc/lava-server/secret_key.conf")
SETTINGS_CONF = Path("/etc/lava-server/settings.conf")
GEN_SECRET_KEY = Path("/etc/lava-server/settings.d/00-secret-key.yaml")
GEN_DATABASE = Path("/etc/lava-server/settings.d/00-database.yaml")
LAVA_SYS_USER = "lavaserver"
def run(cmd_list, failure_msg, stdin=None):
print(" ".join(cmd_list))
try:
ret = subprocess.check_call(cmd_list, stdin=stdin) # nosec - internal.
except subprocess.CalledProcessError:
print(failure_msg)
# all failures are fatal during setup
sys.exit(1)
return ret
def is_pg_available():
# is the database ready?
try:
with using_account("postgres", "postgres"):
psycopg2.connect("").close()
return True
except Exception:
print_exc()
print("Skipping database creation as PostgreSQL is not running")
return False
def create_database(config):
db = config["DATABASES"]["default"]["NAME"]
password = config["DATABASES"]["default"]["PASSWORD"]
user = config["DATABASES"]["default"]["USER"]
devel_db = "devel"
devel_password = "devel"
devel_user = "devel"
with using_account("postgres", "postgres"):
conn = psycopg2.connect("")
conn.autocommit = True
cur = conn.cursor()
cur.execute("SELECT EXISTS(SELECT FROM pg_roles WHERE rolname=%s);", (user,))
(user_role_exists,) = cur.fetchone()
if user_role_exists:
print(f"Database role {user!r} already exists")
else:
print(f"Creating database role {db!r}")
cur.execute(
f"CREATE ROLE {psycopg_quote_ident(user, conn)} "
"NOSUPERUSER NOCREATEDB NOCREATEROLE INHERIT LOGIN ENCRYPTED "
"PASSWORD %s;",
(password,),
)
cur.execute("SELECT EXISTS(SELECT FROM pg_database WHERE datname=%s);", (db,))
(db_exists,) = cur.fetchone()
if db_exists:
print(f"Database {db!r} already exists")
else:
print(f"Creating database {db!r}")
cur.execute(
f"CREATE DATABASE {psycopg_quote_ident(db, conn)} "
'LC_COLLATE "C.UTF-8" LC_CTYPE "C.UTF-8" ENCODING "UTF-8" '
"OWNER %s TEMPLATE template0;",
(user,),
)
cur.execute(
"SELECT EXISTS(SELECT FROM pg_roles WHERE rolname=%s);", (devel_user,)
)
(devel_role_exists,) = cur.fetchone()
if devel_role_exists:
print(f"Database role {devel_user!r} already exists")
else:
print(f"Creating database role {devel_user!r}")
cur.execute(
f"CREATE ROLE {psycopg_quote_ident(devel_user, conn)} "
"NOSUPERUSER NOCREATEDB NOCREATEROLE INHERIT LOGIN ENCRYPTED "
"PASSWORD %s;",
(devel_password,),
)
cur.execute(
"SELECT EXISTS(SELECT FROM pg_database WHERE datname=%s);", (devel_db,)
)
(devel_db_exists,) = cur.fetchone()
if devel_db_exists:
print(f"Database {devel_db!r} already exists")
else:
print(f"Creating database {devel_db!r}")
cur.execute(
f"CREATE DATABASE {psycopg_quote_ident(devel_db, conn)} "
'LC_COLLATE "C.UTF-8" LC_CTYPE "C.UTF-8" ENCODING "UTF-8" '
"OWNER %s TEMPLATE template0;",
(devel_user,),
)
@contextlib.contextmanager
def using_account(user, group):
euid = os.geteuid()
egid = os.getegid()
tuid = pwd.getpwnam(user).pw_uid
tgid = grp.getgrnam(group).gr_gid
try:
os.setegid(tgid)
os.seteuid(tuid)
yield None
finally:
os.seteuid(euid)
os.setegid(egid)
def update_database():
with using_account(LAVA_SYS_USER, LAVA_SYS_USER):
run(
["lava-server", "manage", "migrate", "--noinput", "--fake-initial"],
"migration",
)
run(["lava-server", "manage", "drop_materialized_views"], "materialized views")
run(["lava-server", "manage", "refresh_queries", "--all"], "refresh_queries")
def load_configuration():
module = importlib.import_module("lava_server.settings.prod")
# Reload the configuration as import_module will not reload the module
module = importlib.reload(module)
return {k: v for (k, v) in module.__dict__.items() if k.isupper()}
def fixup():
print("* fix permissions:")
directories = [
# user may not have been removed but the directory has, after purge.
(LAVA_SYS_HOME, True),
(LAVA_SYS_MOUNTDIR, True),
(LAVA_SYS_MOUNTDIR / "media", True),
(LAVA_SYS_MOUNTDIR / "media" / "job-output", True),
# support changes in xml-rpc API for 2017.6
(DISPATCHER_CONFIG, False),
(DISPATCHER_D, False),
]
for item in directories:
print(f" - {item[0]}/")
if item[1]:
item[0].mkdir(mode=0o755, parents=True, exist_ok=True)
shutil.chown(item[0], LAVA_SYS_USER, LAVA_SYS_USER)
# fixup bug from date based subdirectories - allowed to be missing.
with contextlib.suppress(FileNotFoundError):
job_2017 = LAVA_SYS_MOUNTDIR / "media" / "job-output" / "2017"
print(f" - {job_2017}/")
shutil.chown(job_2017, LAVA_SYS_USER, LAVA_SYS_USER)
# Fix devices, device-types and health-checks owner/group
for item in ["devices", "device-types", "health-checks"]:
print(f" - {DISPATCHER_CONFIG / item}/")
shutil.chown(DISPATCHER_CONFIG / item, LAVA_SYS_USER, LAVA_SYS_USER)
print(f" - {DISPATCHER_CONFIG / item}/*")
for filename in (DISPATCHER_CONFIG / item).glob("*"):
shutil.chown(filename, LAVA_SYS_USER, LAVA_SYS_USER)
# Drop files in DISPATCHER_CONFIG / "device-types" if the same exists in
# DEVICE_TYPES
print(f"* drop duplicated templates:")
for item in sorted((DISPATCHER_CONFIG / "device-types").glob("*")):
filename = item.name
if (DEVICE_TYPES / filename).exists():
data1 = (DISPATCHER_CONFIG / "device-types" / filename).read_text(
encoding="utf-8"
)
data2 = (DEVICE_TYPES / filename).read_text(encoding="utf-8")
if data1 == data2:
print(f" - {item}")
item.unlink()
print("* fix permissions:")
# Fix permissions of /etc/lava-server/settings.conf
with contextlib.suppress(FileNotFoundError):
print(f" - {SETTINGS_CONF}")
shutil.chown(SETTINGS_CONF, LAVA_SYS_USER, LAVA_SYS_USER)
SETTINGS_CONF.chmod(0o640)
# Fix permissions of /etc/lava-server/instance.conf
with contextlib.suppress(FileNotFoundError):
print(f" - {INSTANCE_CONF}")
shutil.chown(INSTANCE_CONF, LAVA_SYS_USER, LAVA_SYS_USER)
INSTANCE_CONF.chmod(0o640)
# Allow lavaserver to write to all the log files
# setgid on LAVA_LOGS directory
print(f" - {LAVA_LOGS}/")
LAVA_LOGS.mkdir(mode=0o2775, parents=True, exist_ok=True)
LAVA_LOGS.chmod(0o2775) # nosec - group permissive.
# Allow users in the adm group to read all logs
(LAVA_LOGS / "django.log").write_text("", encoding="utf-8")
print(f" - {LAVA_LOGS}/*")
for logfile in LAVA_LOGS.glob("*"):
shutil.chown(logfile, LAVA_SYS_USER, "adm")
# allow users in the adm group to run lava-server commands
logfile.chmod(0o0664)
# Fix secret_key.conf permission
with contextlib.suppress(FileNotFoundError):
print(f" - {SECRET_KEY}")
SECRET_KEY.chmod(0o640)
shutil.chown(SECRET_KEY, LAVA_SYS_USER, LAVA_SYS_USER)
class YesNoAction(argparse.Action):
def __call__(self, parser, namespace, values, option_string=None):
setattr(namespace, self.dest, not option_string.startswith("--no"))
def main():
parser = argparse.ArgumentParser()
parser.add_argument(
"--config",
"--no-config",
dest="config",
action=YesNoAction,
default=None,
nargs=0,
help="Update the configuration",
)
parser.add_argument(
"--db",
"--no-db",
dest="db",
action=YesNoAction,
default=None,
nargs=0,
help="Setup the database",
)
parser.add_argument(
"--fixup",
"--no-fixup",
dest="fixup",
action=YesNoAction,
default=None,
nargs=0,
help="Fixup issues with previous versions",
)
# Parse command line
options = parser.parse_args()
if not any([options.config, options.db, options.fixup]):
if options.config is None:
options.config = True
if options.db is None:
options.db = is_pg_available()
if options.fixup is None:
options.fixup = True
# Load configuration
config = load_configuration()
# Update the configuration if needed
if options.config:
print("Updating configuration:")
if not config.get("SECRET_KEY"):
print("* generate SECRET_KEY")
GEN_SECRET_KEY.write_text(
f"""# This file was generated by /usr/share/lava-server/postinst.py
# This key is used by Django to ensure the security of various cookies and
# one-time values. To learn more please visit:
# https://docs.djangoproject.com/en/3.2/ref/settings/#secret-key
# Note: DO NOT PUBLISH THIS FILE.
SECRET_KEY: "{get_random_secret_key()}"
""",
encoding="utf-8",
)
GEN_SECRET_KEY.chmod(0o640)
shutil.chown(GEN_SECRET_KEY, LAVA_SYS_USER, LAVA_SYS_USER)
else:
print("* generate SECRET_KEY [SKIP]")
if options.db and not config.get("DATABASES"):
print("* generate DATABASES")
GEN_DATABASE.write_text(
f"""# This file was generated by /usr/share/lava-server/postinst.py
# https://docs.djangoproject.com/en/3.2/ref/settings/#databases
# Note: DO NOT PUBLISH THIS FILE.
DATABASES:
default:
ENGINE: "django.db.backends.postgresql"
NAME: "lavaserver"
USER: "lavaserver"
PASSWORD: "{get_random_string(12)}"
HOST: "localhost"
PORT: 5432
""",
encoding="utf-8",
)
GEN_DATABASE.chmod(0o640)
shutil.chown(GEN_DATABASE, LAVA_SYS_USER, LAVA_SYS_USER)
else:
print("* generate DATABASES [SKIP]")
# Reload the configuration
config = load_configuration()
# Run fixup scripts
if options.fixup:
print("Run fixups:")
fixup()
if options.db:
print("Create database:")
create_database(config)
update_database()
if __name__ == "__main__":
sys.exit(main())
|