forked from IBM/ibm-common-service-operator
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathinit.go
2373 lines (2109 loc) · 82.4 KB
/
init.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 2022 IBM Corporation
//
// 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 bootstrap
import (
"bytes"
"context"
"fmt"
"os"
"reflect"
"strconv"
"strings"
"text/template"
"time"
utilyaml "github.com/ghodss/yaml"
olmv1alpha1 "github.com/operator-framework/api/pkg/operators/v1alpha1"
"golang.org/x/mod/semver"
admv1 "k8s.io/api/admissionregistration/v1"
appsv1 "k8s.io/api/apps/v1"
corev1 "k8s.io/api/core/v1"
rbacv1 "k8s.io/api/rbac/v1"
storagev1 "k8s.io/api/storage/v1"
"k8s.io/apimachinery/pkg/api/equality"
"k8s.io/apimachinery/pkg/api/errors"
metav1 "k8s.io/apimachinery/pkg/apis/meta/v1"
"k8s.io/apimachinery/pkg/apis/meta/v1/unstructured"
"k8s.io/apimachinery/pkg/labels"
"k8s.io/apimachinery/pkg/runtime/schema"
"k8s.io/apimachinery/pkg/selection"
"k8s.io/apimachinery/pkg/types"
utilwait "k8s.io/apimachinery/pkg/util/wait"
discovery "k8s.io/client-go/discovery"
"k8s.io/client-go/rest"
"k8s.io/client-go/tools/record"
"k8s.io/klog"
"sigs.k8s.io/controller-runtime/pkg/client"
"sigs.k8s.io/controller-runtime/pkg/manager"
apiv3 "github.com/IBM/ibm-common-service-operator/v4/api/v3"
util "github.com/IBM/ibm-common-service-operator/v4/internal/controller/common"
"github.com/IBM/ibm-common-service-operator/v4/internal/controller/constant"
"github.com/IBM/ibm-common-service-operator/v4/internal/controller/deploy"
nssv1 "github.com/IBM/ibm-namespace-scope-operator/v4/api/v1"
ssv1 "github.com/IBM/ibm-secretshare-operator/api/v1"
odlm "github.com/IBM/operand-deployment-lifecycle-manager/v4/api/v1alpha1"
"maps"
certmanagerv1 "github.com/ibm/ibm-cert-manager-operator/apis/cert-manager/v1"
)
var (
placeholder = "placeholder"
)
var ctx = context.Background()
type Bootstrap struct {
client.Client
client.Reader
Config *rest.Config
record.EventRecorder
*deploy.Manager
SaasEnable bool
MultiInstancesEnable bool
CSOperators []CSOperator
CSData apiv3.CSData
}
type CSOperator struct {
Name string
CRD string
RBAC string
CR string
Deployment string
Kind string
APIVersion string
}
type Resource struct {
Name string
Version string
Group string
Kind string
Scope string
}
func NewNonOLMBootstrap(mgr manager.Manager) (bs *Bootstrap, err error) {
cpfsNs := util.GetCPFSNamespace(mgr.GetAPIReader())
servicesNs := util.GetServicesNamespace(mgr.GetAPIReader())
operatorNs, err := util.GetOperatorNamespace()
if err != nil {
return
}
csData := apiv3.CSData{
CPFSNs: cpfsNs,
ServicesNs: servicesNs,
OperatorNs: operatorNs,
CatalogSourceName: "",
CatalogSourceNs: "",
ApprovalMode: "",
WatchNamespaces: util.GetWatchNamespace(),
OnPremMultiEnable: strconv.FormatBool(util.CheckMultiInstances(mgr.GetAPIReader())),
ExcludedCatalog: constant.ExcludedCatalog,
StatusMonitoredServices: constant.StatusMonitoredServices,
ServiceNames: constant.ServiceNames,
UtilsImage: util.GetUtilsImage(),
}
bs = &Bootstrap{
Client: mgr.GetClient(),
Reader: mgr.GetAPIReader(),
Config: mgr.GetConfig(),
EventRecorder: mgr.GetEventRecorderFor("ibm-common-service-operator"),
Manager: deploy.NewDeployManager(mgr),
SaasEnable: util.CheckSaas(mgr.GetAPIReader()),
MultiInstancesEnable: util.CheckMultiInstances(mgr.GetAPIReader()),
CSData: csData,
}
return
}
// NewBootstrap is the way to create a NewBootstrap struct
func NewBootstrap(mgr manager.Manager) (bs *Bootstrap, err error) {
cpfsNs := util.GetCPFSNamespace(mgr.GetAPIReader())
servicesNs := util.GetServicesNamespace(mgr.GetAPIReader())
operatorNs, err := util.GetOperatorNamespace()
if err != nil {
return
}
catalogSourceName, catalogSourceNs := util.GetCatalogSource(constant.IBMCSPackage, operatorNs, mgr.GetAPIReader())
if catalogSourceName == "" || catalogSourceNs == "" {
err = fmt.Errorf("failed to get catalogsource")
return
}
approvalMode, err := util.GetApprovalModeinNs(mgr.GetAPIReader(), operatorNs)
if err != nil {
return
}
csData := apiv3.CSData{
CPFSNs: cpfsNs,
ServicesNs: servicesNs,
OperatorNs: operatorNs,
CatalogSourceName: catalogSourceName,
CatalogSourceNs: catalogSourceNs,
ApprovalMode: approvalMode,
WatchNamespaces: util.GetWatchNamespace(),
OnPremMultiEnable: strconv.FormatBool(util.CheckMultiInstances(mgr.GetAPIReader())),
ExcludedCatalog: constant.ExcludedCatalog,
StatusMonitoredServices: constant.StatusMonitoredServices,
ServiceNames: constant.ServiceNames,
UtilsImage: util.GetUtilsImage(),
}
bs = &Bootstrap{
Client: mgr.GetClient(),
Reader: mgr.GetAPIReader(),
Config: mgr.GetConfig(),
EventRecorder: mgr.GetEventRecorderFor("ibm-common-service-operator"),
Manager: deploy.NewDeployManager(mgr),
SaasEnable: util.CheckSaas(mgr.GetAPIReader()),
MultiInstancesEnable: util.CheckMultiInstances(mgr.GetAPIReader()),
CSData: csData,
}
// Get all the resources from the deployment annotations
annotations, err := bs.GetAnnotations()
if err != nil {
klog.Errorf("failed to get Annotations from csv: %v", err)
}
if r, ok := annotations["operatorChannel"]; ok {
bs.CSData.Channel = r
}
if r, ok := annotations["operatorVersion"]; ok {
bs.CSData.Version = r
}
if r, ok := annotations["cloudPakThemesVersion"]; ok {
bs.CSData.CloudPakThemesVersion = r
}
klog.Infof("Single Deployment Status: %v, MultiInstance Deployment status: %v, SaaS Depolyment Status: %v", !bs.MultiInstancesEnable, bs.MultiInstancesEnable, bs.SaasEnable)
return
}
// InitResources initialize resources at the bootstrap of operator
func (b *Bootstrap) InitResources(instance *apiv3.CommonService, forceUpdateODLMCRs bool) error {
installPlanApproval := instance.Spec.InstallPlanApproval
if installPlanApproval != "" {
if installPlanApproval != olmv1alpha1.ApprovalAutomatic && installPlanApproval != olmv1alpha1.ApprovalManual {
return fmt.Errorf("invalid value for installPlanApproval %v", installPlanApproval)
}
b.CSData.ApprovalMode = string(installPlanApproval)
}
// Clean v3 Namespace Scope Operator and CRs in the servicesNamespace
if err := b.CleanNamespaceScopeResources(); err != nil {
klog.Errorf("Failed to clean NamespaceScope resources: %v", err)
return err
}
// Check storageClass
if err := util.CheckStorageClass(b.Reader); err != nil {
return err
}
// Backward compatible upgrade from version 3.x.x
if err := b.CreateNsScopeConfigmap(); err != nil {
klog.Errorf("Failed to create Namespace Scope ConfigMap: %v", err)
return err
}
// Temporary solution for EDB image ConfigMap reference
if os.Getenv("NO_OLM") != "true" {
klog.Infof("It is not a non-OLM mode, create EDB Image ConfigMap")
if err := b.CreateEDBImageMaps(); err != nil {
klog.Errorf("Failed to create EDB Image ConfigMap: %v", err)
return err
}
}
// Create Keycloak themes ConfigMap
if err := b.CreateKeycloakThemesConfigMap(); err != nil {
klog.Errorf("Failed to create Keycloak Themes ConfigMap: %v", err)
return err
}
mutatingWebhooks := []string{constant.CSWebhookConfig, constant.OperanReqConfig}
validatingWebhooks := []string{constant.CSMappingConfig}
if err := b.DeleteV3Resources(mutatingWebhooks, validatingWebhooks); err != nil {
klog.Errorf("Failed to delete v3 resources: %v", err)
return err
}
// Backward compatible for All Namespace Installation Mode upgrade
// Uninstall ODLM in servicesNamespace(ibm-common-services)
if b.CSData.CPFSNs != b.CSData.ServicesNs {
klog.V(2).Info("Uninstall ODLM in servicesNamespace when the topology is separation of control and data")
if err := b.DeleteOperator(constant.IBMODLMPackage, b.CSData.ServicesNs); err != nil {
klog.Errorf("Failed to uninstall ODLM in servicesNamespace %s", b.CSData.ServicesNs)
return err
}
}
// Check if ODLM OperandRegistry and OperandConfig are created
klog.Info("Checking if OperandRegistry and OperandConfig CRD already exist")
existOpreg, _ := b.CheckCRD(constant.OpregAPIGroupVersion, constant.OpregKind)
existOpcon, _ := b.CheckCRD(constant.OpregAPIGroupVersion, constant.OpconKind)
// Install/update Opreg and Opcon resources before installing ODLM if CRDs exist
if existOpreg && existOpcon {
klog.Info("Checking OperandRegistry and OperandConfig deployment status")
if err := b.ConfigODLMOperandManagedByOperator(ctx); err != nil {
return err
}
// Set "Pending" condition when creating OperandRegistry and OperandConfig
instance.SetPendingCondition(constant.MasterCR, apiv3.ConditionTypePending, corev1.ConditionTrue, apiv3.ConditionReasonInit, apiv3.ConditionMessageInit)
if err := b.Client.Status().Update(ctx, instance); err != nil {
return err
}
klog.Info("Installing/Updating OperandRegistry")
if err := b.InstallOrUpdateOpreg(forceUpdateODLMCRs, installPlanApproval); err != nil {
return err
}
klog.Info("Installing/Updating OperandConfig")
if err := b.InstallOrUpdateOpcon(forceUpdateODLMCRs); err != nil {
return err
}
}
klog.Info("Installing ODLM Operator")
if err := b.renderTemplate(constant.ODLMSubscription, b.CSData); err != nil {
return err
}
klog.Info("Waiting for ODLM Operator to be ready")
if isWaiting, err := b.waitOperatorCSV(constant.IBMODLMPackage, "ibm-odlm", b.CSData.CPFSNs); err != nil {
return err
} else if isWaiting {
forceUpdateODLMCRs = true
}
// wait ODLM OperandRegistry and OperandConfig CRD
if err := b.waitResourceReady(constant.OpregAPIGroupVersion, constant.OpregKind); err != nil {
return err
}
if err := b.waitResourceReady(constant.OpregAPIGroupVersion, constant.OpconKind); err != nil {
return err
}
// Reinstall/update OperandRegistry and OperandConfig if not installed/updated in the previous step
if !existOpreg || !existOpcon || forceUpdateODLMCRs {
// Set "Pending" condition when creating OperandRegistry and OperandConfig
instance.SetPendingCondition(constant.MasterCR, apiv3.ConditionTypePending, corev1.ConditionTrue, apiv3.ConditionReasonInit, apiv3.ConditionMessageInit)
if err := b.Client.Status().Update(ctx, instance); err != nil {
return err
}
klog.Info("Installing/Updating OperandRegistry")
if err := b.InstallOrUpdateOpreg(forceUpdateODLMCRs, installPlanApproval); err != nil {
return err
}
klog.Info("Installing/Updating OperandConfig")
if err := b.InstallOrUpdateOpcon(forceUpdateODLMCRs); err != nil {
return err
}
}
return nil
}
// CheckWarningCondition
func (b *Bootstrap) CheckWarningCondition(instance *apiv3.CommonService) error {
csStorageClass := &storagev1.StorageClassList{}
err := b.Reader.List(context.TODO(), csStorageClass)
if err != nil {
return err
}
defaultCount := 0
if len(csStorageClass.Items) > 0 {
for _, sc := range csStorageClass.Items {
if sc.Annotations != nil && sc.Annotations["storageclass.kubernetes.io/is-default-class"] == "true" {
klog.V(2).Infof("Default StorageClass found: %s\n", sc.Name)
defaultCount++
}
}
}
// check if there is no storageClass declared under spec section and the default count is not 1
if instance.Spec.StorageClass == "" && defaultCount != 1 {
instance.SetWarningCondition(constant.MasterCR, apiv3.ConditionTypeWarning, corev1.ConditionTrue, apiv3.ConditionReasonWarning, apiv3.ConditionMessageMissSC)
}
return nil
}
func (b *Bootstrap) CreateNamespace(name string) error {
nsObj := &corev1.Namespace{
TypeMeta: metav1.TypeMeta{
Kind: "Namespace",
APIVersion: "v1",
},
ObjectMeta: metav1.ObjectMeta{
Name: name,
},
}
if err := b.Client.Create(ctx, nsObj); err != nil && !errors.IsAlreadyExists(err) {
return err
}
return nil
}
func (b *Bootstrap) CheckCsSubscription() error {
subs, err := b.ListSubscriptions(ctx, b.CSData.OperatorNs, client.ListOptions{Namespace: b.CSData.OperatorNs, LabelSelector: labels.SelectorFromSet(map[string]string{
"operators.coreos.com/ibm-common-service-operator." + b.CSData.OperatorNs: "",
})})
if err != nil {
return err
}
// check all the CS subscrtipions and delete the operator not deployed by ibm-common-service-operator
for _, sub := range subs.Items {
if sub.GetName() != "ibm-common-service-operator" {
if err := b.deleteSubscription(sub.GetName(), sub.GetNamespace()); err != nil {
return err
}
}
}
return nil
}
func (b *Bootstrap) CreateCsCR() error {
cs := util.NewUnstructured("operator.ibm.com", "CommonService", "v3")
cs.SetName("common-service")
cs.SetNamespace(b.CSData.OperatorNs)
if len(b.CSData.WatchNamespaces) == 0 {
// All Namespaces Mode:
// using `ibm-common-services` ns as ServicesNs if CS CR does not exist
if _, err := b.GetObject(cs); errors.IsNotFound(err) {
b.CSData.ServicesNs = constant.MasterNamespace
return b.renderTemplate(constant.CsCR, b.CSData)
} else if err != nil {
return err
}
} else {
if _, err := b.GetObject(cs); errors.IsNotFound(err) { // Only if it's a fresh install
// Fresh Intall: No ODLM and NO CR
return b.renderTemplate(constant.CsCR, b.CSData)
} else if err != nil {
return err
}
}
return nil
}
func (b *Bootstrap) CreateOrUpdateFromYaml(yamlContent []byte, alwaysUpdate ...bool) error {
objects, err := util.YamlToObjects(yamlContent)
if err != nil {
return err
}
var errMsg error
for _, obj := range objects {
gvk := obj.GetObjectKind().GroupVersionKind()
objInCluster, err := b.GetObject(obj)
if errors.IsNotFound(err) {
klog.V(2).Infof("Creating resource with name: %s, namespace: %s, kind: %s, apiversion: %s/%s\n", obj.GetName(), obj.GetNamespace(), gvk.Kind, gvk.Group, gvk.Version)
if err := b.CreateObject(obj); err != nil {
errMsg = err
}
continue
} else if err != nil {
errMsg = err
continue
}
if objInCluster.GetDeletionTimestamp() != nil {
errMsg = fmt.Errorf("resource %s/%s is being deleted, retry later, kind: %s, apiversion: %s/%s", obj.GetNamespace(), obj.GetName(), gvk.Kind, gvk.Group, gvk.Version)
continue
}
forceUpdate := false
if len(alwaysUpdate) != 0 {
forceUpdate = alwaysUpdate[0]
}
update := forceUpdate
// do not compareVersion if the resource is subscription
if gvk.Kind == "Subscription" {
sub, err := b.GetSubscription(ctx, obj.GetName(), obj.GetNamespace())
if err != nil {
if obj.GetNamespace() == "" {
klog.Errorf("Failed to get subscription for %s. Namespace not found.", obj.GetName())
} else {
klog.Errorf("Failed to get subscription %s/%s", obj.GetNamespace(), obj.GetName())
}
return err
}
if sub.Object["spec"].(map[string]interface{})["config"] != nil {
obj.Object["spec"].(map[string]interface{})["config"] = sub.Object["spec"].(map[string]interface{})["config"]
}
update = !equality.Semantic.DeepEqual(sub.Object["spec"], obj.Object["spec"])
} else if gvk.Kind == "Certificate" {
// ignore renewBefore time when updating the certificate
cert := &unstructured.Unstructured{}
cert.SetGroupVersionKind(schema.GroupVersionKind{
Group: "cert-manager.io",
Version: "v1",
Kind: "Certificate",
})
certKey := types.NamespacedName{
Name: obj.GetName(),
Namespace: obj.GetNamespace(),
}
if err := b.Client.Get(ctx, certKey, cert); err != nil {
klog.Errorf("Failed to get certificate for %s.", obj.GetName())
return err
}
// use renewBefore time in certificate in the cluster
if obj.Object["spec"].(map[string]interface{})["renewBefore"] != nil {
obj.Object["spec"].(map[string]interface{})["renewBefore"] = cert.Object["spec"].(map[string]interface{})["renewBefore"]
}
update = !equality.Semantic.DeepEqual(cert.Object["spec"], obj.Object["spec"]) || !equality.Semantic.DeepEqual(cert.GetLabels(), obj.GetLabels())
} else {
v1IsLarger, convertErr := util.CompareVersion(obj.GetAnnotations()["version"], objInCluster.GetAnnotations()["version"])
if convertErr != nil {
return convertErr
}
if v1IsLarger {
update = true
}
}
if update {
klog.Infof("Updating resource with name: %s, namespace: %s, kind: %s, apiversion: %s/%s\n", obj.GetName(), obj.GetNamespace(), gvk.Kind, gvk.Group, gvk.Version)
resourceVersion := objInCluster.GetResourceVersion()
obj.SetResourceVersion(resourceVersion)
if err := b.UpdateObject(obj); err != nil {
errMsg = err
}
}
}
return errMsg
}
// DeleteFromYaml takes [objectTemplate, b.CSData] and delete the object according to the objectTemplate
func (b *Bootstrap) DeleteFromYaml(objectTemplate string, data interface{}) error {
var buffer bytes.Buffer
t := template.Must(template.New("newTemplate").Parse(objectTemplate))
if err := t.Execute(&buffer, data); err != nil {
return err
}
yamlContent := buffer.Bytes()
objects, err := util.YamlToObjects(yamlContent)
if err != nil {
return err
}
var errMsg error
for _, obj := range objects {
gvk := obj.GetObjectKind().GroupVersionKind()
_, err := b.GetObject(obj)
if errors.IsNotFound(err) {
klog.V(2).Infof("Not Found name: %s, namespace: %s, kind: %s, apiversion: %s/%s, skipping", obj.GetName(), obj.GetNamespace(), gvk.Kind, gvk.Group, gvk.Version)
continue
} else if err != nil {
errMsg = err
continue
}
klog.Infof("Deleting object with name: %s, namespace: %s, kind: %s, apiversion: %s/%s", obj.GetName(), obj.GetNamespace(), gvk.Kind, gvk.Group, gvk.Version)
if err := b.DeleteObject(obj); err != nil {
errMsg = err
}
// waiting for the object be deleted
if err := utilwait.PollImmediate(time.Second*10, time.Minute*5, func() (done bool, err error) {
_, errNotFound := b.GetObject(obj)
if errors.IsNotFound(errNotFound) {
return true, nil
}
klog.Infof("waiting for object with name: %s, namespace: %s, kind: %s, apiversion: %s/%s to delete", obj.GetName(), obj.GetNamespace(), gvk.Kind, gvk.Group, gvk.Version)
return false, nil
}); err != nil {
return err
}
}
return errMsg
}
// GetSubscription returns the subscription instance of "name" from "namespace" namespace
func (b *Bootstrap) GetSubscription(ctx context.Context, name, namespace string) (*unstructured.Unstructured, error) {
klog.Infof("Fetch Subscription: %v/%v", namespace, name)
sub := &unstructured.Unstructured{}
sub.SetGroupVersionKind(olmv1alpha1.SchemeGroupVersion.WithKind("subscription"))
subKey := types.NamespacedName{
Name: name,
Namespace: namespace,
}
if err := b.Client.Get(ctx, subKey, sub); err != nil {
return nil, err
}
return sub, nil
}
// GetSubscription returns the subscription instances from a namespace
func (b *Bootstrap) ListSubscriptions(ctx context.Context, namespace string, listOptions client.ListOptions) (*unstructured.UnstructuredList, error) {
klog.Infof("List Subscriptions in namespace %v", namespace)
subs := &unstructured.UnstructuredList{}
subs.SetGroupVersionKind(olmv1alpha1.SchemeGroupVersion.WithKind("SubscriptionList"))
if err := b.Client.List(ctx, subs, &listOptions); err != nil {
return nil, err
}
return subs, nil
}
// GetOperandRegistry returns the OperandRegistry instance of "name" from "namespace" namespace
func (b *Bootstrap) GetOperandRegistry(ctx context.Context, name, namespace string) (*odlm.OperandRegistry, error) {
klog.V(2).Infof("Fetch OperandRegistry: %v/%v", namespace, name)
opreg := &odlm.OperandRegistry{}
opregKey := types.NamespacedName{
Name: name,
Namespace: namespace,
}
if err := b.Reader.Get(ctx, opregKey, opreg); err != nil && !errors.IsNotFound(err) {
return nil, err
}
return opreg, nil
}
// GetOperandConfig returns the OperandConfig instance of "name" from "namespace" namespace
func (b *Bootstrap) GetOperandConfig(ctx context.Context, name, namespace string) (*odlm.OperandConfig, error) {
klog.V(2).Infof("Fetch OperandConfig: %v/%v", namespace, name)
opconfig := &odlm.OperandConfig{}
opconfigKey := types.NamespacedName{
Name: name,
Namespace: namespace,
}
if err := b.Reader.Get(ctx, opconfigKey, opconfig); err != nil && !errors.IsNotFound(err) {
return nil, err
}
return opconfig, nil
}
// ListOperandRegistry returns the OperandRegistry instance with "options"
func (b *Bootstrap) ListOperandRegistry(ctx context.Context, opts ...client.ListOption) *odlm.OperandRegistryList {
opregList := &odlm.OperandRegistryList{}
if err := b.Client.List(ctx, opregList, opts...); err != nil {
klog.Errorf("failed to List OperandRegistry: %v", err)
return nil
}
return opregList
}
// ListOperandConfig returns the OperandConfig instance with "options"
func (b *Bootstrap) ListOperandConfig(ctx context.Context, opts ...client.ListOption) *odlm.OperandConfigList {
opconfigList := &odlm.OperandConfigList{}
if err := b.Client.List(ctx, opconfigList, opts...); err != nil {
klog.Errorf("failed to List OperandConfig: %v", err)
return nil
}
return opconfigList
}
// ListOperatorConfig returns the OperatorConfig instance with "options"
func (b *Bootstrap) ListOperatorConfig(ctx context.Context, opts ...client.ListOption) *odlm.OperatorConfigList {
operatorConfigList := &odlm.OperatorConfigList{}
if err := b.Client.List(ctx, operatorConfigList, opts...); err != nil {
klog.Errorf("failed to List OperatorConfig: %v", err)
return nil
}
return operatorConfigList
}
// ListNssCRs returns the NameSpaceScopes instance list with "options"
func (b *Bootstrap) ListNssCRs(ctx context.Context, namespace string) (*nssv1.NamespaceScopeList, error) {
nssCRsList := &nssv1.NamespaceScopeList{}
if err := b.Client.List(ctx, nssCRsList, &client.ListOptions{Namespace: namespace}); err != nil {
klog.Errorf("failed to List NamespaceScope CRs in namespace %s: %v", namespace, err)
return nil, err
}
return nssCRsList, nil
}
// ListCerts returns the Certificate instance list with "options"
func (b *Bootstrap) ListCerts(ctx context.Context, opts ...client.ListOption) *certmanagerv1.CertificateList {
certList := &certmanagerv1.CertificateList{}
if err := b.Client.List(ctx, certList, opts...); err != nil {
klog.Errorf("failed to List Cert Manager Certificates: %v", err)
return nil
}
return certList
}
// ListIssuer returns the Iusser instance list with "options"
func (b *Bootstrap) ListIssuer(ctx context.Context, opts ...client.ListOption) *certmanagerv1.IssuerList {
issuerList := &certmanagerv1.IssuerList{}
if err := b.Client.List(ctx, issuerList, opts...); err != nil {
klog.Errorf("failed to List Cert Manager Issuers: %v", err)
return nil
}
return issuerList
}
func (b *Bootstrap) CheckOperatorCatalog(ns string) error {
err := utilwait.PollImmediate(time.Second*10, time.Minute*3, func() (done bool, err error) {
subList := &olmv1alpha1.SubscriptionList{}
if err := b.Reader.List(context.TODO(), subList, &client.ListOptions{Namespace: ns}); err != nil {
return false, err
}
var csSub []olmv1alpha1.Subscription
for _, sub := range subList.Items {
if sub.Spec.Package == constant.IBMCSPackage {
csSub = append(csSub, sub)
}
}
if len(csSub) != 1 {
klog.Errorf("Fail to find ibm-common-service-operator subscription in the namespace %s", ns)
return false, nil
}
if csSub[0].Spec.CatalogSource != b.CSData.CatalogSourceName || subList.Items[0].Spec.CatalogSourceNamespace != b.CSData.CatalogSourceNs {
csSub[0].Spec.CatalogSource = b.CSData.CatalogSourceName
csSub[0].Spec.CatalogSourceNamespace = b.CSData.CatalogSourceNs
if err := b.Client.Update(context.TODO(), &csSub[0]); err != nil {
return false, err
}
}
return true, nil
})
return err
}
// CheckCRD returns true if the given crd is existent
func (b *Bootstrap) CheckCRD(apiGroupVersion string, kind string) (bool, error) {
dc := discovery.NewDiscoveryClientForConfigOrDie(b.Config)
exist, err := b.ResourceExists(dc, apiGroupVersion, kind)
if err != nil {
return false, err
}
if !exist {
return false, nil
}
return true, nil
}
// WaitResourceReady returns true only when the specific resource CRD is created and wait for infinite time
func (b *Bootstrap) WaitResourceReady(apiGroupVersion string, kind string) error {
dc := discovery.NewDiscoveryClientForConfigOrDie(b.Config)
if err := utilwait.PollImmediateInfinite(time.Second*10, func() (done bool, err error) {
exist, err := b.ResourceExists(dc, apiGroupVersion, kind)
if err != nil {
return exist, err
}
if !exist {
klog.V(2).Infof("waiting for resource ready with kind: %s, apiGroupVersion: %s", kind, apiGroupVersion)
}
return exist, nil
}); err != nil {
return err
}
return nil
}
func (b *Bootstrap) waitResourceReady(apiGroupVersion, kind string) error {
dc := discovery.NewDiscoveryClientForConfigOrDie(b.Config)
if err := utilwait.PollImmediate(time.Second*10, time.Minute*2, func() (done bool, err error) {
exist, err := b.ResourceExists(dc, apiGroupVersion, kind)
if err != nil {
return exist, err
}
if !exist {
klog.Infof("waiting for resource ready with kind: %s, apiGroupVersion: %s", kind, apiGroupVersion)
}
return exist, nil
}); err != nil {
return err
}
return nil
}
// ResourceExists returns true if the given resource kind exists
// in the given api groupversion
func (b *Bootstrap) ResourceExists(dc discovery.DiscoveryInterface, apiGroupVersion, kind string) (bool, error) {
_, apiLists, err := dc.ServerGroupsAndResources()
if err != nil {
return false, err
}
for _, apiList := range apiLists {
if apiList.GroupVersion == apiGroupVersion {
for _, r := range apiList.APIResources {
if r.Kind == kind {
return true, nil
}
}
}
}
return false, nil
}
// InstallOrUpdateOpreg will install or update OperandRegistry when Opreg CRD is existent
func (b *Bootstrap) InstallOrUpdateOpreg(forceUpdateODLMCRs bool, installPlanApproval olmv1alpha1.Approval) error {
if installPlanApproval != "" || b.CSData.ApprovalMode == string(olmv1alpha1.ApprovalManual) {
if err := b.updateApprovalMode(); err != nil {
return err
}
}
var baseReg string
registries := []string{
constant.CSV4OpReg,
constant.MongoDBOpReg,
constant.IMOpReg,
constant.IdpConfigUIOpReg,
constant.PlatformUIOpReg,
constant.KeyCloakOpReg,
constant.CommonServicePGOpReg,
}
if b.SaasEnable {
baseReg = constant.CSV3SaasOpReg
} else {
baseReg = constant.CSV3OpReg
}
concatenatedReg, err := constant.ConcatenateRegistries(baseReg, registries, b.CSData)
if err != nil {
klog.Errorf("failed to concatenate OperandRegistry: %v", err)
return err
}
if err := b.renderTemplate(concatenatedReg, b.CSData, forceUpdateODLMCRs); err != nil {
return err
}
return nil
}
// InstallOrUpdateOpcon will install or update OperandConfig when Opcon CRD is existent
func (b *Bootstrap) InstallOrUpdateOpcon(forceUpdateODLMCRs bool) error {
var baseCon string
configs := []string{
constant.MongoDBOpCon,
constant.IMOpCon,
constant.UserMgmtOpCon,
constant.IdpConfigUIOpCon,
constant.PlatformUIOpCon,
constant.EDBOpCon,
constant.KeyCloakOpCon,
constant.CommonServicePGOpCon,
}
baseCon = constant.CSV4OpCon
concatenatedCon, err := constant.ConcatenateConfigs(baseCon, configs, b.CSData)
if err != nil {
klog.Errorf("failed to concatenate OperandConfig: %v", err)
return err
}
if err := b.renderTemplate(concatenatedCon, b.CSData, forceUpdateODLMCRs); err != nil {
return err
}
return nil
}
// InstallOrUpdateOpcon will install or update OperandConfig when Opcon CRD is existent
func (b *Bootstrap) InstallOrUpdateOperatorConfig(config string, forceUpdateODLMCRs bool) error {
// clean up OperatorConfigs not in servicesNamespace every time function is called
opts := []client.ListOption{
client.MatchingLabels(
map[string]string{constant.CsManagedLabel: "true"}),
}
operatorConfigList := b.ListOperatorConfig(ctx, opts...)
if operatorConfigList != nil {
for _, operatorConfig := range operatorConfigList.Items {
if operatorConfig.Namespace != b.CSData.ServicesNs {
if err := b.Client.Delete(ctx, &operatorConfig); err != nil {
klog.Errorf("Failed to delete idle OperandConfig %s/%s which is managed by CS operator, but not in ServicesNamespace %s", operatorConfig.GetNamespace(), operatorConfig.GetName(), b.CSData.ServicesNs)
return err
}
klog.Infof("Delete idle OperandConfig %s/%s which is managed by CS operator, but not in ServicesNamespace %s", operatorConfig.GetNamespace(), operatorConfig.GetName(), b.CSData.ServicesNs)
}
}
}
if err := b.renderTemplate(config, b.CSData, forceUpdateODLMCRs); err != nil {
return err
}
return nil
}
// CreateNsScopeConfigmap creates nss configmap for operators
func (b *Bootstrap) CreateNsScopeConfigmap() error {
cmRes := constant.NamespaceScopeConfigMap
if err := b.renderTemplate(cmRes, b.CSData, false); err != nil {
return err
}
return nil
}
// CreateEDBImageConfig creates a ConfigMap contains EDB image reference
func (b *Bootstrap) CreateEDBImageMaps() error {
cmRes := constant.EDBImageConfigMap
if err := b.renderTemplate(cmRes, b.CSData, false); err != nil {
return err
}
return nil
}
// CreateKeycloakThemesConfigMap creates a ConfigMap contains Keycloak themes
func (b *Bootstrap) CreateKeycloakThemesConfigMap() error {
klog.Info("Extracting Keycloak themes from jar file")
themeFile := constant.KeycloakThemesJar
themeFileContent, err := util.ReadFile(themeFile)
if err != nil {
return err
}
b.CSData.CloudPakThemes = util.EncodeBase64(themeFileContent)
cmRes := constant.KeycloakThemesConfigMap
if err := b.renderTemplate(cmRes, b.CSData, false); err != nil {
return err
}
return nil
}
func (b *Bootstrap) DeleteV3Resources(mutatingWebhooks, validatingWebhooks []string) error {
// Delete the list of MutatingWebhookConfigurations
for _, webhook := range mutatingWebhooks {
if err := b.deleteResource(&admv1.MutatingWebhookConfiguration{}, webhook, "", "MutatingWebhookConfiguration"); err != nil {
return err
}
}
// Delete the list of ValidatingWebhookConfiguration
for _, webhook := range validatingWebhooks {
if err := b.deleteResource(&admv1.ValidatingWebhookConfiguration{}, webhook, "", "ValidatingWebhookConfiguration"); err != nil {
return err
}
}
if err := b.deleteWebhookResources(); err != nil {
klog.Errorf("Error deleting webhook resources: %v", err)
}
if err := b.deleteSecretShareResources(); err != nil {
klog.Errorf("Error deleting secretshare resources: %v", err)
}
return nil
}
// deleteWebhookResources deletes resources related to ibm-common-service-webhook
func (b *Bootstrap) deleteWebhookResources() error {
// Delete PodPreset (CR)
if err := b.deleteResource(&unstructured.Unstructured{
Object: map[string]interface{}{
"apiVersion": "operator.ibm.com/v1alpha1",
"kind": "PodPreset",
},
}, constant.WebhookServiceName, b.CSData.ServicesNs, "PodPreset"); err != nil {
return err
}
// Delete ServiceAccount
if err := b.deleteResource(&corev1.ServiceAccount{}, constant.WebhookServiceName, b.CSData.ServicesNs, "ServiceAccount"); err != nil {
return err
}
// Delete Roles and RoleBindings
if err := b.deleteResource(&rbacv1.Role{}, constant.WebhookServiceName, b.CSData.ServicesNs, "Role"); err != nil {
return err
}
if err := b.deleteResource(&rbacv1.RoleBinding{}, constant.WebhookServiceName, b.CSData.ServicesNs, "RoleBinding"); err != nil {
return err
}
if err := b.deleteResource(&rbacv1.ClusterRole{}, constant.WebhookServiceName, "", "ClusterRole"); err != nil {
return err
}
if err := b.deleteResource(&rbacv1.ClusterRoleBinding{}, "ibm-common-service-webhook-"+b.CSData.ServicesNs, "", "ClusterRoleBinding"); err != nil {
return err
}
// Delete Deployment
if err := b.deleteResource(&appsv1.Deployment{}, constant.WebhookServiceName, b.CSData.ServicesNs, "Deployment"); err != nil {
return err
}
return nil
}
// deleteSecretShareResources deletes resources related to secretshare
func (b *Bootstrap) deleteSecretShareResources() error {
if err := b.deleteResource(&corev1.ServiceAccount{}, constant.Secretshare, b.CSData.ServicesNs, "ServiceAccount"); err != nil {
return err
}
// Delete SecretShare ClusterRole and ClusterRoleBinding
if err := b.deleteResource(&rbacv1.ClusterRole{}, constant.Secretshare, "", "ClusterRole"); err != nil {
return err
}
if err := b.deleteResource(&rbacv1.ClusterRoleBinding{}, "secretshare-"+b.CSData.ServicesNs, "", "ClusterRoleBinding"); err != nil {