-
Notifications
You must be signed in to change notification settings - Fork 133
/
Copy pathagent.go
1370 lines (1178 loc) · 42.5 KB
/
agent.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
package agent
import (
context2 "context"
"fmt"
"net/http"
"os"
"path/filepath"
"runtime"
"runtime/pprof"
"sort"
"strings"
"sync"
"sync/atomic"
"time"
"github.com/newrelic/infrastructure-agent/pkg/sysinfo/hostid"
"github.com/newrelic/infrastructure-agent/internal/agent/instrumentation"
"github.com/newrelic/infrastructure-agent/internal/agent/inventory"
"github.com/newrelic/infrastructure-agent/internal/agent/types"
"github.com/newrelic/infrastructure-agent/internal/feature_flags"
"github.com/newrelic/infrastructure-agent/pkg/entity/host"
"github.com/newrelic/infrastructure-agent/pkg/helpers/metric"
"github.com/newrelic/infrastructure-agent/pkg/metrics/sampler"
process_sample_types "github.com/newrelic/infrastructure-agent/pkg/metrics/types"
"github.com/sirupsen/logrus"
"github.com/newrelic/infrastructure-agent/pkg/ctl"
"github.com/newrelic/infrastructure-agent/pkg/ipc"
"github.com/newrelic/infrastructure-agent/pkg/backend/identityapi"
"github.com/newrelic/infrastructure-agent/pkg/backend/state"
"github.com/newrelic/infrastructure-agent/pkg/helpers/fingerprint"
"github.com/newrelic/infrastructure-agent/pkg/log"
"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/newrelic/infrastructure-agent/internal/agent/debug"
"github.com/newrelic/infrastructure-agent/internal/agent/delta"
"github.com/newrelic/infrastructure-agent/internal/agent/id"
"github.com/newrelic/infrastructure-agent/pkg/disk"
"github.com/newrelic/infrastructure-agent/pkg/entity"
"github.com/newrelic/infrastructure-agent/pkg/plugins/ids"
"github.com/newrelic/infrastructure-agent/pkg/sample"
"github.com/newrelic/infrastructure-agent/pkg/backend/backoff"
backendhttp "github.com/newrelic/infrastructure-agent/pkg/backend/http"
"github.com/newrelic/infrastructure-agent/pkg/backend/inventoryapi"
"github.com/newrelic/infrastructure-agent/pkg/config"
"github.com/newrelic/infrastructure-agent/pkg/helpers"
)
const (
defaultRemoveEntitiesPeriod = 48 * time.Hour
activeEntitiesBufferLength = 32
defaultBulkInventoryQueueLength = 1000
)
type registerableSender interface {
Start() error
Stop() error
}
type inventoryEntity struct {
reaper *PatchReaper
sender inventory.PatchSender
needsReaping bool
needsCleanup bool
}
type Agent struct {
inv inventoryState
plugins []Plugin // Slice of registered plugins
oldPlugins []ids.PluginID // Deprecated plugins whose cached data must be removed, if existing
agentDir string // Base data directory for the agent
extDir string // Location of external data input
userAgent string // User-Agent making requests to warlock
inventories map[string]*inventoryEntity // Inventory reaper and sender instances (key: entity ID)
Context *context // Agent context data that is passed around the place
metricsSender registerableSender
inventoryHandler *inventory.Handler
store *delta.Store
debugProvide debug.Provide
httpClient backendhttp.Client // http client for both data submission types: events and inventory
connectSrv *identityConnectService
provideIDs ProvideIDs
entityMap entity.KnownIDs
fpHarvester fingerprint.Harvester
cloudHarvester cloud.Harvester // If it's the case returns information about the cloud where instance is running.
agentID *entity.ID // pointer as it's referred from several points
mtx sync.Mutex // Protect plugins
notificationHandler *ctl.NotificationHandlerWithCancellation // Handle ipc messaging.
}
type inventoryState struct {
readyToReap bool
sendErrorCount uint32
}
var (
alog = log.WithComponent("Agent")
aclog = log.WithComponent("AgentContext")
)
// AgentContext defines the interfaces between plugins and the agent
type AgentContext interface {
Context() context2.Context
SendData(types.PluginOutput)
SendEvent(event sample.Event, entityKey entity.Key)
Unregister(ids.PluginID)
// Reconnecting tells the agent that this plugin must be re-executed when the agent reconnects after long time
// disconnected (> 24 hours).
AddReconnecting(Plugin)
// Reconnect invokes again all the plugins that have been registered with the AddReconnecting function
Reconnect()
Config() *config.Config
// EntityKey stores agent entity key (name), value may change in runtime.
EntityKey() string
Version() string
// Service -> PID cache. This is used so we can translate between PIDs and service names easily.
// The cache is populated by all plugins which produce lists of services, and used by metrics
// which get processes and want to determine which service each process is for.
CacheServicePids(source string, pidMap map[int]string)
GetServiceForPid(pid int) (service string, ok bool)
ActiveEntitiesChannel() chan string
// HostnameResolver returns the host name resolver associated to the agent context
HostnameResolver() hostname.Resolver
IDLookup() host.IDLookup
// Identity returns the entity ID of the infra agent
Identity() entity.Identity
}
// context defines a bunch of agent data structures we make
// available to the various plugins and satisfies the
// AgentContext interface
type context struct {
Ctx context2.Context
CancelFn context2.CancelFunc
cfg *config.Config
id *id.Context
agentKey atomic.Value
reconnecting *sync.Map // Plugins that must be re-executed after a long disconnection
ch chan types.PluginOutput // Channel of inbound plugin data payloads
updateIDLookupTableFn func(hostAliases types.PluginInventoryDataset) (err error)
pluginOutputHandleFn func(types.PluginOutput) // Function to handle the PluginOutput (Inventory Data). When this is provided the ch would not be used (In future would be deprecared)
activeEntities chan string // Channel will be reported about the local/remote entities that are active
version string
eventSender eventSender
servicePidLock *sync.RWMutex
servicePids map[string]map[int]string // Map of plugin -> (map of pid -> service)
resolver hostname.ResolverChangeNotifier
EntityMap entity.KnownIDs
idLookup host.IDLookup
shouldIncludeEvent sampler.IncludeProcessSampleMatchFn
shouldExcludeEvent sampler.ExcludeProcessSampleMatchFn
}
func (c *context) Context() context2.Context {
return c.Ctx
}
// AgentID provides agent ID, blocking until it's available
func (c *context) AgentID() entity.ID {
return c.id.AgentID()
}
// AgentIdentity provides agent ID & GUID, blocking until it's available
func (c *context) Identity() entity.Identity {
return c.id.AgentIdentity()
}
func (c *context) AgentIDUpdateNotifier() id.UpdateNotifyFn {
return c.id.Notify
}
// AgentIDOrEmpty provides agent ID when available, empty otherwise
func (c *context) AgentIdnOrEmpty() entity.Identity {
return c.id.AgentIdnOrEmpty()
}
func (c *context) IdContext() *id.Context {
return c.id
}
// SetAgentID sets agent id
func (c *context) SetAgentIdentity(id entity.Identity) {
c.id.SetAgentIdentity(id)
}
// IDLookup returns the IDLookup map.
func (c *context) IDLookup() host.IDLookup {
return c.idLookup
}
// NewContext creates a new context.
func NewContext(
cfg *config.Config,
buildVersion string,
resolver hostname.ResolverChangeNotifier,
lookup host.IDLookup,
sampleMatchFn sampler.IncludeProcessSampleMatchFn,
sampleExcludeFn sampler.ExcludeProcessSampleMatchFn,
) *context {
ctx, cancel := context2.WithCancel(context2.Background())
var agentKey atomic.Value
agentKey.Store("")
return &context{
cfg: cfg,
Ctx: ctx,
CancelFn: cancel,
id: id.NewContext(ctx),
reconnecting: new(sync.Map),
version: buildVersion,
servicePidLock: &sync.RWMutex{},
servicePids: make(map[string]map[int]string),
resolver: resolver,
idLookup: lookup,
shouldIncludeEvent: sampleMatchFn,
shouldExcludeEvent: sampleExcludeFn,
agentKey: agentKey,
}
}
func checkCollectorConnectivity(ctx context2.Context, cfg *config.Config, retrier *backoff.RetryManager, userAgent string, agentKey string, transport http.RoundTripper) (err error) {
if cfg.CollectorURL == "" {
return
}
// if StartupConnectionRetries is negative, then we will keep checking the connection until it succeeds.
tries := cfg.StartupConnectionRetries
timeout, err := time.ParseDuration(cfg.StartupConnectionTimeout)
if err != nil {
// this should never happen, as the correct format is checked during NormalizeConfig
return
}
var timedout bool
for {
timedout, err = backendhttp.CheckEndpointReachability(ctx, alog, cfg.CollectorURL, cfg.License, userAgent, agentKey, timeout, transport)
if timedout {
if tries >= 0 {
tries -= 1
if tries <= 0 {
break
}
}
alog.WithError(err).WithFields(logrus.Fields{
"userAgent": userAgent,
"timeout": timeout,
"url": cfg.CollectorURL,
}).Warn("no connectivity with collector url, retrying")
retrier.SetNextRetryWithBackoff()
time.Sleep(retrier.RetryAfter())
} else {
// otherwise we got a response, so break out
break
}
}
return
}
// NewAgent returns a new instance of an agent built from the config.
func NewAgent(
cfg *config.Config,
buildVersion string,
userAgent string,
ffRetriever feature_flags.Retriever,
) (a *Agent, err error) {
hostnameResolver := hostname.CreateResolver(
cfg.OverrideHostname, cfg.OverrideHostnameShort, cfg.DnsHostnameResolution)
// Initialize the cloudDetector.
cloudHarvester := cloud.NewDetector(cfg.DisableCloudMetadata, cfg.CloudMaxRetryCount, cfg.CloudRetryBackOffSec, cfg.CloudMetadataExpiryInSec, cfg.CloudMetadataDisableKeepAlive)
cloudHarvester.Initialize(cloud.WithProvider(cloud.Type(cfg.CloudProvider)))
idLookupTable := NewIdLookup(hostnameResolver, cloudHarvester, cfg.DisplayName)
// Matchers logic:
// * If enable_process_metrics is defined and false, no process will be sent
// * If enable_process_metrics is not defined ( == nil ) AND there are include_metrics_matchers,
// then only the metrics that match the include_metrics_matchers will be sent
// * If enable_process_metrics is not defined ( == nil ) AND there are exclude_metrics_matchers,
// exlude list is ignored and no process is sent
// * If enable_process_metrics == true AND there are include_metrics_matchers and exclude_metrics_matchers,
// exclude ones are ignored and only the ones that match the include_metrics_matchers are sent
// * If enable_process_metrics == true AND there are exlude_metrics_matchers ,
// all the processes but excluded ones will be sent
// * If all the cases where include_metrics_matchers and exclude_metrics_matchers are present,
// exclude ones will be ignored
processSampleMatchFn := sampler.NewIncludeProcessSampleMatchFn(cfg.EnableProcessMetrics, cfg.IncludeMetricsMatchers, ffRetriever)
// by default, do not apply exclude metrics matchers, only if no include ones are present
processSampleExcludeFn := func(event any) bool {
return true
}
if len(cfg.IncludeMetricsMatchers) == 0 &&
cfg.EnableProcessMetrics != nil &&
*cfg.EnableProcessMetrics &&
len(cfg.ExcludeMetricsMatchers) > 0 {
processSampleExcludeFn = sampler.NewExcludeProcessSampleMatchFn(cfg.ExcludeMetricsMatchers)
// if there are not include matchers at all, we remove the matcher to exclude by default
processSampleMatchFn = func(event any) bool {
return false
}
}
ctx := NewContext(cfg, buildVersion, hostnameResolver, idLookupTable, sampler.IncludeProcessSampleMatchFn(processSampleMatchFn), processSampleExcludeFn)
agentKey, err := idLookupTable.AgentKey()
if err != nil {
return
}
ctx.setAgentKey(agentKey)
var dataDir string
if cfg.AppDataDir != "" {
dataDir = filepath.Join(cfg.AppDataDir, "data")
} else {
dataDir = filepath.Join(cfg.AgentDir, "data")
}
maxInventorySize := cfg.MaxInventorySize
if cfg.DisableInventorySplit {
maxInventorySize = delta.DisableInventorySplit
}
s := delta.NewStore(dataDir, ctx.EntityKey(), maxInventorySize, cfg.InventoryArchiveEnabled)
transport := backendhttp.BuildTransport(cfg, backendhttp.ClientTimeout)
transport = backendhttp.NewRequestDecoratorTransport(cfg, transport)
httpClient := backendhttp.GetHttpClient(backendhttp.ClientTimeout, transport)
identityURL := fmt.Sprintf("%s/%s", cfg.IdentityURL, strings.TrimPrefix(cfg.IdentityIngestEndpoint, "/"))
if os.Getenv("DEV_IDENTITY_INGEST_URL") != "" {
identityURL = os.Getenv("DEV_IDENTITY_INGEST_URL")
}
identityURL = strings.TrimSuffix(identityURL, "/")
connectClient, err := identityapi.NewIdentityConnectClient(
identityURL,
cfg.License,
userAgent,
cfg.PayloadCompressionLevel,
cfg.IsContainerized,
httpClient.Do,
)
if err != nil {
return nil, err
}
registerClient, err := identityapi.NewRegisterClient(
identityURL,
cfg.License,
userAgent,
cfg.PayloadCompressionLevel,
httpClient,
)
if err != nil {
return nil, err
}
provideIDs := NewProvideIDs(registerClient, state.NewRegisterSM())
fpHarvester, err := fingerprint.NewHarvestor(cfg, hostnameResolver, cloudHarvester)
if err != nil {
return nil, err
}
connectMetadataHarvester := identityapi.NewMetadataHarvesterDefault(hostid.NewProviderEnv())
connectSrv := NewIdentityConnectService(connectClient, fpHarvester, connectMetadataHarvester)
// notificationHandler will map ipc messages to functions
notificationHandler := ctl.NewNotificationHandlerWithCancellation(ctx.Ctx)
return New(
cfg,
ctx,
userAgent,
idLookupTable,
s,
connectSrv,
provideIDs,
httpClient.Do,
transport,
cloudHarvester,
fpHarvester,
notificationHandler,
)
}
// New creates a new agent using given context and services.
func New(
cfg *config.Config,
ctx *context,
userAgent string,
idLookupTable host.IDLookup,
s *delta.Store,
connectSrv *identityConnectService,
provideIDs ProvideIDs,
dataClient backendhttp.Client,
transport http.RoundTripper,
cloudHarvester cloud.Harvester,
fpHarvester fingerprint.Harvester,
notificationHandler *ctl.NotificationHandlerWithCancellation,
) (*Agent, error) {
a := &Agent{
Context: ctx,
debugProvide: debug.ProvideFn,
userAgent: userAgent,
store: s,
httpClient: dataClient,
fpHarvester: fpHarvester,
cloudHarvester: cloudHarvester,
connectSrv: connectSrv,
provideIDs: provideIDs,
notificationHandler: notificationHandler,
}
a.plugins = make([]Plugin, 0)
a.oldPlugins = make([]ids.PluginID, 0)
a.Context.cfg = cfg
a.agentDir = cfg.AgentDir
if cfg.AppDataDir != "" {
a.extDir = filepath.Join(cfg.AppDataDir, "user_data")
} else {
a.extDir = filepath.Join(a.agentDir, "user_data")
}
// register handlers for ipc messaging
// for linux only "verbose logging" is handled
notificationHandler.RegisterHandler(ipc.EnableVerboseLogging, a.enableVerboseLogging)
notificationHandler.RegisterHandler(ipc.Stop, a.gracefulStop)
notificationHandler.RegisterHandler(ipc.Shutdown, a.gracefulShutdown)
// Instantiate reaper and sender
a.inventories = map[string]*inventoryEntity{}
// Make sure the network is working before continuing with identity
if err := checkCollectorConnectivity(ctx.Ctx, cfg, backoff.NewRetrier(), a.userAgent, a.Context.getAgentKey(), transport); err != nil {
alog.WithError(err).Error("network is not available")
return nil, err
}
if err := a.setAgentKey(idLookupTable); err != nil {
return nil, fmt.Errorf("could not determine any suitable identification for this agent. Attempts to gather the hostname, cloud ID, or configured alias all failed")
}
llog := alog.WithField("id", a.Context.EntityKey())
llog.Debug("Bootstrap Entity Key.")
// Create the external directory for user-generated json
if err := disk.MkdirAll(a.extDir, 0o755); err != nil {
llog.WithField("path", a.extDir).WithError(err).Error("External json directory could not be initialized")
return nil, err
}
// Create input channel for plugins to feed data back to the agent
llog.WithField(config.TracesFieldName, config.FeatureTrace).Tracef("inventory parallelize queue: %v", a.Context.cfg.InventoryQueueLen)
a.Context.ch = make(chan types.PluginOutput, a.Context.cfg.InventoryQueueLen)
a.Context.activeEntities = make(chan string, activeEntitiesBufferLength)
if cfg.RegisterEnabled {
localEntityMap := entity.NewKnownIDs()
a.entityMap = localEntityMap
a.Context.eventSender = newVortexEventSender(a.Context, cfg.License, a.userAgent, a.httpClient, a.provideIDs, localEntityMap)
} else {
a.Context.eventSender = newMetricsIngestSender(a.Context, cfg.License, a.userAgent, a.httpClient, cfg.ConnectEnabled)
}
return a, nil
}
// NewIdLookup creates a new agent ID lookup table.
func NewIdLookup(resolver hostname.Resolver, cloudHarvester cloud.Harvester, displayName string) host.IDLookup {
idLookupTable := make(host.IDLookup)
// Attempt to get the hostname
host, short, err := resolver.Query()
llog := alog.WithField("displayName", displayName)
if err == nil {
idLookupTable[sysinfo.HOST_SOURCE_HOSTNAME] = host
idLookupTable[sysinfo.HOST_SOURCE_HOSTNAME_SHORT] = short
} else {
llog.WithError(err).Warn("could not determine hostname")
}
if host == "localhost" {
llog.Warn("Localhost is not a good identifier")
}
// See if we have a configured alias which is not equal to the hostname, if so, use
// it as a unique identifier and ignore the hostname
if displayName != "" {
idLookupTable[sysinfo.HOST_SOURCE_DISPLAY_NAME] = displayName
}
cloudInstanceID, err := cloudHarvester.GetInstanceID()
if err != nil {
llog.WithField("idLookupTable", idLookupTable).WithError(err).Debug("Unable to get instance id.")
} else {
idLookupTable[sysinfo.HOST_SOURCE_INSTANCE_ID] = cloudInstanceID
}
return idLookupTable
}
// Instantiates delta.Store as well as associated reapers and senders
func (a *Agent) registerEntityInventory(entity entity.Entity) error {
entityKey := entity.Key.String()
alog.WithField("entityKey", entityKey).
WithField("entityID", entity.ID).Debug("Registering inventory for entity.")
var patchSender inventory.PatchSender
var err error
if a.Context.cfg.RegisterEnabled {
patchSender, err = newPatchSenderVortex(entityKey, a.Context.getAgentKey(), a.Context, a.store, a.userAgent, a.Context.Identity, a.provideIDs, a.entityMap, a.httpClient)
} else {
patchSender, err = a.newPatchSender(entity)
}
if err != nil {
return err
}
reaper := newPatchReaper(entityKey, a.store)
a.inventories[entityKey] = &inventoryEntity{
sender: patchSender,
reaper: reaper,
}
return nil
}
func (a *Agent) newPatchSender(entity entity.Entity) (inventory.PatchSender, error) {
fileName := a.store.EntityFolder(entity.Key.String())
lastSubmission := delta.NewLastSubmissionStore(a.store.DataDir, fileName)
lastEntityID := delta.NewEntityIDFilePersist(a.store.DataDir, fileName)
return newPatchSender(entity, a.Context, a.store, lastSubmission, lastEntityID, a.userAgent, a.Context.Identity, a.httpClient)
}
// removes the inventory object references to free the memory, and the respective directories
func (a *Agent) unregisterEntityInventory(entityKey string) error {
alog.WithField("entityKey", entityKey).Debug("Unregistering inventory for entity.")
_, ok := a.inventories[entityKey]
if ok {
delete(a.inventories, entityKey)
}
return a.store.RemoveEntity(entityKey)
}
func (a *Agent) Plugins() []Plugin {
a.mtx.Lock()
defer a.mtx.Unlock()
return a.plugins
}
// Terminate takes all the reactive actions required before a termination (e.g. killing all the running processes)
func (a *Agent) Terminate() {
a.mtx.Lock()
defer a.mtx.Unlock()
alog.Debug("Terminating running plugins.")
for _, agentPlugin := range a.plugins {
switch p := agentPlugin.(type) {
case Killable:
p.Kill()
}
}
}
func (a *Agent) RegisterMetricsSender(s registerableSender) {
a.metricsSender = s
}
// RegisterPlugin takes a Plugin instance and registers it in the
// agent's plugin map
func (a *Agent) RegisterPlugin(p Plugin) {
a.mtx.Lock()
defer a.mtx.Unlock()
a.plugins = append(a.plugins, p)
}
// ExternalPluginsHealthCheck schedules the plugins health checks.
func (a *Agent) ExternalPluginsHealthCheck() {
for _, p := range a.plugins {
p.ScheduleHealthCheck()
}
}
func (a *Agent) GetContext() AgentContext {
return a.Context
}
// GetCloudHarvester will return the CloudHarvester service.
func (a *Agent) GetCloudHarvester() cloud.Harvester {
return a.cloudHarvester
}
// DeprecatePlugin builds the list of deprecated plugins
func (a *Agent) DeprecatePlugin(plugin ids.PluginID) {
a.oldPlugins = append(a.oldPlugins, plugin)
}
// storePluginOutput will take a PluginOutput and persist it in the store
func (a *Agent) storePluginOutput(pluginOutput types.PluginOutput) error {
if pluginOutput.Data == nil {
pluginOutput.Data = make(types.PluginInventoryDataset, 0)
}
sort.Sort(pluginOutput.Data)
// Filter out ignored inventory data before writing the file out
var sortKey string
ignore := a.Context.Config().IgnoredInventoryPathsMap
simplifiedPluginData := make(map[string]interface{})
DataLoop:
for _, data := range pluginOutput.Data {
if data == nil {
continue
}
sortKey = data.SortKey()
pluginSource := fmt.Sprintf("%s/%s", pluginOutput.Id, sortKey)
if _, ok := ignore[strings.ToLower(pluginSource)]; ok {
continue DataLoop
}
simplifiedPluginData[sortKey] = data
}
return a.store.SavePluginSource(
pluginOutput.Entity.Key.String(),
pluginOutput.Id.Category,
pluginOutput.Id.Term,
simplifiedPluginData,
)
}
// startPlugins takes all the registered plugins and starts them up serially
// we don't return until all plugins have been started
func (a *Agent) startPlugins() {
// iterate over and start each plugin
for _, agentPlugin := range a.plugins {
agentPlugin.LogInfo()
go func(p Plugin) {
_, trx := instrumentation.SelfInstrumentation.StartTransaction(context2.Background(), fmt.Sprintf("plugin. %s ", p.Id().String()))
defer trx.End()
p.Run()
}(agentPlugin)
}
}
// LogExternalPluginsInfo iterates over the list of plugins and logs
// the information of the external plugins only.
func (a *Agent) LogExternalPluginsInfo() {
for _, plugin := range a.plugins {
if plugin.IsExternal() {
plugin.LogInfo()
}
}
}
var hostAliasesPluginID = ids.PluginID{Category: "metadata", Term: "host_aliases"}
func (a *Agent) updateIDLookupTable(hostAliases types.PluginInventoryDataset) (err error) {
newIDLookupTable := make(map[string]string)
for _, hAliases := range hostAliases {
if alias, ok := hAliases.(sysinfo.HostAliases); ok {
newIDLookupTable[alias.Source] = alias.Alias
}
}
_ = a.setAgentKey(newIDLookupTable)
return
}
// Given a map of ID types to ID values, this will go through our list of preferred
// identifiers and choose the first one we can find.
// If one is found, it will be set on the context object as well as returned.
// Otherwise, the context is not modified.
func (a *Agent) setAgentKey(idLookupTable host.IDLookup) error {
key, err := idLookupTable.AgentKey()
if err != nil {
return err
}
alog.WithField("old", a.Context.getAgentKey()).WithField("new", key).Debug("Updating identity.")
a.Context.setAgentKey(key)
if a.store != nil {
a.store.ChangeDefaultEntity(key)
}
return nil
}
func (a *Agent) Init() {
cfg := a.Context.cfg
// Configure AsyncInventoryHandler if FF is enabled.
if cfg.AsyncInventoryHandlerEnabled {
alog.Debug("Initialise async inventory handler")
removeEntitiesPeriod, _ := time.ParseDuration(a.Context.Config().RemoveEntitiesPeriod)
patcherConfig := inventory.PatcherConfig{
IgnoredPaths: cfg.IgnoredInventoryPathsMap,
AgentEntity: entity.NewFromNameWithoutID(a.Context.EntityKey()),
RemoveEntitiesPeriod: removeEntitiesPeriod,
}
patcher := inventory.NewEntityPatcher(patcherConfig, a.store, a.newPatchSender)
if cfg.InventoryQueueLen == 0 {
cfg.InventoryQueueLen = defaultBulkInventoryQueueLength
}
inventoryHandlerCfg := inventory.HandlerConfig{
SendInterval: cfg.SendInterval,
FirstReapInterval: cfg.FirstReapInterval,
ReapInterval: cfg.ReapInterval,
InventoryQueueLen: cfg.InventoryQueueLen,
}
a.inventoryHandler = inventory.NewInventoryHandler(a.Context.Ctx, inventoryHandlerCfg, patcher)
a.Context.pluginOutputHandleFn = a.inventoryHandler.Handle
a.Context.updateIDLookupTableFn = a.updateIDLookupTable
// When AsyncInventoryHandlerEnabled is set disable inventory archiving.
a.store.SetArchiveEnabled(false)
}
}
// Run is the main event loop for the agent it starts up the plugins
// kicks off a filesystem seed and watcher and listens for data from
// the plugins
func (a *Agent) Run() (err error) {
alog.Info("Starting up agent...")
// start listening for ipc messages
_ = a.notificationHandler.Start()
cfg := a.Context.cfg
f := a.cpuProfileStart()
if f != nil {
defer a.cpuProfileStop(f)
}
go a.intervalMemoryProfile()
if cloud.Type(cfg.CloudProvider).IsValidCloud() {
err = a.checkInstanceIDRetry(cfg.CloudMaxRetryCount, cfg.CloudRetryBackOffSec)
// If the cloud provider was specified but we cannot get the instance ID, agent fails
if err != nil {
alog.WithError(err).Error("Couldn't detect the instance ID for the specified cloud")
return
}
}
if cfg.ConnectEnabled {
go a.connect()
}
alog.Debug("Starting Plugins.")
a.startPlugins()
if err != nil {
alog.WithError(err).Error("failed to start troubleshooting handler")
}
// Start debugger routine.
go func() {
if a.Context.Config().DebugLogSec <= 0 {
return
}
debugTimer := time.NewTicker(time.Duration(a.Context.Config().DebugLogSec) * time.Second)
for {
select {
case <-debugTimer.C:
{
debugInfo, err := a.debugProvide()
if err != nil {
alog.WithError(err).Debug("failed to get debug stats")
} else if debugInfo != "" {
alog.Debug(debugInfo)
}
}
case <-a.Context.Ctx.Done():
debugTimer.Stop()
return
}
}
}()
if a.Context.eventSender != nil {
if err := a.Context.eventSender.Start(); err != nil {
alog.WithError(err).Error("failed to start event sender")
}
}
if a.metricsSender != nil {
if err := a.metricsSender.Start(); err != nil {
alog.WithError(err).Error("failed to start metrics subsystem")
}
}
exit := make(chan struct{})
go func() {
<-a.Context.Ctx.Done()
a.exitGracefully()
close(exit)
}()
if a.inventoryHandler != nil {
if a.shouldSendInventory() {
a.inventoryHandler.Start()
}
<-exit
return nil
}
a.handleInventory(exit)
return nil
}
func (a *Agent) handleInventory(exit chan struct{}) {
cfg := a.Context.cfg
// Timers
reapInventoryTimer := time.NewTicker(cfg.FirstReapInterval)
sendInventoryTimer := time.NewTimer(cfg.SendInterval) // Send any deltas every X seconds
// Remove send timer
if !a.shouldSendInventory() {
// If Stop returns false means that the timer has been already triggered
if !sendInventoryTimer.Stop() {
<-sendInventoryTimer.C
}
reapInventoryTimer.Stop()
alog.Info("inventory submission disabled")
}
// Timer to engage the process of deleting entities that haven't been reported information during this time
removeEntitiesPeriod, err := time.ParseDuration(a.Context.Config().RemoveEntitiesPeriod)
if removeEntitiesPeriod <= 0 || err != nil {
removeEntitiesPeriod = defaultRemoveEntitiesPeriod
err = nil
}
removeEntitiesTicker := time.NewTicker(removeEntitiesPeriod)
reportedEntities := map[string]bool{}
// Wait no more than this long for initial inventory reap even if some plugins haven't reported data
initialReapTimeout := time.NewTimer(config.INITIAL_REAP_MAX_WAIT_SECONDS * time.Second)
// keep track of which plugins have phone home
idsReporting := make(map[ids.PluginID]bool)
distinctPlugins := make(map[ids.PluginID]Plugin)
for _, p := range a.plugins {
distinctPlugins[p.Id()] = p
}
// Register local entity inventory
// This will make the agent submitting unsent deltas from a previous execution (e.g. if an inventory was reaped
// but the agent was restarted before sending it)
if _, ok := a.inventories[a.Context.EntityKey()]; !ok {
_ = a.registerEntityInventory(entity.NewFromNameWithoutID(a.Context.EntityKey()))
}
// three states
// -- reading data to write to json
// -- reaping
// -- sending
// ready to consume events
for {
select {
case <-exit:
if sendInventoryTimer != nil {
sendInventoryTimer.Stop()
}
if reapInventoryTimer != nil {
reapInventoryTimer.Stop()
}
if removeEntitiesTicker != nil {
removeEntitiesTicker.Stop()
}
return
// agent gets notified about active entities
case ent := <-a.Context.activeEntities:
reportedEntities[ent] = true
// read data from plugin and write json
case data := <-a.Context.ch:
{
idsReporting[data.Id] = true
if data.Id == hostAliasesPluginID {
_ = a.updateIDLookupTable(data.Data)
}
if !data.NotApplicable {
entityKey := data.Entity.Key.String()
if _, ok := a.inventories[entityKey]; !ok {
_ = a.registerEntityInventory(data.Entity)
}
if err := a.storePluginOutput(data); err != nil {
alog.WithError(err).Error("problem storing plugin output")
}
a.inventories[entityKey].needsReaping = true
}
}
case <-reapInventoryTimer.C:
{
for _, inventory := range a.inventories {
if !a.inv.readyToReap {
if len(distinctPlugins) <= len(idsReporting) {
alog.Debug("Signalling initial reap.")
a.inv.readyToReap = true
inventory.needsCleanup = true
} else {
pluginIds := make([]ids.PluginID, 0)
for plgId := range distinctPlugins {
if !idsReporting[plgId] {
pluginIds = append(pluginIds, plgId)
}
}
alog.WithField("pluginIds", pluginIds).Debug("Still waiting on plugins.")
}
}
if a.inv.readyToReap && inventory.needsReaping {
reapInventoryTimer.Stop()
reapInventoryTimer = time.NewTicker(cfg.ReapInterval)
inventory.reaper.Reap()
if inventory.needsCleanup {
inventory.reaper.CleanupOldPlugins(a.oldPlugins)
inventory.needsCleanup = false
}
inventory.needsReaping = false
}
}
}
case <-initialReapTimeout.C:
// If we've waited too long and still not received data from all plugins, we can just send what we have.
if !a.inv.readyToReap {
alog.Debug("Maximum initial reap delay exceeded - marking inventory as ready to report.")
a.inv.readyToReap = true
for _, inventory := range a.inventories {
inventory.needsCleanup = true
}
}
case <-sendInventoryTimer.C:
a.sendInventory(sendInventoryTimer)
case <-removeEntitiesTicker.C:
pastPeriodReportedEntities := reportedEntities
reportedEntities = map[string]bool{} // reset the set of reporting entities the next period
alog.Debug("Triggered periodic removal of outdated entities.")
a.removeOutdatedEntities(pastPeriodReportedEntities)
}
}
}
// checkInstanceIDRetry will try to read the cloud instance ID until maxRetries is reached.
func (a *Agent) checkInstanceIDRetry(maxRetries, backoffTime int) error {
var err error
for i := 0; i <= maxRetries; i++ {
if _, err = a.cloudHarvester.GetInstanceID(); err == nil {
return nil
}
if i >= maxRetries-1 {
break
}
alog.WithError(err).Debugf("Failed to get the instance ID, retrying in %d s.", backoffTime)
time.Sleep(time.Duration(backoffTime) * time.Second)
}
return fmt.Errorf("failed to get an instance ID after %d attempt(s): %w", maxRetries+1, err)
}
func (a *Agent) cpuProfileStart() *os.File {
// Start CPU profiling
if a.Context.cfg.CPUProfile == "" {
return nil
}
clog.Debug("Starting CPU profiling.")
f, err := os.Create(a.Context.cfg.CPUProfile)
if err != nil {