forked from ifad/clammit
-
Notifications
You must be signed in to change notification settings - Fork 0
/
main.go
404 lines (371 loc) · 10.3 KB
/
main.go
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
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
/*
* The Clammit application intercepts HTTP POST/PATCH/PUT requests, forwards any
* "file" form-data elements to ClamAV and only forwards the request to the
* application if ClamAV passes all of these elements as virus-free.
*/
package main
import (
"bytes"
"clammit/forwarder"
"clammit/scanner"
"encoding/json"
"flag"
"fmt"
"gopkg.in/gcfg.v1"
"log"
"net"
"net/http"
"net/url"
"os"
"os/signal"
"runtime"
"strconv"
"strings"
"syscall"
)
/* This is for Go Releaser.
* https://github.com/goreleaser/goreleaser#a-note-about-mainversion
*/
var version = "master"
//
// Configuration structure, designed for gcfg
//
type Config struct {
App ApplicationConfig `gcfg:"application"`
}
type ApplicationConfig struct {
// The address to listen on. This can be one of:
// * tcp:host:port
// * tcp:port
// * unix:filename
// * host:port
// * :port
//
// For example:
// Listen: tcp:0.0.0.0:8438
// Listen: unix:/tmp/clammit.sock
// Listen: :8438
Listen string `gcfg:"listen"`
// Socket file permissions (only used if listening on a unix socket), in octal form.
//
// For example:
// SocketPerms: 0766
SocketPerms string `gcfg:"unix-socket-perms"`
// The URL of the application that Clammit is proxying. Generally, this will
// be the base URL (http://host:port/), but you can also add a path prefix
// if needed (http://host:port/prefix)
ApplicationURL string `gcfg:"application-url"`
// The URL of clamd, which will either be TCP or Unix:
//
// For example:
// ClamdURL: tcp://localhost:3310
// ClamdURL: unix:/tmp/clamd.sock
ClamdURL string `gcfg:"clamd-url"`
// The HTTP status code to return when a virus is found
VirusStatusCode int `gcfg:"virus-status-code"`
// If the body content-length exceeds this value, it will be written to
// disk. Below it, we'll hold the whole body in memory to improve speed.
ContentMemoryThreshold int64 `gcfg:"content-memory-threshold"`
// Log file name (default is to log to stdout)
Logfile string `gcfg:"log-file"`
// If true, clammit will expose a small test HTML page.
TestPages bool `gcfg:"test-pages"`
// If true, will log the progression of each request through the forwarder
Debug bool `gcfg:"debug"`
// Number of CPU threads to use
NumThreads int `gcfg:"num-threads"`
}
//
// Default configuration
//
var DefaultApplicationConfig = ApplicationConfig{
Listen: ":8438",
SocketPerms: "0777",
ApplicationURL: "",
ClamdURL: "",
VirusStatusCode: 418,
ContentMemoryThreshold: 1024 * 1024,
Logfile: "",
TestPages: true,
Debug: false,
NumThreads: runtime.NumCPU(),
}
//
// Application context
//
type Ctx struct {
Config Config
ApplicationURL *url.URL
ScanInterceptor *ScanInterceptor
Scanner scanner.Scanner
Logger *log.Logger
Listener net.Listener
ActivityChan chan int
ShuttingDown bool
}
//
// JSON server information response
//
type Info struct {
Version string `json:"clammit_version"`
Address string `json:"scan_server_url"`
PingResult string `json:"ping_result"`
ScannerVersion string `json:"scan_server_version"`
TestScanVirusResult string `json:"test_scan_virus"`
TestScanCleanResult string `json:"test_scan_clean"`
}
//
// Global variables and config
//
var ctx *Ctx
var configFile string
var EICAR = []byte(`X5O!P%@AP[4\PZX54(P^)7CC)7}$EICAR-STANDARD-ANTIVIRUS-TEST-FILE!$H+H*`)
func init() {
flag.StringVar(&configFile, "config", "", "Configuration file")
}
func main() {
/*
* Construct configuration, set up logging
*/
flag.Parse()
ctx = &Ctx{
ActivityChan: make(chan int),
ShuttingDown: false,
}
ctx.Config.App = DefaultApplicationConfig
if err := gcfg.ReadFileInto(&ctx.Config, configFile); err != nil {
log.Fatalf("Configuration read failure: %s", err.Error())
}
// Socket perms are octal!
socketPerms := 0777
if ctx.Config.App.SocketPerms != "" {
if sp, err := strconv.ParseInt(ctx.Config.App.SocketPerms, 8, 0); err == nil {
socketPerms = int(sp)
} else {
log.Fatalf("SocketPerms invalid (expected 4-digit octal: %s", err.Error())
}
}
// Allow multi-proc
runtime.GOMAXPROCS(ctx.Config.App.NumThreads)
startLogging()
/*
* Construct objects, validate the URLs
*/
ctx.ApplicationURL = checkURL(ctx.Config.App.ApplicationURL)
checkURL(ctx.Config.App.ClamdURL)
ctx.Scanner = new(scanner.Clamav)
ctx.Scanner.SetLogger(ctx.Logger, ctx.Config.App.Debug)
ctx.Scanner.SetAddress(ctx.Config.App.ClamdURL)
ctx.ScanInterceptor = &ScanInterceptor{
VirusStatusCode: ctx.Config.App.VirusStatusCode,
Scanner: ctx.Scanner,
}
/*
* Set up the HTTP server
*/
router := http.NewServeMux()
router.HandleFunc("/clammit", infoHandler)
router.HandleFunc("/clammit/scan", scanHandler)
router.HandleFunc("/clammit/readyz", readyzHandler)
if ctx.Config.App.TestPages {
fs := http.FileServer(http.Dir("testfiles"))
router.Handle("/clammit/test/", http.StripPrefix("/clammit/test/", fs))
}
router.HandleFunc("/", scanForwardHandler)
if listener, err := getListener(ctx.Config.App.Listen, socketPerms); err != nil {
ctx.Logger.Fatal("Unable to listen on: ", ctx.Config.App.Listen, ", reason: ", err)
} else {
ctx.Listener = listener
beGraceful() // graceful shutdown from here on in
ctx.Logger.Println("Listening on", ctx.Config.App.Listen)
http.Serve(listener, router)
}
}
/*
* Starts logging
*/
func startLogging() {
if ctx.Config.App.Logfile != "" {
w, err := os.OpenFile(ctx.Config.App.Logfile, os.O_CREATE|os.O_WRONLY|os.O_APPEND, 0660)
if err == nil {
ctx.Logger = log.New(w, "", log.LstdFlags)
} else {
log.Fatal("Failed to open log file", ctx.Config.App.Logfile, ":", err)
}
} else {
ctx.Logger = log.New(os.Stdout, "", log.LstdFlags)
ctx.Logger.Println("No log file configured - using stdout")
}
}
/*
* Handles graceful shutdown. Sets ctx.ShuttingDown = true to stop any new
* requests, then waits for active requests to complete before closing the
* HTTP listener.
*/
func beGraceful() {
sigchan := make(chan os.Signal)
signal.Notify(sigchan, syscall.SIGINT, syscall.SIGTERM)
go func() {
activity := 0
for {
select {
case _ = <-sigchan:
ctx.Logger.Println("Received termination signal")
ctx.ShuttingDown = true
for activity > 0 {
ctx.Logger.Printf("There are %d active requests, waiting", activity)
i := <-ctx.ActivityChan
activity += i
}
// This will cause main() to continue from http.Serve()
// it will also clean up the unix socket (if relevant)
ctx.Listener.Close()
case i := <-ctx.ActivityChan:
activity += i
}
}
}()
}
/*
* Validates the URL is OK (fatal error if not) and returns it
*/
func checkURL(urlString string) *url.URL {
parsedURL, err := url.Parse(urlString)
if err != nil {
log.Fatal("Invalid URL:", urlString)
}
return parsedURL
}
/*
* Returns a TCP or Unix socket listener, according to the scheme prefix:
*
* unix:/tmp/foo.sock
* tcp::8438
* :8438 - tcp listener
*/
func getListener(address string, socketPerms int) (listener net.Listener, err error) {
if address == "" {
return nil, fmt.Errorf("No listen address specified")
}
if idx := strings.Index(address, ":"); idx >= 0 {
scheme := address[0:idx]
switch scheme {
case "tcp", "tcp4":
path := address[idx+1:]
if strings.Index(path, ":") == -1 {
path = ":" + path
}
listener, err = net.Listen(scheme, path)
case "tcp6": // general form: [host]:port
path := address[idx+1:]
if strings.Index(path, "[") != 0 { // port only
if strings.Index(path, ":") != 0 { // no leading :
path = ":" + path
}
}
listener, err = net.Listen(scheme, path)
case "unix", "unixpacket":
path := address[idx+1:]
if listener, err = net.Listen(scheme, path); err == nil {
os.Chmod(path, os.FileMode(socketPerms))
}
default: // assume TCP4 address
listener, err = net.Listen("tcp", address)
}
} else { // no scheme, port only specified
listener, err = net.Listen("tcp", ":"+address)
}
return listener, err
}
/*
* Handler for /scan
*
* Virus checks file and sends response
*/
func scanHandler(w http.ResponseWriter, req *http.Request) {
if ctx.ShuttingDown {
return
}
ctx.ActivityChan <- 1
defer func() { ctx.ActivityChan <- -1 }()
if !ctx.ScanInterceptor.Handle(w, req, req.Body) {
w.Write([]byte("No virus found"))
}
}
/*
* Handler for scan & forward
*
* Constructs a forwarder and calls it
*/
func scanForwardHandler(w http.ResponseWriter, req *http.Request) {
if ctx.ShuttingDown {
return
}
ctx.ActivityChan <- 1
defer func() { ctx.ActivityChan <- -1 }()
fw := forwarder.NewForwarder(ctx.ApplicationURL, ctx.Config.App.ContentMemoryThreshold, ctx.ScanInterceptor)
fw.SetLogger(ctx.Logger, ctx.Config.App.Debug)
fw.HandleRequest(w, req)
}
/*
* Handler for /info
*
* Validates the Scanner connection
* Emits the information as a JSON response
*/
func infoHandler(w http.ResponseWriter, req *http.Request) {
if ctx.ShuttingDown {
return
}
ctx.ActivityChan <- 1
defer func() { ctx.ActivityChan <- -1 }()
info := &Info{
Address: ctx.Scanner.Address(),
Version: version,
}
if err := ctx.Scanner.Ping(); err != nil {
info.PingResult = err.Error()
} else {
info.PingResult = "Connected to server OK"
if response, err := ctx.Scanner.Version(); err != nil {
info.ScannerVersion = err.Error()
} else {
info.ScannerVersion = response
}
/*
* Validate the Clamd response for a viral string
*/
reader := bytes.NewReader(EICAR)
if result, err := ctx.Scanner.Scan(reader); err != nil {
info.TestScanVirusResult = err.Error()
} else {
info.TestScanVirusResult = result.String()
}
/*
* Validate the Clamd response for a non-viral string
*/
reader = bytes.NewReader([]byte("foo bar mcgrew"))
if result, err := ctx.Scanner.Scan(reader); err != nil {
info.TestScanCleanResult = err.Error()
} else {
info.TestScanCleanResult = result.String()
}
}
// Aaaand return
s, _ := json.Marshal(info)
w.Header().Set("Content-Type", "application/json")
w.Write([]byte(s))
}
/*
* Handler for /clammit/readyz
*
* Returns 200 OK unless we are shutting down. Used in k8s.
* See https://github.com/ifad/clammit/issues/23
*/
func readyzHandler(w http.ResponseWriter, req *http.Request) {
if ctx.ShuttingDown {
w.WriteHeader(503)
} else {
w.WriteHeader(200)
}
}