1
0
Fork 0
mirror of https://github.com/nix-community/home-manager.git synced 2025-03-31 04:04:32 +00:00

tests: test hm unit for user not in users.users

This commit is contained in:
Matt Schreiber 2025-03-15 17:03:40 -04:00
parent 28b891bd66
commit 95780fbdc1
No known key found for this signature in database

View file

@ -1,94 +1,177 @@
{ pkgs, ... }:
{ lib, pkgs, ... }:
{
name = "nixos-basics";
meta.maintainers = [ pkgs.lib.maintainers.rycee ];
nodes.machine = { ... }: {
imports = [ ../../../nixos ]; # Import the HM NixOS module.
nodes.machine = { config, ... }:
let inherit (config.home-manager.users) bob;
in {
imports = [ ../../../nixos ]; # Import the HM NixOS module.
virtualisation.memorySize = 2048;
security.pam.services = {
chpasswd = { };
passwd = { };
};
users.users.alice = {
isNormalUser = true;
description = "Alice Foobar";
system.activationScripts.addBobUser = lib.fullDepEntry ''
${pkgs.shadow}/bin/useradd \
--comment 'Manually-created user' \
--create-home --no-user-group \
--gid ${lib.escapeShellArg config.users.groups.users.name} \
--home-dir ${lib.escapeShellArg bob.home.homeDirectory} \
--no-user-group \
--shell ${
lib.escapeShellArg (lib.getExe config.users.defaultUserShell)
} \
${lib.escapeShellArg bob.home.username}
'' [ "groups" "users" ];
virtualisation.memorySize = 2048;
# To be able to add the `bob` account with `useradd`.
users.mutableUsers = true;
users.users.alice = {
isNormalUser = true;
description = "Alice Foobar";
uid = 1000;
};
home-manager.users = let
common = {
home.stateVersion = "24.11";
home.file.test.text = "testfile";
# Enable a light-weight systemd service.
services.pueue.enable = true;
};
in {
alice = common;
# User without corresponding entry in `users.users`.
bob = { name, ... }: {
imports = [ common ];
home.stateVersion = "24.11";
home.username = lib.mkForce name;
home.homeDirectory = lib.mkForce "/var/tmp/hm/home/bob";
};
};
};
testScript = { nodes, ... }:
let
inherit (nodes.machine.home-manager.users) alice bob;
password = "foobar";
uid = 1000;
};
in ''
import pprint
from contextlib import contextmanager
from typing import Callable, Dict, Optional
home-manager.users.alice = { ... }: {
home.stateVersion = "24.11";
home.file.test.text = "testfile";
# Enable a light-weight systemd service.
services.pueue.enable = true;
};
};
def wait_for_unit_properties(
machine: Machine, unit: str, check: Callable[[Dict[str, str]], Dict[str, Optional[str]]], user: Optional[str] = None, timeout: int = 900,
) -> None:
def unit_has_properties(_):
info = machine.get_unit_info(unit, user)
mismatches = check(info)
if mismatches == {}:
return True
else:
machine.log(f"unit {unit} has unexpected properties {pprint.pformat(mismatches)}")
return False
testScript = ''
def login_as_alice():
machine.wait_until_tty_matches("1", "login: ")
machine.send_chars("alice\n")
machine.wait_until_tty_matches("1", "Password: ")
machine.send_chars("foobar\n")
machine.wait_until_tty_matches("1", "alice\\@machine")
with machine.nested(f"waiting for unit {unit} to satisfy expected properties"):
retry(unit_has_properties, timeout)
def logout_alice():
machine.send_chars("exit\n")
def wait_for_oneshot_successful_completion(
machine: Machine, unit: str, user: Optional[str] = None, timeout: int = 900
) -> None:
def unit_is_successfully_completed_oneshot(info: Dict[str, str]) -> Dict[str, Optional[str]]:
assert "Type" in info, f"unit {unit}'s properties include 'Type'"
assert info["Type"] == "oneshot", f"expected unit {unit}'s 'Type' to be 'oneshot'; got {info['Type']}"
def alice_cmd(cmd):
return f"su -l alice --shell /bin/sh -c $'export XDG_RUNTIME_DIR=/run/user/$UID ; {cmd}'"
props = ["ActiveState", "Result", "SubState"]
def succeed_as_alice(cmd):
return machine.succeed(alice_cmd(cmd))
if all([prop in info for prop in props]):
if "RemainAfterExit" in info and info["RemainAfterExit"] == "yes":
if info["ActiveState"] == "active" and info["Result"] == "success" and info["SubState"] == "exited":
return {}
elif info["ActiveState"] == "inactive" and info["Result"] == "success" and info["SubState"] == "dead":
return {}
def fail_as_alice(cmd):
return machine.fail(alice_cmd(cmd))
return {prop: info.get(prop) for prop in props}
start_all()
return wait_for_unit_properties(
machine, unit, unit_is_successfully_completed_oneshot, user=user, timeout=timeout
)
machine.wait_for_console_text("Finished Home Manager environment for alice.")
@contextmanager
def user_login(machine: Machine, user: str, password: str):
machine.wait_until_tty_matches("1", "login: ")
machine.send_chars(f"{user}\n")
machine.wait_until_tty_matches("1", "Password: ")
machine.send_chars(f"{password}\n")
machine.wait_until_tty_matches("1", f"{user}\\@{machine.name}")
with subtest("Home Manager file"):
# The file should be linked with the expected content.
path = "/home/alice/test"
machine.succeed(f"test -L {path}")
actual = machine.succeed(f"cat {path}")
expected = "testfile"
assert actual == expected, f"expected {path} to contain {expected}, but got {actual}"
try:
yield
finally:
machine.send_chars("exit\n")
with subtest("Pueue service"):
login_as_alice()
def cmd_for_user(user: str, cmd: str) -> str:
return f"su -l {user} --shell /bin/sh -c $'export XDG_RUNTIME_DIR=/run/user/$UID ; {cmd}'"
actual = succeed_as_alice("pueue status")
expected = "running"
assert expected in actual, f"expected pueue status to contain {expected}, but got {actual}"
def succeed_as_user(user: str, cmd: str) -> str:
return machine.succeed(cmd_for_user(user, cmd))
# Shut down pueue, then run the activation again. Afterwards, the service
# should be running.
machine.succeed("systemctl --user -M alice@.host stop pueued.service")
def fail_as_user(user: str, cmd: str) -> str:
return machine.fail(cmd_for_user(user, cmd))
fail_as_alice("pueue status")
start_all()
machine.systemctl("restart home-manager-alice.service")
machine.wait_for_console_text("Finished Home Manager environment for alice.")
for user in ["${alice.home.username}", "${bob.home.username}"]:
user_hm_unit = f"home-manager-{user}.service"
wait_for_oneshot_successful_completion(machine, user_hm_unit)
actual = succeed_as_alice("pueue status")
expected = "running"
assert expected in actual, f"expected pueue status to contain {expected}, but got {actual}"
machine.succeed(f"echo '{user}:${password}' | ${pkgs.shadow}/bin/chpasswd")
logout_alice()
with subtest(f"Home Manager file (user {user})"):
# The file should be linked with the expected content.
path = f"~{user}/test"
machine.succeed(f"test -L {path}")
actual = machine.succeed(f"cat {path}")
expected = "testfile"
assert actual == expected, f"expected {path} to contain {expected}, but got {actual}"
with subtest("GC root and profile"):
# There should be a GC root and Home Manager profile and they should point
# to the same path in the Nix store.
gcroot = "/home/alice/.local/state/home-manager/gcroots/current-home"
gcrootTarget = machine.succeed(f"readlink {gcroot}")
with subtest(f"Pueue service (user {user})"):
with user_login(machine, user, "${password}"):
actual = succeed_as_user(user, "pueue status")
expected = "running"
assert expected in actual, f"expected pueue status to contain {expected}, but got {actual}"
profile = "/home/alice/.local/state/nix/profiles"
profileTarget = machine.succeed(f"readlink {profile}/home-manager")
profile1Target = machine.succeed(f"readlink {profile}/{profileTarget}")
# Shut down pueue, then run the activation again. Afterwards, the
# service should be running.
machine.succeed(f"systemctl --user -M {user}@.host stop pueued.service")
assert gcrootTarget == profile1Target, \
f"expected GC root and profile to point to same, but pointed to {gcrootTarget} and {profile1Target}"
'';
fail_as_user(user, "pueue status")
machine.systemctl(f"restart {user_hm_unit}")
wait_for_oneshot_successful_completion(machine, user_hm_unit)
actual = succeed_as_user(user, "pueue status")
expected = "running"
assert expected in actual, f"expected pueue status to contain {expected}, but got {actual}"
with subtest(f"GC root and profile (user {user})"):
# There should be a GC root and Home Manager profile and they should
# point to the same path in the Nix store.
gcroot = f"~{user}/.local/state/home-manager/gcroots/current-home"
gcrootTarget = machine.succeed(f"readlink {gcroot}")
profile = f"~{user}/.local/state/nix/profiles"
profileTarget = machine.succeed(f"readlink {profile}/home-manager")
profile1Target = machine.succeed(f"readlink {profile}/{profileTarget}")
assert gcrootTarget == profile1Target, \
f"expected GC root and profile to point to same, but pointed to {gcrootTarget} and {profile1Target}"
'';
}