-
Notifications
You must be signed in to change notification settings - Fork 3
Expand file tree
/
Copy pathruntime.go
More file actions
579 lines (459 loc) · 15.3 KB
/
runtime.go
File metadata and controls
579 lines (459 loc) · 15.3 KB
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
package runtime
import (
"context"
"encoding/json"
"maps"
"os"
"path/filepath"
"strings"
"sync"
"sync/atomic"
"time"
"github.com/aserto-dev/runtime/logger"
"github.com/open-policy-agent/opa/v1/ast"
"github.com/open-policy-agent/opa/v1/bundle"
"github.com/open-policy-agent/opa/v1/loader"
"github.com/open-policy-agent/opa/v1/metrics"
"github.com/open-policy-agent/opa/v1/plugins"
bundleplugin "github.com/open-policy-agent/opa/v1/plugins/bundle"
"github.com/open-policy-agent/opa/v1/plugins/discovery"
opaStatus "github.com/open-policy-agent/opa/v1/plugins/status"
"github.com/open-policy-agent/opa/v1/rego"
"github.com/open-policy-agent/opa/v1/storage"
"github.com/open-policy-agent/opa/v1/storage/inmem"
"github.com/open-policy-agent/opa/v1/topdown/cache"
"github.com/open-policy-agent/opa/v1/version"
ocispec "github.com/opencontainers/image-spec/specs-go/v1"
"github.com/pkg/errors"
"github.com/rs/zerolog"
"github.com/rs/zerolog/log"
)
// Runtime manages the OPA runtime (plugins, store and info data).
type Runtime struct {
Logger *zerolog.Logger
Config *Config
InterQueryCache cache.InterQueryCache
pluginsManager *plugins.Manager
plugins map[string]plugins.Factory
builtins1 map[*rego.Function]rego.Builtin1
builtins2 map[*rego.Function]rego.Builtin2
builtins3 map[*rego.Function]rego.Builtin3
builtins4 map[*rego.Function]rego.Builtin4
builtinsDyn map[*rego.Function]rego.BuiltinDyn
builtins []func(*rego.Rego)
compilerBuiltins map[string]*ast.Builtin
imports []string
pluginStates *sync.Map
bundleStates *sync.Map
bundlesCallbackRegistered atomic.Bool
discoveryCallbackRegistered atomic.Bool
storage storage.Store
latestState atomic.Pointer[State]
regoVersion ast.RegoVersion
}
type BundleState struct {
ID string
Revision string
LastDownload time.Time
LastActivation time.Time
Errors []error
}
type State struct {
Ready bool
Errors []error
Bundles []BundleState
}
var builtinsLock sync.Mutex
// New creates a new OPA Runtime.
func New(ctx context.Context, cfg *Config, opts ...Option) (*Runtime, error) {
newLogger := zerolog.Ctx(ctx).With().Str("component", "runtime").Str("instance-id", cfg.InstanceID).Logger()
runtime := &Runtime{
Logger: &newLogger,
Config: cfg,
builtins1: map[*rego.Function]rego.Builtin1{},
builtins2: map[*rego.Function]rego.Builtin2{},
builtins3: map[*rego.Function]rego.Builtin3{},
builtins4: map[*rego.Function]rego.Builtin4{},
builtinsDyn: map[*rego.Function]rego.BuiltinDyn{},
builtins: []func(*rego.Rego){},
compilerBuiltins: map[string]*ast.Builtin{},
pluginStates: &sync.Map{},
bundleStates: &sync.Map{},
plugins: map[string]plugins.Factory{},
regoVersion: DefaultRegoVersion.ToAstRegoVersion(),
}
runtime.latestState.Store(&State{})
for _, opt := range opts {
opt(runtime)
}
if runtime.storage == nil {
runtime.storage = inmem.New()
}
runtime.registerBuiltins()
if pm, err := runtime.newOPAPluginsManager(ctx); err != nil {
return nil, errors.Wrap(err, "failed to setup plugin manager")
} else {
runtime.pluginsManager = pm
}
runtime.InterQueryCache = cache.NewInterQueryCache(runtime.pluginsManager.InterQueryBuiltinCacheConfig())
if err := runtime.registerDiscovery(); err != nil {
return nil, err
}
if cfg.LocalBundles.Watch {
log.Info().Msg("Will start watching local bundles for changes")
if err := runtime.startWatcher(ctx, cfg.LocalBundles.Paths, runtime.onReloadLogger); err != nil {
log.Error().Err(err).Msg("unable to open watch")
return nil, errors.Wrap(err, "unable to open watch for local bundles")
}
}
runtime.latestState.Store(runtime.status())
return runtime, nil
}
// Start - triggers plugin manager to start all plugins.
func (r *Runtime) Start(ctx context.Context) error {
return r.pluginsManager.Start(ctx)
}
// Stop - triggers plugin manager to stop all plugins.
func (r *Runtime) Stop(ctx context.Context) {
r.pluginsManager.Stop(ctx) // stop plugins always.
}
func (r *Runtime) Status() *State {
return r.latestState.Load()
}
// GetPluginsManager returns the runtime plugin manager.
func (r *Runtime) GetPluginsManager() *plugins.Manager {
return r.pluginsManager
}
func (r *Runtime) BuiltinRequirements() (json.RawMessage, error) {
defs := fakeBuiltinDefs{}
for f := range r.builtins1 {
defs.Builtin1 = append(defs.Builtin1, fakeBuiltin1{
Name: f.Name,
Decl: *f.Decl,
})
}
for f := range r.builtins2 {
defs.Builtin2 = append(defs.Builtin2, fakeBuiltin2{
Name: f.Name,
Decl: *f.Decl,
})
}
for f := range r.builtins3 {
defs.Builtin3 = append(defs.Builtin3, fakeBuiltin3{
Name: f.Name,
Decl: *f.Decl,
})
}
for f := range r.builtins4 {
defs.Builtin4 = append(defs.Builtin4, fakeBuiltin4{
Name: f.Name,
Decl: *f.Decl,
})
}
for f := range r.builtinsDyn {
defs.BuiltinDyn = append(defs.BuiltinDyn, fakeBuiltinDyn{
Name: f.Name,
Decl: *f.Decl,
})
}
jsonBytes, err := json.Marshal(defs)
if err != nil {
return nil, errors.Wrap(err, "failed to marshal builtin signatures into JSON")
}
return jsonBytes, nil
}
func (r *Runtime) registerBuiltins() {
// We shouldn't register global builtins, these should be per runtime.
// In order for that to work, the plugin manager has to allow us to tell the compiler
// of our builtins.
builtinsLock.Lock()
defer builtinsLock.Unlock()
for decl, impl := range r.builtins1 {
r.Logger.Info().Str("name", decl.Name).Msg("registering builtin1")
rego.RegisterBuiltin1(decl, impl)
}
for decl, impl := range r.builtins2 {
r.Logger.Info().Str("name", decl.Name).Msg("registering builtin2")
rego.RegisterBuiltin2(decl, impl)
}
for decl, impl := range r.builtins3 {
r.Logger.Info().Str("name", decl.Name).Msg("registering builtin3")
rego.RegisterBuiltin3(decl, impl)
}
for decl, impl := range r.builtins4 {
r.Logger.Info().Str("name", decl.Name).Msg("registering builtin4")
rego.RegisterBuiltin4(decl, impl)
}
for decl, impl := range r.builtinsDyn {
r.Logger.Info().Str("name", decl.Name).Msg("registering builtinDyn")
rego.RegisterBuiltinDyn(decl, impl)
}
}
func (r *Runtime) registerDiscovery() error {
disco, err := discovery.New(r.pluginsManager, discovery.Factories(maps.Clone(r.plugins)), discovery.Metrics(metrics.New()))
if err != nil {
return errors.Wrap(err, "failed to create discovery plugin")
}
r.pluginsManager.Register("discovery", disco)
return r.registerStatusPlugin([]string{"discovery"})
}
func (r *Runtime) registerStatusPlugin(pluginNames []string) error {
if !r.Config.Flags.EnableStatusPlugin {
r.Logger.Debug().Msg("status plugin not registered")
return nil
}
r.Logger.Debug().Msg("registering status plugin")
rawconfig, err := r.Config.rawOPAConfig()
if err != nil {
return errors.Wrap(err, "raw config error")
}
// Cannot pass runtime.PluginsManager.Services() as the discovery service does not respond to POST on /status route.
statusConfig, err := opaStatus.NewConfigBuilder().WithBytes(rawconfig).
WithServices([]string{""}).
WithPlugins(pluginNames).Parse()
if err != nil {
return errors.Wrap(err, "failed to build status service config")
}
statusPlugin := opaStatus.New(statusConfig, r.pluginsManager)
r.pluginsManager.Register("status", statusPlugin)
return nil
}
func (r *Runtime) setLatestStatus(status *State) {
r.latestState.Store(status)
}
func (r *Runtime) status() *State {
result := &State{
Ready: true,
Errors: []error{},
Bundles: []BundleState{},
}
r.pluginStates.Range(func(key, value any) bool {
pluginName, ok := key.(string)
if !ok {
return false
}
state, ok := value.(*pluginState)
if !ok {
return false
}
if !state.loaded {
result.Ready = false
}
if state.err != nil {
result.Errors = append(result.Errors, errors.Wrapf(state.err, "plugin '%s' encountered an error", pluginName))
}
return true
})
r.bundleStates.Range(func(key, value any) bool {
bundleID, ok := key.(string)
if !ok {
return false
}
state, ok := value.(*bundleState)
if !ok {
return false
}
bs := BundleState{
ID: bundleID,
Revision: state.revision,
LastDownload: state.lastDownload,
LastActivation: state.lastActivation,
Errors: state.errors,
}
if state.lastActivation.Equal(time.Time{}) {
bs.Errors = append(
bs.Errors,
errors.New("bundle has never been activated"),
)
}
result.Bundles = append(result.Bundles, bs)
return true
})
result.Ready = r.pluginsLoaded()
return result
}
// newOPAPluginsManager creates a new OPA plugins.Manager.
func (r *Runtime) newOPAPluginsManager(ctx context.Context) (*plugins.Manager, error) {
r.Logger.Info().Msg("creating OPA plugins manager")
info := ast.NewObject()
if r.Config != nil {
v, err := ast.InterfaceToValue(r.Config.Config)
if err != nil {
return nil, errors.Wrap(err, "failed to convert config as an opa term")
}
info.Insert(ast.StringTerm("config"), ast.NewTerm(v))
}
env := ast.NewObject()
r.Logger.Debug().Msg("loading process environment variables as rego terms")
const maxParts int = 2
for _, s := range os.Environ() {
parts := strings.SplitN(s, "=", maxParts)
if len(parts) == 1 {
env.Insert(ast.StringTerm(parts[0]), ast.NullTerm())
} else if len(parts) > 1 {
env.Insert(ast.StringTerm(parts[0]), ast.StringTerm(parts[1]))
}
}
info.Insert(ast.StringTerm("env"), ast.NewTerm(env))
info.Insert(ast.StringTerm("version"), ast.StringTerm(version.Version))
info.Insert(ast.StringTerm("commit"), ast.StringTerm(version.Vcs))
loadedBundles, err := r.loadPaths([]string{})
if err != nil {
return nil, errors.Wrap(err, "local bundle load error")
}
rawConfig, err := r.Config.rawOPAConfig()
if err != nil {
return nil, errors.Wrap(err, "failed to marshal raw config")
}
manager, err := plugins.New(
rawConfig,
r.Config.InstanceID,
r.storage,
plugins.InitBundles(loadedBundles),
plugins.Info(ast.NewTerm(info)),
plugins.MaxErrors(r.Config.PluginsErrorLimit),
plugins.WithParserOptions(ast.ParserOptions{RegoVersion: r.regoVersion}),
plugins.GracefulShutdownPeriod(r.Config.GracefulShutdownPeriodSeconds),
plugins.Logger(logger.NewOpaLogger(r.Logger)),
)
if err != nil {
return nil, errors.Wrap(err, "failed to initialize OPA plugins")
}
manager.RegisterPluginStatusListener("aserto-error-recorder", r.pluginStatusCallback)
if err := manager.Init(ctx); err != nil {
return nil, errors.Wrap(err, "initialization error")
}
// Note: this line is useless because the manager initializes the compiler
// during init, and we don't have any control over it.
// The compiler creates its own builtins array during its own init(), and
// afterwards that cannot be changed anymore.
// We have to improve this in order to have per runtime builtins.
// manager.GetCompiler().WithBuiltins(r.compilerBuiltins).
return manager, nil
}
// loadPaths reads data and policy from the given paths and returns a set of bundles
// if paths is not set, paths will be loaded from cfg.LocalBundles.Paths.
func (r *Runtime) loadPaths(paths []string) (map[string]*bundle.Bundle, error) {
if len(paths) == 0 {
paths = r.Config.LocalBundles.Paths
}
if r.Config.LocalBundles.LocalPolicyImage != "" {
tarballpath, err := r.getPolicyTarballPath(r.Config.LocalBundles.LocalPolicyImage)
if err != nil {
r.Logger.Warn().Err(err).Msg("Could not load configured local policy image")
}
paths = append(paths, tarballpath)
}
result := make(map[string]*bundle.Bundle, len(paths))
skipVerify := r.Config.LocalBundles.SkipVerification
verificationConfig := r.Config.LocalBundles.VerificationConfig
var err error
for _, path := range paths {
r.Logger.Info().Str("path", path).Msg("Loading local bundle")
result[path], err = loader.NewFileLoader().
WithBundleVerificationConfig(verificationConfig).
WithSkipBundleVerification(skipVerify).
AsBundle(path)
if err != nil {
errorStatus := bundleplugin.Status{
Name: path,
}
errorStatus.SetError(err)
r.bundlesStatusCallback(errorStatus)
return nil, errors.Wrapf(err, "load bundle from local path '%s'", path)
}
r.bundlesStatusCallback(
bundleplugin.Status{
Name: path,
LastSuccessfulActivation: time.Now(),
LastSuccessfulRequest: time.Now(),
LastSuccessfulDownload: time.Now(),
LastRequest: time.Now(),
ActiveRevision: result[path].Manifest.Revision,
Errors: []error{},
Message: "local bundle loaded",
})
}
return result, nil
}
func (r *Runtime) getPolicyTarballPath(policyImageRef string) (string, error) {
storeRoot, err := r.fileStoreRoot()
if err != nil {
return "", err
}
time.Sleep(1 * time.Second) // wait until index.json is updated
localIndex, err := r.loadBundleIndex(storeRoot)
if err != nil {
return "", err
}
// load manifest for policyImageRef
manifest, found := localIndex.findManifest(policyImageRef)
if found && manifest.MediaType == ocispec.MediaTypeImageLayerGzip {
return filepath.Join(storeRoot, "policies-root", "blobs", "sha256", manifest.Digest.Hex()), nil
}
if !found || manifest.Digest == "" {
return "", errors.Errorf("could not find policy image %s with a supported media type ('%s' or '%s')",
policyImageRef, ocispec.MediaTypeImageManifest, ocispec.MediaTypeImageLayerGzip,
)
}
manifestFile := filepath.Join(storeRoot, "policies-root", "blobs", "sha256", manifest.Digest.Hex())
manifestBytes, err := os.ReadFile(manifestFile) //nolint:gosec
if err != nil {
return "", err
}
var searchedManifest ocispec.Manifest
if err := json.Unmarshal(manifestBytes, &searchedManifest); err != nil {
return "", err
}
if len(searchedManifest.Layers) != 1 {
return "", errors.New("unknown image type - incorrect number of layers")
}
tarballPath := filepath.Join(
r.Config.LocalBundles.FileStoreRoot,
"policies-root",
"blobs",
"sha256",
searchedManifest.Layers[0].Digest.Hex(),
)
return tarballPath, nil
}
type bundleIndex struct {
Version int `json:"schemaVersion"`
Manifests []ocispec.Descriptor `json:"manifests"`
}
func (i *bundleIndex) findManifest(policyImageRef string) (*ocispec.Descriptor, bool) {
for _, manifest := range i.Manifests {
refName := manifest.Annotations[ocispec.AnnotationRefName]
if strings.Contains(refName, policyImageRef) && (manifest.MediaType == ocispec.MediaTypeImageLayerGzip ||
manifest.MediaType == ocispec.MediaTypeImageManifest) {
return &manifest, true
}
}
return nil, false
}
func (r *Runtime) loadBundleIndex(storeRoot string) (*bundleIndex, error) {
indexPath := filepath.Join(storeRoot, "policies-root", "index.json")
indexBytes, err := os.ReadFile(indexPath) //nolint:gosec
if err != nil {
return nil, err
}
if len(indexBytes) == 0 {
return nil, errors.Errorf("empty index.json file")
}
// load index.json from root oci path
var index bundleIndex
if err := json.Unmarshal(indexBytes, &index); err != nil {
return nil, err
}
return &index, nil
}
func (r *Runtime) fileStoreRoot() (string, error) {
if r.Config.LocalBundles.FileStoreRoot == "" {
home, err := os.UserHomeDir()
if err != nil {
return "", errors.Wrap(err, "failed to determine user home directory")
}
r.Config.LocalBundles.FileStoreRoot = filepath.Join(home, ".policy")
}
return r.Config.LocalBundles.FileStoreRoot, nil
}