summaryrefslogtreecommitdiff
path: root/pid.go
diff options
context:
space:
mode:
authorRuben Pollan <meskio@sindominio.net>2018-03-19 08:38:18 +0100
committerRuben Pollan <meskio@sindominio.net>2018-03-20 10:29:26 +0100
commite7ab6ad504b0a7524766717c9b68c2ac332f07f1 (patch)
tree4745266ce68ac64daec66c7e8b8d5036119f22b5 /pid.go
parent5dd03466c628b63ce4f746997e4fb77f0f2b960f (diff)
[feat] only one systray can be in execution
Create a systray.pid file to check if another systray is in execution and only one systray is allowed to be running. - Resolves: #17
Diffstat (limited to 'pid.go')
-rw-r--r--pid.go87
1 files changed, 87 insertions, 0 deletions
diff --git a/pid.go b/pid.go
new file mode 100644
index 0000000..0636110
--- /dev/null
+++ b/pid.go
@@ -0,0 +1,87 @@
+package main
+
+import (
+ "fmt"
+ "io/ioutil"
+ "os"
+ "path/filepath"
+ "strconv"
+ "syscall"
+
+ "0xacab.org/leap/bitmask-systray/bitmask"
+)
+
+var pidFile = filepath.Join(bitmask.ConfigPath, "systray.pid")
+
+func acquirePID() error {
+ pid := syscall.Getpid()
+ current, err := getPID()
+ if err != nil {
+ return err
+ }
+
+ if current != 0 && current != pid {
+ proc, err := os.FindProcess(current)
+ if err != nil {
+ return err
+ }
+ err = proc.Signal(syscall.Signal(0))
+ if err == nil {
+ return fmt.Errorf("Another systray is running with pid: %d", current)
+ }
+ }
+
+ return setPID(pid)
+}
+
+func releasePID() error {
+ pid := syscall.Getpid()
+ current, err := getPID()
+ if err != nil {
+ return err
+ }
+ if current != 0 && current != pid {
+ return fmt.Errorf("Can't release pid file, is not own by this process")
+ }
+
+ if current == pid {
+ return os.Remove(pidFile)
+ }
+ return nil
+}
+
+func getPID() (int, error) {
+ _, err := os.Stat(pidFile)
+ if os.IsNotExist(err) {
+ return 0, nil
+ }
+ if err != nil {
+ return 0, err
+ }
+
+ file, err := os.Open(pidFile)
+ if err != nil {
+ return 0, err
+ }
+ defer file.Close()
+
+ b, err := ioutil.ReadAll(file)
+ if err != nil {
+ return 0, err
+ }
+ if len(b) == 0 {
+ return 0, nil
+ }
+ return strconv.Atoi(string(b))
+}
+
+func setPID(pid int) error {
+ file, err := os.Create(pidFile)
+ if err != nil {
+ return err
+ }
+ defer file.Close()
+
+ _, err = file.WriteString(fmt.Sprintf("%d", pid))
+ return err
+}