4a591be887bc02dc742f57adad4c790edd18dce8
[src/xds/xds-server.git] / lib / apiv1 / exec.go
1 package apiv1
2
3 import (
4         "fmt"
5         "net/http"
6         "os"
7         "regexp"
8         "strconv"
9         "strings"
10         "time"
11
12         "github.com/gin-gonic/gin"
13         common "github.com/iotbzh/xds-common/golib"
14         "github.com/iotbzh/xds-common/golib/eows"
15         "github.com/kr/pty"
16 )
17
18 type (
19         // ExecArgs JSON parameters of /exec command
20         ExecArgs struct {
21                 ID              string   `json:"id" binding:"required"`
22                 SdkID           string   `json:"sdkid"` // sdk ID to use for setting env
23                 Cmd             string   `json:"cmd" binding:"required"`
24                 Args            []string `json:"args"`
25                 Env             []string `json:"env"`
26                 RPath           string   `json:"rpath"`           // relative path into project
27                 TTY             bool     `json:"tty"`             // Use a tty, specific to gdb --tty option
28                 TTYGdbserverFix bool     `json:"ttyGdbserverFix"` // Set to true to activate gdbserver workaround about inferior output
29                 ExitImmediate   bool     `json:"exitImmediate"`   // when true, exit event sent immediately when command exited (IOW, don't wait file synchronization)
30                 CmdTimeout      int      `json:"timeout"`         // command completion timeout in Second
31         }
32
33         // ExecInMsg Message used to received input characters (stdin)
34         ExecInMsg struct {
35                 CmdID     string `json:"cmdID"`
36                 Timestamp string `json:"timestamp"`
37                 Stdin     string `json:"stdin"`
38         }
39
40         // ExecOutMsg Message used to send output characters (stdout+stderr)
41         ExecOutMsg struct {
42                 CmdID     string `json:"cmdID"`
43                 Timestamp string `json:"timestamp"`
44                 Stdout    string `json:"stdout"`
45                 Stderr    string `json:"stderr"`
46         }
47
48         // ExecExitMsg Message sent when executed command exited
49         ExecExitMsg struct {
50                 CmdID     string `json:"cmdID"`
51                 Timestamp string `json:"timestamp"`
52                 Code      int    `json:"code"`
53                 Error     error  `json:"error"`
54         }
55
56         // ExecSignalArgs JSON parameters of /exec/signal command
57         ExecSignalArgs struct {
58                 CmdID  string `json:"cmdID" binding:"required"`  // command id
59                 Signal string `json:"signal" binding:"required"` // signal number
60         }
61 )
62
63 const (
64         // ExecInEvent Event send in WS when characters are sent (stdin)
65         ExecInEvent = "exec:input"
66
67         // ExecOutEvent Event send in WS when characters are received (stdout or stderr)
68         ExecOutEvent = "exec:output"
69
70         // ExecExitEvent Event send in WS when program exited
71         ExecExitEvent = "exec:exit"
72
73         // ExecInferiorInEvent Event send in WS when characters are sent to an inferior (used by gdb inferior/tty)
74         ExecInferiorInEvent = "exec:inferior-input"
75
76         // ExecInferiorOutEvent Event send in WS when characters are received by an inferior
77         ExecInferiorOutEvent = "exec:inferior-output"
78 )
79
80 var execCommandID = 1
81
82 // ExecCmd executes remotely a command
83 func (s *APIService) execCmd(c *gin.Context) {
84         var gdbPty, gdbTty *os.File
85         var err error
86         var args ExecArgs
87         if c.BindJSON(&args) != nil {
88                 common.APIError(c, "Invalid arguments")
89                 return
90         }
91
92         // TODO: add permission ?
93
94         // Retrieve session info
95         sess := s.sessions.Get(c)
96         if sess == nil {
97                 common.APIError(c, "Unknown sessions")
98                 return
99         }
100         sop := sess.IOSocket
101         if sop == nil {
102                 common.APIError(c, "Websocket not established")
103                 return
104         }
105
106         // Allow to pass id in url (/exec/:id) or as JSON argument
107         id := c.Param("id")
108         if id == "" {
109                 id = args.ID
110         }
111         if id == "" {
112                 common.APIError(c, "Invalid id")
113                 return
114         }
115
116         f := s.mfolders.Get(id)
117         if f == nil {
118                 common.APIError(c, "Unknown id")
119                 return
120         }
121         folder := *f
122         prj := folder.GetConfig()
123
124         // Build command line
125         cmd := []string{}
126         // Setup env var regarding Sdk ID (used for example to setup cross toolchain)
127         if envCmd := s.sdks.GetEnvCmd(args.SdkID, prj.DefaultSdk); len(envCmd) > 0 {
128                 cmd = append(cmd, envCmd...)
129                 cmd = append(cmd, "&&")
130         } else {
131                 // It's an error if no envcmd found while a sdkid has been provided
132                 if args.SdkID != "" {
133                         common.APIError(c, "Unknown sdkid")
134                         return
135                 }
136         }
137
138         // FIXME - SEB: exec prevents to use syntax:
139         //  xds-exec -l debug -c xds-config.env -- "cd build && cmake .."
140         cmd = append(cmd, "cd", folder.GetFullPath(args.RPath))
141         cmd = append(cmd, "&&", "exec", args.Cmd)
142
143         // Process command arguments
144         cmdArgs := make([]string, len(args.Args)+1)
145         copy(cmdArgs, args.Args)
146
147         // Allocate pts if tty if used
148         if args.TTY {
149                 gdbPty, gdbTty, err = pty.Open()
150                 if err != nil {
151                         common.APIError(c, err.Error())
152                         return
153                 }
154
155                 s.log.Debugf("Client command tty: %v %v\n", gdbTty.Name(), gdbTty.Name())
156                 cmdArgs = append(cmdArgs, "--tty="+gdbTty.Name())
157         }
158
159         // Unique ID for each commands
160         cmdID := strconv.Itoa(execCommandID)
161         execCommandID++
162
163         // Create new execution over WS context
164         execWS := eows.New(strings.Join(cmd, " "), cmdArgs, sop, sess.ID, cmdID)
165         execWS.Log = s.log
166
167         // Append client project dir to environment
168         execWS.Env = append(args.Env, "CLIENT_PROJECT_DIR="+prj.ClientPath)
169
170         // Set command execution timeout
171         if args.CmdTimeout == 0 {
172                 // 0 : default timeout
173                 // TODO get default timeout from config.json file
174                 execWS.CmdExecTimeout = 24 * 60 * 60 // 1 day
175         } else {
176                 execWS.CmdExecTimeout = args.CmdTimeout
177         }
178
179         // Define callback for input (stdin)
180         execWS.InputEvent = ExecInEvent
181         execWS.InputCB = func(e *eows.ExecOverWS, stdin string) (string, error) {
182                 s.log.Debugf("STDIN <<%v>>", strings.Replace(stdin, "\n", "\\n", -1))
183
184                 // Handle Ctrl-D
185                 if len(stdin) == 1 && stdin == "\x04" {
186                         // Close stdin
187                         errMsg := fmt.Errorf("close stdin: %v", stdin)
188                         return "", errMsg
189                 }
190
191                 // Set correct path
192                 data := e.UserData
193                 rootPath := (*data)["RootPath"].(string)
194                 clientPath := (*data)["ClientPath"].(string)
195                 stdin = strings.Replace(stdin, clientPath, rootPath+"/"+clientPath, -1)
196
197                 return stdin, nil
198         }
199
200         // Define callback for output (stdout+stderr)
201         execWS.OutputCB = func(e *eows.ExecOverWS, stdout, stderr string) {
202                 // IO socket can be nil when disconnected
203                 so := s.sessions.IOSocketGet(e.Sid)
204                 if so == nil {
205                         s.log.Infof("%s not emitted: WS closed (sid:%s, msgid:%s)", ExecOutEvent, e.Sid, e.CmdID)
206                         return
207                 }
208
209                 // Retrieve project ID and RootPath
210                 data := e.UserData
211                 prjID := (*data)["ID"].(string)
212                 prjRootPath := (*data)["RootPath"].(string)
213                 gdbServerTTY := (*data)["gdbServerTTY"].(string)
214
215                 // Cleanup any references to internal rootpath in stdout & stderr
216                 stdout = strings.Replace(stdout, prjRootPath, "", -1)
217                 stderr = strings.Replace(stderr, prjRootPath, "", -1)
218
219                 s.log.Debugf("%s emitted - WS sid[4:] %s - id:%s - prjID:%s", ExecOutEvent, e.Sid[4:], e.CmdID, prjID)
220                 if stdout != "" {
221                         s.log.Debugf("STDOUT <<%v>>", strings.Replace(stdout, "\n", "\\n", -1))
222                 }
223                 if stderr != "" {
224                         s.log.Debugf("STDERR <<%v>>", strings.Replace(stderr, "\n", "\\n", -1))
225                 }
226
227                 // FIXME replace by .BroadcastTo a room
228                 err := (*so).Emit(ExecOutEvent, ExecOutMsg{
229                         CmdID:     e.CmdID,
230                         Timestamp: time.Now().String(),
231                         Stdout:    stdout,
232                         Stderr:    stderr,
233                 })
234                 if err != nil {
235                         s.log.Errorf("WS Emit : %v", err)
236                 }
237
238                 // XXX - Workaround due to gdbserver bug that doesn't redirect
239                 // inferior output (https://bugs.eclipse.org/bugs/show_bug.cgi?id=437532#c13)
240                 if gdbServerTTY == "workaround" && len(stdout) > 1 && stdout[0] == '&' {
241
242                         // Extract and cleanup string like &"bla bla\n"
243                         re := regexp.MustCompile("&\"(.*)\"")
244                         rer := re.FindAllStringSubmatch(stdout, -1)
245                         out := ""
246                         if rer != nil && len(rer) > 0 {
247                                 for _, o := range rer {
248                                         if len(o) >= 1 {
249                                                 out = strings.Replace(o[1], "\\n", "\n", -1)
250                                                 out = strings.Replace(out, "\\r", "\r", -1)
251                                                 out = strings.Replace(out, "\\t", "\t", -1)
252
253                                                 s.log.Debugf("STDOUT INFERIOR: <<%v>>", out)
254                                                 err := (*so).Emit(ExecInferiorOutEvent, ExecOutMsg{
255                                                         CmdID:     e.CmdID,
256                                                         Timestamp: time.Now().String(),
257                                                         Stdout:    out,
258                                                         Stderr:    "",
259                                                 })
260                                                 if err != nil {
261                                                         s.log.Errorf("WS Emit : %v", err)
262                                                 }
263                                         }
264                                 }
265                         } else {
266                                 s.log.Errorf("INFERIOR out parsing error: stdout=<%v>", stdout)
267                         }
268                 }
269         }
270
271         // Define callback for output
272         execWS.ExitCB = func(e *eows.ExecOverWS, code int, err error) {
273                 s.log.Debugf("Command [Cmd ID %s] exited: code %d, error: %v", e.CmdID, code, err)
274
275                 // IO socket can be nil when disconnected
276                 so := s.sessions.IOSocketGet(e.Sid)
277                 if so == nil {
278                         s.log.Infof("%s not emitted - WS closed (id:%s)", ExecExitEvent, e.CmdID)
279                         return
280                 }
281
282                 // Retrieve project ID and RootPath
283                 data := e.UserData
284                 prjID := (*data)["ID"].(string)
285                 exitImm := (*data)["ExitImmediate"].(bool)
286
287                 // XXX - workaround to be sure that Syncthing detected all changes
288                 if err := s.mfolders.ForceSync(prjID); err != nil {
289                         s.log.Errorf("Error while syncing folder %s: %v", prjID, err)
290                 }
291                 if !exitImm {
292                         // Wait end of file sync
293                         // FIXME pass as argument
294                         tmo := 60
295                         for t := tmo; t > 0; t-- {
296                                 s.log.Debugf("Wait file in-sync for %s (%d/%d)", prjID, t, tmo)
297                                 if sync, err := s.mfolders.IsFolderInSync(prjID); sync || err != nil {
298                                         if err != nil {
299                                                 s.log.Errorf("ERROR IsFolderInSync (%s): %v", prjID, err)
300                                         }
301                                         break
302                                 }
303                                 time.Sleep(time.Second)
304                         }
305                 }
306
307                 // Close client tty
308                 if gdbPty != nil {
309                         gdbPty.Close()
310                 }
311                 if gdbTty != nil {
312                         gdbTty.Close()
313                 }
314
315                 // FIXME replace by .BroadcastTo a room
316                 errSoEmit := (*so).Emit(ExecExitEvent, ExecExitMsg{
317                         CmdID:     e.CmdID,
318                         Timestamp: time.Now().String(),
319                         Code:      code,
320                         Error:     err,
321                 })
322                 if errSoEmit != nil {
323                         s.log.Errorf("WS Emit : %v", errSoEmit)
324                 }
325         }
326
327         // User data (used within callbacks)
328         data := make(map[string]interface{})
329         data["ID"] = prj.ID
330         data["RootPath"] = prj.RootPath
331         data["ClientPath"] = prj.ClientPath
332         data["ExitImmediate"] = args.ExitImmediate
333         if args.TTY && args.TTYGdbserverFix {
334                 data["gdbServerTTY"] = "workaround"
335         } else {
336                 data["gdbServerTTY"] = ""
337         }
338         execWS.UserData = &data
339
340         // Start command execution
341         s.log.Debugf("Execute [Cmd ID %s]: %v %v", execWS.CmdID, execWS.Cmd, execWS.Args)
342
343         err = execWS.Start()
344         if err != nil {
345                 common.APIError(c, err.Error())
346                 return
347         }
348
349         c.JSON(http.StatusOK,
350                 gin.H{
351                         "status": "OK",
352                         "cmdID":  execWS.CmdID,
353                 })
354 }
355
356 // ExecCmd executes remotely a command
357 func (s *APIService) execSignalCmd(c *gin.Context) {
358         var args ExecSignalArgs
359
360         if c.BindJSON(&args) != nil {
361                 common.APIError(c, "Invalid arguments")
362                 return
363         }
364
365         s.log.Debugf("Signal %s for command ID %s", args.Signal, args.CmdID)
366
367         e := eows.GetEows(args.CmdID)
368         if e == nil {
369                 common.APIError(c, "unknown cmdID")
370                 return
371         }
372
373         err := e.Signal(args.Signal)
374         if err != nil {
375                 common.APIError(c, err.Error())
376                 return
377         }
378
379         c.JSON(http.StatusOK,
380                 gin.H{
381                         "status": "OK",
382                 })
383 }