-
Notifications
You must be signed in to change notification settings - Fork 224
/
Copy pathpacketparser_linux.go
701 lines (619 loc) · 21 KB
/
packetparser_linux.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
// Copyright (c) Microsoft Corporation.
// Licensed under the MIT license.
// package packetparser contains the Retina packetparser plugin. It utilizes eBPF to parse packets and generate flow events.
package packetparser
import (
"bytes"
"context"
"encoding/binary"
"fmt"
"os"
"path"
"runtime"
"sync"
"time"
"github.com/hashicorp/golang-lru/v2/expirable"
"github.com/pkg/errors"
"google.golang.org/protobuf/types/known/timestamppb"
"github.com/cilium/cilium/api/v1/flow"
v1 "github.com/cilium/cilium/pkg/hubble/api/v1"
"github.com/cilium/ebpf"
"github.com/cilium/ebpf/perf"
"github.com/cilium/ebpf/rlimit"
"github.com/florianl/go-tc"
helper "github.com/florianl/go-tc/core"
"github.com/microsoft/retina/internal/ktime"
"github.com/microsoft/retina/pkg/common"
kcfg "github.com/microsoft/retina/pkg/config"
"github.com/microsoft/retina/pkg/enricher"
"github.com/microsoft/retina/pkg/loader"
"github.com/microsoft/retina/pkg/log"
"github.com/microsoft/retina/pkg/metrics"
"github.com/microsoft/retina/pkg/plugin/api"
plugincommon "github.com/microsoft/retina/pkg/plugin/common"
_ "github.com/microsoft/retina/pkg/plugin/lib/_amd64" // nolint
_ "github.com/microsoft/retina/pkg/plugin/lib/_arm64" // nolint
_ "github.com/microsoft/retina/pkg/plugin/lib/common/libbpf/_include/asm" // nolint
_ "github.com/microsoft/retina/pkg/plugin/lib/common/libbpf/_include/linux" // nolint
_ "github.com/microsoft/retina/pkg/plugin/lib/common/libbpf/_include/uapi/linux" // nolint
_ "github.com/microsoft/retina/pkg/plugin/lib/common/libbpf/_src" // nolint
_ "github.com/microsoft/retina/pkg/plugin/packetparser/_cprog" // nolint
"github.com/microsoft/retina/pkg/pubsub"
"github.com/microsoft/retina/pkg/utils"
"github.com/microsoft/retina/pkg/watchers/endpoint"
"github.com/vishvananda/netlink"
"go.uber.org/zap"
"golang.org/x/sys/unix"
)
//go:generate go run github.com/cilium/ebpf/cmd/bpf2go@master -cflags "-g -O2 -Wall -D__TARGET_ARCH_${GOARCH} -Wall" -target ${GOARCH} -type packet packetparser ./_cprog/packetparser.c -- -I../lib/_${GOARCH} -I../lib/common/libbpf/_src -I../filter/_cprog/
var errNoOutgoingLinks = errors.New("could not determine any outgoing links")
// New creates a packetparser plugin.
func New(cfg *kcfg.Config) api.Plugin {
return &packetParser{
cfg: cfg,
l: log.Logger().Named(string(Name)),
}
}
func (p *packetParser) Name() string {
return string(Name)
}
func (p *packetParser) Generate(ctx context.Context) error {
// Get absolute path to this file during runtime.
_, filename, _, ok := runtime.Caller(0)
if !ok {
return errors.New("unable to get absolute path to this file")
}
dir := path.Dir(filename)
dynamicHeaderPath := fmt.Sprintf("%s/%s/%s", dir, bpfSourceDir, dynamicHeaderFileName)
i := 0
if p.cfg.BypassLookupIPOfInterest {
p.l.Logger.Info("Bypassing lookup IP of interest")
i = 1
}
st := fmt.Sprintf("#define BYPASS_LOOKUP_IP_OF_INTEREST %d \n", i)
err := loader.WriteFile(ctx, dynamicHeaderPath, st)
if err != nil {
p.l.Error("Error writing dynamic header", zap.Error(err))
return err
}
p.l.Info("PacketParser header generated at", zap.String("path", dynamicHeaderPath))
return nil
}
func (p *packetParser) Compile(ctx context.Context) error {
// Get the absolute path to this file during runtime.
dir, err := absPath()
if err != nil {
return err
}
bpfSourceFile := fmt.Sprintf("%s/%s/%s", dir, bpfSourceDir, bpfSourceFileName)
bpfOutputFile := fmt.Sprintf("%s/%s", dir, bpfObjectFileName)
arch := runtime.GOARCH
includeDir := fmt.Sprintf("-I%s/../lib/_%s", dir, arch)
filterDir := fmt.Sprintf("-I%s/../filter/_cprog/", dir)
libbpfDir := fmt.Sprintf("-I%s/../lib/common/libbpf/_src", dir)
targetArch := "-D__TARGET_ARCH_x86"
if arch == "arm64" {
targetArch = "-D__TARGET_ARCH_arm64"
}
// Keep target as bpf, otherwise clang compilation yields bpf object that elf reader cannot load.
err = loader.CompileEbpf(ctx, "-target", "bpf", "-Wall", targetArch, "-g", "-O2", "-c", bpfSourceFile, "-o", bpfOutputFile, includeDir, libbpfDir, filterDir)
if err != nil {
return err
}
p.l.Info("PacketParser metric compiled")
return nil
}
func (p *packetParser) Init() error {
var err error
if !p.cfg.EnablePodLevel {
p.l.Warn("packet parser and latency plugin will not init because pod level is disabled")
return nil
}
if err := rlimit.RemoveMemlock(); err != nil {
p.l.Error("RemoveMemLock failed:%w", zap.Error(err))
return err
}
// Get the absolute path to this file during runtime.
dir, err := absPath()
if err != nil {
return err
}
bpfOutputFile := fmt.Sprintf("%s/%s", dir, bpfObjectFileName)
objs := &packetparserObjects{}
spec, err := ebpf.LoadCollectionSpec(bpfOutputFile)
if err != nil {
return err
}
//nolint:typecheck
if err := spec.LoadAndAssign(objs, &ebpf.CollectionOptions{ //nolint:typecheck
Maps: ebpf.MapOptions{
PinPath: plugincommon.MapPath,
},
}); err != nil { //nolint:typecheck
p.l.Error("Error loading objects: %w", zap.Error(err))
return err
}
p.objs = objs
// Endpoint bpf programs.
p.endpointIngressInfo, err = p.objs.EndpointIngressFilter.Info()
if err != nil {
p.l.Error("Error getting ingress filter info", zap.Error(err))
return err
}
p.endpointEgressInfo, err = p.objs.EndpointEgressFilter.Info()
if err != nil {
p.l.Error("Error getting egress filter info", zap.Error(err))
return err
}
// Host bpf programs.
p.hostIngressInfo, err = p.objs.HostIngressFilter.Info()
if err != nil {
p.l.Error("Error getting ingress filter info", zap.Error(err))
return err
}
p.hostEgressInfo, err = p.objs.HostEgressFilter.Info()
if err != nil {
p.l.Error("Error getting egress filter info", zap.Error(err))
return err
}
p.reader, err = plugincommon.NewPerfReader(p.l, objs.PacketparserEvents, perCPUBuffer, 1)
if err != nil {
p.l.Error("Error NewReader", zap.Error(err))
return err
}
p.tcMap = &sync.Map{}
p.interfaceLockMap = &sync.Map{}
// Initialize flow cache.
p.flowCache = expirable.NewLRU[flowCacheKey, *flow.Flow](flowCacheSize, nil, flowCacheTTL)
return nil
}
func (p *packetParser) Start(ctx context.Context) error {
if !p.cfg.EnablePodLevel {
p.l.Warn("packet parser and latency plugin will not start because pod level is disabled")
return nil
}
p.l.Info("Starting packet parser")
p.l.Info("setting up enricher since pod level is enabled")
// Set up enricher.
if enricher.IsInitialized() {
p.enricher = enricher.Instance()
} else {
p.l.Warn("retina enricher is not initialized")
}
// Get Pubsub instance.
ps := pubsub.New()
// Register callback.
// Every time a new endpoint is created, we will create a qdisc and attach it to the endpoint.
fn := pubsub.CallBackFunc(p.endpointWatcherCallbackFn)
// Check if callback is already registered.
if p.callbackID == "" {
p.callbackID = ps.Subscribe(common.PubSubEndpoints, &fn)
}
if p.cfg.DataAggregationLevel == kcfg.Low {
p.l.Info("Attaching bpf program to default interface of k8s Node in node namespace")
outgoingLinks, err := utils.GetDefaultOutgoingLinks()
if err != nil {
return errors.Wrap(err, "could not get default outgoing links")
}
if len(outgoingLinks) == 0 {
return errNoOutgoingLinks
}
outgoingLink := outgoingLinks[0] // Take first link until multi-link support is implemented
outgoingLinkAttributes := outgoingLink.Attrs()
p.l.Info("Attaching Packetparser",
zap.Int("outgoingLink.Index", outgoingLinkAttributes.Index),
zap.String("outgoingLink.Name", outgoingLinkAttributes.Name),
zap.Stringer("outgoingLink.HardwareAddr", outgoingLinkAttributes.HardwareAddr),
)
p.createQdiscAndAttach(*outgoingLink.Attrs(), Device)
} else {
p.l.Info("Skipping attaching bpf program to default interface of k8s Node in node namespace")
}
// Create the channel.
p.recordsChannel = make(chan perf.Record, buffer)
p.l.Debug("Created records channel")
return p.run(ctx)
}
func (p *packetParser) Stop() error {
p.l.Info("Stopping packet parser")
// Get pubsubs instance
ps := pubsub.New()
// Stop perf reader.
if p.reader != nil {
if err := p.reader.Close(); err != nil {
p.l.Error("Error closing perf reader", zap.Error(err))
}
}
p.l.Debug("Stopped perf reader")
// Close the channel. The producer should have stopped by now.
// All consumers should have stopped by now.
if p.recordsChannel != nil {
close(p.recordsChannel)
p.l.Debug("Closed records channel")
}
// Stop map and progs.
if p.objs != nil {
if err := p.objs.Close(); err != nil {
p.l.Error("Error closing objects", zap.Error(err))
}
}
p.l.Debug("Stopped map/progs")
// Unregister callback.
if p.callbackID != "" {
if err := ps.Unsubscribe(common.PubSubEndpoints, p.callbackID); err != nil {
p.l.Error("Error unregistering callback for packetParser", zap.Error(err))
}
// Reset callback ID.
p.callbackID = ""
}
if err := p.cleanAll(); err != nil {
p.l.Error("Error cleaning", zap.Error(err))
return err
}
p.l.Info("Stopped packet parser")
return nil
}
func (p *packetParser) SetupChannel(ch chan *v1.Event) error {
p.externalChannel = ch
return nil
}
// cleanAll is NOT thread safe.
// Not required for now.
func (p *packetParser) cleanAll() error {
// Delete tunnel and qdiscs.
if p.tcMap == nil {
return nil
}
p.tcMap.Range(func(key, value interface{}) bool {
v := value.(*val)
p.clean(v.tcnl, v.tcIngressObj, v.tcEgressObj)
return true
})
// Reset map.
// It is OK to do this without a lock because
// cleanAll is only invoked from Stop(), and Stop can
// only be called from PluginManager (which is single threaded).
p.tcMap = &sync.Map{}
return nil
}
func (p *packetParser) clean(tcnl ITc, tcIngressObj *tc.Object, tcEgressObj *tc.Object) {
// Warning, not error. Clean is best effort.
if tcnl != nil {
if err := getQdisc(tcnl).Delete(tcEgressObj); err != nil && !errors.Is(err, tc.ErrNoArg) {
p.l.Debug("could not delete egress qdisc", zap.Error(err))
}
if err := getQdisc(tcnl).Delete(tcIngressObj); err != nil && !errors.Is(err, tc.ErrNoArg) {
p.l.Debug("could not delete ingress qdisc", zap.Error(err))
}
if err := tcnl.Close(); err != nil {
p.l.Warn("could not close rtnetlink socket", zap.Error(err))
}
}
}
func (p *packetParser) endpointWatcherCallbackFn(obj interface{}) {
// Contract is that we will receive an endpoint event pointer.
event := obj.(*endpoint.EndpointEvent)
if event == nil {
return
}
iface := event.Obj.(netlink.LinkAttrs)
ifaceKey := ifaceToKey(iface)
lockMapVal, _ := p.interfaceLockMap.LoadOrStore(ifaceKey, &sync.Mutex{})
mu := lockMapVal.(*sync.Mutex)
mu.Lock()
defer mu.Unlock()
switch event.Type {
case endpoint.EndpointCreated:
p.l.Debug("Endpoint created", zap.String("name", iface.Name))
p.createQdiscAndAttach(iface, Veth)
case endpoint.EndpointDeleted:
p.l.Debug("Endpoint deleted", zap.String("name", iface.Name))
// Clean.
if v, ok := p.tcMap.Load(ifaceKey); ok {
tcMapVal := v.(*val)
p.clean(tcMapVal.tcnl, tcMapVal.tcIngressObj, tcMapVal.tcEgressObj)
// Delete from map.
p.tcMap.Delete(ifaceKey)
}
default:
// Unknown.
p.l.Debug("Unknown event", zap.String("type", event.Type.String()))
}
}
// This does the following:
// 1. Create a tunnel interface.
// 2. Create a qdisc and attach it to the tunnel interface.
// 3. Attach ingress program to the endpoint interface.
// 4. Create a qdisc and attach it to the endpoint interface.
// 5. Attach egress program to the endpoint interface.
// Inspired by https://github.com/mauriciovasquezbernal/talks/blob/1f2080afe731949a033330c0adc290be8f3fc06d/2022-ebpf-training/2022-10-13/drop/main.go .
// Supported ifaceTypes - device and veth.
func (p *packetParser) createQdiscAndAttach(iface netlink.LinkAttrs, ifaceType string) {
p.l.Debug("Starting qdisc attachment", zap.String("interface", iface.Name))
// Create tunnel interface.
var (
tcnl ITc
err error
ingressProgram, egressProgram *ebpf.Program
ingressInfo, egressInfo *ebpf.ProgramInfo
)
if ifaceType == "device" {
ingressProgram = p.objs.HostIngressFilter
egressProgram = p.objs.HostEgressFilter
ingressInfo = p.hostIngressInfo
egressInfo = p.hostEgressInfo
} else if ifaceType == "veth" {
ingressProgram = p.objs.EndpointIngressFilter
egressProgram = p.objs.EndpointEgressFilter
ingressInfo = p.endpointIngressInfo
egressInfo = p.endpointEgressInfo
} else {
p.l.Error("Unknown ifaceType", zap.String("ifaceType", ifaceType))
return
}
tcnl, err = tcOpen(&tc.Config{})
if err != nil {
p.l.Error("could not open rtnetlink socket", zap.Int("NetNsID", iface.NetNsID), zap.Error(err))
return
}
var qdiscIngress, qdiscEgress *tc.Object
// Create a qdisc of type clsact on the tunnel interface.
// We will attach the ingress bpf filter on this.
qdiscIngress = &tc.Object{
Msg: tc.Msg{
Family: unix.AF_UNSPEC,
Ifindex: uint32(iface.Index),
Handle: helper.BuildHandle(0xFFFF, 0x0000),
Parent: tc.HandleIngress,
},
Attribute: tc.Attribute{
Kind: "clsact",
},
}
// Install Qdisc on interface.
if err := getQdisc(tcnl).Add(qdiscIngress); err != nil && !errors.Is(err, os.ErrExist) {
p.l.Error("could not assign clsact ingress to ", zap.String("interface", iface.Name), zap.Error(err))
p.clean(tcnl, qdiscIngress, qdiscEgress)
return
}
// Create a filter of type bpf on the tunnel interface.
filterIngress := tc.Object{
Msg: tc.Msg{
Family: unix.AF_UNSPEC,
Ifindex: uint32(iface.Index),
Handle: 0,
Parent: 0xFFFFFFF2,
Info: 0x10300,
},
Attribute: tc.Attribute{
Kind: "bpf",
BPF: &tc.Bpf{
FD: utils.Uint32Ptr(uint32(getFD(ingressProgram))),
Name: utils.StringPtr(ingressInfo.Name),
Flags: utils.Uint32Ptr(0x1),
},
},
}
if err := getFilter(tcnl).Add(&filterIngress); err != nil && !errors.Is(err, os.ErrExist) {
p.l.Error("could not add bpf ingress to ", zap.String("interface", iface.Name), zap.Error(err))
p.clean(tcnl, qdiscIngress, qdiscEgress)
return
}
// Create a qdisc of type clsact on the endpoint interface.
qdiscEgress = &tc.Object{
Msg: tc.Msg{
Family: unix.AF_UNSPEC,
Ifindex: uint32(iface.Index),
Handle: helper.BuildHandle(0xFFFF, 0),
Parent: helper.BuildHandle(0xFFFF, 0xFFF1),
},
Attribute: tc.Attribute{
Kind: "clsact",
},
}
// Install Qdisc on interface.
if err := getQdisc(tcnl).Add(qdiscEgress); err != nil && !errors.Is(err, os.ErrExist) {
p.l.Error("could not assign clsact egress to ", zap.String("interface", iface.Name), zap.Error(err))
p.clean(tcnl, qdiscIngress, qdiscEgress)
return
}
// Create a filter of type bpf on the endpoint interface.
filterEgress := tc.Object{
Msg: tc.Msg{
Family: unix.AF_UNSPEC,
Ifindex: uint32(iface.Index),
Handle: 1,
Info: TC_H_MAKE(1<<16, uint32(utils.HostToNetShort(0x0003))),
Parent: TC_H_MAKE(0xFFFFFFF1, 0xFFF3),
},
Attribute: tc.Attribute{
Kind: "bpf",
BPF: &tc.Bpf{
FD: utils.Uint32Ptr(uint32(getFD(egressProgram))),
Name: utils.StringPtr(egressInfo.Name),
Flags: utils.Uint32Ptr(0x1),
},
},
}
if err := getFilter(tcnl).Add(&filterEgress); err != nil && !errors.Is(err, os.ErrExist) {
p.l.Error("could not add bpf egress to ", zap.String("interface", iface.Name), zap.Error(err))
p.clean(tcnl, qdiscIngress, qdiscEgress)
return
}
// Cache.
ifaceKey := ifaceToKey(iface)
ifaceVal := &val{tcnl: tcnl, tcIngressObj: qdiscIngress, tcEgressObj: qdiscEgress}
p.tcMap.Store(ifaceKey, ifaceVal)
p.l.Debug("Successfully added bpf", zap.String("interface", iface.Name))
}
func (p *packetParser) run(ctx context.Context) error {
// Start perf record handlers (consumers).
for i := 0; i < workers; i++ {
p.wg.Add(1)
go p.processRecord(ctx, i)
}
// Start events handler from perf array in kernel (producer).
// Don't add it to the wait group because we don't want to wait for it.
// The perf reader Read call blocks until there is data available in the perf buffer.
// That call is unblocked when Reader is closed.
go p.handleEvents(ctx)
p.l.Info("Started packet parser")
// Wait for the context to be done.
// This will block till all consumers exit.
p.wg.Wait()
p.l.Info("All workers have stopped")
p.l.Info("Context is done, packet parser will stop running")
return nil
}
// This is the data consumer.
// There will more than one of these.
func (p *packetParser) processRecord(ctx context.Context, id int) {
defer p.wg.Done()
for {
select {
case <-ctx.Done():
p.l.Info("Context is done, stopping Worker", zap.Int("worker_id", id))
return
case record := <-p.recordsChannel:
var bpfEvent packetparserPacket
err := binary.Read(bytes.NewReader(record.RawSample), binary.LittleEndian, &bpfEvent)
if err != nil {
p.l.Error("Error reading bpfEvent", zap.Error(err))
continue
}
// Post processing of the bpfEvent.
// Anything after this is required only for Pod level metrics.
sourcePortShort := uint32(utils.HostToNetShort(bpfEvent.SrcPort))
destinationPortShort := uint32(utils.HostToNetShort(bpfEvent.DstPort))
// Check if the flow exists in the cache.
key := flowCacheKey{
srcIP: bpfEvent.SrcIp,
dstIP: bpfEvent.DstIp,
srcPort: sourcePortShort,
dstPort: destinationPortShort,
proto: bpfEvent.Proto,
dir: bpfEvent.Dir,
}
var fl *flow.Flow
fl, ok := p.flowCache.Get(key)
if !ok {
fl = utils.ToFlow(
ktime.MonotonicOffset.Nanoseconds()+int64(bpfEvent.Ts),
utils.Int2ip(bpfEvent.SrcIp).To4(), // Precautionary To4() call.
utils.Int2ip(bpfEvent.DstIp).To4(), // Precautionary To4() call.
sourcePortShort,
destinationPortShort,
bpfEvent.Proto,
bpfEvent.Dir,
flow.Verdict_FORWARDED,
)
if fl == nil {
p.l.Warn("Could not convert bpfEvent to flow", zap.Any("bpfEvent", bpfEvent))
continue
}
// Add the flow to the cache.
p.flowCache.Add(key, fl)
} else {
// Update the flow's time.
if t, err := decodeTime(ktime.MonotonicOffset.Nanoseconds() + int64(bpfEvent.Ts)); err == nil {
fl.Time = t
} else {
p.l.Warn("Failed to get current time", zap.Error(err))
}
}
meta := &utils.RetinaMetadata{}
// Add packet size to the flow's metadata.
utils.AddPacketSize(meta, bpfEvent.Bytes)
// Add the TCP metadata to the flow.
tcpMetadata := bpfEvent.TcpMetadata
utils.AddTCPFlags(fl, tcpMetadata.Syn, tcpMetadata.Ack, tcpMetadata.Fin, tcpMetadata.Rst, tcpMetadata.Psh, tcpMetadata.Urg)
// For packets originating from node, we use tsval as the tcpID.
// Packets coming back has the tsval echoed in tsecr.
if fl.GetTraceObservationPoint() == flow.TraceObservationPoint_TO_NETWORK {
utils.AddTCPID(meta, uint64(tcpMetadata.Tsval))
} else if fl.GetTraceObservationPoint() == flow.TraceObservationPoint_FROM_NETWORK {
utils.AddTCPID(meta, uint64(tcpMetadata.Tsecr))
}
// Add metadata to the flow.
utils.AddRetinaMetadata(fl, meta)
// Write the event to the enricher.
ev := &v1.Event{
Event: fl,
Timestamp: fl.GetTime(),
}
if p.enricher != nil {
p.enricher.Write(ev)
}
// Write the event to the external channel.
if p.externalChannel != nil {
select {
case p.externalChannel <- ev:
default:
// Channel is full, drop the event.
// We shouldn't slow down the reader.
metrics.LostEventsCounter.WithLabelValues(utils.ExternalChannel, string(Name)).Inc()
}
}
}
}
}
func (p *packetParser) handleEvents(ctx context.Context) {
for {
select {
case <-ctx.Done():
p.l.Info("Context is done, stopping handleEvents")
return
default:
p.readData()
}
}
}
// This is the data producer.
func (p *packetParser) readData() {
// Read call blocks until there is data available in the perf buffer.
// This is unblocked by the close call.
record, err := p.reader.Read()
if err != nil {
if errors.Is(err, perf.ErrClosed) {
p.l.Error("Perf array is empty")
// nothing to do, we're done
} else {
p.l.Error("Error reading perf array", zap.Error(err))
}
return
}
if record.LostSamples > 0 {
// p.l.Warn("Lostsamples", zap.Uint64("lost samples", record.LostSamples))
metrics.LostEventsCounter.WithLabelValues(utils.Kernel, string(Name)).Add(float64(record.LostSamples))
return
}
select {
case p.recordsChannel <- record:
default:
// Channel is full, drop the record.
// We shouldn't slow down the perf array reader.
metrics.LostEventsCounter.WithLabelValues(utils.BufferedChannel, string(Name)).Inc()
}
}
// Helper functions.
// absPath returns the absolute path to the directory where this file resides.
func absPath() (string, error) {
_, filename, _, ok := runtime.Caller(0)
if !ok {
return "", errors.New("failed to determine current file path")
}
dir := path.Dir(filename)
return dir, nil
}
// decodeTime converts nanoseconds to a protobuf timestamp.
func decodeTime(nanoseconds int64) (pbTime *timestamppb.Timestamp, err error) {
goTime, err := time.Parse(time.RFC3339Nano, time.Unix(0, nanoseconds).Format(time.RFC3339Nano))
if err != nil {
return nil, errors.Wrap(err, "failed to parse time")
}
pbTime = timestamppb.New(goTime)
if err = pbTime.CheckValid(); err != nil {
return nil, errors.Wrap(err, "invalid timestamp")
}
return pbTime, nil
}