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
|
package cgi
import (
"context"
"fmt"
"io"
"net"
"net/http"
"net/http/cgi"
"os"
"sync"
"time"
"git.capotej.com/capotej/communique/config"
)
type Servers struct{}
func NewServers() *Servers {
return &Servers{}
}
// Start iterates over all Handlers and starts an internal CGI server for each one
// along with ticker for the configured handler interval then blocks indefinitely
func (s *Servers) Start(cfg config.Config) {
var wg sync.WaitGroup
for _, handler := range cfg.Handlers {
wg.Add(2)
go func(aHandler config.Handler) {
defer wg.Done()
startCGIServer(aHandler)
}(handler)
go func(aHandler config.Handler) {
defer wg.Done()
startTicker(aHandler)
}(handler)
}
wg.Wait()
}
func startCGIServer(h config.Handler) {
cgiHandler := cgi.Handler{Path: h.Exec}
server := http.Server{
Handler: &cgiHandler,
}
sock := fmt.Sprintf("%s.sock", h.Name)
os.Remove(sock)
unixListener, err := net.Listen("unix", sock)
if err != nil {
panic(err)
}
server.Serve(unixListener)
}
func startTicker(h config.Handler) {
// TODO add config for this
ticker := time.NewTicker(5 * time.Second)
done := make(chan bool)
func() {
for {
select {
case <-done:
return
case _ = <-ticker.C:
tick(h)
}
}
}()
}
func tick(h config.Handler) {
sock := fmt.Sprintf("%s.sock", h.Name)
httpc := http.Client{
Transport: &http.Transport{
DialContext: func(_ context.Context, _, _ string) (net.Conn, error) {
return net.Dial("unix", sock)
},
},
}
var response *http.Response
var err error
response, err = httpc.Get("http://unix/" + sock)
if err != nil {
panic(err)
}
io.Copy(os.Stdout, response.Body)
}
|