-
Notifications
You must be signed in to change notification settings - Fork 61
/
Copy pathpgbackrest.go
3171 lines (2818 loc) · 127 KB
/
pgbackrest.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 2021 - 2024 Crunchy Data Solutions, Inc.
//
// SPDX-License-Identifier: Apache-2.0
package postgrescluster
import (
"context"
"fmt"
"io"
"reflect"
"regexp"
"sort"
"strings"
"time"
gover "github.com/hashicorp/go-version"
"github.com/pkg/errors"
appsv1 "k8s.io/api/apps/v1"
batchv1 "k8s.io/api/batch/v1"
corev1 "k8s.io/api/core/v1"
rbacv1 "k8s.io/api/rbac/v1"
apierrors "k8s.io/apimachinery/pkg/api/errors"
"k8s.io/apimachinery/pkg/api/meta"
metav1 "k8s.io/apimachinery/pkg/apis/meta/v1"
"k8s.io/apimachinery/pkg/apis/meta/v1/unstructured"
"k8s.io/apimachinery/pkg/runtime"
"k8s.io/apimachinery/pkg/runtime/schema"
"k8s.io/apimachinery/pkg/types"
utilerrors "k8s.io/apimachinery/pkg/util/errors"
"sigs.k8s.io/controller-runtime/pkg/client"
"sigs.k8s.io/controller-runtime/pkg/controller/controllerutil"
"sigs.k8s.io/controller-runtime/pkg/reconcile"
"github.com/percona/percona-postgresql-operator/internal/config"
"github.com/percona/percona-postgresql-operator/internal/feature"
"github.com/percona/percona-postgresql-operator/internal/initialize"
"github.com/percona/percona-postgresql-operator/internal/logging"
"github.com/percona/percona-postgresql-operator/internal/naming"
"github.com/percona/percona-postgresql-operator/internal/patroni"
"github.com/percona/percona-postgresql-operator/internal/pgbackrest"
"github.com/percona/percona-postgresql-operator/internal/pki"
"github.com/percona/percona-postgresql-operator/internal/postgres"
v2 "github.com/percona/percona-postgresql-operator/pkg/apis/pgv2.percona.com/v2"
"github.com/percona/percona-postgresql-operator/pkg/apis/postgres-operator.crunchydata.com/v1beta1"
)
const (
// ConditionPostgresDataInitialized is the type used in a condition to indicate whether or not the
// PostgresCluster's PostgreSQL data directory has been initialized (e.g. via a restore)
ConditionPostgresDataInitialized = "PostgresDataInitialized"
// ConditionManualBackupSuccessful is the type used in a condition to indicate whether or not
// the manual backup for the current backup ID (as provided via annotation) was successful
ConditionManualBackupSuccessful = "PGBackRestManualBackupSuccessful"
// ConditionReplicaCreate is the type used in a condition to indicate whether or not
// pgBackRest can be utilized for replica creation
ConditionReplicaCreate = "PGBackRestReplicaCreate"
// ConditionReplicaRepoReady is the type used in a condition to indicate whether or not
// the pgBackRest repository for creating replicas is ready
ConditionReplicaRepoReady = "PGBackRestReplicaRepoReady"
// ConditionRepoHostReady is the type used in a condition to indicate whether or not a
// pgBackRest repository host PostgresCluster is ready
ConditionRepoHostReady = "PGBackRestRepoHostReady"
// ConditionPGBackRestRestoreProgressing is the type used in a condition to indicate that
// and in-place pgBackRest restore is in progress
ConditionPGBackRestRestoreProgressing = "PGBackRestoreProgressing"
// EventRepoHostNotFound is used to indicate that a pgBackRest repository was not
// found when reconciling
EventRepoHostNotFound = "RepoDeploymentNotFound"
// EventRepoHostCreated is the event reason utilized when a pgBackRest repository host is
// created
EventRepoHostCreated = "RepoHostCreated"
// EventUnableToCreateStanzas is the event reason utilized when pgBackRest is unable to create
// stanzas for the repositories in a PostgreSQL cluster
EventUnableToCreateStanzas = "UnableToCreateStanzas"
// EventStanzasCreated is the event reason utilized when a pgBackRest stanza create command
// completes successfully
EventStanzasCreated = "StanzasCreated"
// EventUnableToCreatePGBackRestCronJob is the event reason utilized when a pgBackRest backup
// CronJob fails to create successfully
EventUnableToCreatePGBackRestCronJob = "UnableToCreatePGBackRestCronJob"
// ReasonReadyForRestore is the reason utilized within ConditionPGBackRestRestoreProgressing
// to indicate that the restore Job can proceed because the cluster is now ready to be
// restored (i.e. it has been properly prepared for a restore).
ReasonReadyForRestore = "ReadyForRestore"
)
// backup types
const (
// K8SPG-422: we need to keep these constants exported
Full = "full"
Differential = "diff"
Incremental = "incr"
)
// regexRepoIndex is the regex used to obtain the repo index from a pgBackRest repo name
var regexRepoIndex = regexp.MustCompile(`\d+`)
// RepoResources is used to store various resources for pgBackRest repositories and
// repository hosts
type RepoResources struct {
hosts []*appsv1.StatefulSet
cronjobs []*batchv1.CronJob
manualBackupJobs []*batchv1.Job
replicaCreateBackupJobs []*batchv1.Job
pvcs []*corev1.PersistentVolumeClaim
sas []*corev1.ServiceAccount
roles []*rbacv1.Role
rolebindings []*rbacv1.RoleBinding
}
// applyRepoHostIntent ensures the pgBackRest repository host StatefulSet is synchronized with the
// proper configuration according to the provided PostgresCluster custom resource. This is done by
// applying the PostgresCluster controller's fully specified intent for the repository host
// StatefulSet. Any changes to the deployment spec as a result of synchronization will result in a
// rollout of the pgBackRest repository host StatefulSet in accordance with its configured
// strategy.
func (r *Reconciler) applyRepoHostIntent(ctx context.Context, postgresCluster *v1beta1.PostgresCluster,
repoHostName string, repoResources *RepoResources,
observedInstances *observedInstances) (*appsv1.StatefulSet, error) {
repo, err := r.generateRepoHostIntent(ctx, postgresCluster, repoHostName, repoResources, observedInstances)
if err != nil {
return nil, err
}
// Previous versions of PGO used a StatefulSet Pod Management Policy that could leave the Pod
// in a failed state. When we see that it has the wrong policy, we will delete the StatefulSet
// and then recreate it with the correct policy, as this is not a property that can be patched.
// When we delete the StatefulSet, we will leave its Pods in place. They will be claimed by
// the StatefulSet that gets created in the next reconcile.
existing := &appsv1.StatefulSet{}
if err := errors.WithStack(r.Client.Get(ctx, client.ObjectKeyFromObject(repo), existing)); err != nil {
if !apierrors.IsNotFound(err) {
return nil, err
}
} else {
if existing.Spec.PodManagementPolicy != repo.Spec.PodManagementPolicy {
// We want to delete the STS without affecting the Pods, so we set the PropagationPolicy to Orphan.
// The orphaned Pods will be claimed by the new StatefulSet that gets created in the next reconcile.
uid := existing.GetUID()
version := existing.GetResourceVersion()
exactly := client.Preconditions{UID: &uid, ResourceVersion: &version}
propagate := client.PropagationPolicy(metav1.DeletePropagationOrphan)
return repo, errors.WithStack(r.Client.Delete(ctx, existing, exactly, propagate))
}
}
if err := r.apply(ctx, repo); err != nil {
return nil, err
}
return repo, nil
}
// +kubebuilder:rbac:groups="",resources="persistentvolumeclaims",verbs={create,patch}
// applyRepoVolumeIntent ensures the pgBackRest repository host deployment is synchronized with the
// proper configuration according to the provided PostgresCluster custom resource. This is done by
// applying the PostgresCluster controller's fully specified intent for the PersistentVolumeClaim
// representing a repository.
func (r *Reconciler) applyRepoVolumeIntent(ctx context.Context,
postgresCluster *v1beta1.PostgresCluster, spec corev1.PersistentVolumeClaimSpec,
repoName string, repoResources *RepoResources) (*corev1.PersistentVolumeClaim, error) {
repo, err := r.generateRepoVolumeIntent(postgresCluster, spec, repoName, repoResources)
if err != nil {
return nil, errors.WithStack(err)
}
if err := r.apply(ctx, repo); err != nil {
return nil, r.handlePersistentVolumeClaimError(postgresCluster,
errors.WithStack(err))
}
return repo, nil
}
// +kubebuilder:rbac:groups="apps",resources="statefulsets",verbs={list}
// +kubebuilder:rbac:groups="batch",resources="cronjobs",verbs={list}
// +kubebuilder:rbac:groups="batch",resources="jobs",verbs={list}
// +kubebuilder:rbac:groups="",resources="configmaps",verbs={list}
// +kubebuilder:rbac:groups="",resources="persistentvolumeclaims",verbs={list}
// +kubebuilder:rbac:groups="",resources="secrets",verbs={list}
// +kubebuilder:rbac:groups="",resources="serviceaccounts",verbs={list}
// +kubebuilder:rbac:groups="rbac.authorization.k8s.io",resources="roles",verbs={list}
// +kubebuilder:rbac:groups="rbac.authorization.k8s.io",resources="rolebindings",verbs={list}
// getPGBackRestResources returns the existing pgBackRest resources that should utilized by the
// PostgresCluster controller during reconciliation. Any items returned are verified to be owned
// by the PostgresCluster controller and still applicable per the current PostgresCluster spec.
// Additionally, any resources identified that no longer correspond to any current configuration
// are deleted.
func (r *Reconciler) getPGBackRestResources(ctx context.Context,
postgresCluster *v1beta1.PostgresCluster,
backupsSpecFound bool,
) (*RepoResources, error) {
repoResources := &RepoResources{}
gvks := []schema.GroupVersionKind{{
Group: appsv1.SchemeGroupVersion.Group,
Version: appsv1.SchemeGroupVersion.Version,
Kind: "StatefulSetList",
}, {
Group: batchv1.SchemeGroupVersion.Group,
Version: batchv1.SchemeGroupVersion.Version,
Kind: "CronJobList",
}, {
Group: batchv1.SchemeGroupVersion.Group,
Version: batchv1.SchemeGroupVersion.Version,
Kind: "JobList",
}, {
Group: corev1.SchemeGroupVersion.Group,
Version: corev1.SchemeGroupVersion.Version,
Kind: "ConfigMapList",
}, {
Group: corev1.SchemeGroupVersion.Group,
Version: corev1.SchemeGroupVersion.Version,
Kind: "PersistentVolumeClaimList",
}, {
Group: corev1.SchemeGroupVersion.Group,
Version: corev1.SchemeGroupVersion.Version,
Kind: "SecretList",
}, {
Group: corev1.SchemeGroupVersion.Group,
Version: corev1.SchemeGroupVersion.Version,
Kind: "ServiceAccountList",
}, {
Group: rbacv1.SchemeGroupVersion.Group,
Version: rbacv1.SchemeGroupVersion.Version,
Kind: "RoleList",
}, {
Group: rbacv1.SchemeGroupVersion.Group,
Version: rbacv1.SchemeGroupVersion.Version,
Kind: "RoleBindingList",
}}
selector := naming.PGBackRestSelector(postgresCluster.GetName())
for _, gvk := range gvks {
uList := &unstructured.UnstructuredList{}
uList.SetGroupVersionKind(gvk)
if err := r.Client.List(ctx, uList,
client.InNamespace(postgresCluster.GetNamespace()),
client.MatchingLabelsSelector{Selector: selector}); err != nil {
return nil, errors.WithStack(err)
}
if len(uList.Items) == 0 {
continue
}
owned, err := r.cleanupRepoResources(ctx, postgresCluster, uList.Items, backupsSpecFound)
if err != nil {
return nil, errors.WithStack(err)
}
uList.Items = owned
if err := unstructuredToRepoResources(gvk.Kind, repoResources,
uList); err != nil {
return nil, errors.WithStack(err)
}
// if the current objects are Jobs, update the status for the Jobs
// created by the pgBackRest scheduled backup CronJobs
if gvk.Kind == "JobList" {
r.setScheduledJobStatus(ctx, postgresCluster, uList.Items)
}
}
return repoResources, nil
}
// +kubebuilder:rbac:groups="",resources="persistentvolumeclaims",verbs={delete}
// +kubebuilder:rbac:groups="",resources="serviceaccounts",verbs={delete}
// +kubebuilder:rbac:groups="apps",resources="statefulsets",verbs={delete}
// +kubebuilder:rbac:groups="batch",resources="cronjobs",verbs={delete}
// +kubebuilder:rbac:groups="rbac.authorization.k8s.io",resources="roles",verbs={delete}
// +kubebuilder:rbac:groups="rbac.authorization.k8s.io",resources="rolebindings",verbs={delete}
// cleanupRepoResources cleans up pgBackRest repository resources that should no longer be
// reconciled by deleting them. This includes deleting repos (i.e. PersistentVolumeClaims) that
// are no longer associated with any repository configured within the PostgresCluster spec, or any
// pgBackRest repository host resources if a repository host is no longer configured.
func (r *Reconciler) cleanupRepoResources(ctx context.Context,
postgresCluster *v1beta1.PostgresCluster,
ownedResources []unstructured.Unstructured,
backupsSpecFound bool,
) ([]unstructured.Unstructured, error) {
// stores the resources that should not be deleted
ownedNoDelete := []unstructured.Unstructured{}
for i, owned := range ownedResources {
delete := true
// helper to determine if a label is present in the PostgresCluster
hasLabel := func(label string) bool { _, ok := owned.GetLabels()[label]; return ok }
// this switch identifies the type of pgBackRest resource via its labels, and then
// determines whether or not it should be deleted according to the current PostgresCluster
// spec
switch {
case hasLabel(naming.LabelPGBackRestConfig):
if !backupsSpecFound {
break
}
// Simply add the things we never want to delete (e.g. the pgBackRest configuration)
// to the slice and do not delete
ownedNoDelete = append(ownedNoDelete, owned)
delete = false
case hasLabel(naming.LabelPGBackRestDedicated):
if !backupsSpecFound {
break
}
// Any resources from before 5.1 that relate to the previously required
// SSH configuration should be deleted.
// TODO(tjmoore4): This can be removed once 5.0 is EOL.
if owned.GetName() != naming.PGBackRestSSHConfig(postgresCluster).Name &&
owned.GetName() != naming.PGBackRestSSHSecret(postgresCluster).Name {
// If a dedicated repo host resource and a dedicated repo host is enabled, then
// add to the slice and do not delete.
ownedNoDelete = append(ownedNoDelete, owned)
delete = false
}
case hasLabel(naming.LabelPGBackRestRepoVolume):
if !backupsSpecFound {
break
}
// If a volume (PVC) is identified for a repo that no longer exists in the
// spec then delete it. Otherwise add it to the slice and continue.
for _, repo := range postgresCluster.Spec.Backups.PGBackRest.Repos {
// we only care about cleaning up local repo volumes (PVCs), and ignore other repo
// types (e.g. for external Azure, GCS or S3 repositories)
if repo.Volume != nil &&
(repo.Name == owned.GetLabels()[naming.LabelPGBackRestRepo]) {
ownedNoDelete = append(ownedNoDelete, owned)
delete = false
}
}
case hasLabel(naming.LabelPGBackRestBackup):
if !backupsSpecFound {
break
}
// If a Job is identified for a repo that no longer exists in the spec then
// delete it. Otherwise add it to the slice and continue.
for _, repo := range postgresCluster.Spec.Backups.PGBackRest.Repos {
if repo.Name == owned.GetLabels()[naming.LabelPGBackRestRepo] {
ownedNoDelete = append(ownedNoDelete, owned)
delete = false
}
}
case hasLabel(naming.LabelPGBackRestCronJob):
if !backupsSpecFound {
break
}
for _, repo := range postgresCluster.Spec.Backups.PGBackRest.Repos {
if repo.Name == owned.GetLabels()[naming.LabelPGBackRestRepo] {
if backupScheduleFound(repo,
owned.GetLabels()[naming.LabelPGBackRestCronJob]) {
delete = false
ownedNoDelete = append(ownedNoDelete, owned)
}
break
}
}
case hasLabel(naming.LabelPGBackRestRestore):
if !backupsSpecFound {
break
}
// If the restore job has the PGBackRestBackupJobCompletion annotation, it is
// used for volume snapshots and should not be deleted (volume snapshots code
// will clean it up when appropriate).
if _, ok := owned.GetAnnotations()[naming.PGBackRestBackupJobCompletion]; ok {
ownedNoDelete = append(ownedNoDelete, owned)
delete = false
}
// When a cluster is prepared for restore, the system identifier is removed from status
// and the cluster is therefore no longer bootstrapped. Only once the restore Job is
// complete will the cluster then be bootstrapped again, which means by the time we
// detect a restore Job here and a bootstrapped cluster, the Job and any associated
// configuration resources can be safely removed.
if !patroni.ClusterBootstrapped(postgresCluster) {
ownedNoDelete = append(ownedNoDelete, owned)
delete = false
}
case hasLabel(naming.LabelPGBackRest):
if !backupsSpecFound {
break
}
ownedNoDelete = append(ownedNoDelete, owned)
delete = false
}
// If nothing has specified that the resource should not be deleted, then delete
if delete {
if err := r.Client.Delete(ctx, &ownedResources[i],
client.PropagationPolicy(metav1.DeletePropagationBackground)); err != nil {
return []unstructured.Unstructured{}, errors.WithStack(err)
}
}
}
// return the remaining resources after properly cleaning up any that should no longer exist
return ownedNoDelete, nil
}
// backupScheduleFound returns true if the CronJob in question should be created as
// defined by the postgrescluster CRD, otherwise it returns false.
func backupScheduleFound(repo v1beta1.PGBackRestRepo, backupType string) bool {
if repo.BackupSchedules != nil {
switch backupType {
case Full:
return repo.BackupSchedules.Full != nil
case Differential:
return repo.BackupSchedules.Differential != nil
case Incremental:
return repo.BackupSchedules.Incremental != nil
default:
return false
}
}
return false
}
// unstructuredToRepoResources converts unstructured pgBackRest repository resources (specifically
// unstructured StatefulSetLists and PersistentVolumeClaimList) into their structured equivalent.
func unstructuredToRepoResources(kind string, repoResources *RepoResources,
uList *unstructured.UnstructuredList) error {
switch kind {
case "StatefulSetList":
var stsList appsv1.StatefulSetList
if err := runtime.DefaultUnstructuredConverter.
FromUnstructured(uList.UnstructuredContent(), &stsList); err != nil {
return errors.WithStack(err)
}
for i := range stsList.Items {
repoResources.hosts = append(repoResources.hosts, &stsList.Items[i])
}
case "CronJobList":
var cronList batchv1.CronJobList
if err := runtime.DefaultUnstructuredConverter.
FromUnstructured(uList.UnstructuredContent(), &cronList); err != nil {
return errors.WithStack(err)
}
for i := range cronList.Items {
repoResources.cronjobs = append(repoResources.cronjobs, &cronList.Items[i])
}
case "JobList":
var jobList batchv1.JobList
if err := runtime.DefaultUnstructuredConverter.
FromUnstructured(uList.UnstructuredContent(), &jobList); err != nil {
return errors.WithStack(err)
}
// we care about replica create backup jobs and manual backup jobs
for i, job := range jobList.Items {
switch job.GetLabels()[naming.LabelPGBackRestBackup] {
case string(naming.BackupReplicaCreate):
repoResources.replicaCreateBackupJobs =
append(repoResources.replicaCreateBackupJobs, &jobList.Items[i])
case string(naming.BackupManual):
repoResources.manualBackupJobs =
append(repoResources.manualBackupJobs, &jobList.Items[i])
}
}
case "ConfigMapList":
// Repository host now uses mTLS for encryption, authentication, and authorization.
// Configmaps for SSHD are no longer managed here.
case "PersistentVolumeClaimList":
var pvcList corev1.PersistentVolumeClaimList
if err := runtime.DefaultUnstructuredConverter.
FromUnstructured(uList.UnstructuredContent(), &pvcList); err != nil {
return errors.WithStack(err)
}
for i := range pvcList.Items {
repoResources.pvcs = append(repoResources.pvcs, &pvcList.Items[i])
}
case "SecretList":
// Repository host now uses mTLS for encryption, authentication, and authorization.
// Secrets for SSHD are no longer managed here.
// TODO(tjmoore4): Consider adding all pgBackRest secrets to RepoResources to
// observe all pgBackRest secrets in one place.
case "ServiceAccountList":
var saList corev1.ServiceAccountList
if err := runtime.DefaultUnstructuredConverter.
FromUnstructured(uList.UnstructuredContent(), &saList); err != nil {
return errors.WithStack(err)
}
for i := range saList.Items {
repoResources.sas = append(repoResources.sas, &saList.Items[i])
}
case "RoleList":
var roleList rbacv1.RoleList
if err := runtime.DefaultUnstructuredConverter.
FromUnstructured(uList.UnstructuredContent(), &roleList); err != nil {
return errors.WithStack(err)
}
for i := range roleList.Items {
repoResources.roles = append(repoResources.roles, &roleList.Items[i])
}
case "RoleBindingList":
var rb rbacv1.RoleBindingList
if err := runtime.DefaultUnstructuredConverter.
FromUnstructured(uList.UnstructuredContent(), &rb); err != nil {
return errors.WithStack(err)
}
for i := range rb.Items {
repoResources.rolebindings = append(repoResources.rolebindings, &rb.Items[i])
}
default:
return fmt.Errorf("unexpected kind %q", kind)
}
return nil
}
// setScheduledJobStatus sets the status of the scheduled pgBackRest backup Jobs
// on the postgres cluster CRD
func (r *Reconciler) setScheduledJobStatus(ctx context.Context,
postgresCluster *v1beta1.PostgresCluster,
items []unstructured.Unstructured) {
log := logging.FromContext(ctx)
uList := &unstructured.UnstructuredList{Items: items}
var jobList batchv1.JobList
if err := runtime.DefaultUnstructuredConverter.
FromUnstructured(uList.UnstructuredContent(), &jobList); err != nil {
// as this is only setting a status that is not otherwise used
// by the Operator, simply log an error and return rather than
// bubble this up to the other functions
log.Error(err, "unable to convert unstructured objects to jobs, "+
"unable to set scheduled backup status")
return
}
// TODO(tjmoore4): PGBackRestScheduledBackupStatus can likely be combined with
// PGBackRestJobStatus as they both contain most of the same information
scheduledStatus := []v1beta1.PGBackRestScheduledBackupStatus{}
for _, job := range jobList.Items {
// we only care about the scheduled backup Jobs created by the
// associated CronJobs
if job.GetLabels()[naming.LabelPGBackRestCronJob] != "" {
sbs := v1beta1.PGBackRestScheduledBackupStatus{}
if len(job.OwnerReferences) > 0 {
sbs.CronJobName = job.OwnerReferences[0].Name
}
sbs.RepoName = job.GetLabels()[naming.LabelPGBackRestRepo]
sbs.Type = job.GetLabels()[naming.LabelPGBackRestCronJob]
sbs.StartTime = job.Status.StartTime
sbs.CompletionTime = job.Status.CompletionTime
sbs.Active = job.Status.Active
sbs.Succeeded = job.Status.Succeeded
sbs.Failed = job.Status.Failed
scheduledStatus = append(scheduledStatus, sbs)
}
}
// if nil, create the pgBackRest status
if postgresCluster.Status.PGBackRest == nil {
postgresCluster.Status.PGBackRest = &v1beta1.PGBackRestStatus{}
}
postgresCluster.Status.PGBackRest.ScheduledBackups = scheduledStatus
}
// generateRepoHostIntent creates and populates StatefulSet with the PostgresCluster's full intent
// as needed to create and reconcile a pgBackRest dedicated repository host within the kubernetes
// cluster.
func (r *Reconciler) generateRepoHostIntent(ctx context.Context, postgresCluster *v1beta1.PostgresCluster,
repoHostName string, repoResources *RepoResources, observedInstances *observedInstances,
) (*appsv1.StatefulSet, error) {
annotations := naming.Merge(
postgresCluster.Spec.Metadata.GetAnnotationsOrNil(),
postgresCluster.Spec.Backups.PGBackRest.Metadata.GetAnnotationsOrNil())
labels := naming.Merge(
postgresCluster.Spec.Metadata.GetLabelsOrNil(),
postgresCluster.Spec.Backups.PGBackRest.Metadata.GetLabelsOrNil(),
naming.WithPerconaLabels(naming.PGBackRestDedicatedLabels(postgresCluster.GetName()),
postgresCluster.GetName(), "", postgresCluster.Labels[naming.LabelVersion]),
map[string]string{
naming.LabelData: naming.DataPGBackRest,
})
repo := &appsv1.StatefulSet{
TypeMeta: metav1.TypeMeta{
APIVersion: appsv1.SchemeGroupVersion.String(),
Kind: "StatefulSet",
},
ObjectMeta: metav1.ObjectMeta{
Name: repoHostName,
Namespace: postgresCluster.GetNamespace(),
Labels: labels,
Annotations: annotations,
},
Spec: appsv1.StatefulSetSpec{
Selector: &metav1.LabelSelector{
MatchLabels: naming.PGBackRestDedicatedLabels(postgresCluster.GetName()),
},
ServiceName: naming.ClusterPodService(postgresCluster).Name,
Template: corev1.PodTemplateSpec{
ObjectMeta: metav1.ObjectMeta{
Labels: labels,
Annotations: annotations,
},
},
},
}
if repoHost := postgresCluster.Spec.Backups.PGBackRest.RepoHost; repoHost != nil {
repo.Spec.Template.Spec.Affinity = repoHost.Affinity
repo.Spec.Template.Spec.Tolerations = repoHost.Tolerations
repo.Spec.Template.Spec.TopologySpreadConstraints = repoHost.TopologySpreadConstraints
repo.Spec.Template.Spec.PriorityClassName = initialize.FromPointer(repoHost.PriorityClassName)
}
// if default pod scheduling is not explicitly disabled, add the default
// pod topology spread constraints
if !initialize.FromPointer(postgresCluster.Spec.DisableDefaultPodScheduling) {
repo.Spec.Template.Spec.TopologySpreadConstraints = append(
repo.Spec.Template.Spec.TopologySpreadConstraints,
defaultTopologySpreadConstraints(
naming.ClusterDataForPostgresAndPGBackRest(postgresCluster.Name),
)...)
}
// Set the image pull secrets, if any exist.
// This is set here rather than using the service account due to the lack
// of propagation to existing pods when the CRD is updated:
// https://github.com/kubernetes/kubernetes/issues/88456
repo.Spec.Template.Spec.ImagePullSecrets = postgresCluster.Spec.ImagePullSecrets
// determine if any PG Pods still exist
var instancePodExists bool
for _, instance := range observedInstances.forCluster {
if len(instance.Pods) > 0 {
instancePodExists = true
break
}
}
// if the cluster is set to be shutdown and no instance Pods remain, stop the repohost pod
if postgresCluster.Spec.Shutdown != nil && *postgresCluster.Spec.Shutdown &&
!instancePodExists {
repo.Spec.Replicas = initialize.Int32(0)
} else {
// the cluster should not be shutdown, set this value to 1
repo.Spec.Replicas = initialize.Int32(1)
}
// Use StatefulSet's "RollingUpdate" strategy and "Parallel" policy to roll
// out changes to pods even when not Running or not Ready.
// - https://docs.k8s.io/concepts/workloads/controllers/statefulset/#rolling-updates
// - https://docs.k8s.io/concepts/workloads/controllers/statefulset/#forced-rollback
// - https://kep.k8s.io/3541
repo.Spec.PodManagementPolicy = appsv1.ParallelPodManagement
repo.Spec.UpdateStrategy.Type = appsv1.RollingUpdateStatefulSetStrategyType
// Restart containers any time they stop, die, are killed, etc.
// - https://docs.k8s.io/concepts/workloads/pods/pod-lifecycle/#restart-policy
repo.Spec.Template.Spec.RestartPolicy = corev1.RestartPolicyAlways
// When ShareProcessNamespace is enabled, Kubernetes' pause process becomes
// PID 1 and reaps those processes when they complete.
// - https://github.com/kubernetes/kubernetes/commit/81d27aa23969b77f
//
// The pgBackRest TLS server must be signaled when its configuration or
// certificates change. Let containers see each other's processes.
// - https://docs.k8s.io/tasks/configure-pod-container/share-process-namespace/
repo.Spec.Template.Spec.ShareProcessNamespace = initialize.Bool(true)
// pgBackRest does not make any Kubernetes API calls. Use the default
// ServiceAccount and do not mount its credentials.
repo.Spec.Template.Spec.AutomountServiceAccountToken = initialize.Bool(false)
// K8SPG-138
currVersion, err := gover.NewVersion(postgresCluster.Labels[naming.LabelVersion])
if err == nil && currVersion.GreaterThanOrEqual(gover.Must(gover.NewVersion("2.4.0"))) {
repo.Spec.Template.Spec.ServiceAccountName = naming.PGBackRestRBAC(postgresCluster).Name
}
// Do not add environment variables describing services in this namespace.
repo.Spec.Template.Spec.EnableServiceLinks = initialize.Bool(false)
if pgbackrest := postgresCluster.Spec.Backups.PGBackRest; pgbackrest.RepoHost != nil && pgbackrest.RepoHost.SecurityContext != nil {
repo.Spec.Template.Spec.SecurityContext = postgresCluster.Spec.Backups.PGBackRest.RepoHost.SecurityContext
} else {
repo.Spec.Template.Spec.SecurityContext = postgres.PodSecurityContext(postgresCluster)
}
pgbackrest.AddServerToRepoPod(ctx, postgresCluster, &repo.Spec.Template.Spec)
if pgbackrest.RepoHostVolumeDefined(postgresCluster) {
// add the init container to make the pgBackRest repo volume log directory
pgbackrest.MakePGBackrestLogDir(&repo.Spec.Template, postgresCluster)
// add pgBackRest repo volumes to pod
if err := pgbackrest.AddRepoVolumesToPod(postgresCluster, &repo.Spec.Template,
getRepoPVCNames(postgresCluster, repoResources.pvcs),
naming.PGBackRestRepoContainerName); err != nil {
return nil, errors.WithStack(err)
}
}
// add configs to pod
pgbackrest.AddConfigToRepoPod(postgresCluster, &repo.Spec.Template.Spec)
// add nss_wrapper init container and add nss_wrapper env vars to the pgbackrest
// container
addNSSWrapper(
postgresCluster, // K8SPG-260
config.PGBackRestContainerImage(postgresCluster),
postgresCluster.Spec.ImagePullPolicy,
&repo.Spec.Template)
// K8SPG-435
resources := corev1.ResourceRequirements{}
if postgresCluster.Spec.Backups.PGBackRest.RepoHost != nil {
resources = postgresCluster.Spec.Backups.PGBackRest.RepoHost.Resources
}
sizeLimit := getTMPSizeLimit(repo.Labels[naming.LabelVersion], resources)
addTMPEmptyDir(&repo.Spec.Template, sizeLimit)
// set ownership references
if err := controllerutil.SetControllerReference(postgresCluster, repo,
r.Client.Scheme()); err != nil {
return nil, err
}
return repo, nil
}
func (r *Reconciler) generateRepoVolumeIntent(postgresCluster *v1beta1.PostgresCluster,
spec corev1.PersistentVolumeClaimSpec, repoName string,
repoResources *RepoResources) (*corev1.PersistentVolumeClaim, error) {
annotations := naming.Merge(
postgresCluster.Spec.Metadata.GetAnnotationsOrNil(),
postgresCluster.Spec.Backups.PGBackRest.Metadata.GetAnnotationsOrNil())
labels := naming.Merge(
postgresCluster.Spec.Metadata.GetLabelsOrNil(),
postgresCluster.Spec.Backups.PGBackRest.Metadata.GetLabelsOrNil(),
naming.WithPerconaLabels(
naming.PGBackRestRepoVolumeLabels(postgresCluster.GetName(), repoName),
postgresCluster.GetName(), "", postgresCluster.Labels[naming.LabelVersion]),
)
// generate the default metadata
meta := naming.PGBackRestRepoVolume(postgresCluster, repoName)
// but if there is an existing volume for this PVC, use it
repoPVCNames := getRepoPVCNames(postgresCluster, repoResources.pvcs)
if repoPVCNames[repoName] != "" {
meta = metav1.ObjectMeta{
Name: repoPVCNames[repoName],
Namespace: postgresCluster.GetNamespace(),
}
}
meta.Labels = labels
meta.Annotations = annotations
repoVol := &corev1.PersistentVolumeClaim{
TypeMeta: metav1.TypeMeta{
APIVersion: corev1.SchemeGroupVersion.String(),
Kind: "PersistentVolumeClaim",
},
ObjectMeta: meta,
Spec: spec,
}
// K8SPG-328: Keep this commented in case of conflicts.
// We don't want to delete PVCs if custom resource is deleted.
// if err := controllerutil.SetControllerReference(postgresCluster, repoVol,
// r.Client.Scheme()); err != nil {
// return nil, err
// }
return repoVol, nil
}
// generateBackupJobSpecIntent generates a JobSpec for a pgBackRest backup job
func generateBackupJobSpecIntent(ctx context.Context, postgresCluster *v1beta1.PostgresCluster,
repo v1beta1.PGBackRestRepo, serviceAccountName string,
labels, annotations map[string]string, opts ...string) *batchv1.JobSpec {
repoIndex := regexRepoIndex.FindString(repo.Name)
cmdOpts := []string{
"--stanza=" + pgbackrest.DefaultStanzaName,
"--repo=" + repoIndex,
}
// If VolumeSnapshots are enabled, use archive-copy and archive-check options
if postgresCluster.Spec.Backups.Snapshots != nil && feature.Enabled(ctx, feature.VolumeSnapshots) {
cmdOpts = append(cmdOpts, "--archive-copy=y", "--archive-check=y")
}
cmdOpts = append(cmdOpts, opts...)
container := corev1.Container{
Command: []string{"/opt/crunchy/bin/pgbackrest"},
Env: []corev1.EnvVar{
{Name: "COMMAND", Value: "backup"},
{Name: "COMMAND_OPTS", Value: strings.Join(cmdOpts, " ")},
{Name: "COMPARE_HASH", Value: "true"},
{Name: "CONTAINER", Value: naming.PGBackRestRepoContainerName},
{Name: "NAMESPACE", Value: postgresCluster.GetNamespace()},
{Name: "SELECTOR", Value: naming.PGBackRestDedicatedSelector(postgresCluster.GetName()).String()},
},
Image: config.PGBackRestContainerImage(postgresCluster),
ImagePullPolicy: postgresCluster.Spec.ImagePullPolicy,
Name: naming.PGBackRestRepoContainerName,
SecurityContext: initialize.RestrictedSecurityContext(postgresCluster.CompareVersion("2.5.0") >= 0), // K8SPG-260
}
if postgresCluster.Spec.Backups.PGBackRest.Jobs != nil {
container.Resources = postgresCluster.Spec.Backups.PGBackRest.Jobs.Resources
}
jobSpec := &batchv1.JobSpec{
Template: corev1.PodTemplateSpec{
ObjectMeta: metav1.ObjectMeta{Labels: labels, Annotations: annotations},
Spec: corev1.PodSpec{
Containers: []corev1.Container{container},
// Disable environment variables for services other than the Kubernetes API.
// - https://docs.k8s.io/concepts/services-networking/connect-applications-service/#accessing-the-service
// - https://releases.k8s.io/v1.23.0/pkg/kubelet/kubelet_pods.go#L553-L563
EnableServiceLinks: initialize.Bool(false),
// Set RestartPolicy to "Never" since we want a new Pod to be created by the Job
// controller when there is a failure (instead of the container simply restarting).
// This will ensure the Job always has the latest configs mounted following a
// failure as needed to successfully verify config hashes and run the Job.
RestartPolicy: corev1.RestartPolicyNever,
SecurityContext: initialize.PodSecurityContext(),
ServiceAccountName: serviceAccountName,
},
},
}
if jobs := postgresCluster.Spec.Backups.PGBackRest.Jobs; jobs != nil {
jobSpec.TTLSecondsAfterFinished = jobs.TTLSecondsAfterFinished
}
// set the priority class name, tolerations, and affinity, if they exist
if postgresCluster.Spec.Backups.PGBackRest.Jobs != nil {
jobSpec.Template.Spec.Tolerations = postgresCluster.Spec.Backups.PGBackRest.Jobs.Tolerations
jobSpec.Template.Spec.Affinity = postgresCluster.Spec.Backups.PGBackRest.Jobs.Affinity
jobSpec.Template.Spec.PriorityClassName = initialize.FromPointer(postgresCluster.Spec.Backups.PGBackRest.Jobs.PriorityClassName)
// K8SPG-619
if postgresCluster.Spec.Backups.PGBackRest.Jobs.RestartPolicy != "" {
jobSpec.Template.Spec.RestartPolicy = postgresCluster.Spec.Backups.PGBackRest.Jobs.RestartPolicy
}
// K8SPG-619
if postgresCluster.Spec.Backups.PGBackRest.Jobs.BackoffLimit != nil {
jobSpec.BackoffLimit = postgresCluster.Spec.Backups.PGBackRest.Jobs.BackoffLimit
}
}
// Set the image pull secrets, if any exist.
// This is set here rather than using the service account due to the lack
// of propagation to existing pods when the CRD is updated:
// https://github.com/kubernetes/kubernetes/issues/88456
jobSpec.Template.Spec.ImagePullSecrets = postgresCluster.Spec.ImagePullSecrets
// add pgBackRest configs to template
pgbackrest.AddConfigToRepoPod(postgresCluster, &jobSpec.Template.Spec)
return jobSpec
}
// +kubebuilder:rbac:groups="",resources="configmaps",verbs={delete,list}
// +kubebuilder:rbac:groups="",resources="secrets",verbs={list,delete}
// +kubebuilder:rbac:groups="",resources="endpoints",verbs={get}
// +kubebuilder:rbac:groups="batch",resources="jobs",verbs={list}
// observeRestoreEnv observes the current Kubernetes environment to obtain any resources applicable
// to performing pgBackRest restores (e.g. when initializing a new cluster using an existing
// pgBackRest backup, or when restoring in-place). This includes finding any existing Endpoints
// created by Patroni (i.e. DCS, leader and failover Endpoints), while then also finding any existing
// restore Jobs and then updating pgBackRest restore status accordingly.
func (r *Reconciler) observeRestoreEnv(ctx context.Context,
cluster *v1beta1.PostgresCluster) ([]corev1.Endpoints, *batchv1.Job, error) {
// lookup the various patroni endpoints
leaderEP, dcsEP, failoverEP := corev1.Endpoints{}, corev1.Endpoints{}, corev1.Endpoints{}
currentEndpoints := []corev1.Endpoints{}
if err := r.Client.Get(ctx, naming.AsObjectKey(naming.PatroniLeaderEndpoints(cluster)),
&leaderEP); err != nil {
if !apierrors.IsNotFound(err) {
return nil, nil, errors.WithStack(err)
}
} else {
currentEndpoints = append(currentEndpoints, leaderEP)
}
if err := r.Client.Get(ctx, naming.AsObjectKey(naming.PatroniDistributedConfiguration(cluster)),
&dcsEP); err != nil {
if !apierrors.IsNotFound(err) {
return nil, nil, errors.WithStack(err)
}
} else {
currentEndpoints = append(currentEndpoints, dcsEP)
}
if err := r.Client.Get(ctx, naming.AsObjectKey(naming.PatroniTrigger(cluster)),
&failoverEP); err != nil {
if !apierrors.IsNotFound(err) {
return nil, nil, errors.WithStack(err)
}
} else {
currentEndpoints = append(currentEndpoints, failoverEP)
}
restoreJobs := &batchv1.JobList{}
if err := r.Client.List(ctx, restoreJobs, &client.ListOptions{
Namespace: cluster.Namespace,
LabelSelector: naming.PGBackRestRestoreJobSelector(cluster.GetName()),
}); err != nil {
return nil, nil, errors.WithStack(err)
}
var restoreJob *batchv1.Job
if len(restoreJobs.Items) > 1 {
return nil, nil, errors.WithStack(
errors.New("invalid number of restore Jobs found when attempting to reconcile a " +
"pgBackRest data source"))
} else if len(restoreJobs.Items) == 1 {
restoreJob = &restoreJobs.Items[0]
}
if restoreJob != nil {
completed := jobCompleted(restoreJob)
failed := jobFailed(restoreJob)
if cluster.Status.PGBackRest != nil && cluster.Status.PGBackRest.Restore != nil {
cluster.Status.PGBackRest.Restore.StartTime = restoreJob.Status.StartTime
cluster.Status.PGBackRest.Restore.CompletionTime = restoreJob.Status.CompletionTime
cluster.Status.PGBackRest.Restore.Succeeded = restoreJob.Status.Succeeded
cluster.Status.PGBackRest.Restore.Failed = restoreJob.Status.Failed
cluster.Status.PGBackRest.Restore.Active = restoreJob.Status.Active
if completed || failed {
cluster.Status.PGBackRest.Restore.Finished = true
}
}
// update the data source initialized condition if the Job has finished running, and is
// therefore in a completed or failed
if completed {
meta.SetStatusCondition(&cluster.Status.Conditions, metav1.Condition{
ObservedGeneration: cluster.GetGeneration(),
Type: ConditionPostgresDataInitialized,
Status: metav1.ConditionTrue,
Reason: "PGBackRestRestoreComplete",
Message: "pgBackRest restore completed successfully",
})
meta.RemoveStatusCondition(&cluster.Status.Conditions,
ConditionPGBackRestRestoreProgressing)
// The clone process used to create resources that were used only
// by the restore job. Clean them up if they still exist.
selector := naming.PGBackRestRestoreConfigSelector(cluster.GetName())
restoreConfigMaps := &corev1.ConfigMapList{}
if err := r.Client.List(ctx, restoreConfigMaps, &client.ListOptions{
Namespace: cluster.Namespace,
LabelSelector: selector,
}); err != nil {
return nil, nil, errors.WithStack(err)
}
for i := range restoreConfigMaps.Items {
if err := r.Client.Delete(ctx, &restoreConfigMaps.Items[i]); err != nil {
return nil, nil, errors.WithStack(err)
}
}
restoreSecrets := &corev1.SecretList{}
if err := r.Client.List(ctx, restoreSecrets, &client.ListOptions{
Namespace: cluster.Namespace,
LabelSelector: selector,
}); err != nil {
return nil, nil, errors.WithStack(err)
}
for i := range restoreSecrets.Items {
if err := r.Client.Delete(ctx, &restoreSecrets.Items[i]); err != nil {
return nil, nil, errors.WithStack(err)
}
}
} else if failed {