-
Notifications
You must be signed in to change notification settings - Fork 133
/
Copy pathagent_test.go
1235 lines (1075 loc) · 36 KB
/
agent_test.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 2020 New Relic Corporation. All rights reserved.
// SPDX-License-Identifier: Apache-2.0
//
// nolint:exhaustruct
package agent
import (
"bytes"
context2 "context"
"encoding/json"
"fmt"
"io/ioutil"
"net/http"
"net/http/httptest"
"os"
"path/filepath"
"strings"
"sync"
"sync/atomic"
"testing"
"time"
"github.com/newrelic/infrastructure-agent/internal/agent/delta"
agentTypes "github.com/newrelic/infrastructure-agent/internal/agent/types"
"github.com/newrelic/infrastructure-agent/internal/feature_flags"
"github.com/newrelic/infrastructure-agent/internal/feature_flags/test"
"github.com/newrelic/infrastructure-agent/internal/testhelpers"
"github.com/newrelic/infrastructure-agent/pkg/backend/backoff"
http2 "github.com/newrelic/infrastructure-agent/pkg/backend/http"
"github.com/newrelic/infrastructure-agent/pkg/backend/identityapi"
"github.com/newrelic/infrastructure-agent/pkg/backend/state"
"github.com/newrelic/infrastructure-agent/pkg/config"
"github.com/newrelic/infrastructure-agent/pkg/ctl"
"github.com/newrelic/infrastructure-agent/pkg/entity"
"github.com/newrelic/infrastructure-agent/pkg/entity/host"
"github.com/newrelic/infrastructure-agent/pkg/helpers"
"github.com/newrelic/infrastructure-agent/pkg/helpers/fingerprint"
"github.com/newrelic/infrastructure-agent/pkg/helpers/metric"
"github.com/newrelic/infrastructure-agent/pkg/log"
"github.com/newrelic/infrastructure-agent/pkg/metrics/types" //nolint:depguard
"github.com/newrelic/infrastructure-agent/pkg/plugins/ids"
"github.com/newrelic/infrastructure-agent/pkg/sample"
"github.com/newrelic/infrastructure-agent/pkg/sysinfo"
"github.com/newrelic/infrastructure-agent/pkg/sysinfo/cloud"
"github.com/newrelic/infrastructure-agent/pkg/sysinfo/hostname"
"github.com/sirupsen/logrus"
"github.com/stretchr/testify/assert"
"github.com/stretchr/testify/require"
)
var NilIDLookup host.IDLookup
var matcher = func(interface{}) bool { return true }
func newTesting(cfg *config.Config) *Agent {
dataDir, err := ioutil.TempDir("", "prefix")
if err != nil {
panic(err)
}
if cfg == nil {
cfg = config.NewTest(dataDir)
}
cloudDetector := cloud.NewDetector(true, 0, 0, 0, false)
lookups := NewIdLookup(hostname.CreateResolver("", "", true), cloudDetector, cfg.DisplayName)
ctx := NewContext(cfg, "1.2.3", testhelpers.NullHostnameResolver, lookups, matcher, matcher)
st := delta.NewStore(dataDir, "default", cfg.MaxInventorySize, true)
fpHarvester, err := fingerprint.NewHarvestor(cfg, testhelpers.NullHostnameResolver, cloudDetector)
if err != nil {
panic(err)
}
metadataHarvester := &identityapi.MetadataHarvesterMock{}
metadataHarvester.ShouldHarvest(identityapi.Metadata{})
registerClient := &identityapi.RegisterClientMock{}
connectSrv := NewIdentityConnectService(&MockIdentityConnectClient{}, fpHarvester, metadataHarvester)
provideIDs := NewProvideIDs(registerClient, state.NewRegisterSM())
a, err := New(
cfg,
ctx,
"user-agent",
lookups,
st,
connectSrv,
provideIDs,
http2.NullHttpClient,
&http.Transport{},
cloudDetector,
fpHarvester,
ctl.NewNotificationHandlerWithCancellation(nil),
)
if err != nil {
panic(err)
}
a.Init()
return a
}
type TestAgentData struct {
Name string
Value string
}
func (self *TestAgentData) SortKey() string {
return self.Name
}
func TestIgnoreInventory(t *testing.T) {
a := newTesting(&config.Config{
IgnoredInventoryPathsMap: map[string]struct{}{
"test/plugin/yum": {},
},
MaxInventorySize: 1024,
})
defer func() {
_ = os.RemoveAll(a.store.DataDir)
}()
assert.NoError(t, a.storePluginOutput(agentTypes.PluginOutput{
Id: ids.PluginID{"test", "plugin"},
Entity: entity.NewFromNameWithoutID("someEntity"),
Data: agentTypes.PluginInventoryDataset{
&TestAgentData{"yum", "value1"},
&TestAgentData{"myService", "value2"},
},
}))
restoredDataBytes, err := ioutil.ReadFile(filepath.Join(a.store.DataDir, "test", "someEntity", "plugin.json"))
require.NoError(t, err)
var restoredData map[string]interface{}
require.NoError(t, json.Unmarshal(restoredDataBytes, &restoredData))
assert.Equal(t, restoredData, map[string]interface{}{
"myService": map[string]interface{}{
"Name": "myService",
"Value": "value2",
},
})
}
func TestServicePidMap(t *testing.T) {
ctx := NewContext(&config.Config{}, "", testhelpers.NullHostnameResolver, NilIDLookup, matcher, matcher)
svc, ok := ctx.GetServiceForPid(1)
assert.False(t, ok)
assert.Len(t, svc, 0)
ctx.CacheServicePids(sysinfo.PROCESS_NAME_SOURCE_SYSTEMD, map[int]string{1: "abc", 2: "def"})
ctx.CacheServicePids(sysinfo.PROCESS_NAME_SOURCE_SYSVINIT, map[int]string{1: "abc-sysv", 2: "def-sysv"})
svc, ok = ctx.GetServiceForPid(1)
assert.True(t, ok)
assert.Equal(t, "abc", svc)
}
func TestSetAgentKeysDisplayInstance(t *testing.T) {
a := newTesting(nil)
defer os.RemoveAll(a.store.DataDir)
idMap := host.IDLookup{
sysinfo.HOST_SOURCE_DISPLAY_NAME: "displayName",
sysinfo.HOST_SOURCE_HOSTNAME: "hostName",
sysinfo.HOST_SOURCE_INSTANCE_ID: "instanceId",
}
a.setAgentKey(idMap)
assert.Equal(t, idMap[sysinfo.HOST_SOURCE_INSTANCE_ID], a.Context.EntityKey())
}
// Test that empty strings in the identity map are properly ignored in favor of non-empty ones
func TestSetAgentKeysInstanceEmptyString(t *testing.T) {
a := newTesting(nil)
defer os.RemoveAll(a.store.DataDir)
keys := host.IDLookup{
sysinfo.HOST_SOURCE_DISPLAY_NAME: "displayName",
sysinfo.HOST_SOURCE_HOSTNAME: "hostName",
sysinfo.HOST_SOURCE_INSTANCE_ID: "",
}
a.setAgentKey(keys)
assert.Equal(t, keys[sysinfo.HOST_SOURCE_DISPLAY_NAME], a.Context.EntityKey())
}
func TestSetAgentKeysDisplayNameMatchesHostName(t *testing.T) {
a := newTesting(nil)
defer os.RemoveAll(a.store.DataDir)
keyMap := host.IDLookup{
sysinfo.HOST_SOURCE_DISPLAY_NAME: "hostName",
sysinfo.HOST_SOURCE_HOSTNAME: "hostName",
}
a.setAgentKey(keyMap)
assert.Equal(t, "hostName", a.Context.EntityKey())
}
func TestSetAgentKeysNoValues(t *testing.T) {
a := newTesting(nil)
defer os.RemoveAll(a.store.DataDir)
assert.Error(t, a.setAgentKey(host.IDLookup{}))
}
func TestUpdateIDLookupTable(t *testing.T) {
a := newTesting(nil)
defer os.RemoveAll(a.store.DataDir)
dataset := agentTypes.PluginInventoryDataset{}
dataset = append(dataset, sysinfo.HostAliases{
Alias: "hostName.com",
Source: sysinfo.HOST_SOURCE_HOSTNAME,
})
dataset = append(dataset, sysinfo.HostAliases{
Alias: "instanceId",
Source: sysinfo.HOST_SOURCE_INSTANCE_ID,
})
dataset = append(dataset, sysinfo.HostAliases{
Alias: "hostName",
Source: sysinfo.HOST_SOURCE_HOSTNAME_SHORT,
})
assert.NoError(t, a.updateIDLookupTable(dataset))
assert.Equal(t, "instanceId", a.Context.EntityKey())
}
func TestIDLookup_EntityNameCloudInstance(t *testing.T) {
l := host.IDLookup{
sysinfo.HOST_SOURCE_INSTANCE_ID: "instance-id",
sysinfo.HOST_SOURCE_AZURE_VM_ID: "azure-id",
sysinfo.HOST_SOURCE_GCP_VM_ID: "gcp-id",
sysinfo.HOST_SOURCE_ALIBABA_VM_ID: "alibaba-id",
sysinfo.HOST_SOURCE_DISPLAY_NAME: "display-name",
sysinfo.HOST_SOURCE_HOSTNAME_SHORT: "short",
}
name, err := l.AgentShortEntityName()
assert.NoError(t, err)
assert.Equal(t, "instance-id", name)
}
func TestIDLookup_EntityNameAzure(t *testing.T) {
l := host.IDLookup{
sysinfo.HOST_SOURCE_INSTANCE_ID: "",
sysinfo.HOST_SOURCE_AZURE_VM_ID: "azure-id",
sysinfo.HOST_SOURCE_GCP_VM_ID: "gcp-id",
sysinfo.HOST_SOURCE_ALIBABA_VM_ID: "alibaba-id",
sysinfo.HOST_SOURCE_DISPLAY_NAME: "display-name",
sysinfo.HOST_SOURCE_HOSTNAME_SHORT: "short",
}
name, err := l.AgentShortEntityName()
assert.NoError(t, err)
assert.Equal(t, "azure-id", name)
}
func TestIDLookup_EntityNameGCP(t *testing.T) {
l := host.IDLookup{
sysinfo.HOST_SOURCE_INSTANCE_ID: "",
sysinfo.HOST_SOURCE_AZURE_VM_ID: "",
sysinfo.HOST_SOURCE_GCP_VM_ID: "gcp-id",
sysinfo.HOST_SOURCE_ALIBABA_VM_ID: "alibaba-id",
sysinfo.HOST_SOURCE_DISPLAY_NAME: "display-name",
sysinfo.HOST_SOURCE_HOSTNAME_SHORT: "short",
}
name, err := l.AgentShortEntityName()
assert.NoError(t, err)
assert.Equal(t, "gcp-id", name)
}
func TestIDLookup_EntityNameAlibaba(t *testing.T) {
l := host.IDLookup{
sysinfo.HOST_SOURCE_INSTANCE_ID: "",
sysinfo.HOST_SOURCE_AZURE_VM_ID: "",
sysinfo.HOST_SOURCE_GCP_VM_ID: "",
sysinfo.HOST_SOURCE_ALIBABA_VM_ID: "alibaba-id",
sysinfo.HOST_SOURCE_DISPLAY_NAME: "display-name",
sysinfo.HOST_SOURCE_HOSTNAME_SHORT: "short",
}
name, err := l.AgentShortEntityName()
assert.NoError(t, err)
assert.Equal(t, "alibaba-id", name)
}
func TestIDLookup_EntityNameDisplayName(t *testing.T) {
l := host.IDLookup{
sysinfo.HOST_SOURCE_DISPLAY_NAME: "display-name",
sysinfo.HOST_SOURCE_HOSTNAME_SHORT: "short",
}
name, err := l.AgentShortEntityName()
assert.NoError(t, err)
assert.Equal(t, "display-name", name)
}
func TestIDLookup_EntityNameShortName(t *testing.T) {
l := host.IDLookup{
sysinfo.HOST_SOURCE_HOSTNAME: "long",
sysinfo.HOST_SOURCE_HOSTNAME_SHORT: "short",
}
name, err := l.AgentShortEntityName()
assert.NoError(t, err)
assert.Equal(t, "short", name)
}
func TestRemoveOutdatedEntities(t *testing.T) {
const aPlugin = "aPlugin"
const anotherPlugin = "anotherPlugin"
// Given an agent
agent := newTesting(nil)
defer os.RemoveAll(agent.store.DataDir)
agent.inventories = map[string]*inventoryEntity{}
dataDir := agent.store.DataDir
// With a set of registered entities
for _, id := range []string{"entity:1", "entity:2", "entity:3"} {
agent.registerEntityInventory(entity.NewFromNameWithoutID(id))
require.NoError(t, os.MkdirAll(filepath.Join(dataDir, aPlugin, helpers.SanitizeFileName(id)), 0o755))
require.NoError(t, os.MkdirAll(filepath.Join(dataDir, anotherPlugin, helpers.SanitizeFileName(id)), 0o755))
}
// With some entity inventory folders from previous executions
require.NoError(t, os.MkdirAll(filepath.Join(dataDir, aPlugin, "entity4"), 0o755))
require.NoError(t, os.MkdirAll(filepath.Join(dataDir, aPlugin, "entity5"), 0o755))
require.NoError(t, os.MkdirAll(filepath.Join(dataDir, aPlugin, "entity6"), 0o755))
require.NoError(t, os.MkdirAll(filepath.Join(dataDir, anotherPlugin, "entity4"), 0o755))
require.NoError(t, os.MkdirAll(filepath.Join(dataDir, anotherPlugin, "entity5"), 0o755))
require.NoError(t, os.MkdirAll(filepath.Join(dataDir, anotherPlugin, "entity6"), 0o755))
// When not all the entities reported information during the last period
entitiesThatReported := map[string]bool{
"entity:2": true,
}
// And the "remove outdated entities" is triggered
agent.removeOutdatedEntities(entitiesThatReported)
// Then the entities that didn't reported information have been unregistered
// and only their folders are kept
entities := []struct {
ID string
Folder string
ShouldBeRegistered bool
}{
{"entity:1", "entity1", false},
{"entity:2", "entity2", true},
{"entity:3", "entity3", false},
{"dontCare", "entity4", false},
{"doesntMatter", "entity5", false},
}
for _, entity := range entities {
_, ok := agent.inventories[entity.ID]
assert.Equal(t, entity.ShouldBeRegistered, ok)
_, err1 := os.Stat(filepath.Join(dataDir, aPlugin, entity.Folder))
_, err2 := os.Stat(filepath.Join(dataDir, anotherPlugin, entity.Folder))
if entity.ShouldBeRegistered {
assert.NoError(t, err1)
assert.NoError(t, err2)
} else {
assert.True(t, os.IsNotExist(err1))
assert.True(t, os.IsNotExist(err2))
}
}
}
func TestReconnectablePlugins(t *testing.T) {
// Given an agent
a := newTesting(nil)
defer os.RemoveAll(a.store.DataDir)
wg := sync.WaitGroup{}
wg.Add(2)
// With a set of registered plugins
nrp := nonReconnectingPlugin{invocations: 0, wg: &wg}
a.RegisterPlugin(&nrp)
rp := reconnectingPlugin{invocations: 0, context: a.Context, wg: &wg}
a.RegisterPlugin(&rp)
// That successfully started
a.startPlugins()
assert.NoError(t, wait(time.Second, &wg))
// When the agent reconnects
wg.Add(1)
a.Context.Reconnect()
assert.NoError(t, wait(time.Second, &wg))
// The non-reconnecting plugins are not invoked again
assert.Equal(t, 1, nrp.invocations)
// And the reconnecting plugins are invoked again
assert.Equal(t, 2, rp.invocations)
}
func TestCheckConnectionRetry(t *testing.T) {
// Given a server that returns timeouts and eventually accepts the requests
ts := NewTimeoutServer(2)
defer ts.Cancel()
cnf := &config.Config{
CollectorURL: ts.server.URL,
StartupConnectionRetries: 3,
StartupConnectionTimeout: "10ms",
MaxInventorySize: maxInventoryDataSize,
}
// required for building the agent
ffFetcher := test.NewFFRetrieverReturning(false, false)
// The agent should eventually connect
a, err := NewAgent(cnf, "testing-timeouts", "userAgent", ffFetcher)
assert.NoError(t, err)
assert.NotNil(t, a)
}
func TestCheckConnectionTimeout(t *testing.T) {
// Given a server that always returns timeouts
ts := NewTimeoutServer(3)
defer ts.Cancel()
cnf := &config.Config{
CollectorURL: ts.server.URL,
StartupConnectionRetries: 2,
StartupConnectionTimeout: "1ms",
MaxInventorySize: maxInventoryDataSize,
}
// required to build the agent
ffFetcher := test.NewFFRetrieverReturning(false, false)
// The agent stops reconnecting after retrying as configured
_, err := NewAgent(cnf, "testing-timeouts", "userAgent", ffFetcher)
assert.Error(t, err)
}
func Test_checkCollectorConnectivity_NoTimeoutOnInfiniteRetries(t *testing.T) {
// Given a server that always returns timeouts
ts := NewTimeoutServer(-1)
defer ts.Cancel()
// When a connectivity is checked with retries
connErr := make(chan error, 1)
go func() {
cnf := &config.Config{
CollectorURL: ts.server.URL,
StartupConnectionRetries: -1,
StartupConnectionTimeout: "1ms",
}
backOff := &backoff.Backoff{Min: 1 * time.Millisecond}
retrier := backoff.NewRetrierWithBackoff(backOff)
connErr <- checkCollectorConnectivity(context2.Background(), cnf, retrier, "testing-interruption", "agent-key", &http.Transport{})
}()
// Then no timeout error is returned
select {
case err := <-connErr:
assert.Error(t, err)
// this should never be triggered
t.Fail()
case <-time.After(100 * time.Millisecond):
// retries keep going on as expected
}
}
type killingPlugin struct {
killed bool
}
func (killingPlugin) Run() {}
func (killingPlugin) LogInfo() {}
func (killingPlugin) ScheduleHealthCheck() {}
func (p *killingPlugin) Kill() { p.killed = true }
func (killingPlugin) Id() ids.PluginID { return ids.PluginID{} }
func (killingPlugin) IsExternal() bool { return false }
func (killingPlugin) GetExternalPluginName() string { return "" }
func TestTerminate(t *testing.T) {
a := newTesting(nil)
defer func() {
_ = os.RemoveAll(a.store.DataDir)
}()
a.plugins = []Plugin{
&killingPlugin{killed: false}, &killingPlugin{killed: false}, &killingPlugin{killed: false},
}
a.Terminate()
assert.Len(t, a.plugins, 3)
for _, plugin := range a.plugins {
assert.True(t, plugin.(*killingPlugin).killed)
}
}
func TestStopByCancelFn_UsedBySignalHandler(t *testing.T) {
wg := sync.WaitGroup{}
wg.Add(1)
a := newTesting(nil)
defer func() {
_ = os.RemoveAll(a.store.DataDir)
}()
a.plugins = []Plugin{
&killingPlugin{killed: false}, &killingPlugin{killed: false}, &killingPlugin{killed: false},
}
go func() {
assert.NoError(t, a.Run())
wg.Done()
}()
a.Context.CancelFn()
wg.Wait()
}
// patchSenderCallRecorder patchSender implementation for tests. It will record the calls made to Process()
type patchSenderCallRecorder struct {
sync.Mutex
calls int
}
func (p *patchSenderCallRecorder) Process() error {
p.Lock()
defer p.Unlock()
p.calls++
return nil
}
func (p *patchSenderCallRecorder) getCalls() int {
p.Lock()
p.Unlock()
return p.calls
}
func TestAgent_Run_DontSendInventoryIfFwdOnly(t *testing.T) {
tests := []struct {
name string
fwdOnly bool
assertFunc func(t assert.TestingT, e1 interface{}, e2 interface{}, msgAndArgs ...interface{}) bool
expected int
firstReapInterval time.Duration
sendInterval time.Duration
}{
{
name: "forward only enabled should not send inventory",
fwdOnly: true,
assertFunc: assert.Equal,
expected: 0,
firstReapInterval: time.Second,
sendInterval: time.Microsecond * 5,
},
{
name: "forward only enabled should not send inventory low values timers",
fwdOnly: true,
assertFunc: assert.Equal,
expected: 0,
firstReapInterval: time.Nanosecond,
sendInterval: time.Nanosecond,
},
{
name: "forward only disabled should send inventory at least once",
fwdOnly: false,
assertFunc: assert.GreaterOrEqual,
expected: 1,
firstReapInterval: time.Second,
sendInterval: time.Microsecond * 5,
},
}
for _, tt := range tests {
t.Run(tt.name, func(t *testing.T) {
wg := sync.WaitGroup{}
wg.Add(1)
cfg := &config.Config{
IsForwardOnly: tt.fwdOnly,
FirstReapInterval: tt.firstReapInterval,
SendInterval: tt.sendInterval,
}
a := newTesting(cfg)
// Give time to at least send one request
ctxTimeout, _ := context2.WithTimeout(a.Context.Ctx, time.Millisecond*10)
a.Context.Ctx = ctxTimeout
// Inventory recording calls
snd := &patchSenderCallRecorder{}
a.inventories = map[string]*inventoryEntity{"test": {sender: snd}}
go func() {
assert.NoError(t, a.Run())
wg.Done()
}()
wg.Wait()
tt.assertFunc(t, snd.getCalls(), tt.expected)
})
}
}
func wait(timeout time.Duration, wg *sync.WaitGroup) error {
done := make(chan bool, 0)
go func() {
wg.Wait()
done <- true
}()
select {
case <-done:
return nil
case <-time.After(timeout):
return fmt.Errorf("timeout waiting for task to complete")
}
}
type reconnectingPlugin struct {
invocations int
context AgentContext
wg *sync.WaitGroup
}
func (p *reconnectingPlugin) Run() {
p.invocations++
p.context.AddReconnecting(p)
p.wg.Done()
}
func (reconnectingPlugin) Id() ids.PluginID {
return ids.PluginID{
Category: "reconnecting",
Term: "plugin",
}
}
func (reconnectingPlugin) LogInfo() {}
func (reconnectingPlugin) ScheduleHealthCheck() {}
func (reconnectingPlugin) IsExternal() bool {
return false
}
func (reconnectingPlugin) GetExternalPluginName() string {
return ""
}
type nonReconnectingPlugin struct {
invocations int
wg *sync.WaitGroup
}
func (p *nonReconnectingPlugin) Run() {
p.invocations++
p.wg.Done()
}
func (nonReconnectingPlugin) Id() ids.PluginID {
return ids.PluginID{
Category: "non-reconnecting",
Term: "plugin",
}
}
func (nonReconnectingPlugin) LogInfo() {}
func (nonReconnectingPlugin) ScheduleHealthCheck() {}
func (nonReconnectingPlugin) IsExternal() bool {
return false
}
func (nonReconnectingPlugin) GetExternalPluginName() string {
return ""
}
type TimeoutServer struct {
unblock chan interface{}
invocations *int32
timeoutsNumber int32
server *httptest.Server
}
func NewTimeoutServer(timeoutsNumber int32) *TimeoutServer {
ts := &TimeoutServer{
unblock: make(chan interface{}),
invocations: new(int32),
timeoutsNumber: timeoutsNumber,
}
ts.server = httptest.NewServer(http.HandlerFunc(ts.handler))
return ts
}
func (t *TimeoutServer) handler(w http.ResponseWriter, r *http.Request) {
currentInvocations := atomic.AddInt32(t.invocations, 1)
if currentInvocations < t.timeoutsNumber || t.timeoutsNumber < 0 {
<-t.unblock
}
}
func (t *TimeoutServer) Cancel() {
close(t.unblock)
}
type testAgentNullableData struct {
Name string
Value *string
}
func (self *testAgentNullableData) SortKey() string {
return self.Name
}
func TestStorePluginOutput(t *testing.T) {
a := newTesting(nil)
defer os.RemoveAll(a.store.DataDir)
aV := "aValue"
bV := "bValue"
cV := "cValue"
err := a.storePluginOutput(agentTypes.PluginOutput{
Id: ids.PluginID{"test", "plugin"},
Entity: entity.NewFromNameWithoutID("someEntity"),
Data: agentTypes.PluginInventoryDataset{
&testAgentNullableData{"cMyService", &cV},
&testAgentNullableData{"aMyService", &aV},
&testAgentNullableData{"NilService", nil},
&testAgentNullableData{"bMyService", &bV},
},
})
assert.NoError(t, err)
sourceFile := filepath.Join(a.store.DataDir, "test", "someEntity", "plugin.json")
sourceB, err := ioutil.ReadFile(sourceFile)
require.NoError(t, err)
expected := []byte(`{"NilService":{"Name":"NilService"},"aMyService":{"Name":"aMyService","Value":"aValue"},"bMyService":{"Name":"bMyService","Value":"bValue"},"cMyService":{"Name":"cMyService","Value":"cValue"}}`)
assert.Equal(t, string(expected), string(sourceB))
}
type mockHostinfoData struct {
System string `json:"id"`
Distro *string `json:"distro"`
KernelVersion string `json:"kernel_version"`
HostType string `json:"host_type"`
CpuName string `json:"cpu_name"`
CpuNum string `json:"cpu_num"`
TotalCpu string `json:"total_cpu"`
Ram string `json:"ram"`
UpSince string `json:"boot_timestamp"`
AgentVersion string `json:"agent_version"`
AgentName string `json:"agent_name"`
AgentMode string `json:"agent_mode"`
OperatingSystem string `json:"operating_system"`
ProductUuid string `json:"product_uuid"`
BootId string `json:"boot_id"`
}
func (self mockHostinfoData) SortKey() string {
return self.System
}
func BenchmarkStorePluginOutput(b *testing.B) {
a := newTesting(&config.Config{MaxInventorySize: 1000 * 1000})
defer os.RemoveAll(a.store.DataDir)
distroName := "Fedora 29 (Cloud Edition)"
benchmarks := []struct {
name string
distro *string
}{
{"with nulls", nil},
{"without nulls", &distroName},
}
for _, bm := range benchmarks {
b.Run(bm.name, func(b *testing.B) {
var dataset agentTypes.PluginInventoryDataset
for i := 0; i < 6; i++ {
mHostInfo := &mockHostinfoData{
System: fmt.Sprintf("system-%v", i),
Distro: bm.distro,
KernelVersion: "4.19.9-300.fc29.x86_64",
HostType: "innotek GmbH VirtualBox",
CpuName: "Intel(R) Core(TM) i7-7700HQ CPU @ 2.80GHz",
CpuNum: "4",
TotalCpu: "4",
Ram: "4036720 kB",
UpSince: "2018-12-24 08:18:51",
AgentVersion: "1.1.14",
AgentName: "Infrastructure",
OperatingSystem: "linux",
ProductUuid: "unknown",
BootId: "42b8448d-1c8e-4b8a-b9d1-0400f12c5a29",
}
dataset = append(dataset, mHostInfo)
}
output := agentTypes.PluginOutput{
Id: ids.PluginID{"test", "plugin"},
Entity: entity.NewFromNameWithoutID("someEntity"),
Data: dataset,
}
b.ResetTimer()
for i := 0; i < b.N; i++ {
_ = a.storePluginOutput(output)
}
b.StopTimer()
})
}
}
func getBooleanPtr(val bool) *bool {
return &val
}
func Test_ProcessSampling(t *testing.T) {
someSample := &types.ProcessSample{
ProcessDisplayName: "some-process",
}
type testCase struct {
name string
c *config.Config
ff feature_flags.Retriever
want bool
}
testCases := []testCase{
{
name: "ConfigurationOptionIsDisabled",
c: &config.Config{EnableProcessMetrics: getBooleanPtr(false), DisableCloudMetadata: true},
want: false,
},
{
name: "ConfigurationOptionIsEnabled",
c: &config.Config{EnableProcessMetrics: getBooleanPtr(true), DisableCloudMetadata: true},
want: true,
},
{
// if the matchers are empty (corner case), the FF retriever is checked so it needs to not be nil
name: "ConfigurationOptionIsNotPresentAndMatchersAreEmptyAndFeatureFlagIsNotConfigured",
c: &config.Config{IncludeMetricsMatchers: map[string][]string{}, DisableCloudMetadata: true},
ff: test.NewFFRetrieverReturning(false, false),
want: false,
},
{
name: "ConfigurationOptionIsNotPresentAndMatchersConfiguredDoNotMatch",
c: &config.Config{IncludeMetricsMatchers: map[string][]string{"process.name": {"does-not-match"}}, DisableCloudMetadata: true},
want: false,
},
{
name: "ConfigurationOptionIsNotPresentAndMatchersConfiguredDoMatch",
c: &config.Config{IncludeMetricsMatchers: map[string][]string{"process.name": {"some-process"}}, DisableCloudMetadata: true},
want: true,
},
{
name: "ConfigurationOptionIsNotPresentAndMatchersAreNotConfiguredAndFeatureFlagIsEnabled",
c: &config.Config{DisableCloudMetadata: true},
ff: test.NewFFRetrieverReturning(true, true),
want: true,
},
{
name: "ConfigurationOptionIsNotPresentAndMatchersAreNotConfiguredAndFeatureFlagIsDisabled",
c: &config.Config{DisableCloudMetadata: true},
ff: test.NewFFRetrieverReturning(false, true),
want: false,
},
{
name: "ConfigurationOptionIsNotPresentAndMatchersAreNotConfiguredAndFeatureFlagIsNotFound",
c: &config.Config{DisableCloudMetadata: true},
ff: test.NewFFRetrieverReturning(false, false),
want: false,
},
{
name: "DefaultBehaviourExcludesProcessSamples",
c: &config.Config{DisableCloudMetadata: true},
ff: test.NewFFRetrieverReturning(false, false),
want: false,
},
}
for _, tc := range testCases {
a, _ := NewAgent(tc.c, "test", "userAgent", tc.ff)
t.Run(tc.name, func(t *testing.T) {
actual := a.Context.shouldIncludeEvent(someSample)
assert.Equal(t, tc.want, actual)
})
}
}
func Test_ProcessSamplingExcludesAllCases(t *testing.T) {
t.Parallel()
someSample := &types.ProcessSample{
ProcessDisplayName: "some-process",
}
boolAsPointer := func(val bool) *bool {
return &val
}
type testCase struct {
name string
processMetricsEnabled *bool
IncludeMetricsMatchers map[string][]string
ExcludeMetricsMatchers map[string][]string
expectInclude bool
}
//nolint:dupword
// Test cases
// EnableProcessMetrics | IncludeMetricsMatchers | ExcludeMetricsMatchers | Expected include
// nil | nil | nil | false
// nil | [process that matches ] | nil | true
// nil | [process that not matches ] | nil | false
// nil | [process that matches ] | [process that matches ] | true
// nil | [process that not matches ] | [process that not matche ] | false
// nil | nil | [process that matches ] | false
// nil | nil | [process that not matches ] | false
// false | nil | nil | false
// false | [process that matches ] | nil | false
// false | nil | [process that not matche ] | false
// false | [process that matches ] | [process that matches ] | false
// false | [process that not matches ] | [process that not matche ] | false
// true | nil | nil | true
// true | [process that matches ] | nil | true
// true | [process that not matches ] | nil | false
// true | [process that matches ] | [process that matches ] | true
// true | [process that not matches ] | [process that not matche ] | false
// true | nil | [process that matches ] | false
// true | nil | [process that not matches ] | true
testCases := []testCase{
{
name: "nil | nil | nil | false",
processMetricsEnabled: nil,
IncludeMetricsMatchers: nil,
ExcludeMetricsMatchers: nil,
expectInclude: false,
},
{
name: "nil | [process that matches] | nil | true",
processMetricsEnabled: nil,
IncludeMetricsMatchers: map[string][]string{"process.name": {"some-process"}},
ExcludeMetricsMatchers: nil,
expectInclude: true,
},
{
name: "nil | [process that not matches] | nil | false",
processMetricsEnabled: nil,
IncludeMetricsMatchers: map[string][]string{"process.name": {"does-not-match"}},
ExcludeMetricsMatchers: nil,
expectInclude: false,
},
{
name: "nil | [process that matches] | [process that matches] | true",
processMetricsEnabled: nil,
IncludeMetricsMatchers: map[string][]string{"process.name": {"some-process"}},
ExcludeMetricsMatchers: map[string][]string{"process.name": {"some-process"}},
expectInclude: true,
},
{
name: "nil | [process that not matches] | [process that not matches] | false",
processMetricsEnabled: nil,
IncludeMetricsMatchers: map[string][]string{"process.name": {"does-not-match"}},
ExcludeMetricsMatchers: map[string][]string{"process.name": {"does-not-match"}},
expectInclude: false,
},
{
name: "nil | nil | [process that matches] | false",
processMetricsEnabled: nil,
IncludeMetricsMatchers: nil,
ExcludeMetricsMatchers: map[string][]string{"process.name": {"some-process"}},
expectInclude: false,
},
{
name: "nil | nil | [process that not matches] | false",
processMetricsEnabled: nil,
IncludeMetricsMatchers: nil,
ExcludeMetricsMatchers: map[string][]string{"process.name": {"does-not-match"}},
expectInclude: false,
},
{
name: "false | nil | nil | false",
processMetricsEnabled: boolAsPointer(false),
IncludeMetricsMatchers: nil,
ExcludeMetricsMatchers: nil,
expectInclude: false,
},
{