-
Notifications
You must be signed in to change notification settings - Fork 14
/
Copy pathsniffer.go
1174 lines (967 loc) · 29.9 KB
/
sniffer.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
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
// Copyright 2012 Google, Inc. All rights reserved.
//
// Use of this source code is governed by a BSD-style license
// that can be found in the LICENSE file in the root of the source
// tree.
// The pcapdump binary implements a tcpdump-like command line tool with gopacket
// using pcap as a backend data collection mechanism.
//
// Use tcpassembly.go in the gpacket reassembly directory instead of the tcpassembly directory.
// HTTP protocol analysis, the request and response start flags need to be detected to prevent packet leakage.
// Author: asmcos
// Date: 2018
//
package main
import (
"bufio"
"bytes"
"compress/gzip"
"compress/zlib"
"encoding/hex"
"flag"
"fmt"
"io"
"io/ioutil"
"log"
"net/http"
"net/url"
"net/textproto"
"os"
"os/signal"
"runtime/pprof"
"strings"
"sync"
"time"
"encoding/json"
"github.com/google/gopacket"
"github.com/google/gopacket/examples/util"
"github.com/google/gopacket/ip4defrag"
"github.com/google/gopacket/layers" // pulls in all layers decoders
"github.com/google/gopacket/pcap"
"github.com/google/gopacket/reassembly"
"github.com/asmcos/requests"
//_ "net/http/pprof"
)
var maxcount = flag.Int("c", -1, "Only grab this many packets, then exit")
var statsevery = flag.Int("stats", 1000, "Output statistics every N packets")
var lazy = flag.Bool("lazy", false, "If true, do lazy decoding")
var nodefrag = flag.Bool("nodefrag", false, "If true, do not do IPv4 defrag")
var checksum = flag.Bool("checksum", false, "Check TCP checksum")
var nooptcheck = flag.Bool("nooptcheck", false, "Do not check TCP options (useful to ignore MSS on captures with TSO)")
var ignorefsmerr = flag.Bool("ignorefsmerr", false, "Ignore TCP FSM errors")
var allowmissinginit = flag.Bool("allowmissinginit", true, "Support streams without SYN/SYN+ACK/ACK sequence")
var verbose = flag.Bool("verbose", false, "Be verbose")
var debug = flag.Bool("debug", false, "Display debug information")
var quiet = flag.Bool("quiet", false, "Be quiet regarding errors")
// http
var nohttp = flag.Bool("nohttp", false, "Disable HTTP parsing")
var output = flag.String("output", "", "Path to create file for HTTP 200 OK responses")
var writeincomplete = flag.Bool("writeincomplete", false, "Write incomplete response")
var hexdump = flag.Bool("dump", false, "Dump HTTP request/response as hex")
var hexdumppkt = flag.Bool("dumppkt", false, "Dump packet as hex")
var djslen = flag.Int("dumpjs",0,"Display response javascript format length")
var dhtmllen = flag.Int("dumphtml",0,"Display response html format length")
var danystr = flag.String("dumpanystr","text/plain","Display response ContentType,e.g. text/html")
var danylen = flag.Int("dumpanylen",0,"Display response dumpanystr format length")
// capture
var iface = flag.String("i", "eth0", "Interface to read packets from")
var port = flag.Int("p", 80, "Interface to read packets from")
var fname = flag.String("r", "", "Filename to read from, overrides -i")
var snaplen = flag.Int("s", 65536, "Snap length (number of bytes max to read per packet")
var tstype = flag.String("timestamp_type", "", "Type of timestamps to use")
var promisc = flag.Bool("promisc", true, "Set promiscuous mode")
var memprofile = flag.String("memprofile", "", "Write memory profile")
var serverurl = flag.String("serverurl", "", "save data to remote server: http://www.cpython.org/httpdata/")
var signalChan chan os.Signal
var sysexit bool = false
var clientDeviceid string = ""
var clientDevicekey string = ""
const (
defaultMaxMemory = 32 << 20 // 32 MB
)
//var db *gorm.DB
// t is type 1:request,2:response
func HeaderToDB(session * requests.Request,h http.Header,t string) ([]requests.Datas){
var d []requests.Datas
for n,v :=range h{
val := strings.Join(v,", ")
d = append(d,requests.Datas{"type":t,
"name":n,
"values":val,
})
}
return d
}
func FormToDB(session *requests.Request,val url.Values,t string)([]requests.Datas){
var d []requests.Datas
for n,v :=range val{
content := strings.Join(v,", ")
d = append(d,requests.Datas{"type":t,
"name":n,
"values":content,
})
}
return d
}
var stats struct {
ipdefrag int
missedBytes int
pkt int
sz int
totalsz int
rejectFsm int
rejectOpt int
rejectConnFsm int
reassembled int
outOfOrderBytes int
outOfOrderPackets int
biggestChunkBytes int
biggestChunkPackets int
overlapBytes int
overlapPackets int
}
//const closeTimeout time.Duration = time.Hour * 24 // Closing inactive: TODO: from CLI
const closeTimeout time.Duration = time.Minute * 5 // Closing inactive: TODO: from CLI
const timeout time.Duration = time.Minute * 3 // Pending bytes: TODO: from CLI
/*
* HTTP part
*/
type httpGroup struct {
req *http.Request
reqFirstLine string
reqTimeStamp int64
reqFlag int //0=new,1=found,2=finish
resp *http.Response
respFirstLine string
respTimeStamp int64
respFlag int //0=new,1=found,2=finish
}
type httpReader struct {
ident string
isClient bool
bytes chan []byte
timeStamp chan int64
data []byte
hexdump bool
parent *tcpStream
logbuf string
srcip string
dstip string
srcport string
dstport string
httpstart int // 0 = new,1=find, 2 = old and find new
}
func (h *httpReader) Read(p []byte) (int, error) {
ok := true
for ok && len(h.data) == 0 {
h.data, ok = <-h.bytes
}
if !ok || len(h.data) == 0 {
return 0, io.EOF
}
ishttp,_ := detectHttp(h.data)
if ishttp {
switch h.httpstart {
case 0: // run read,only copy
h.httpstart = 1
l := copy(p, h.data)
return l,nil
case 1: //http read
h.httpstart = 2
l := copy(p, h.data)
h.data = h.data[l:]
return l, nil
case 2: //http read
h.httpstart = 0
return 0, io.EOF
}
}
l := copy(p, h.data)
h.data = h.data[l:]
return l, nil
}
func (h *httpReader) Print() {
fmt.Println(h.logbuf)
}
var outputLevel int
var errorsMap map[string]uint
var errorsMapMutex sync.Mutex
var errors uint
// Too bad for perf that a... is evaluated
func Error(t string, s string, a ...interface{}) {
errorsMapMutex.Lock()
errors++
nb, _ := errorsMap[t]
errorsMap[t] = nb + 1
errorsMapMutex.Unlock()
if outputLevel >= 0 {
fmt.Printf(s, a...)
}
}
func Info(s string, a ...interface{}) {
if outputLevel >= 1 {
fmt.Printf(s, a...)
}
}
func Debug(s string, a ...interface{}) {
if outputLevel >= 2 {
fmt.Printf(s, a...)
}
}
func printHeader(h http.Header)string{
var logbuf string
for k,v := range h{
logbuf += fmt.Sprintf("%s :%s\n",k,v)
}
return logbuf
}
// url.Values map[string][]string
func printForm(v url.Values)string{
var logbuf string
logbuf += fmt.Sprint("\n**************\n")
for k,data := range v{
logbuf += fmt.Sprint(k,":")
for _,d := range data{
logbuf += fmt.Sprintf("%s",d)
}
logbuf += "\n"
}
logbuf += fmt.Sprint("**************\n")
return logbuf
}
func printRequest(req *http.Request)string{
logbuf := fmt.Sprintf("\n")
logbuf += fmt.Sprintf("%s\n",req.Host)
logbuf += fmt.Sprintf("%s %s %s \n",req.Method, req.RequestURI, req.Proto)
logbuf += printHeader(req.Header)
logbuf += printForm(req.Form)
logbuf += printForm(req.PostForm)
if req.MultipartForm != nil {
logbuf += printForm(url.Values(req.MultipartForm.Value))
}
logbuf += fmt.Sprintf("\n")
return logbuf
}
func printResponse(resp *http.Response)string{
logbuf := fmt.Sprintf("\n")
logbuf += fmt.Sprintf("%s %s\n",resp.Proto, resp.Status)
logbuf += printHeader(resp.Header)
logbuf += fmt.Sprintf("\n")
return logbuf
}
// detect http infomation
// isRequest isResponse
func isRequest(data []byte) (bool,string) {
buf := bytes.NewBuffer(data)
reader := bufio.NewReader(buf)
tp := textproto.NewReader(reader)
firstLine, _ := tp.ReadLine()
arr := strings.Split(firstLine, " ")
switch strings.TrimSpace(arr[0]) {
case "GET", "HEAD", "POST", "PUT", "DELETE", "TRACE", "CONNECT":
return true,firstLine
default:
return false,firstLine
}
}
//server to client
func isResponse(data []byte) (bool,string) {
buf := bytes.NewBuffer(data)
reader := bufio.NewReader(buf)
tp := textproto.NewReader(reader)
firstLine, _:= tp.ReadLine()
return strings.HasPrefix(strings.TrimSpace(firstLine), "HTTP/"),firstLine
}
// 0 = response
// 1 = request
func detectHttp(data []byte) (bool ,int){
ishttp,_ := isResponse(data)
if ishttp{
return true,0
}
ishttp,_ = isRequest(data)
if ishttp{
return true,1 //request
}
return false,2
}
func (h *httpReader) DecompressBody(header http.Header, reader io.ReadCloser) (io.ReadCloser, bool) {
contentEncoding := header.Get("Content-Encoding")
var nr io.ReadCloser
var err error
if contentEncoding == "" {
// do nothing
return reader, false
} else if strings.Contains(contentEncoding, "gzip") {
nr, err = gzip.NewReader(reader)
if err != nil {
return reader, false
}
return nr, true
} else if strings.Contains(contentEncoding, "deflate") {
nr, err = zlib.NewReader(reader)
if err != nil {
return reader, false
}
return nr, true
} else {
return reader, false
}
}
func (h * httpReader) HandleRequest (timeStamp int64,firstline string) {
b := bufio.NewReader(h)
req, err := http.ReadRequest(b)
h.parent.UpdateReq(req,timeStamp,firstline)
if err == io.EOF || err == io.ErrUnexpectedEOF {
return
} else if err != nil {
Error("HTTP-request", "HTTP Request error: %s (%v,%+v)\n", err, err, err)
} else {
req.ParseMultipartForm(defaultMaxMemory)
r,ok := h.DecompressBody(req.Header,req.Body)
if ok {
defer r.Close()
}
contentType := req.Header.Get("Content-Type")
logbuf := fmt.Sprintf("%v->%v:%v->%v\n",h.srcip,h.dstip,h.srcport,h.dstport)
logbuf += printRequest(req)
if strings.Contains(contentType,"application/json"){
bodydata, err := ioutil.ReadAll(r)
if err == nil {
var jsonValue interface{}
err = json.Unmarshal([]byte(bodydata), &jsonValue)
if err == nil {
logbuf += fmt.Sprintf("%#v\n",jsonValue)
}
}
}
fmt.Printf("%s",logbuf)
}
}
func (h *httpReader) runClient(wg *sync.WaitGroup) {
defer wg.Done()
var p = make([]byte,1900)
for {
h.httpstart = 0
l,err := h.Read(p)
if (err == io.EOF){
return
}
if( l > 8 ){
isReq,firstLine := isRequest(p)
if(isReq){ //start new request
timeStamp := <-h.timeStamp
h.HandleRequest(timeStamp,firstLine)
}
}
}
}
func (h * httpReader) HandleResponse (timeStamp int64,firstline string) {
b := bufio.NewReader(h)
resp, err := http.ReadResponse(b, nil)
h.parent.UpdateResp(resp,timeStamp,firstline)
if err == io.EOF || err == io.ErrUnexpectedEOF {
return
} else if err != nil {
Error("HTTP-reponse", "HTTP Response error: %s (%v,%+v)\n", err, err, err)
} else {
r,ok := h.DecompressBody(resp.Header,resp.Body)
if ok {
defer r.Close()
}
contentType := resp.Header.Get("Content-Type")
logbuf := fmt.Sprintf("%v->%v:%v->%v\n",h.srcip,h.dstip,h.srcport,h.dstport)
logbuf += printResponse(resp)
if strings.Contains(contentType,"application/json"){
bodydata, err := ioutil.ReadAll(r)
if err == nil {
var jsonValue interface{}
err = json.Unmarshal([]byte(bodydata), &jsonValue)
if err == nil {
logbuf += fmt.Sprintf("%#v\n",jsonValue)
}
}
} else if strings.Contains(contentType,"application/javascript"){
bodydata, err := ioutil.ReadAll(r)
bodylen := len(bodydata)
if bodylen < *djslen{
*djslen = bodylen
}
if err == nil {
logbuf += fmt.Sprintf("%s\n",string(bodydata[:*djslen]))
}
} else if strings.Contains(contentType,"text/html"){
bodydata, err := ioutil.ReadAll(r)
bodylen := len(bodydata)
if bodylen < *dhtmllen{
*dhtmllen = bodylen
}
if err == nil {
logbuf += fmt.Sprintf("%s\n",string(bodydata[:*dhtmllen]))
}
} else if strings.Contains(contentType,*danystr){ //default text/plain
bodydata, err := ioutil.ReadAll(r)
bodylen := len(bodydata)
if bodylen < *danylen{
*danylen = bodylen
}
if err == nil {
logbuf += fmt.Sprintf("%s\n",string(bodydata[:*danylen]))
}
}
fmt.Printf("%s",logbuf)
}
}
// response
func (h *httpReader) runServer(wg *sync.WaitGroup) {
defer wg.Done()
var p = make([]byte,1900)
for {
h.httpstart = 0
l,err := h.Read(p)
if (err == io.EOF){
return
}
if( l > 8 ){
isResp,firstLine := isResponse(p)
if(isResp){ //start new response
timeStamp := <-h.timeStamp
h.HandleResponse(timeStamp,firstLine)
}
}
}
}
/*
* The TCP factory: returns a new Stream
*/
type tcpStreamFactory struct {
wg sync.WaitGroup
doHTTP bool
}
func (factory *tcpStreamFactory) New(net, transport gopacket.Flow, tcp *layers.TCP, ac reassembly.AssemblerContext) reassembly.Stream {
Debug("* NEW: %s %s\n", net, transport)
sip,dip := net.Endpoints()
srcip := fmt.Sprintf("%s",sip)
dstip := fmt.Sprintf("%s",dip)
fsmOptions := reassembly.TCPSimpleFSMOptions{
SupportMissingEstablishment: *allowmissinginit,
}
stream := &tcpStream{
net: net,
transport: transport,
isHTTP: (tcp.SrcPort == layers.TCPPort(*port) || tcp.DstPort == layers.TCPPort(*port)) && factory.doHTTP,
reversed: tcp.SrcPort == layers.TCPPort(*port),
tcpstate: reassembly.NewTCPSimpleFSM(fsmOptions),
ident: fmt.Sprintf("%s:%s", net, transport),
optchecker: reassembly.NewTCPOptionCheck(),
}
if stream.isHTTP {
stream.client = httpReader{
bytes: make(chan []byte),
timeStamp: make(chan int64),
ident: fmt.Sprintf("%s %s", net, transport),
hexdump: *hexdump,
parent: stream,
isClient: true,
srcport: fmt.Sprintf("%d",tcp.SrcPort),
dstport: fmt.Sprintf("%d",tcp.DstPort),
srcip: srcip,
dstip: dstip,
httpstart:0,
}
stream.server = httpReader{
bytes: make(chan []byte),
timeStamp: make(chan int64),
ident: fmt.Sprintf("%s %s", net.Reverse(), transport.Reverse()),
hexdump: *hexdump,
parent: stream,
dstport: fmt.Sprintf("%d",tcp.SrcPort),
srcport: fmt.Sprintf("%d",tcp.DstPort),
dstip: srcip,
srcip: dstip,
httpstart:0,
}
factory.wg.Add(2)
go stream.client.runClient(&factory.wg)
go stream.server.runServer(&factory.wg)
}
return stream
}
func (factory *tcpStreamFactory) WaitGoRoutines() {
factory.wg.Wait()
}
/*
* The assembler context
*/
type Context struct {
CaptureInfo gopacket.CaptureInfo
}
func (c *Context) GetCaptureInfo() gopacket.CaptureInfo {
return c.CaptureInfo
}
/*
* TCP stream
*/
/* It's a connection (bidirectional) */
type tcpStream struct {
tcpstate *reassembly.TCPSimpleFSM
fsmerr bool
optchecker reassembly.TCPOptionCheck
net, transport gopacket.Flow
isHTTP bool
reversed bool
client httpReader
server httpReader
urls []string
ident string
all []httpGroup
hg sync.Mutex
sync.Mutex
}
//req = 1 is request
//req = 0 is response
func (t * tcpStream) NewhttpGroup(req int,timestamp int64) {
t.hg.Lock()
for _, hg := range t.all {
//exist same req
if hg.reqTimeStamp == timestamp||hg.respTimeStamp == timestamp{
fmt.Println("Have same ",req,timestamp)
t.hg.Unlock()
return
}
}
if req == 1 {
//try find response
for i, hg := range t.all {
if hg.respFlag > 0 && hg.reqFlag == 0{
t.all[i].respFlag = 1
t.all[i].respTimeStamp = timestamp
t.hg.Unlock()
return
}
}
hg := httpGroup{
reqFlag : 1,
reqTimeStamp : timestamp,
respFlag : 0,
}
t.all = append(t.all,hg)
t.hg.Unlock()
} else {
//try find request
for i, hg := range t.all {
if hg.reqFlag > 0 && hg.respFlag == 0{
t.all[i].respFlag = 1
t.all[i].respTimeStamp = timestamp
t.hg.Unlock()
return
}
}
hg := httpGroup{
respFlag :1,
respTimeStamp :timestamp,
reqFlag :0,
}
t.all = append(t.all,hg)
t.hg.Unlock()
}
}
func (t * tcpStream) UpdateReq(req * http.Request,timestamp int64,firstLine string) {
t.hg.Lock()
for i, hg := range t.all {
if hg.reqTimeStamp == timestamp {
t.all[i].req = req
t.all[i].reqFlag = 2
t.all[i].reqFirstLine = firstLine
if hg.respFlag == 2{
t.Save(&t.all[i])
if i < len(t.all){
t.all = append(t.all[:i],t.all[i+1:]...)
} else {
t.all = t.all[:i]
}
}
} //if timestramp
}//for
t.hg.Unlock()
}
func (t * tcpStream) UpdateResp(resp * http.Response,timestamp int64,firstLine string) {
t.hg.Lock()
for i, hg := range t.all {
if hg.respTimeStamp == timestamp {
t.all[i].resp = resp
t.all[i].respFlag = 2
t.all[i].respFirstLine = firstLine
if hg.reqFlag == 2{
t.Save(&t.all[i])
if i < len(t.all){
t.all = append(t.all[:i],t.all[i+1:]...)
} else {
t.all = t.all[:i]
}
}
} //if timestramp
}//for
t.hg.Unlock()
}
// save to database
func (t * tcpStream)Save(hg * httpGroup){
req := hg.req
resp := hg.resp
if (req == nil || resp == nil || *serverurl==""){
return
}
var h []requests.Datas
var f []requests.Datas
var postdata map[string]interface{}
StatusCode := fmt.Sprintf("%d",resp.StatusCode)
postdata = make(map[string]interface{})
reqdata := requests.Datas{
"Host":req.Host,
"Method":req.Method,
"RequestURI":req.RequestURI,
"Proto":req.Proto,
"StatusCode":StatusCode,
"SrcIp":t.client.srcip,
"SrcPort":t.client.srcport,
"DstIp":t.client.dstip,
"DstPort":t.client.dstport,
}
session := requests.Requests()
postdata["request"] = reqdata
respdata := requests.Datas{
"Proto":resp.Proto,
"StatusCode": StatusCode,
"SrcIp":t.server.srcip,
"SrcPort":t.server.srcport,
"DstIp":t.server.dstip,
"DstPort":t.server.dstport,
}
postdata["response"] = respdata
h = append(h,HeaderToDB(session,req.Header,"1")...)
f = append(f,FormToDB(session,req.Form,"1")...)
f = append(f,FormToDB(session,req.PostForm,"1")...)
if req.MultipartForm != nil {
f = append(f,FormToDB(session,url.Values(req.MultipartForm.Value),"1")...)
}
h = append(h,HeaderToDB(session,resp.Header,"2")...)
postdata["header"] = h
postdata["form"] = f
postdata["clientDevice"] = map[string]string{"clientid":clientDeviceid,
"clientkey":clientDevicekey}
session.PostJson(*serverurl+"requests?alldata=1",postdata)
}
func (t *tcpStream) Accept(tcp *layers.TCP, ci gopacket.CaptureInfo, dir reassembly.TCPFlowDirection, nextSeq reassembly.Sequence, start *bool, ac reassembly.AssemblerContext) bool {
// FSM
var isReq int
*start,isReq = detectHttp(tcp.Payload)
if !t.tcpstate.CheckState(tcp, dir) {
Error("FSM", "%s: Packet rejected by FSM (state:%s)\n", t.ident, t.tcpstate.String())
stats.rejectFsm++
if !t.fsmerr {
t.fsmerr = true
stats.rejectConnFsm++
}
if !*ignorefsmerr {
return false
}
}
// Options //skip mss check
err := t.optchecker.Accept(tcp, ci, dir, nextSeq, start)
if err != nil {
// 重复的包,丢弃 drop
// 调试发现此包为以前序号的包,并且出现过。
// mss BUG,server mss通过路由拆解成mss要求的包尺寸,
// 因此不能判断包大小大于mss为错包
if strings.Contains(fmt.Sprintf("%s",err)," > mss "){
// > mss 包 不丢弃
} else {
Error("OptionChecker", "%v ->%v : Packet rejected by OptionChecker: %s\n", t.net, t.transport, err)
stats.rejectOpt++
if !*nooptcheck {
return false
}
}
}
// Checksum
accept := true
if *checksum {
c, err := tcp.ComputeChecksum()
if err != nil {
Error("ChecksumCompute", "%s: Got error computing checksum: %s\n", t.ident, err)
accept = false
} else if c != 0x0 {
Error("Checksum", "%s: Invalid checksum: 0x%x\n", t.ident, c)
accept = false
}
}
if !accept {
stats.rejectOpt++
}
// create new httpgroup,wait request+response
if *start {
t.NewhttpGroup(isReq,ci.Timestamp.UnixNano())
}
return accept
}
func (t *tcpStream) ReassembledSG(sg reassembly.ScatterGather, ac reassembly.AssemblerContext) {
dir, start, end, skip := sg.Info()
length, saved := sg.Lengths()
// update stats
sgStats := sg.Stats()
if skip > 0 {
stats.missedBytes += skip
}
stats.sz += length - saved
stats.pkt += sgStats.Packets
if sgStats.Chunks > 1 {
stats.reassembled++
}
stats.outOfOrderPackets += sgStats.QueuedPackets
stats.outOfOrderBytes += sgStats.QueuedBytes
if length > stats.biggestChunkBytes {
stats.biggestChunkBytes = length
}
if sgStats.Packets > stats.biggestChunkPackets {
stats.biggestChunkPackets = sgStats.Packets
}
if sgStats.OverlapBytes != 0 && sgStats.OverlapPackets == 0 {
fmt.Printf("bytes:%d, pkts:%d\n", sgStats.OverlapBytes, sgStats.OverlapPackets)
panic("Invalid overlap")
}
stats.overlapBytes += sgStats.OverlapBytes
stats.overlapPackets += sgStats.OverlapPackets
var ident string
if dir == reassembly.TCPDirClientToServer {
ident = fmt.Sprintf("%v %v(%s): ", t.net, t.transport, dir)
} else {
ident = fmt.Sprintf("%v %v(%s): ", t.net.Reverse(), t.transport.Reverse(), dir)
}
Debug("%s: SG reassembled packet with %d bytes (start:%v,end:%v,skip:%d,saved:%d,nb:%d,%d,overlap:%d,%d)\n", ident, length, start, end, skip, saved, sgStats.Packets, sgStats.Chunks, sgStats.OverlapBytes, sgStats.OverlapPackets)
if skip == -1 && *allowmissinginit {
// this is allowed
} else if skip != 0 {
// Missing bytes in stream: do not even try to parse it
return
}
//use timeStamp as match flag
timeStamp :=sg.CaptureInfo(0).Timestamp.UnixNano()
data := sg.Fetch(length)
if t.isHTTP {
if length > 0 {
if *hexdump {
Debug("Feeding http with:\n%s", hex.Dump(data))
}
ok,_:=detectHttp(data)
//if dir == reassembly.TCPDirClientToServer && !t.reversed {
if dir == reassembly.TCPDirClientToServer {
t.client.bytes <- data
if ok {
t.client.timeStamp <- timeStamp
}
} else {
t.server.bytes <- data
if ok {
t.server.timeStamp <- timeStamp
}
}
}
}
}
func (t *tcpStream) ReassemblyComplete(ac reassembly.AssemblerContext) bool {
Debug("%s: Connection closed\n", t.ident)
if t.isHTTP {
close(t.client.bytes)
close(t.server.bytes)
}
// do not remove the connection to allow last ACK
return false
}
func HandlerSig (){
for {
select {
case <-signalChan:
fmt.Fprintf(os.Stderr, "\nCaught SIGINT: aborting %v\n",sysexit)
if sysexit == false{
sysexit = true
} else {
os.Exit(1) //Second ctrl+c system exit
}
}
}
}
func main() {
defer util.Run()()
var handle *pcap.Handle
var err error
if *debug {
outputLevel = 2
} else if *verbose {
outputLevel = 1
} else if *quiet {
outputLevel = -1
}
log.SetOutput(os.Stdout)
errorsMap = make(map[string]uint)
loadConfig()
if *fname != "" {