forked from openshift/oc
-
Notifications
You must be signed in to change notification settings - Fork 0
/
resolve.go
593 lines (533 loc) · 21.6 KB
/
resolve.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
package cmd
import (
"errors"
"fmt"
"strings"
kutilerrors "k8s.io/apimachinery/pkg/util/errors"
"k8s.io/klog"
"github.com/openshift/library-go/pkg/git"
"github.com/openshift/oc/pkg/helpers/newapp"
"github.com/openshift/oc/pkg/helpers/newapp/app"
dockerfileutil "github.com/openshift/oc/pkg/helpers/newapp/docker/dockerfile"
)
// Resolvers are used to identify source repositories, images, or templates in different contexts
type Resolvers struct {
DockerSearcher app.Searcher
ImageStreamSearcher app.Searcher
ImageStreamByAnnotationSearcher app.Searcher
TemplateSearcher app.Searcher
TemplateFileSearcher app.Searcher
AllowMissingImages bool
Detector app.Detector
}
func (r *Resolvers) ImageSourceResolver() app.Resolver {
resolver := app.PerfectMatchWeightedResolver{}
if r.ImageStreamByAnnotationSearcher != nil {
resolver = append(resolver, app.WeightedResolver{Searcher: r.ImageStreamByAnnotationSearcher, Weight: 0.0})
}
if r.ImageStreamSearcher != nil {
resolver = append(resolver, app.WeightedResolver{Searcher: r.ImageStreamSearcher, Weight: 1.0})
}
if r.DockerSearcher != nil {
resolver = append(resolver, app.WeightedResolver{Searcher: r.DockerSearcher, Weight: 2.0})
}
return resolver
}
func (r *Resolvers) DockerfileResolver() app.Resolver {
resolver := app.PerfectMatchWeightedResolver{}
if r.ImageStreamSearcher != nil {
resolver = append(resolver, app.WeightedResolver{Searcher: r.ImageStreamSearcher, Weight: 0.0})
}
if r.DockerSearcher != nil {
resolver = append(resolver, app.WeightedResolver{Searcher: r.DockerSearcher, Weight: 1.0})
}
if r.AllowMissingImages {
resolver = append(resolver, app.WeightedResolver{Searcher: &app.MissingImageSearcher{}, Weight: 100.0})
}
return resolver
}
func (r *Resolvers) PipelineResolver() app.Resolver {
return app.PipelineResolver{}
}
// TODO: why does this differ from ImageSourceResolver?
func (r *Resolvers) SourceResolver() app.Resolver {
resolver := app.PerfectMatchWeightedResolver{}
if r.ImageStreamSearcher != nil {
resolver = append(resolver, app.WeightedResolver{Searcher: r.ImageStreamSearcher, Weight: 0.0})
}
if r.ImageStreamByAnnotationSearcher != nil {
resolver = append(resolver, app.WeightedResolver{Searcher: r.ImageStreamByAnnotationSearcher, Weight: 1.0})
}
if r.DockerSearcher != nil {
resolver = append(resolver, app.WeightedResolver{Searcher: r.DockerSearcher, Weight: 2.0})
}
return resolver
}
// ComponentInputs are transformed into ResolvedComponents
type ComponentInputs struct {
SourceRepositories []string
Components []string
ImageStreams []string
DockerImages []string
Templates []string
TemplateFiles []string
Groups []string
}
// ResolvedComponents is the input to generation
type ResolvedComponents struct {
Components app.ComponentReferences
Repositories app.SourceRepositories
}
// Resolve transforms unstructured inputs (component names, templates, images) into
// a set of resolved components, or returns an error.
func Resolve(appConfig *AppConfig) (*ResolvedComponents, error) {
r := &appConfig.Resolvers
c := &appConfig.ComponentInputs
g := &appConfig.GenerationInputs
s := &appConfig.SourceRepositories
i := &appConfig.ImageStreams
b := &app.ReferenceBuilder{}
if err := AddComponentInputsToRefBuilder(b, r, c, g, s, i); err != nil {
return nil, err
}
components, repositories, errs := b.Result()
if len(errs) > 0 {
return nil, kutilerrors.NewAggregate(errs)
}
// Add source components if source-image points to another location
// TODO: image sources aren't really "source repositories" and we should probably find another way to
// represent them
imageComp, repositories, err := AddImageSourceRepository(repositories, r.ImageSourceResolver(), g)
if err != nil {
return nil, err
}
// TODO: the second half of this method is potentially splittable - each chunk below amends or qualifies
// the inputs provided by the user (mostly via flags). c is cleared to prevent it from being used accidentally.
c = nil
// if the --context-dir flag was passed, set the context directory on all repositories
if len(g.ContextDir) > 0 && len(repositories) > 0 {
klog.V(5).Infof("Setting contextDir on all repositories to %v", g.ContextDir)
for _, repo := range repositories {
repo.SetContextDir(g.ContextDir)
}
}
// if the --strategy flag was passed, set the build strategy on all repositories
if g.Strategy != newapp.StrategyUnspecified && len(repositories) > 0 {
klog.V(5).Infof("Setting build strategy on all repositories to %v", g.Strategy)
for _, repo := range repositories {
repo.SetStrategy(g.Strategy)
}
}
if g.Strategy != newapp.StrategyUnspecified && len(repositories) == 0 && !g.BinaryBuild {
return nil, errors.New("--strategy is specified and none of the arguments provided could be classified as a source code location")
}
if g.BinaryBuild && (len(repositories) > 0 || components.HasSource()) {
return nil, errors.New("specifying binary builds and source repositories at the same time is not allowed")
}
componentsIncludingImageComps := components
if imageComp != nil {
componentsIncludingImageComps = append(components, imageComp)
}
if err := componentsIncludingImageComps.Resolve(); err != nil {
return nil, err
}
// If any references are potentially ambiguous in the future, force the user to provide the
// unambiguous input.
if err := detectPartialMatches(componentsIncludingImageComps); err != nil {
return nil, err
}
// Guess at the build types
components, err = InferBuildTypes(components, g)
if err != nil {
return nil, err
}
// Couple source with resolved builder components if possible
if err := EnsureHasSource(components.NeedsSource(), repositories.NotUsed(), g); err != nil {
return nil, err
}
// For source repos that are not yet linked to a component, create components
sourceComponents, err := AddMissingComponentsToRefBuilder(b, repositories.NotUsed(), r.DockerfileResolver(), r.SourceResolver(), r.PipelineResolver(), g)
if err != nil {
return nil, err
}
// Resolve any new source components added
if err := sourceComponents.Resolve(); err != nil {
return nil, err
}
components = append(components, sourceComponents...)
klog.V(4).Infof("Code [%v]", repositories)
klog.V(4).Infof("Components [%v]", components)
return &ResolvedComponents{
Components: components,
Repositories: repositories,
}, nil
}
// AddSourceRepositoriesToRefBuilder adds the provided repositories to the reference builder, identifies which
// should be built using Docker, and then returns the full list of source repositories.
func AddSourceRepositoriesToRefBuilder(b *app.ReferenceBuilder, c *ComponentInputs, g *GenerationInputs, s, i *[]string) (app.SourceRepositories, error) {
strategy := g.Strategy
if strategy == newapp.StrategyUnspecified {
strategy = newapp.StrategySource
}
// when git is installed we keep default logic. sourcelookup.go will do sorting of images, repos
if git.IsGitInstalled() || len(c.SourceRepositories) > 0 {
for _, s := range c.SourceRepositories {
if repo, ok := b.AddSourceRepository(s, strategy); ok {
repo.SetContextDir(g.ContextDir)
}
}
// when git is not installed we need to parse some logic to decide if we got 'new-app -i image code' or 'image -c code' syntax
} else if len(c.Components) > 0 && len(*i) > 0 && len(*s) == 0 || len(c.Components) > 0 && len(*i) == 0 && len(*s) > 0 {
for _, s := range c.Components {
if repo, ok := b.AddSourceRepository(s, strategy); ok {
repo.SetContextDir(g.ContextDir)
c.Components = []string{}
}
}
}
if len(g.Dockerfile) > 0 {
if g.Strategy != newapp.StrategyUnspecified && g.Strategy != newapp.StrategyDocker {
return nil, errors.New("when directly referencing a Dockerfile, the strategy must must be 'docker'")
}
if err := AddDockerfileToSourceRepositories(b, g.Dockerfile); err != nil {
return nil, err
}
}
_, result, errs := b.Result()
return result, kutilerrors.NewAggregate(errs)
}
// AddDockerfile adds a Dockerfile passed in the command line to the reference
// builder.
func AddDockerfileToSourceRepositories(b *app.ReferenceBuilder, dockerfile string) error {
_, repos, errs := b.Result()
if err := kutilerrors.NewAggregate(errs); err != nil {
return err
}
switch len(repos) {
case 0:
// Create a new SourceRepository with the Dockerfile.
repo, err := app.NewSourceRepositoryForDockerfile(dockerfile)
if err != nil {
return fmt.Errorf("provided Dockerfile is not valid: %v", err)
}
b.AddExistingSourceRepository(repo)
case 1:
// Add the Dockerfile to the existing SourceRepository, so that
// eventually we generate a single BuildConfig with multiple
// sources.
if err := repos[0].AddDockerfile(dockerfile); err != nil {
return fmt.Errorf("provided Dockerfile is not valid: %v", err)
}
default:
// Invalid.
return errors.New("--dockerfile cannot be used with multiple source repositories")
}
return nil
}
// DetectSource runs a code detector on the passed in repositories to obtain a SourceRepositoryInfo
func DetectSource(repositories []*app.SourceRepository, d app.Detector, g *GenerationInputs) error {
errs := []error{}
for _, repo := range repositories {
err := repo.Detect(d, g.Strategy == newapp.StrategyDocker || g.Strategy == newapp.StrategyPipeline)
if err != nil {
errs = append(errs, err)
continue
}
switch g.Strategy {
case newapp.StrategyDocker:
if repo.Info().Dockerfile == nil {
errs = append(errs, errors.New("No Dockerfile was found in the repository and the requested build strategy is 'docker'"))
}
case newapp.StrategyPipeline:
if !repo.Info().Jenkinsfile {
errs = append(errs, errors.New("No Jenkinsfile was found in the repository and the requested build strategy is 'pipeline'"))
}
default:
if repo.Info().Dockerfile == nil && !repo.Info().Jenkinsfile && len(repo.Info().Types) == 0 {
errs = append(errs, errors.New("No language matched the source repository"))
}
}
}
return kutilerrors.NewAggregate(errs)
}
// AddComponentInputsToRefBuilder set up the components to be used by the reference builder.
func AddComponentInputsToRefBuilder(b *app.ReferenceBuilder, r *Resolvers, c *ComponentInputs, g *GenerationInputs, s, i *[]string) error {
// lookup source repositories first (before processing the component inputs)
repositories, err := AddSourceRepositoriesToRefBuilder(b, c, g, s, i)
if err != nil {
return err
}
// identify the types of the provided source locations
if err := DetectSource(repositories, r.Detector, g); err != nil {
return err
}
b.AddComponents(c.DockerImages, func(input *app.ComponentInput) app.ComponentReference {
input.Argument = fmt.Sprintf("--docker-image=%q", input.From)
input.Searcher = r.DockerSearcher
if r.DockerSearcher != nil {
resolver := app.PerfectMatchWeightedResolver{}
resolver = append(resolver, app.WeightedResolver{Searcher: r.DockerSearcher, Weight: 0.0})
if r.AllowMissingImages {
resolver = append(resolver, app.WeightedResolver{Searcher: app.MissingImageSearcher{}, Weight: 100.0})
}
input.Resolver = resolver
}
return input
})
b.AddComponents(c.ImageStreams, func(input *app.ComponentInput) app.ComponentReference {
input.Argument = fmt.Sprintf("--image-stream=%q", input.From)
input.Searcher = r.ImageStreamSearcher
if r.ImageStreamSearcher != nil {
resolver := app.PerfectMatchWeightedResolver{
app.WeightedResolver{Searcher: r.ImageStreamSearcher},
}
input.Resolver = resolver
}
return input
})
b.AddComponents(c.Templates, func(input *app.ComponentInput) app.ComponentReference {
input.Argument = fmt.Sprintf("--template=%q", input.From)
input.Searcher = r.TemplateSearcher
if r.TemplateSearcher != nil {
input.Resolver = app.HighestUniqueScoreResolver{Searcher: r.TemplateSearcher}
}
return input
})
b.AddComponents(c.TemplateFiles, func(input *app.ComponentInput) app.ComponentReference {
input.Argument = fmt.Sprintf("--file=%q", input.From)
if r.TemplateFileSearcher != nil {
input.Resolver = app.FirstMatchResolver{Searcher: r.TemplateFileSearcher}
}
input.Searcher = r.TemplateFileSearcher
return input
})
b.AddComponents(c.Components, func(input *app.ComponentInput) app.ComponentReference {
resolver := app.PerfectMatchWeightedResolver{}
searcher := app.MultiWeightedSearcher{}
if r.ImageStreamSearcher != nil {
resolver = append(resolver, app.WeightedResolver{Searcher: r.ImageStreamSearcher, Weight: 0.0})
searcher = append(searcher, app.WeightedSearcher{Searcher: r.ImageStreamSearcher, Weight: 0.0})
}
if r.TemplateSearcher != nil && !input.ExpectToBuild {
resolver = append(resolver, app.WeightedResolver{Searcher: r.TemplateSearcher, Weight: 0.0})
searcher = append(searcher, app.WeightedSearcher{Searcher: r.TemplateSearcher, Weight: 0.0})
}
if r.TemplateFileSearcher != nil && !input.ExpectToBuild {
resolver = append(resolver, app.WeightedResolver{Searcher: r.TemplateFileSearcher, Weight: 0.0})
}
if r.DockerSearcher != nil {
resolver = append(resolver, app.WeightedResolver{Searcher: r.DockerSearcher, Weight: 2.0})
searcher = append(searcher, app.WeightedSearcher{Searcher: r.DockerSearcher, Weight: 1.0})
}
if r.AllowMissingImages {
resolver = append(resolver, app.WeightedResolver{Searcher: app.MissingImageSearcher{}, Weight: 100.0})
}
input.Resolver = resolver
input.Searcher = searcher
return input
})
b.AddGroups(c.Groups)
return nil
}
func AddImageSourceRepository(sourceRepos app.SourceRepositories, r app.Resolver, g *GenerationInputs) (app.ComponentReference, app.SourceRepositories, error) {
if len(g.SourceImage) == 0 {
return nil, sourceRepos, nil
}
paths := strings.SplitN(g.SourceImagePath, ":", 2)
var sourcePath, destPath string
switch len(paths) {
case 1:
sourcePath = paths[0]
case 2:
sourcePath = paths[0]
destPath = paths[1]
}
compRef, _, err := app.NewComponentInput(g.SourceImage)
if err != nil {
return nil, nil, err
}
compRef.Resolver = r
switch len(sourceRepos) {
case 0:
sourceRepos = append(sourceRepos, app.NewImageSourceRepository(compRef, sourcePath, destPath))
case 1:
sourceRepos[0].SetSourceImage(compRef)
sourceRepos[0].SetSourceImagePath(sourcePath, destPath)
default:
return nil, nil, errors.New("--source-image cannot be used with multiple source repositories")
}
return compRef, sourceRepos, nil
}
func detectPartialMatches(components app.ComponentReferences) error {
errs := []error{}
for _, ref := range components {
input := ref.Input()
if input.ResolvedMatch.Score != 0.0 {
errs = append(errs, fmt.Errorf("component %q had only a partial match of %q - if this is the value you want to use, specify it explicitly", input.From, input.ResolvedMatch.Name))
}
}
return kutilerrors.NewAggregate(errs)
}
// InferBuildTypes infers build status and mismatches between source and docker builders
func InferBuildTypes(components app.ComponentReferences, g *GenerationInputs) (app.ComponentReferences, error) {
errs := []error{}
for _, ref := range components {
input := ref.Input()
// identify whether the input is a builder and whether generation is requested
input.ResolvedMatch.Builder = app.IsBuilderMatch(input.ResolvedMatch)
generatorInput, err := app.GeneratorInputFromMatch(input.ResolvedMatch)
if err != nil && !g.AllowGenerationErrors {
errs = append(errs, err)
continue
}
input.ResolvedMatch.GeneratorInput = generatorInput
// if the strategy is set explicitly, apply it to all repos.
// for example, this affects repos specified in the form image~source.
if g.Strategy != newapp.StrategyUnspecified && input.Uses != nil {
input.Uses.SetStrategy(g.Strategy)
}
// if we are expecting build inputs, or get a build input when strategy is not docker, expect to build
if g.ExpectToBuild || (input.ResolvedMatch.Builder && g.Strategy != newapp.StrategyDocker) {
input.ExpectToBuild = true
}
switch {
case input.ExpectToBuild && input.ResolvedMatch.IsTemplate():
// TODO: harder - break the template pieces and check if source code can be attached (look for a build config, build image, etc)
errs = append(errs, errors.New("template with source code explicitly attached is not supported - you must either specify the template and source code separately or attach an image to the source code using the '[image]~[code]' form"))
continue
}
}
if len(components) == 0 && g.BinaryBuild && g.Strategy == newapp.StrategySource {
return nil, errors.New("you must provide a builder image when using the source strategy with a binary build")
}
if len(components) == 0 && g.BinaryBuild {
if len(g.Name) == 0 {
return nil, errors.New("you must provide a --name when you don't specify a source repository or base image")
}
ref := &app.ComponentInput{
From: "--binary",
Argument: "--binary",
Value: g.Name,
ScratchImage: true,
ExpectToBuild: true,
}
components = append(components, ref)
}
return components, kutilerrors.NewAggregate(errs)
}
// EnsureHasSource ensure every builder component has source code associated with it. It takes a list of component references
// that are builders and have not been associated with source, and a set of source repositories that have not been associated
// with a builder
func EnsureHasSource(components app.ComponentReferences, repositories app.SourceRepositories, g *GenerationInputs) error {
if len(components) == 0 {
return nil
}
switch {
case len(repositories) > 1:
if len(components) == 1 {
component := components[0]
suggestions := ""
for _, repo := range repositories {
suggestions += fmt.Sprintf("%s~%s\n", component, repo)
}
return fmt.Errorf("there are multiple code locations provided - use one of the following suggestions to declare which code goes with the image:\n%s", suggestions)
}
return fmt.Errorf("the following images require source code: %s\n"+
" and the following repositories are not used: %s\nUse '[image]~[repo]' to declare which code goes with which image", components, repositories)
case len(repositories) == 1:
klog.V(2).Infof("Using %q as the source for build", repositories[0])
for _, component := range components {
klog.V(2).Infof("Pairing with component %v", component)
component.Input().Use(repositories[0])
repositories[0].UsedBy(component)
}
default:
switch {
case g.BinaryBuild:
// create new "fake" binary repos for any component that doesn't already have a repo
// TODO: source repository should possibly be refactored to be an interface or a type that better reflects
// the different types of inputs
for _, component := range components {
input := component.Input()
if input.Uses != nil {
continue
}
strategy := newapp.StrategySource
isBuilder := input.ResolvedMatch != nil && input.ResolvedMatch.Builder
if g.Strategy == newapp.StrategyDocker || (g.Strategy == newapp.StrategyUnspecified && !isBuilder) {
strategy = newapp.StrategyDocker
}
repo := app.NewBinarySourceRepository(strategy)
input.Use(repo)
repo.UsedBy(input)
input.ExpectToBuild = true
}
case g.ExpectToBuild:
return errors.New("you must specify at least one source repository URL, provide a Dockerfile, or indicate you wish to use binary builds")
default:
for _, component := range components {
component.Input().ExpectToBuild = false
}
}
}
return nil
}
// ComponentsForSourceRepositories creates components for repositories that have not been previously associated by a
// builder. These components have already gone through source code detection and have a SourceRepositoryInfo attached
// to them.
func AddMissingComponentsToRefBuilder(
b *app.ReferenceBuilder, repositories app.SourceRepositories, dockerfileResolver, sourceResolver, pipelineResolver app.Resolver,
g *GenerationInputs,
) (app.ComponentReferences, error) {
errs := []error{}
result := app.ComponentReferences{}
for _, repo := range repositories {
info := repo.Info()
switch {
case info == nil:
errs = append(errs, fmt.Errorf("source not detected for repository %q", repo))
continue
case info.Jenkinsfile && (g.Strategy == newapp.StrategyUnspecified || g.Strategy == newapp.StrategyPipeline):
refs := b.AddComponents([]string{"pipeline"}, func(input *app.ComponentInput) app.ComponentReference {
input.Resolver = pipelineResolver
input.Use(repo)
input.ExpectToBuild = true
repo.UsedBy(input)
repo.SetStrategy(newapp.StrategyPipeline)
return input
})
result = append(result, refs...)
case info.Dockerfile != nil && (g.Strategy == newapp.StrategyUnspecified || g.Strategy == newapp.StrategyDocker):
node := info.Dockerfile.AST()
baseImage := dockerfileutil.LastBaseImage(node)
if baseImage == "" {
errs = append(errs, fmt.Errorf("the Dockerfile in the repository %q has no FROM instruction", info.Path))
continue
}
refs := b.AddComponents([]string{baseImage}, func(input *app.ComponentInput) app.ComponentReference {
input.Resolver = dockerfileResolver
input.Use(repo)
input.ExpectToBuild = true
repo.UsedBy(input)
repo.SetStrategy(newapp.StrategyDocker)
return input
})
result = append(result, refs...)
default:
// TODO: Add support for searching for more than one language if len(info.Types) > 1
if len(info.Types) == 0 {
errs = append(errs, fmt.Errorf("no language was detected for repository at %q; please specify a builder image to use with your repository: [builder-image]~%s", repo, repo))
continue
}
refs := b.AddComponents([]string{info.Types[0].Term()}, func(input *app.ComponentInput) app.ComponentReference {
input.Resolver = sourceResolver
input.ExpectToBuild = true
input.Use(repo)
repo.UsedBy(input)
return input
})
result = append(result, refs...)
}
}
return result, kutilerrors.NewAggregate(errs)
}