forked from open-policy-agent/opa
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathbundle.go
1134 lines (930 loc) · 28 KB
/
bundle.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 2018 The OPA Authors. All rights reserved.
// Use of this source code is governed by an Apache2
// license that can be found in the LICENSE file.
// Package bundle implements bundle loading.
package bundle
import (
"archive/tar"
"bytes"
"compress/gzip"
"encoding/hex"
"encoding/json"
"fmt"
"io"
"net/url"
"path/filepath"
"reflect"
"strings"
"github.com/pkg/errors"
"github.com/open-policy-agent/opa/ast"
"github.com/open-policy-agent/opa/format"
"github.com/open-policy-agent/opa/internal/file/archive"
"github.com/open-policy-agent/opa/internal/merge"
"github.com/open-policy-agent/opa/metrics"
"github.com/open-policy-agent/opa/util"
)
// Common file extensions and file names.
const (
RegoExt = ".rego"
WasmFile = "policy.wasm"
ManifestExt = ".manifest"
SignaturesFile = "signatures.json"
dataFile = "data.json"
yamlDataFile = "data.yaml"
defaultHashingAlg = "SHA-256"
DefaultSizeLimitBytes = (1024 * 1024 * 1024) // limit bundle reads to 1GB to protect against gzip bombs
)
// Bundle represents a loaded bundle. The bundle can contain data and policies.
type Bundle struct {
Signatures SignaturesConfig
Manifest Manifest
Data map[string]interface{}
Modules []ModuleFile
Wasm []byte // Deprecated. Use WasmModules instead
WasmModules []WasmModuleFile
}
// SignaturesConfig represents an array of JWTs that encapsulate the signatures for the bundle.
type SignaturesConfig struct {
Signatures []string `json:"signatures,omitempty"`
}
// isEmpty returns if the SignaturesConfig is empty.
func (s SignaturesConfig) isEmpty() bool {
return reflect.DeepEqual(s, SignaturesConfig{})
}
// DecodedSignature represents the decoded JWT payload.
type DecodedSignature struct {
Files []FileInfo `json:"files"`
KeyID string `json:"keyid"` // Deprecated, use kid in the JWT header instead.
Scope string `json:"scope"`
IssuedAt int64 `json:"iat"`
Issuer string `json:"iss"`
}
// FileInfo contains the hashing algorithm used, resulting digest etc.
type FileInfo struct {
Name string `json:"name"`
Hash string `json:"hash"`
Algorithm string `json:"algorithm"`
}
// NewFile returns a new FileInfo.
func NewFile(name, hash, alg string) FileInfo {
return FileInfo{
Name: name,
Hash: hash,
Algorithm: alg,
}
}
// Manifest represents the manifest from a bundle. The manifest may contain
// metadata such as the bundle revision.
type Manifest struct {
Revision string `json:"revision"`
Roots *[]string `json:"roots,omitempty"`
WasmResolvers []WasmResolver `json:"wasm,omitempty"`
}
// WasmResolver maps a wasm module to an entrypoint ref.
type WasmResolver struct {
Entrypoint string `json:"entrypoint,omitempty"`
Module string `json:"module,omitempty"`
}
// Init initializes the manifest. If you instantiate a manifest
// manually, call Init to ensure that the roots are set properly.
func (m *Manifest) Init() {
if m.Roots == nil {
defaultRoots := []string{""}
m.Roots = &defaultRoots
}
}
// AddRoot adds r to the roots of m. This function is idempotent.
func (m *Manifest) AddRoot(r string) {
m.Init()
if !RootPathsContain(*m.Roots, r) {
*m.Roots = append(*m.Roots, r)
}
}
// Equal returns true if m is semantically equivalent to other.
func (m Manifest) Equal(other Manifest) bool {
// This is safe since both are passed by value.
m.Init()
other.Init()
if m.Revision != other.Revision {
return false
}
if len(m.WasmResolvers) != len(other.WasmResolvers) {
return false
}
for i := 0; i < len(m.WasmResolvers); i++ {
if m.WasmResolvers[i] != other.WasmResolvers[i] {
return false
}
}
return m.rootSet().Equal(other.rootSet())
}
// Copy returns a deep copy of the manifest.
func (m Manifest) Copy() Manifest {
m.Init()
roots := make([]string, len(*m.Roots))
copy(roots, *m.Roots)
m.Roots = &roots
wasmModules := make([]WasmResolver, len(m.WasmResolvers))
copy(wasmModules, m.WasmResolvers)
m.WasmResolvers = wasmModules
return m
}
func (m Manifest) String() string {
m.Init()
return fmt.Sprintf("<revision: %q, roots: %v, wasm: %+v>", m.Revision, *m.Roots, m.WasmResolvers)
}
func (m Manifest) rootSet() stringSet {
rs := map[string]struct{}{}
for _, r := range *m.Roots {
rs[r] = struct{}{}
}
return stringSet(rs)
}
type stringSet map[string]struct{}
func (ss stringSet) Equal(other stringSet) bool {
if len(ss) != len(other) {
return false
}
for k := range other {
if _, ok := ss[k]; !ok {
return false
}
}
return true
}
func (m *Manifest) validateAndInjectDefaults(b Bundle) error {
m.Init()
// Validate roots in bundle.
roots := *m.Roots
// Standardize the roots (no starting or trailing slash)
for i := range roots {
roots[i] = strings.Trim(roots[i], "/")
}
for i := 0; i < len(roots)-1; i++ {
for j := i + 1; j < len(roots); j++ {
if RootPathsOverlap(roots[i], roots[j]) {
return fmt.Errorf("manifest has overlapped roots: '%v' and '%v'", roots[i], roots[j])
}
}
}
// Validate modules in bundle.
for _, module := range b.Modules {
found := false
if path, err := module.Parsed.Package.Path.Ptr(); err == nil {
for i := range roots {
if strings.HasPrefix(path, roots[i]) {
found = true
break
}
}
}
if !found {
return fmt.Errorf("manifest roots %v do not permit '%v' in module '%v'", roots, module.Parsed.Package, module.Path)
}
}
// Build a set of wasm module entrypoints to validate
wasmModuleToEps := map[string]string{}
seenEps := map[string]struct{}{}
for _, wm := range b.WasmModules {
wasmModuleToEps[wm.Path] = ""
}
for _, wmConfig := range b.Manifest.WasmResolvers {
_, ok := wasmModuleToEps[wmConfig.Module]
if !ok {
return fmt.Errorf("manifest references wasm module '%s' but the module file does not exist", wmConfig.Module)
}
// Ensure wasm module entrypoint in within bundle roots
found := false
for i := range roots {
if strings.HasPrefix(wmConfig.Entrypoint, roots[i]) {
found = true
break
}
}
if !found {
return fmt.Errorf("manifest roots %v do not permit '%v' entrypoint for wasm module '%v'", roots, wmConfig.Entrypoint, wmConfig.Module)
}
if _, ok := seenEps[wmConfig.Entrypoint]; ok {
return fmt.Errorf("entrypoint '%s' cannot be used by more than one wasm module", wmConfig.Entrypoint)
}
seenEps[wmConfig.Entrypoint] = struct{}{}
wasmModuleToEps[wmConfig.Module] = wmConfig.Entrypoint
}
// Validate data in bundle.
return dfs(b.Data, "", func(path string, node interface{}) (bool, error) {
path = strings.Trim(path, "/")
for i := range roots {
if strings.HasPrefix(path, roots[i]) {
return true, nil
}
}
if _, ok := node.(map[string]interface{}); ok {
for i := range roots {
if strings.HasPrefix(roots[i], path) {
return false, nil
}
}
}
return false, fmt.Errorf("manifest roots %v do not permit data at path '/%s' (hint: check bundle directory structure)", roots, path)
})
}
// ModuleFile represents a single module contained in a bundle.
type ModuleFile struct {
URL string
Path string
Raw []byte
Parsed *ast.Module
}
// WasmModuleFile represents a single wasm module contained in a bundle.
type WasmModuleFile struct {
URL string
Path string
Entrypoints []ast.Ref
Raw []byte
}
// Reader contains the reader to load the bundle from.
type Reader struct {
loader DirectoryLoader
includeManifestInData bool
metrics metrics.Metrics
baseDir string
verificationConfig *VerificationConfig
skipVerify bool
files map[string]FileInfo // files in the bundle signature payload
sizeLimitBytes int64
}
// NewReader is deprecated. Use NewCustomReader instead.
func NewReader(r io.Reader) *Reader {
return NewCustomReader(NewTarballLoader(r))
}
// NewCustomReader returns a new Reader configured to use the
// specified DirectoryLoader.
func NewCustomReader(loader DirectoryLoader) *Reader {
nr := Reader{
loader: loader,
metrics: metrics.New(),
files: make(map[string]FileInfo),
sizeLimitBytes: DefaultSizeLimitBytes + 1,
}
return &nr
}
// IncludeManifestInData sets whether the manifest metadata should be
// included in the bundle's data.
func (r *Reader) IncludeManifestInData(includeManifestInData bool) *Reader {
r.includeManifestInData = includeManifestInData
return r
}
// WithMetrics sets the metrics object to be used while loading bundles
func (r *Reader) WithMetrics(m metrics.Metrics) *Reader {
r.metrics = m
return r
}
// WithBaseDir sets a base directory for file paths of loaded Rego
// modules. This will *NOT* affect the loaded path of data files.
func (r *Reader) WithBaseDir(dir string) *Reader {
r.baseDir = dir
return r
}
// WithBundleVerificationConfig sets the key configuration used to verify a signed bundle
func (r *Reader) WithBundleVerificationConfig(config *VerificationConfig) *Reader {
r.verificationConfig = config
return r
}
// WithSkipBundleVerification skips verification of a signed bundle
func (r *Reader) WithSkipBundleVerification(skipVerify bool) *Reader {
r.skipVerify = skipVerify
return r
}
// WithSizeLimitBytes sets the size limit to apply to files in the bundle. If files are larger
// than this, an error will be returned by the reader.
func (r *Reader) WithSizeLimitBytes(n int64) *Reader {
r.sizeLimitBytes = n + 1
return r
}
// Read returns a new Bundle loaded from the reader.
func (r *Reader) Read() (Bundle, error) {
var bundle Bundle
var descriptors []*Descriptor
var err error
bundle.Data = map[string]interface{}{}
bundle.Signatures, descriptors, err = listSignaturesAndDescriptors(r.loader, r.skipVerify, r.sizeLimitBytes)
if err != nil {
return bundle, err
}
err = r.checkSignaturesAndDescriptors(bundle.Signatures)
if err != nil {
return bundle, err
}
for _, f := range descriptors {
var buf bytes.Buffer
n, err := f.Read(&buf, r.sizeLimitBytes)
f.Close() // always close, even on error
if err != nil && err != io.EOF {
return bundle, err
} else if err == nil && n >= r.sizeLimitBytes {
return bundle, fmt.Errorf("bundle file exceeded max size (%v bytes)", r.sizeLimitBytes-1)
}
// verify the file content
if !bundle.Signatures.isEmpty() {
path := f.Path()
if r.baseDir != "" {
path = f.URL()
}
path = strings.TrimPrefix(path, "/")
// check if the file is to be excluded from bundle verification
if r.isFileExcluded(path) {
delete(r.files, path)
} else {
if err = r.verifyBundleFile(path, buf); err != nil {
return bundle, err
}
}
}
// Normalize the paths to use `/` separators
path := filepath.ToSlash(f.Path())
if strings.HasSuffix(path, RegoExt) {
fullPath := r.fullPath(path)
r.metrics.Timer(metrics.RegoModuleParse).Start()
module, err := ast.ParseModule(fullPath, buf.String())
r.metrics.Timer(metrics.RegoModuleParse).Stop()
if err != nil {
return bundle, err
}
mf := ModuleFile{
URL: f.URL(),
Path: fullPath,
Raw: buf.Bytes(),
Parsed: module,
}
bundle.Modules = append(bundle.Modules, mf)
} else if filepath.Base(path) == WasmFile {
bundle.WasmModules = append(bundle.WasmModules, WasmModuleFile{
URL: f.URL(),
Path: r.fullPath(path),
Raw: buf.Bytes(),
})
} else if filepath.Base(path) == dataFile {
var value interface{}
r.metrics.Timer(metrics.RegoDataParse).Start()
err := util.NewJSONDecoder(&buf).Decode(&value)
r.metrics.Timer(metrics.RegoDataParse).Stop()
if err != nil {
return bundle, errors.Wrapf(err, "bundle load failed on %v", r.fullPath(path))
}
if err := insertValue(&bundle, path, value); err != nil {
return bundle, err
}
} else if filepath.Base(path) == yamlDataFile {
var value interface{}
r.metrics.Timer(metrics.RegoDataParse).Start()
err := util.Unmarshal(buf.Bytes(), &value)
r.metrics.Timer(metrics.RegoDataParse).Stop()
if err != nil {
return bundle, errors.Wrapf(err, "bundle load failed on %v", r.fullPath(path))
}
if err := insertValue(&bundle, path, value); err != nil {
return bundle, err
}
} else if strings.HasSuffix(path, ManifestExt) {
if err := util.NewJSONDecoder(&buf).Decode(&bundle.Manifest); err != nil {
return bundle, errors.Wrap(err, "bundle load failed on manifest decode")
}
}
}
// check if the bundle signatures specify any files that weren't found in the bundle
if len(r.files) != 0 {
extra := []string{}
for k := range r.files {
extra = append(extra, k)
}
return bundle, fmt.Errorf("file(s) %v specified in bundle signatures but not found in the target bundle", extra)
}
if err := bundle.Manifest.validateAndInjectDefaults(bundle); err != nil {
return bundle, err
}
// Inject the wasm module entrypoint refs into the WasmModuleFile structs
epMap := map[string][]string{}
for _, r := range bundle.Manifest.WasmResolvers {
epMap[r.Module] = append(epMap[r.Module], r.Entrypoint)
}
for i := 0; i < len(bundle.WasmModules); i++ {
entrypoints := epMap[bundle.WasmModules[i].Path]
for _, entrypoint := range entrypoints {
ref, err := ast.PtrRef(ast.DefaultRootDocument, entrypoint)
if err != nil {
return bundle, fmt.Errorf("failed to parse wasm module entrypoint '%s': %s", entrypoint, err)
}
bundle.WasmModules[i].Entrypoints = append(bundle.WasmModules[i].Entrypoints, ref)
}
}
if r.includeManifestInData {
var metadata map[string]interface{}
b, err := json.Marshal(&bundle.Manifest)
if err != nil {
return bundle, errors.Wrap(err, "bundle load failed on manifest marshal")
}
err = util.UnmarshalJSON(b, &metadata)
if err != nil {
return bundle, errors.Wrap(err, "bundle load failed on manifest unmarshal")
}
// For backwards compatibility always write to the old unnamed manifest path
// This will *not* be correct if >1 bundle is in use...
if err := bundle.insertData(legacyManifestStoragePath, metadata); err != nil {
return bundle, errors.Wrapf(err, "bundle load failed on %v", legacyRevisionStoragePath)
}
}
return bundle, nil
}
func (r *Reader) isFileExcluded(path string) bool {
for _, e := range r.verificationConfig.Exclude {
match, _ := filepath.Match(e, path)
if match {
return true
}
}
return false
}
func (r *Reader) checkSignaturesAndDescriptors(signatures SignaturesConfig) error {
if r.skipVerify {
return nil
}
if signatures.isEmpty() && r.verificationConfig != nil {
return fmt.Errorf("bundle missing .signatures.json file")
}
if !signatures.isEmpty() {
if r.verificationConfig == nil {
return fmt.Errorf("verification key not provided")
}
// verify the JWT signatures included in the `.signatures.json` file
if err := r.verifyBundleSignature(signatures); err != nil {
return err
}
}
return nil
}
func (r *Reader) verifyBundleSignature(sc SignaturesConfig) error {
var err error
r.files, err = VerifyBundleSignature(sc, r.verificationConfig)
return err
}
func (r *Reader) verifyBundleFile(path string, data bytes.Buffer) error {
return VerifyBundleFile(path, data, r.files)
}
func (r *Reader) fullPath(path string) string {
if r.baseDir != "" {
path = filepath.Join(r.baseDir, path)
}
return path
}
// Write is deprecated. Use NewWriter instead.
func Write(w io.Writer, bundle Bundle) error {
return NewWriter(w).
UseModulePath(true).
DisableFormat(true).
Write(bundle)
}
// Writer implements bundle serialization.
type Writer struct {
usePath bool
disableFormat bool
w io.Writer
signingConfig *SigningConfig
}
// NewWriter returns a bundle writer that writes to w.
func NewWriter(w io.Writer) *Writer {
return &Writer{
w: w,
}
}
// UseModulePath configures the writer to use the module file path instead of the
// module file URL during serialization. This is for backwards compatibility.
func (w *Writer) UseModulePath(yes bool) *Writer {
w.usePath = yes
return w
}
// DisableFormat configures the writer to just write out raw bytes instead
// of formatting modules before serialization.
func (w *Writer) DisableFormat(yes bool) *Writer {
w.disableFormat = yes
return w
}
// Write writes the bundle to the writer's output stream.
func (w *Writer) Write(bundle Bundle) error {
gw := gzip.NewWriter(w.w)
tw := tar.NewWriter(gw)
var buf bytes.Buffer
if err := json.NewEncoder(&buf).Encode(bundle.Data); err != nil {
return err
}
if err := archive.WriteFile(tw, "data.json", buf.Bytes()); err != nil {
return err
}
for _, module := range bundle.Modules {
path := module.URL
if w.usePath {
path = module.Path
}
if err := archive.WriteFile(tw, path, module.Raw); err != nil {
return err
}
}
if err := w.writeWasm(tw, bundle); err != nil {
return err
}
if err := writeManifest(tw, bundle); err != nil {
return err
}
if err := writeSignatures(tw, bundle); err != nil {
return err
}
if err := tw.Close(); err != nil {
return err
}
return gw.Close()
}
func (w *Writer) writeWasm(tw *tar.Writer, bundle Bundle) error {
for _, wm := range bundle.WasmModules {
path := wm.URL
if w.usePath {
path = wm.Path
}
err := archive.WriteFile(tw, path, wm.Raw)
if err != nil {
return err
}
}
if len(bundle.Wasm) > 0 {
err := archive.WriteFile(tw, "/"+WasmFile, bundle.Wasm)
if err != nil {
return err
}
}
return nil
}
func writeManifest(tw *tar.Writer, bundle Bundle) error {
var buf bytes.Buffer
if err := json.NewEncoder(&buf).Encode(bundle.Manifest); err != nil {
return err
}
return archive.WriteFile(tw, ManifestExt, buf.Bytes())
}
func writeSignatures(tw *tar.Writer, bundle Bundle) error {
if bundle.Signatures.isEmpty() {
return nil
}
bs, err := json.MarshalIndent(bundle.Signatures, "", " ")
if err != nil {
return err
}
return archive.WriteFile(tw, fmt.Sprintf(".%v", SignaturesFile), bs)
}
func hashBundleFiles(hash SignatureHasher, b *Bundle) ([]FileInfo, error) {
files := []FileInfo{}
bs, err := hash.HashFile(b.Data)
if err != nil {
return files, err
}
files = append(files, NewFile(strings.TrimPrefix("data.json", "/"), hex.EncodeToString(bs), defaultHashingAlg))
if len(b.Wasm) != 0 {
bs, err := hash.HashFile(b.Wasm)
if err != nil {
return files, err
}
files = append(files, NewFile(strings.TrimPrefix(WasmFile, "/"), hex.EncodeToString(bs), defaultHashingAlg))
}
for _, wasmModule := range b.WasmModules {
bs, err := hash.HashFile(wasmModule.Raw)
if err != nil {
return files, err
}
files = append(files, NewFile(strings.TrimPrefix(wasmModule.Path, "/"), hex.EncodeToString(bs), defaultHashingAlg))
}
bs, err = hash.HashFile(b.Manifest)
if err != nil {
return files, err
}
files = append(files, NewFile(strings.TrimPrefix(ManifestExt, "/"), hex.EncodeToString(bs), defaultHashingAlg))
return files, err
}
// FormatModules formats Rego modules
func (b *Bundle) FormatModules(useModulePath bool) error {
var err error
for i, module := range b.Modules {
if module.Raw == nil {
module.Raw, err = format.Ast(module.Parsed)
if err != nil {
return err
}
} else {
path := module.URL
if useModulePath {
path = module.Path
}
module.Raw, err = format.Source(path, module.Raw)
if err != nil {
return err
}
}
b.Modules[i].Raw = module.Raw
}
return nil
}
// GenerateSignature generates the signature for the given bundle.
func (b *Bundle) GenerateSignature(signingConfig *SigningConfig, keyID string, useModulePath bool) error {
hash, err := NewSignatureHasher(HashingAlgorithm(defaultHashingAlg))
if err != nil {
return err
}
files := []FileInfo{}
for _, module := range b.Modules {
bytes, err := hash.HashFile(module.Raw)
if err != nil {
return err
}
path := module.URL
if useModulePath {
path = module.Path
}
files = append(files, NewFile(strings.TrimPrefix(path, "/"), hex.EncodeToString(bytes), defaultHashingAlg))
}
result, err := hashBundleFiles(hash, b)
if err != nil {
return err
}
files = append(files, result...)
// generate signed token
token, err := GenerateSignedToken(files, signingConfig, keyID)
if err != nil {
return err
}
if b.Signatures.isEmpty() {
b.Signatures = SignaturesConfig{}
}
b.Signatures.Signatures = []string{string(token)}
return nil
}
// ParsedModules returns a map of parsed modules with names that are
// unique and human readable for the given a bundle name.
func (b *Bundle) ParsedModules(bundleName string) map[string]*ast.Module {
mods := make(map[string]*ast.Module, len(b.Modules))
for _, mf := range b.Modules {
mods[modulePathWithPrefix(bundleName, mf.Path)] = mf.Parsed
}
return mods
}
// Equal returns true if this bundle's contents equal the other bundle's
// contents.
func (b Bundle) Equal(other Bundle) bool {
if !reflect.DeepEqual(b.Data, other.Data) {
return false
}
if len(b.Modules) != len(other.Modules) {
return false
}
for i := range b.Modules {
if b.Modules[i].URL != other.Modules[i].URL {
return false
}
if b.Modules[i].Path != other.Modules[i].Path {
return false
}
if !b.Modules[i].Parsed.Equal(other.Modules[i].Parsed) {
return false
}
if !bytes.Equal(b.Modules[i].Raw, other.Modules[i].Raw) {
return false
}
}
if (b.Wasm == nil && other.Wasm != nil) || (b.Wasm != nil && other.Wasm == nil) {
return false
}
return bytes.Equal(b.Wasm, other.Wasm)
}
// Copy returns a deep copy of the bundle.
func (b Bundle) Copy() Bundle {
// Copy data.
var x interface{} = b.Data
if err := util.RoundTrip(&x); err != nil {
panic(err)
}
if x != nil {
b.Data = x.(map[string]interface{})
}
// Copy modules.
for i := range b.Modules {
bs := make([]byte, len(b.Modules[i].Raw))
copy(bs, b.Modules[i].Raw)
b.Modules[i].Raw = bs
b.Modules[i].Parsed = b.Modules[i].Parsed.Copy()
}
// Copy manifest.
b.Manifest = b.Manifest.Copy()
return b
}
func (b *Bundle) insertData(key []string, value interface{}) error {
// Build an object with the full structure for the value
obj, err := mktree(key, value)
if err != nil {
return err
}
// Merge the new data in with the current bundle data object
merged, ok := merge.InterfaceMaps(b.Data, obj)
if !ok {
return fmt.Errorf("failed to insert data file from path %s", filepath.Join(key...))
}
b.Data = merged
return nil
}
func (b *Bundle) readData(key []string) *interface{} {
if len(key) == 0 {
if len(b.Data) == 0 {
return nil
}
var result interface{} = b.Data
return &result
}
node := b.Data
for i := 0; i < len(key)-1; i++ {
child, ok := node[key[i]]
if !ok {
return nil
}
childObj, ok := child.(map[string]interface{})
if !ok {
return nil
}
node = childObj
}
child, ok := node[key[len(key)-1]]
if !ok {
return nil
}
return &child
}
func mktree(path []string, value interface{}) (map[string]interface{}, error) {
if len(path) == 0 {
// For 0 length path the value is the full tree.
obj, ok := value.(map[string]interface{})
if !ok {
return nil, fmt.Errorf("root value must be object")
}
return obj, nil
}
dir := map[string]interface{}{}
for i := len(path) - 1; i > 0; i-- {
dir[path[i]] = value
value = dir
dir = map[string]interface{}{}
}
dir[path[0]] = value
return dir, nil
}
// Merge accepts a set of bundles and merges them into a single result bundle. If there are
// any conflicts during the merge (e.g., with roots) an error is returned. The result bundle
// will have an empty revision except in the special case where a single bundle is provided
// (and in that case the bundle is just returned unmodified.)
func Merge(bundles []*Bundle) (*Bundle, error) {
if len(bundles) == 0 {
return nil, errors.New("expected at least one bundle")
}
if len(bundles) == 1 {
return bundles[0], nil
}
var roots []string
var result Bundle
for _, b := range bundles {
if b.Manifest.Roots == nil {
return nil, errors.New("bundle manifest not initialized")
}
roots = append(roots, *b.Manifest.Roots...)
result.Modules = append(result.Modules, b.Modules...)
for _, root := range *b.Manifest.Roots {
key := strings.Split(root, "/")
if val := b.readData(key); val != nil {
if err := result.insertData(key, *val); err != nil {
return nil, err
}
}
}
result.Manifest.WasmResolvers = append(result.Manifest.WasmResolvers, b.Manifest.WasmResolvers...)
result.WasmModules = append(result.WasmModules, b.WasmModules...)
}
result.Manifest.Roots = &roots
if err := result.Manifest.validateAndInjectDefaults(result); err != nil {
return nil, err
}
return &result, nil