Add logsDir setting and more
[src/xds/xds-agent.git] / lib / syncthing / st.go
1 package st
2
3 import (
4         "encoding/json"
5         "io"
6         "io/ioutil"
7         "os"
8         "path"
9         "path/filepath"
10         "regexp"
11         "strings"
12         "syscall"
13         "time"
14
15         "fmt"
16
17         "os/exec"
18
19         "github.com/Sirupsen/logrus"
20         "github.com/iotbzh/xds-agent/lib/common"
21         "github.com/iotbzh/xds-agent/lib/xdsconfig"
22         "github.com/syncthing/syncthing/lib/config"
23 )
24
25 // SyncThing .
26 type SyncThing struct {
27         BaseURL string
28         APIKey  string
29         Home    string
30         STCmd   *exec.Cmd
31         STICmd  *exec.Cmd
32
33         // Private fields
34         binDir      string
35         logsDir     string
36         exitSTChan  chan ExitChan
37         exitSTIChan chan ExitChan
38         client      *common.HTTPClient
39         log         *logrus.Logger
40 }
41
42 // ExitChan Channel used for process exit
43 type ExitChan struct {
44         status int
45         err    error
46 }
47
48 // NewSyncThing creates a new instance of Syncthing
49 func NewSyncThing(conf *xdsconfig.Config, log *logrus.Logger) *SyncThing {
50         var url, apiKey, home, binDir string
51         var err error
52
53         stCfg := conf.FileConf.SThgConf
54         if stCfg != nil {
55                 url = stCfg.GuiAddress
56                 apiKey = stCfg.GuiAPIKey
57                 home = stCfg.Home
58                 binDir = stCfg.BinDir
59         }
60
61         if url == "" {
62                 url = "http://localhost:8384"
63         }
64         if url[0:7] != "http://" {
65                 url = "http://" + url
66         }
67
68         if home == "" {
69                 home = "/mnt/share"
70         }
71
72         if binDir == "" {
73                 if binDir, err = filepath.Abs(filepath.Dir(os.Args[0])); err != nil {
74                         binDir = "/usr/local/bin"
75                 }
76         }
77
78         s := SyncThing{
79                 BaseURL: url,
80                 APIKey:  apiKey,
81                 Home:    home,
82                 binDir:  binDir,
83                 logsDir: conf.FileConf.LogsDir,
84                 log:     log,
85         }
86
87         return &s
88 }
89
90 // Start Starts syncthing process
91 func (s *SyncThing) startProc(exeName string, args []string, env []string, eChan *chan ExitChan) (*exec.Cmd, error) {
92
93         // Kill existing process (useful for debug ;-) )
94         if os.Getenv("DEBUG_MODE") != "" {
95                 exec.Command("bash", "-c", "pkill -9 "+exeName).Output()
96         }
97
98         path, err := exec.LookPath(path.Join(s.binDir, exeName))
99         if err != nil {
100                 return nil, fmt.Errorf("Cannot find %s executable in %s", exeName, s.binDir)
101         }
102         cmd := exec.Command(path, args...)
103         cmd.Env = os.Environ()
104         for _, ev := range env {
105                 cmd.Env = append(cmd.Env, ev)
106         }
107
108         // open log file
109         var outfile *os.File
110         logFilename := filepath.Join(s.logsDir, exeName+".log")
111         if s.logsDir != "" {
112                 outfile, err := os.Create(logFilename)
113                 if err != nil {
114                         return nil, fmt.Errorf("Cannot create log file %s", logFilename)
115                 }
116
117                 cmdOut, err := cmd.StdoutPipe()
118                 if err != nil {
119                         return nil, fmt.Errorf("Pipe stdout error for : %s", err)
120                 }
121
122                 go io.Copy(outfile, cmdOut)
123         }
124
125         err = cmd.Start()
126         if err != nil {
127                 return nil, err
128         }
129
130         *eChan = make(chan ExitChan, 1)
131         go func(c *exec.Cmd, oF *os.File) {
132                 status := 0
133                 sts, err := c.Process.Wait()
134                 if !sts.Success() {
135                         s := sts.Sys().(syscall.WaitStatus)
136                         status = s.ExitStatus()
137                 }
138                 if oF != nil {
139                         oF.Close()
140                 }
141                 s.log.Debugf("%s exited with status %d, err %v", exeName, status, err)
142
143                 *eChan <- ExitChan{status, err}
144         }(cmd, outfile)
145
146         return cmd, nil
147 }
148
149 // Start Starts syncthing process
150 func (s *SyncThing) Start() (*exec.Cmd, error) {
151         var err error
152
153         s.log.Infof(" ST home=%s", s.Home)
154         s.log.Infof(" ST  url=%s", s.BaseURL)
155
156         args := []string{
157                 "--home=" + s.Home,
158                 "-no-browser",
159                 "--gui-address=" + s.BaseURL,
160         }
161
162         if s.APIKey != "" {
163                 args = append(args, "-gui-apikey=\""+s.APIKey+"\"")
164                 s.log.Infof(" ST apikey=%s", s.APIKey)
165         }
166         if s.log.Level == logrus.DebugLevel {
167                 args = append(args, "-verbose")
168         }
169
170         env := []string{
171                 "STNODEFAULTFOLDER=1",
172         }
173
174         s.STCmd, err = s.startProc("syncthing", args, env, &s.exitSTChan)
175
176         // Use autogenerated apikey if not set by config.json
177         if s.APIKey == "" {
178                 if fd, err := os.Open(filepath.Join(s.Home, "config.xml")); err == nil {
179                         defer fd.Close()
180                         if b, err := ioutil.ReadAll(fd); err == nil {
181                                 re := regexp.MustCompile("<apikey>(.*)</apikey>")
182                                 key := re.FindStringSubmatch(string(b))
183                                 if len(key) >= 1 {
184                                         s.APIKey = key[1]
185                                 }
186                         }
187                 }
188         }
189
190         return s.STCmd, err
191 }
192
193 // StartInotify Starts syncthing-inotify process
194 func (s *SyncThing) StartInotify() (*exec.Cmd, error) {
195         var err error
196         exeName := "syncthing-inotify"
197
198         s.log.Infof(" STI  url=%s", s.BaseURL)
199
200         args := []string{
201                 "-target=" + s.BaseURL,
202         }
203         if s.APIKey != "" {
204                 args = append(args, "-api="+s.APIKey)
205                 s.log.Infof("%s uses apikey=%s", exeName, s.APIKey)
206         }
207         if s.log.Level == logrus.DebugLevel {
208                 args = append(args, "-verbosity=4")
209         }
210
211         env := []string{}
212
213         s.STICmd, err = s.startProc(exeName, args, env, &s.exitSTIChan)
214
215         return s.STICmd, err
216 }
217
218 func (s *SyncThing) stopProc(pname string, proc *os.Process, exit chan ExitChan) {
219         if err := proc.Signal(os.Interrupt); err != nil {
220                 s.log.Infof("Proc interrupt %s error: %s", pname, err.Error())
221
222                 select {
223                 case <-exit:
224                 case <-time.After(time.Second):
225                         // A bigger bonk on the head.
226                         if err := proc.Signal(os.Kill); err != nil {
227                                 s.log.Infof("Proc term %s error: %s", pname, err.Error())
228                         }
229                         <-exit
230                 }
231         }
232         s.log.Infof("%s stopped (PID %d)", pname, proc.Pid)
233 }
234
235 // Stop Stops syncthing process
236 func (s *SyncThing) Stop() {
237         if s.STCmd == nil {
238                 return
239         }
240         s.stopProc("syncthing", s.STCmd.Process, s.exitSTChan)
241         s.STCmd = nil
242 }
243
244 // StopInotify Stops syncthing process
245 func (s *SyncThing) StopInotify() {
246         if s.STICmd == nil {
247                 return
248         }
249         s.stopProc("syncthing-inotify", s.STICmd.Process, s.exitSTIChan)
250         s.STICmd = nil
251 }
252
253 // Connect Establish HTTP connection with Syncthing
254 func (s *SyncThing) Connect() error {
255         var err error
256         s.client, err = common.HTTPNewClient(s.BaseURL,
257                 common.HTTPClientConfig{
258                         URLPrefix:           "/rest",
259                         HeaderClientKeyName: "X-Syncthing-ID",
260                 })
261         if err != nil {
262                 msg := ": " + err.Error()
263                 if strings.Contains(err.Error(), "connection refused") {
264                         msg = fmt.Sprintf("(url: %s)", s.BaseURL)
265                 }
266                 return fmt.Errorf("ERROR: cannot connect to Syncthing %s", msg)
267         }
268         if s.client == nil {
269                 return fmt.Errorf("ERROR: cannot connect to Syncthing (null client)")
270         }
271
272         s.client.SetLogger(s.log)
273
274         return nil
275 }
276
277 // IDGet returns the Syncthing ID of Syncthing instance running locally
278 func (s *SyncThing) IDGet() (string, error) {
279         var data []byte
280         if err := s.client.HTTPGet("system/status", &data); err != nil {
281                 return "", err
282         }
283         status := make(map[string]interface{})
284         json.Unmarshal(data, &status)
285         return status["myID"].(string), nil
286 }
287
288 // ConfigGet returns the current Syncthing configuration
289 func (s *SyncThing) ConfigGet() (config.Configuration, error) {
290         var data []byte
291         config := config.Configuration{}
292         if err := s.client.HTTPGet("system/config", &data); err != nil {
293                 return config, err
294         }
295         err := json.Unmarshal(data, &config)
296         return config, err
297 }
298
299 // ConfigSet set Syncthing configuration
300 func (s *SyncThing) ConfigSet(cfg config.Configuration) error {
301         body, err := json.Marshal(cfg)
302         if err != nil {
303                 return err
304         }
305         return s.client.HTTPPost("system/config", string(body))
306 }