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
|
//go:build windows
package main
import (
"errors"
"io/fs"
"os"
"path/filepath"
"strings"
"syscall"
"unsafe"
"golang.org/x/sys/windows"
"golang.org/x/sys/windows/registry"
)
type operation int
const (
HWND_BROADCAST = 0xFFFF
WM_SETTINGCHANGE = 0x001A
SMTO_ABORTIFHUNG = 0x0002
ERR_BAD_ARGS = 0x000A
OPERATION_FAILED = 0x06AC
Environment = "Environment"
Add operation = iota
Remove
Open
NotSpecified
)
func main() {
op := NotSpecified
if len(os.Args) >= 2 {
switch os.Args[1] {
case "add":
op = Add
case "remove":
op = Remove
case "open":
op = Open
}
}
// Stay silent since ran from an installer
if op == NotSpecified {
alert("Usage: " + filepath.Base(os.Args[0]) + " [add|remove]\n\nThis utility adds or removes the podman directory to the Windows Path.")
os.Exit(ERR_BAD_ARGS)
}
// Hidden operation as a workaround for the installer
if op == Open && len(os.Args) > 2 {
if err := winOpenFile(os.Args[2]); err != nil {
os.Exit(OPERATION_FAILED)
}
os.Exit(0)
}
if err := modify(op); err != nil {
os.Exit(OPERATION_FAILED)
}
}
func modify(op operation) error {
exe, err := os.Executable()
if err != nil {
return err
}
exe, err = filepath.EvalSymlinks(exe)
if err != nil {
return err
}
target := filepath.Dir(exe)
if op == Remove {
return removePathFromRegistry(target)
}
return addPathToRegistry(target)
}
// Appends a directory to the Windows Path stored in the registry
func addPathToRegistry(dir string) error {
k, _, err := registry.CreateKey(registry.CURRENT_USER, Environment, registry.WRITE|registry.READ)
if err != nil {
return err
}
defer k.Close()
existing, typ, err := k.GetStringValue("Path")
if err != nil {
return err
}
// Is this directory already on the windows path?
for element := range strings.SplitSeq(existing, ";") {
if strings.EqualFold(element, dir) {
// Path already added
return nil
}
}
// If the existing path is empty we don't want to start with a delimiter
if len(existing) > 0 {
existing += ";"
}
existing += dir
// It's important to preserve the registry key type so that it will be interpreted correctly
// EXPAND = evaluate variables in the expression, e.g. %PATH% should be expanded to the system path
// STRING = treat the contents as a string literal
if typ == registry.EXPAND_SZ {
err = k.SetExpandStringValue("Path", existing)
} else {
err = k.SetStringValue("Path", existing)
}
if err == nil {
broadcastEnvironmentChange()
}
return err
}
// Removes all occurrences of a directory path from the Windows path stored in the registry
func removePathFromRegistry(path string) error {
k, err := registry.OpenKey(registry.CURRENT_USER, Environment, registry.READ|registry.WRITE)
if err != nil {
if errors.Is(err, fs.ErrNotExist) {
// Nothing to clean up, the Environment registry key does not exist.
return nil
}
return err
}
defer k.Close()
existing, typ, err := k.GetStringValue("Path")
if err != nil {
return err
}
// No point preallocating we can't know how big the array needs to be.
//nolint:prealloc
var elements []string
for element := range strings.SplitSeq(existing, ";") {
if strings.EqualFold(element, path) {
continue
}
elements = append(elements, element)
}
newPath := strings.Join(elements, ";")
// Preserve value type (see corresponding comment above)
if typ == registry.EXPAND_SZ {
err = k.SetExpandStringValue("Path", newPath)
} else {
err = k.SetStringValue("Path", newPath)
}
if err == nil {
broadcastEnvironmentChange()
}
return err
}
// Sends a notification message to all top level windows informing them the environmental settings have changed.
// Applications such as the Windows command prompt and powershell will know to stop caching stale values on
// subsequent restarts. Since applications block the sender when receiving a message, we set a 3 second timeout
func broadcastEnvironmentChange() {
env, _ := syscall.UTF16PtrFromString(Environment)
user32 := syscall.NewLazyDLL("user32")
proc := user32.NewProc("SendMessageTimeoutW")
millis := 3000
//nolint:dogsled
_, _, _ = proc.Call(HWND_BROADCAST, WM_SETTINGCHANGE, 0, uintptr(unsafe.Pointer(env)), SMTO_ABORTIFHUNG, uintptr(millis), 0)
}
// Creates an "error" style pop-up window
func alert(caption string) int {
// Error box style
format := 0x10
user32 := syscall.NewLazyDLL("user32.dll")
captionPtr, _ := syscall.UTF16PtrFromString(caption)
titlePtr, _ := syscall.UTF16PtrFromString("winpath")
ret, _, _ := user32.NewProc("MessageBoxW").Call(
uintptr(0),
uintptr(unsafe.Pointer(captionPtr)),
uintptr(unsafe.Pointer(titlePtr)),
uintptr(format))
return int(ret)
}
func winOpenFile(file string) error {
verb, _ := syscall.UTF16PtrFromString("open")
fileW, _ := syscall.UTF16PtrFromString(file)
return windows.ShellExecute(0, verb, fileW, nil, nil, windows.SW_NORMAL)
}
|