mirror of
https://github.com/AvengeMedia/DankMaterialShell.git
synced 2025-12-05 21:15:38 -05:00
93 lines
2.1 KiB
Go
93 lines
2.1 KiB
Go
package main
|
|
|
|
import (
|
|
"fmt"
|
|
"os/exec"
|
|
"strings"
|
|
)
|
|
|
|
func commandExists(cmd string) bool {
|
|
_, err := exec.LookPath(cmd)
|
|
return err == nil
|
|
}
|
|
|
|
// findCommandPath returns the absolute path to a command in PATH
|
|
func findCommandPath(cmd string) (string, error) {
|
|
path, err := exec.LookPath(cmd)
|
|
if err != nil {
|
|
return "", fmt.Errorf("command '%s' not found in PATH", cmd)
|
|
}
|
|
return path, nil
|
|
}
|
|
|
|
func isArchPackageInstalled(packageName string) bool {
|
|
cmd := exec.Command("pacman", "-Q", packageName)
|
|
err := cmd.Run()
|
|
return err == nil
|
|
}
|
|
|
|
type systemdServiceState struct {
|
|
Name string
|
|
EnabledState string
|
|
NeedsDisable bool
|
|
Exists bool
|
|
}
|
|
|
|
// checkSystemdServiceEnabled returns (state, should_disable, error) for a systemd service
|
|
func checkSystemdServiceEnabled(serviceName string) (string, bool, error) {
|
|
cmd := exec.Command("systemctl", "is-enabled", serviceName)
|
|
output, err := cmd.Output()
|
|
|
|
stateStr := strings.TrimSpace(string(output))
|
|
|
|
if err != nil {
|
|
knownStates := []string{"disabled", "masked", "masked-runtime", "not-found", "enabled", "enabled-runtime", "static", "indirect", "alias"}
|
|
isKnownState := false
|
|
for _, known := range knownStates {
|
|
if stateStr == known {
|
|
isKnownState = true
|
|
break
|
|
}
|
|
}
|
|
|
|
if !isKnownState {
|
|
return stateStr, false, fmt.Errorf("systemctl is-enabled failed: %w (output: %s)", err, stateStr)
|
|
}
|
|
}
|
|
|
|
shouldDisable := false
|
|
switch stateStr {
|
|
case "enabled", "enabled-runtime", "static", "indirect", "alias":
|
|
shouldDisable = true
|
|
case "disabled", "masked", "masked-runtime", "not-found":
|
|
shouldDisable = false
|
|
default:
|
|
shouldDisable = true
|
|
}
|
|
|
|
return stateStr, shouldDisable, nil
|
|
}
|
|
|
|
func getSystemdServiceState(serviceName string) (*systemdServiceState, error) {
|
|
state := &systemdServiceState{
|
|
Name: serviceName,
|
|
Exists: false,
|
|
}
|
|
|
|
enabledState, needsDisable, err := checkSystemdServiceEnabled(serviceName)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("failed to check enabled state: %w", err)
|
|
}
|
|
|
|
state.EnabledState = enabledState
|
|
state.NeedsDisable = needsDisable
|
|
|
|
if enabledState == "not-found" {
|
|
state.Exists = false
|
|
return state, nil
|
|
}
|
|
|
|
state.Exists = true
|
|
return state, nil
|
|
}
|