-
Notifications
You must be signed in to change notification settings - Fork 522
/
Copy pathAppCloneService.go
1075 lines (1012 loc) · 40 KB
/
AppCloneService.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 (c) 2020-2024. Devtron Inc.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package appClone
import (
"context"
"fmt"
"github.com/devtron-labs/devtron/api/bean/AppView"
"github.com/devtron-labs/devtron/internal/constants"
app2 "github.com/devtron-labs/devtron/internal/sql/repository/app"
appWorkflow2 "github.com/devtron-labs/devtron/internal/sql/repository/appWorkflow"
"github.com/devtron-labs/devtron/internal/sql/repository/helper"
"github.com/devtron-labs/devtron/internal/sql/repository/pipelineConfig"
"github.com/devtron-labs/devtron/internal/util"
"github.com/devtron-labs/devtron/pkg/app"
"github.com/devtron-labs/devtron/pkg/appWorkflow"
bean4 "github.com/devtron-labs/devtron/pkg/appWorkflow/bean"
"github.com/devtron-labs/devtron/pkg/attributes"
bean2 "github.com/devtron-labs/devtron/pkg/auth/user/bean"
"github.com/devtron-labs/devtron/pkg/bean"
pipeline2 "github.com/devtron-labs/devtron/pkg/build/pipeline"
"github.com/devtron-labs/devtron/pkg/chart"
bean5 "github.com/devtron-labs/devtron/pkg/chart/bean"
read3 "github.com/devtron-labs/devtron/pkg/chart/read"
"github.com/devtron-labs/devtron/pkg/deployment/gitOps/config"
"github.com/devtron-labs/devtron/pkg/pipeline"
bean3 "github.com/devtron-labs/devtron/pkg/pipeline/bean"
globalUtil "github.com/devtron-labs/devtron/util"
"github.com/go-pg/pg"
"go.uber.org/zap"
"net/http"
"strings"
)
type AppCloneService interface {
CloneApp(createReq *bean.CreateAppDTO, context context.Context) (*bean.CreateAppDTO, error)
}
type AppCloneServiceImpl struct {
logger *zap.SugaredLogger
pipelineBuilder pipeline.PipelineBuilder
attributesService attributes.AttributesService
chartService chart.ChartService
configMapService pipeline.ConfigMapService
appWorkflowService appWorkflow.AppWorkflowService
appListingService app.AppListingService
propertiesConfigService pipeline.PropertiesConfigService
pipelineStageService pipeline.PipelineStageService
ciTemplateService pipeline2.CiTemplateReadService
appRepository app2.AppRepository
ciPipelineRepository pipelineConfig.CiPipelineRepository
pipelineRepository pipelineConfig.PipelineRepository
ciPipelineConfigService pipeline.CiPipelineConfigService
gitOpsConfigReadService config.GitOpsConfigReadService
chartReadService read3.ChartReadService
}
func NewAppCloneServiceImpl(logger *zap.SugaredLogger,
pipelineBuilder pipeline.PipelineBuilder,
attributesService attributes.AttributesService,
chartService chart.ChartService,
configMapService pipeline.ConfigMapService,
appWorkflowService appWorkflow.AppWorkflowService,
appListingService app.AppListingService,
propertiesConfigService pipeline.PropertiesConfigService,
pipelineStageService pipeline.PipelineStageService, ciTemplateService pipeline2.CiTemplateReadService,
appRepository app2.AppRepository, ciPipelineRepository pipelineConfig.CiPipelineRepository,
pipelineRepository pipelineConfig.PipelineRepository,
ciPipelineConfigService pipeline.CiPipelineConfigService,
gitOpsConfigReadService config.GitOpsConfigReadService,
chartReadService read3.ChartReadService) *AppCloneServiceImpl {
return &AppCloneServiceImpl{
logger: logger,
pipelineBuilder: pipelineBuilder,
attributesService: attributesService,
chartService: chartService,
configMapService: configMapService,
appWorkflowService: appWorkflowService,
appListingService: appListingService,
propertiesConfigService: propertiesConfigService,
pipelineStageService: pipelineStageService,
ciTemplateService: ciTemplateService,
appRepository: appRepository,
ciPipelineRepository: ciPipelineRepository,
pipelineRepository: pipelineRepository,
ciPipelineConfigService: ciPipelineConfigService,
gitOpsConfigReadService: gitOpsConfigReadService,
chartReadService: chartReadService,
}
}
type CloneRequest struct {
RefAppId int `json:"refAppId"`
Name string `json:"name"`
ProjectId int `json:"projectId"`
AppLabels []*bean.Label `json:"labels,omitempty" validate:"dive"`
Description *AppView.GenericNoteResponseBean `json:"description"`
AppType helper.AppType `json:"appType"`
}
type CreateWorkflowMappingDto struct {
oldAppId int
newAppId int
userId int32
newWfId int
gitMaterialMapping map[int]int
externalCiPipelineId int
oldToNewCDPipelineId map[int]int
}
func (impl *AppCloneServiceImpl) CloneApp(createReq *bean.CreateAppDTO, context context.Context) (*bean.CreateAppDTO, error) {
//validate template app
templateApp, err := impl.appRepository.FindById(createReq.TemplateId)
if err != nil && err != pg.ErrNoRows {
return nil, err
}
//If the template does not exist then don't clone
//If the template app-type is chart-store app then don't clone
//If the template app-type and create request app-type is not same then don't clone
if (templateApp == nil && templateApp.Id == 0) || (templateApp.AppType == helper.ChartStoreApp) || (templateApp.AppType != createReq.AppType) {
impl.logger.Warnw("template app does not exist", "id", createReq.TemplateId)
err = &util.ApiError{
Code: constants.AppDoesNotExist.Code,
InternalMessage: "app does not exist",
UserMessage: constants.AppAlreadyExists.UserMessage(createReq.TemplateId),
}
return nil, err
}
//create new app
cloneReq := &CloneRequest{
RefAppId: createReq.TemplateId,
Name: createReq.AppName,
ProjectId: createReq.TeamId,
AppLabels: createReq.AppLabels,
AppType: createReq.AppType,
Description: createReq.GenericNote,
}
userId := createReq.UserId
appStatus, err := impl.appListingService.FetchAppStageStatus(cloneReq.RefAppId, int(cloneReq.AppType))
if err != nil {
return nil, err
}
refAppStatus := make(map[string]bool)
for _, as := range appStatus {
refAppStatus[as.StageName] = as.Status
}
//TODO check stage of current app
if createReq.AppType != helper.Job {
if !refAppStatus["APP"] {
impl.logger.Warnw("status not", "APP", cloneReq.RefAppId)
return nil, nil
}
}
app, err := impl.CreateApp(cloneReq, userId)
if err != nil {
impl.logger.Errorw("error in creating app", "req", cloneReq, "err", err)
return nil, err
}
newAppId := app.Id
if !refAppStatus["MATERIAL"] {
impl.logger.Errorw("status not", "MATERIAL", cloneReq.RefAppId)
return app, nil
}
_, gitMaerialMap, err := impl.CloneGitRepo(cloneReq.RefAppId, newAppId, userId)
if err != nil {
impl.logger.Errorw("error in cloning git", "ref", cloneReq.RefAppId, "new", newAppId, "err", err)
return nil, err
}
_, err = impl.CreateCiTemplate(cloneReq.RefAppId, newAppId, userId, gitMaerialMap)
if err != nil {
impl.logger.Errorw("error in cloning docker template", "ref", cloneReq.RefAppId, "new", newAppId, "err", err)
return nil, err
}
if createReq.AppType != helper.Job {
if !refAppStatus["TEMPLATE"] {
impl.logger.Errorw("status not", "TEMPLATE", cloneReq.RefAppId)
return app, nil
}
if !refAppStatus["CHART"] {
impl.logger.Errorw("status not", "CHART", cloneReq.RefAppId)
return app, nil
}
_, err = impl.CreateDeploymentTemplate(cloneReq.RefAppId, newAppId, userId, context)
if err != nil {
impl.logger.Errorw("error in creating deployment template", "ref", cloneReq.RefAppId, "new", newAppId, "err", err)
return nil, err
}
}
_, err = impl.CreateGlobalCM(cloneReq.RefAppId, newAppId, userId)
if err != nil {
impl.logger.Errorw("error in creating global cm", "ref", cloneReq.RefAppId, "new", newAppId, "err", err)
return nil, err
}
_, err = impl.CreateGlobalSecret(cloneReq.RefAppId, newAppId, userId)
if err != nil {
impl.logger.Errorw("error in creating global secret", "ref", cloneReq.RefAppId, "new", newAppId, "err", err)
return nil, err
}
if createReq.AppType != helper.Job {
_, err = impl.CreateEnvCm(context, cloneReq.RefAppId, newAppId, userId)
if err != nil {
impl.logger.Errorw("error in creating env cm", "err", err)
return nil, err
}
_, err = impl.CreateEnvSecret(context, cloneReq.RefAppId, newAppId, userId)
if err != nil {
impl.logger.Errorw("error in creating env secret", "err", err)
return nil, err
}
_, err = impl.createEnvOverride(cloneReq.RefAppId, newAppId, userId, context)
if err != nil {
impl.logger.Errorw("error in cloning env override", "err", err)
return nil, err
}
} else {
_, err := impl.configMapService.ConfigSecretEnvironmentClone(cloneReq.RefAppId, newAppId, userId)
if err != nil {
impl.logger.Errorw("error in cloning cm cs env override", "err", err)
return nil, err
}
}
_, err = impl.CreateWf(cloneReq.RefAppId, newAppId, userId, gitMaerialMap, context)
if err != nil {
impl.logger.Errorw("error in creating wf", "ref", cloneReq.RefAppId, "new", newAppId, "err", err)
return nil, err
}
return app, nil
}
func (impl *AppCloneServiceImpl) CreateApp(cloneReq *CloneRequest, userId int32) (*bean.CreateAppDTO, error) {
createAppReq := &bean.CreateAppDTO{
AppName: cloneReq.Name,
UserId: userId,
TeamId: cloneReq.ProjectId,
AppLabels: cloneReq.AppLabels,
AppType: cloneReq.AppType,
GenericNote: cloneReq.Description,
}
createRes, err := impl.pipelineBuilder.CreateApp(createAppReq)
return createRes, err
}
func (impl *AppCloneServiceImpl) CloneGitRepo(oldAppId, newAppId int, userId int32) (*bean.CreateMaterialDTO, map[int]int, error) {
originalApp, err := impl.pipelineBuilder.GetApp(oldAppId)
if err != nil {
return nil, nil, err
}
createMaterial := &bean.CreateMaterialDTO{
AppId: newAppId,
UserId: userId,
}
var savedGitMaterials []*bean.GitMaterial
gitMaterialsMap := make(map[int]int)
for _, material := range originalApp.Material {
gitMaterial := &bean.GitMaterial{
Name: material.Name,
Url: material.Url,
Id: 0,
GitProviderId: material.GitProviderId,
CheckoutPath: material.CheckoutPath,
FilterPattern: material.FilterPattern,
}
createMaterial.Material = []*bean.GitMaterial{gitMaterial} // append(createMaterial.Material, gitMaterial)
createMaterialres, err := impl.pipelineBuilder.CreateMaterialsForApp(createMaterial)
if err != nil {
return nil, nil, err
}
savedGitMaterials = append(savedGitMaterials, createMaterialres.Material...)
gitMaterialsMap[material.Id] = createMaterial.Material[0].Id
}
createMaterial.Material = savedGitMaterials
//impl.logger.Infof()
return createMaterial, gitMaterialsMap, err
}
func (impl *AppCloneServiceImpl) CreateCiTemplate(oldAppId, newAppId int, userId int32, gitMaterialMap map[int]int) (*bean.PipelineCreateResponse, error) {
refCiConf, err := impl.pipelineBuilder.GetCiPipeline(oldAppId)
if err != nil {
return nil, err
}
if gitMaterialMap == nil || len(gitMaterialMap) == 0 {
return nil, fmt.Errorf("no git for %d", newAppId)
}
//gitMaterialMap contains the mappings for old app git-material-id -> new app git-material-id
dockerfileGitMaterial := gitMaterialMap[refCiConf.CiBuildConfig.GitMaterialId]
buildContextGitMaterial := gitMaterialMap[refCiConf.CiBuildConfig.BuildContextGitMaterialId]
//this might be possible if build-configuration is not set in the old app.
if dockerfileGitMaterial == 0 {
//set the dockerfileGitMaterial to first material in the map
for _, newAppMaterialId := range gitMaterialMap {
dockerfileGitMaterial = newAppMaterialId
break
}
}
//if buildContextGitMaterial not found set to build context repo to dockerfile git repo
if buildContextGitMaterial == 0 {
buildContextGitMaterial = dockerfileGitMaterial
}
ciBuildConfig := refCiConf.CiBuildConfig
ciBuildConfig.GitMaterialId = dockerfileGitMaterial
ciBuildConfig.BuildContextGitMaterialId = buildContextGitMaterial
ciConfRequest := &bean.CiConfigRequest{
Id: 0,
AppId: newAppId,
DockerRegistry: refCiConf.DockerRegistry,
DockerRepository: refCiConf.DockerRepository,
CiBuildConfig: ciBuildConfig,
DockerRegistryUrl: refCiConf.DockerRegistry,
CiTemplateName: refCiConf.CiTemplateName,
UserId: userId,
BeforeDockerBuild: refCiConf.BeforeDockerBuild,
AfterDockerBuild: refCiConf.AfterDockerBuild,
ScanEnabled: refCiConf.ScanEnabled,
}
res, err := impl.pipelineBuilder.CreateCiPipeline(ciConfRequest)
return res, err
}
func (impl *AppCloneServiceImpl) CreateDeploymentTemplate(oldAppId, newAppId int, userId int32, context context.Context) (*bean5.TemplateRequest, error) {
refTemplate, err := impl.chartReadService.FindLatestChartForAppByAppId(oldAppId)
if err != nil {
impl.logger.Errorw("error in fetching ref app chart ", "app", oldAppId, "err", err)
return nil, err
}
templateReq := bean5.TemplateRequest{
Id: 0,
AppId: newAppId,
Latest: refTemplate.Latest,
ValuesOverride: refTemplate.DefaultAppOverride,
ChartRefId: refTemplate.ChartRefId,
UserId: userId,
IsBasicViewLocked: refTemplate.IsBasicViewLocked,
CurrentViewEditor: refTemplate.CurrentViewEditor,
}
templateRes, err := impl.chartService.Create(templateReq, context)
if err != nil {
impl.logger.Errorw("template clone err", "req", templateReq, "err", templateReq)
}
return templateRes, err
}
func (impl *AppCloneServiceImpl) CreateAppMetrics(oldAppId, newAppId int, userId int32) {
}
func (impl *AppCloneServiceImpl) CreateGlobalCM(oldAppId, newAppId int, userId int32) (*bean3.ConfigDataRequest, error) {
refCM, err := impl.configMapService.CMGlobalFetch(oldAppId)
if err != nil {
return nil, err
}
thisCm, err := impl.configMapService.CMGlobalFetch(newAppId)
if err != nil {
return nil, err
}
cfgDatas := impl.configDataClone(refCM.ConfigData)
for _, cfgData := range cfgDatas {
newCm := &bean3.ConfigDataRequest{
AppId: newAppId,
EnvironmentId: refCM.EnvironmentId,
ConfigData: []*bean3.ConfigData{cfgData},
UserId: userId,
Id: thisCm.Id,
}
thisCm, err = impl.configMapService.CMGlobalAddUpdate(newCm)
if err != nil {
return nil, err
}
}
return thisCm, err
}
func (impl *AppCloneServiceImpl) CreateEnvCm(ctx context.Context, oldAppId, newAppId int, userId int32) (interface{}, error) {
refEnvs, err := impl.appListingService.FetchOtherEnvironment(ctx, oldAppId)
if err != nil {
return nil, err
}
for _, refEnv := range refEnvs {
impl.logger.Debugw("cloning cfg for env", "env", refEnv)
refCm, err := impl.configMapService.CMEnvironmentFetch(oldAppId, refEnv.EnvironmentId)
if err != nil {
return nil, err
}
thisCm, err := impl.configMapService.CMEnvironmentFetch(newAppId, refEnv.EnvironmentId)
if err != nil {
return nil, err
}
var refEnvCm []*bean3.ConfigData
for _, refCmData := range refCm.ConfigData {
if !refCmData.Global || refCmData.Data != nil {
refEnvCm = append(refEnvCm, refCmData)
}
}
if len(refEnvCm) == 0 {
impl.logger.Debug("no env cm")
continue
}
cfgDatas := impl.configDataClone(refEnvCm)
for _, cfgData := range cfgDatas {
newCm := &bean3.ConfigDataRequest{
AppId: newAppId,
EnvironmentId: refEnv.EnvironmentId,
ConfigData: []*bean3.ConfigData{cfgData},
UserId: userId,
Id: thisCm.Id,
}
thisCm, err = impl.configMapService.CMEnvironmentAddUpdate(newCm)
if err != nil {
return nil, err
}
}
}
return nil, nil
}
func (impl *AppCloneServiceImpl) CreateEnvSecret(ctx context.Context, oldAppId, newAppId int, userId int32) (interface{}, error) {
refEnvs, err := impl.appListingService.FetchOtherEnvironment(ctx, oldAppId)
if err != nil {
return nil, err
}
for _, refEnv := range refEnvs {
impl.logger.Debugw("cloning cfg for env", "env", refEnv)
refCm, err := impl.configMapService.CSEnvironmentFetch(oldAppId, refEnv.EnvironmentId)
if err != nil {
return nil, err
}
thisCm, err := impl.configMapService.CSEnvironmentFetch(newAppId, refEnv.EnvironmentId)
if err != nil {
return nil, err
}
var refEnvCm []*bean3.ConfigData
for _, refCmData := range refCm.ConfigData {
if !refCmData.Global || refCmData.Data != nil {
refEnvCm = append(refEnvCm, refCmData)
}
}
if len(refEnvCm) == 0 {
impl.logger.Debug("no env cm")
continue
}
cfgDatas := impl.configDataClone(refEnvCm)
for _, cfgData := range cfgDatas {
var configData []*bean3.ConfigData
configData = append(configData, cfgData)
newCm := &bean3.ConfigDataRequest{
AppId: newAppId,
EnvironmentId: refEnv.EnvironmentId,
ConfigData: configData,
UserId: userId,
Id: thisCm.Id,
}
thisCm, err = impl.configMapService.CSEnvironmentAddUpdate(newCm)
if err != nil {
return nil, err
}
}
}
return nil, nil
}
func (impl *AppCloneServiceImpl) createEnvOverride(oldAppId, newAppId int, userId int32, ctx context.Context) (interface{}, error) {
refEnvs, err := impl.appListingService.FetchOtherEnvironment(ctx, oldAppId)
if err != nil {
return nil, err
}
for _, refEnv := range refEnvs {
chartRefRes, err := impl.chartService.ChartRefAutocompleteForAppOrEnv(oldAppId, refEnv.EnvironmentId)
if err != nil {
return nil, err
}
refEnvProperties, err := impl.propertiesConfigService.GetEnvironmentProperties(oldAppId, refEnv.EnvironmentId, chartRefRes.LatestEnvChartRef)
if err != nil {
return nil, err
}
if !refEnvProperties.IsOverride {
impl.logger.Debugw("no env override", "env", refEnv.EnvironmentId)
continue
}
thisEnvProperties, err := impl.propertiesConfigService.GetEnvironmentProperties(newAppId, refEnv.EnvironmentId, chartRefRes.LatestEnvChartRef)
if err != nil {
return nil, err
}
envPropertiesReq := &bean3.EnvironmentProperties{
Id: thisEnvProperties.EnvironmentConfig.Id,
EnvOverrideValues: refEnvProperties.EnvironmentConfig.EnvOverrideValues,
Status: refEnvProperties.EnvironmentConfig.Status,
ManualReviewed: refEnvProperties.EnvironmentConfig.ManualReviewed,
Active: refEnvProperties.EnvironmentConfig.Active,
Namespace: refEnvProperties.EnvironmentConfig.Namespace,
EnvironmentId: refEnvProperties.EnvironmentConfig.EnvironmentId,
EnvironmentName: refEnvProperties.EnvironmentConfig.EnvironmentName,
Latest: refEnvProperties.EnvironmentConfig.Latest,
UserId: userId,
AppMetrics: refEnvProperties.EnvironmentConfig.AppMetrics,
ChartRefId: refEnvProperties.EnvironmentConfig.ChartRefId,
IsOverride: refEnvProperties.EnvironmentConfig.IsOverride,
IsBasicViewLocked: refEnvProperties.EnvironmentConfig.IsBasicViewLocked,
CurrentViewEditor: refEnvProperties.EnvironmentConfig.CurrentViewEditor,
}
createResp, err := impl.propertiesConfigService.CreateEnvironmentProperties(newAppId, envPropertiesReq)
if err != nil {
if err.Error() == bean2.NOCHARTEXIST {
templateRequest := bean5.TemplateRequest{
AppId: newAppId,
ChartRefId: envPropertiesReq.ChartRefId,
ValuesOverride: globalUtil.GetEmptyJSON(),
UserId: userId,
IsBasicViewLocked: envPropertiesReq.IsBasicViewLocked,
CurrentViewEditor: envPropertiesReq.CurrentViewEditor,
}
_, err = impl.chartService.CreateChartFromEnvOverride(ctx, templateRequest)
if err != nil {
impl.logger.Error(err)
return nil, nil
}
createResp, err = impl.propertiesConfigService.CreateEnvironmentProperties(newAppId, envPropertiesReq)
}
}
impl.logger.Debugw("env override create res", "createRes", createResp)
//create object
//save object
}
return nil, nil
}
func (impl *AppCloneServiceImpl) configDataClone(cfData []*bean3.ConfigData) []*bean3.ConfigData {
var copiedData []*bean3.ConfigData
for _, refdata := range cfData {
data := &bean3.ConfigData{
Name: refdata.Name,
Type: refdata.Type,
External: refdata.External,
MountPath: refdata.MountPath,
Data: refdata.Data,
DefaultData: refdata.DefaultData,
DefaultMountPath: refdata.DefaultMountPath,
Global: refdata.Global,
ExternalSecretType: refdata.ExternalSecretType,
FilePermission: refdata.FilePermission,
SubPath: refdata.SubPath,
ESOSubPath: refdata.ESOSubPath,
MergeStrategy: refdata.MergeStrategy,
ESOSecretData: refdata.ESOSecretData,
DefaultESOSecretData: refdata.DefaultESOSecretData,
ExternalSecret: refdata.ExternalSecret,
DefaultExternalSecret: refdata.DefaultExternalSecret,
RoleARN: refdata.RoleARN,
}
copiedData = append(copiedData, data)
}
return copiedData
}
func (impl *AppCloneServiceImpl) CreateGlobalSecret(oldAppId, newAppId int, userId int32) (*bean3.ConfigDataRequest, error) {
refCs, err := impl.configMapService.CSGlobalFetch(oldAppId)
if err != nil {
return nil, err
}
thisCm, err := impl.configMapService.CMGlobalFetch(newAppId)
if err != nil {
return nil, err
}
cfgDatas := impl.configDataClone(refCs.ConfigData)
for _, cfgData := range cfgDatas {
var configData []*bean3.ConfigData
configData = append(configData, cfgData)
newCm := &bean3.ConfigDataRequest{
AppId: newAppId,
EnvironmentId: refCs.EnvironmentId,
ConfigData: configData,
UserId: userId,
Id: thisCm.Id,
}
thisCm, err = impl.configMapService.CSGlobalAddUpdate(newCm)
if err != nil {
return nil, err
}
}
return thisCm, err
}
func (impl *AppCloneServiceImpl) CreateWf(oldAppId, newAppId int, userId int32, gitMaterialMapping map[int]int, ctx context.Context) (interface{}, error) {
refAppWFs, err := impl.appWorkflowService.FindAppWorkflows(oldAppId)
if err != nil {
return nil, err
}
impl.logger.Debugw("workflow found", "wf", refAppWFs)
createWorkflowMappingDtoResp := CreateWorkflowMappingDto{
oldToNewCDPipelineId: make(map[int]int),
}
for _, refAppWF := range refAppWFs {
thisWf := bean4.AppWorkflowDto{
Id: 0,
Name: refAppWF.Name,
AppId: newAppId,
AppWorkflowMappingDto: nil, //first create new mapping then add it
UserId: userId,
}
thisWf, err = impl.appWorkflowService.CreateAppWorkflow(thisWf)
if err != nil {
impl.logger.Errorw("error in creating workflow without external-ci", "err", err)
return nil, err
}
isExternalCiPresent := false
for _, awm := range refAppWF.AppWorkflowMappingDto {
if awm.Type == appWorkflow2.WEBHOOK {
isExternalCiPresent = true
break
}
}
createWorkflowMappingDto := CreateWorkflowMappingDto{
newAppId: newAppId,
oldAppId: oldAppId,
newWfId: thisWf.Id,
userId: userId,
oldToNewCDPipelineId: createWorkflowMappingDtoResp.oldToNewCDPipelineId,
}
var externalCiPipelineId int
if isExternalCiPresent {
externalCiPipelineId, err = impl.createExternalCiAndAppWorkflowMapping(createWorkflowMappingDto)
if err != nil {
impl.logger.Errorw("error in createExternalCiAndAppWorkflowMapping", "err", err)
return nil, err
}
}
createWorkflowMappingDto.gitMaterialMapping = gitMaterialMapping
createWorkflowMappingDto.externalCiPipelineId = externalCiPipelineId
createWorkflowMappingDtoResp, err = impl.createWfInstances(refAppWF.AppWorkflowMappingDto, createWorkflowMappingDto, ctx)
if err != nil {
impl.logger.Errorw("error in creating workflow mapping", "err", err)
return nil, err
}
}
return nil, nil
}
func (impl *AppCloneServiceImpl) createExternalCiAndAppWorkflowMapping(createWorkflowMappingDto CreateWorkflowMappingDto) (int, error) {
dbConnection := impl.pipelineRepository.GetConnection()
tx, err := dbConnection.Begin()
if err != nil {
impl.logger.Errorw("error in beginning transaction", "err", err)
return 0, err
}
// Rollback tx on error.
defer tx.Rollback()
externalCiPipelineId, _, err := impl.ciPipelineConfigService.CreateExternalCiAndAppWorkflowMapping(createWorkflowMappingDto.newAppId, createWorkflowMappingDto.newWfId, createWorkflowMappingDto.userId, tx)
if err != nil {
impl.logger.Errorw("error in creating new external ci pipeline and new app workflow mapping", "refAppId", createWorkflowMappingDto.oldAppId, "newAppId", createWorkflowMappingDto.newAppId, "err", err)
return 0, err
}
err = tx.Commit()
if err != nil {
return 0, err
}
return externalCiPipelineId, nil
}
func (impl *AppCloneServiceImpl) createWfInstances(refWfMappings []bean4.AppWorkflowMappingDto, createWorkflowMappingDto CreateWorkflowMappingDto, ctx context.Context) (CreateWorkflowMappingDto, error) {
impl.logger.Debugw("wf mapping cloning", "refWfMappings", refWfMappings)
var ciMapping []bean4.AppWorkflowMappingDto
var cdMappings []bean4.AppWorkflowMappingDto
var webhookMappings []bean4.AppWorkflowMappingDto
refWfMappings = appWorkflow.LevelWiseSort(refWfMappings)
for _, appWf := range refWfMappings {
if appWf.Type == appWorkflow2.CIPIPELINE {
ciMapping = append(ciMapping, appWf)
} else if appWf.Type == appWorkflow2.CDPIPELINE {
cdMappings = append(cdMappings, appWf)
} else if appWf.Type == appWorkflow2.WEBHOOK {
webhookMappings = append(webhookMappings, appWf)
} else {
return createWorkflowMappingDto, fmt.Errorf("unsupported wf type: %s", appWf.Type)
}
}
sourceToNewPipelineIdMapping := make(map[int]int)
refApp, err := impl.pipelineBuilder.GetApp(createWorkflowMappingDto.oldAppId)
if err != nil {
impl.logger.Errorw("error in getting app from refAppId", "refAppId", createWorkflowMappingDto.oldAppId)
return createWorkflowMappingDto, err
}
if len(webhookMappings) > 0 {
for _, refwebhookMappings := range cdMappings {
cdCloneReq := &cloneCdPipelineRequest{
refCdPipelineId: refwebhookMappings.ComponentId,
refAppId: createWorkflowMappingDto.oldAppId,
appId: createWorkflowMappingDto.newAppId,
userId: createWorkflowMappingDto.userId,
ciPipelineId: 0,
appWfId: createWorkflowMappingDto.newWfId,
refAppName: refApp.AppName,
sourceToNewPipelineId: sourceToNewPipelineIdMapping,
externalCiPipelineId: createWorkflowMappingDto.externalCiPipelineId,
}
pipeline, err := impl.createClonedCdPipeline(cdCloneReq, ctx)
impl.logger.Debugw("cd pipeline created", "pipeline", pipeline)
if err != nil {
impl.logger.Errorw("error in getting cd-pipeline", "refAppId", createWorkflowMappingDto.oldAppId, "newAppId", createWorkflowMappingDto.newAppId, "err", err)
return createWorkflowMappingDto, err
}
}
return createWorkflowMappingDto, nil
}
if len(ciMapping) == 0 {
impl.logger.Warn("no ci pipeline found")
return createWorkflowMappingDto, nil
} else if len(ciMapping) != 1 {
impl.logger.Warn("more than one ci pipeline not supported")
return createWorkflowMappingDto, nil
}
if err != nil {
return createWorkflowMappingDto, err
}
var ci *bean.CiConfigRequest
for _, refCiMapping := range ciMapping {
impl.logger.Debugw("creating ci", "ref", refCiMapping)
cloneCiPipelineRequest := &cloneCiPipelineRequest{
refAppId: createWorkflowMappingDto.oldAppId,
refCiPipelineId: refCiMapping.ComponentId,
userId: createWorkflowMappingDto.userId,
appId: createWorkflowMappingDto.newAppId,
wfId: createWorkflowMappingDto.newWfId,
gitMaterialMapping: createWorkflowMappingDto.gitMaterialMapping,
refAppName: refApp.AppName,
oldToNewIdForLinkedCD: createWorkflowMappingDto.oldToNewCDPipelineId,
}
ci, err = impl.CreateCiPipeline(cloneCiPipelineRequest)
if err != nil {
impl.logger.Errorw("error in creating ci pipeline, app clone", "err", err)
return createWorkflowMappingDto, err
}
impl.logger.Debugw("ci created", "ci", ci)
}
for _, refCdMapping := range cdMappings {
cdCloneReq := &cloneCdPipelineRequest{
refCdPipelineId: refCdMapping.ComponentId,
refAppId: createWorkflowMappingDto.oldAppId,
appId: createWorkflowMappingDto.newAppId,
userId: createWorkflowMappingDto.userId,
ciPipelineId: ci.CiPipelines[0].Id,
appWfId: createWorkflowMappingDto.newWfId,
refAppName: refApp.AppName,
sourceToNewPipelineId: sourceToNewPipelineIdMapping,
}
pipeline, err := impl.createClonedCdPipeline(cdCloneReq, ctx)
if err != nil {
impl.logger.Errorw("error in creating cd pipeline, app clone", "err", err)
return createWorkflowMappingDto, err
}
createWorkflowMappingDto.oldToNewCDPipelineId[refCdMapping.ComponentId] = pipeline.Pipelines[0].Id
impl.logger.Debugw("cd pipeline created", "pipeline", pipeline)
}
//find ci
//save ci
//find cd
//save cd
//save mappings
return createWorkflowMappingDto, nil
}
type cloneCiPipelineRequest struct {
refAppId int
refCiPipelineId int
userId int32
appId int
wfId int
gitMaterialMapping map[int]int
refAppName string
oldToNewIdForLinkedCD map[int]int
}
func (impl *AppCloneServiceImpl) CreateCiPipeline(req *cloneCiPipelineRequest) (*bean.CiConfigRequest, error) {
refCiConfig, err := impl.pipelineBuilder.GetCiPipeline(req.refAppId)
if err != nil {
return nil, err
}
var refCiPipeline *bean.CiPipeline
var uniqueId int
for id, reqCiPipeline := range refCiConfig.CiPipelines {
if reqCiPipeline.Id == req.refCiPipelineId {
refCiPipeline = reqCiPipeline
uniqueId = id
break
}
}
if refCiPipeline == nil {
return nil, nil
}
pipelineName := refCiPipeline.Name
if strings.HasPrefix(pipelineName, req.refAppName) {
pipelineName = strings.Replace(pipelineName, req.refAppName+"-ci-", "", 1)
}
pipelineExists, err := impl.ciPipelineRepository.CheckIfPipelineExistsByNameAndAppId(pipelineName, req.appId)
if err != nil && err != pg.ErrNoRows {
impl.logger.Errorw("error in fetching pipeline by name, FindByName", "err", err, "patch cipipeline name", pipelineName)
return nil, err
}
if pipelineExists {
pipelineName = fmt.Sprintf("%s-%d", pipelineName, uniqueId) // making pipeline name unique
}
var ciMaterilas []*bean.CiMaterial
for _, refCiMaterial := range refCiPipeline.CiMaterial {
//FIXME
gitMaterialId := req.gitMaterialMapping[refCiMaterial.GitMaterialId]
if refCiPipeline.ParentCiPipeline != 0 {
gitMaterialId = refCiMaterial.GitMaterialId
}
ciMaterial := &bean.CiMaterial{
GitMaterialId: gitMaterialId,
Id: 0,
Source: &bean.SourceTypeConfig{
Type: refCiMaterial.Source.Type,
Value: refCiMaterial.Source.Value,
Regex: refCiMaterial.Source.Regex,
},
}
ciMaterilas = append(ciMaterilas, ciMaterial)
}
var beforeDockerBuildScripts []*bean.CiScript
var afterDockerBuildScripts []*bean.CiScript
for _, script := range refCiPipeline.BeforeDockerBuildScripts {
ciScript := &bean.CiScript{
Id: 0,
Index: script.Index,
Name: script.Name,
Script: script.Script,
OutputLocation: script.OutputLocation,
}
beforeDockerBuildScripts = append(beforeDockerBuildScripts, ciScript)
}
for _, script := range refCiPipeline.AfterDockerBuildScripts {
ciScript := &bean.CiScript{
Id: 0,
Index: script.Index,
Name: script.Name,
Script: script.Script,
OutputLocation: script.OutputLocation,
}
afterDockerBuildScripts = append(afterDockerBuildScripts, ciScript)
}
//getting pre stage and post stage details
preStageDetail, postStageDetail, err := impl.pipelineStageService.GetCiPipelineStageDataDeepCopy(refCiPipeline.Id)
if err != nil {
impl.logger.Errorw("error in getting pre & post stage detail by ciPipelineId", "err", err, "ciPipelineId", refCiPipeline.Id)
return nil, err
}
ciPatchReq := &bean.CiPatchRequest{
CiPipeline: &bean.CiPipeline{
IsManual: refCiPipeline.IsManual,
DockerArgs: refCiPipeline.DockerArgs,
IsExternal: refCiPipeline.IsExternal,
ExternalCiConfig: bean.ExternalCiConfig{},
CiMaterial: ciMaterilas,
Name: pipelineName,
Id: 0,
Version: refCiPipeline.Version,
Active: refCiPipeline.Active,
Deleted: refCiPipeline.Deleted,
BeforeDockerBuild: refCiPipeline.BeforeDockerBuild,
AfterDockerBuild: refCiPipeline.AfterDockerBuild,
BeforeDockerBuildScripts: beforeDockerBuildScripts,
AfterDockerBuildScripts: afterDockerBuildScripts,
ParentCiPipeline: refCiPipeline.ParentCiPipeline,
IsDockerConfigOverridden: refCiPipeline.IsDockerConfigOverridden,
PreBuildStage: preStageDetail,
PostBuildStage: postStageDetail,
EnvironmentId: refCiPipeline.EnvironmentId,
ScanEnabled: refCiPipeline.ScanEnabled,
PipelineType: refCiPipeline.PipelineType,
},
AppId: req.appId,
Action: bean.CREATE,
AppWorkflowId: req.wfId,
UserId: req.userId,
IsCloneJob: true,
}
if refCiPipeline.EnvironmentId != 0 {
ciPatchReq.IsJob = true
}
if !refCiPipeline.IsExternal && refCiPipeline.IsDockerConfigOverridden {
//get template override
templateOverrideBean, err := impl.ciTemplateService.FindTemplateOverrideByCiPipelineId(refCiPipeline.Id)
if err != nil {
return nil, err
}
templateOverride := templateOverrideBean.CiTemplateOverride
ciBuildConfig := templateOverrideBean.CiBuildConfig
//getting new git material for this app
//gitMaterial, err := impl.materialRepository.FindByAppIdAndCheckoutPath(req.appId, templateOverride.GitMaterial.CheckoutPath)
if len(req.gitMaterialMapping) == 0 {
impl.logger.Errorw("no git materials found for the app", "appId", req.appId)
return nil, fmt.Errorf("no git materials found for the app, %d", req.appId)
}
gitMaterialId := req.gitMaterialMapping[ciBuildConfig.GitMaterialId]
buildContextGitMaterialId := req.gitMaterialMapping[ciBuildConfig.BuildContextGitMaterialId]
if gitMaterialId == 0 {
for _, id := range req.gitMaterialMapping {
gitMaterialId = id
break
}
}
if buildContextGitMaterialId == 0 {
buildContextGitMaterialId = gitMaterialId
}
ciBuildConfig.GitMaterialId = gitMaterialId
ciBuildConfig.BuildContextGitMaterialId = buildContextGitMaterialId
templateOverride.GitMaterialId = gitMaterialId
ciBuildConfig.Id = 0
ciPatchReq.CiPipeline.DockerConfigOverride = bean.DockerConfigOverride{
DockerRegistry: templateOverride.DockerRegistryId,
DockerRepository: templateOverride.DockerRepository,
CiBuildConfig: ciBuildConfig,
}
} else if refCiPipeline.IsExternal {
ciPatchReq.CiPipeline.IsDockerConfigOverridden = false
}
return impl.pipelineBuilder.PatchCiPipeline(ciPatchReq)
}
type cloneCdPipelineRequest struct {
refCdPipelineId int
refAppId int
appId int
userId int32
ciPipelineId int
appWfId int
refAppName string
sourceToNewPipelineId map[int]int
externalCiPipelineId int
}
func (impl *AppCloneServiceImpl) createClonedCdPipeline(req *cloneCdPipelineRequest, ctx context.Context) (*bean.CdPipelines, error) {
refPipelines, err := impl.pipelineBuilder.GetCdPipelinesForApp(req.refAppId)
if err != nil {
return nil, err
}
var refCdPipeline *bean.CDPipelineConfigObject
for _, refPipeline := range refPipelines.Pipelines {
if refPipeline.Id == req.refCdPipelineId {
refCdPipeline = refPipeline
break
}
}
if refCdPipeline == nil {
return nil, fmt.Errorf("no cd pipeline found")
}
refCdPipeline.SourceToNewPipelineId = req.sourceToNewPipelineId
pipelineName := refCdPipeline.Name
if strings.HasPrefix(pipelineName, req.refAppName) {
pipelineName = strings.Replace(pipelineName, req.refAppName+"-", "", 1)
}
// by default all deployment types are allowed
AllowedDeploymentAppTypes := map[string]bool{
util.PIPELINE_DEPLOYMENT_TYPE_ACD: true,
util.PIPELINE_DEPLOYMENT_TYPE_HELM: true,
}