| 12345678910111213141516171819202122232425262728293031323334353637383940414243444546 | package ncutilsimport (	"fmt"	"os"	"strconv")// PIDFILE - path/name of pid fileconst PIDFILE = "/var/run/netclient.pid"// WindowsPIDError - error returned from pid function on windowstype WindowsPIDError struct{}// Error generates error for windows osfunc (*WindowsPIDError) Error() string {	return "pid tracking not supported on windows"}// SavePID - saves the pid of running program to diskfunc SavePID() error {	if IsWindows() {		return nil	}	pid := os.Getpid()	if err := os.WriteFile(PIDFILE, []byte(fmt.Sprintf("%d", pid)), 0644); err != nil {		return fmt.Errorf("could not write to pid file %w", err)	}	return nil}// ReadPID - reads a previously saved pid from diskfunc ReadPID() (int, error) {	if IsWindows() {		return 0, nil	}	bytes, err := os.ReadFile(PIDFILE)	if err != nil {		return 0, fmt.Errorf("could not read pid file %w", err)	}	pid, err := strconv.Atoi(string(bytes))	if err != nil {		return 0, fmt.Errorf("pid file contents invalid %w", err)	}	return pid, nil}
 |