-
Notifications
You must be signed in to change notification settings - Fork 4.7k
/
Copy pathframework.go
2428 lines (2211 loc) · 84 KB
/
framework.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
package util
import (
"bufio"
"bytes"
"context"
"encoding/json"
"errors"
"fmt"
"io/ioutil"
"net"
"os"
"path"
"path/filepath"
"regexp"
"strconv"
"strings"
"sync"
"time"
"github.com/ghodss/yaml"
g "github.com/onsi/ginkgo/v2"
o "github.com/onsi/gomega"
configv1client "github.com/openshift/client-go/config/clientset/versioned"
authorizationapi "k8s.io/api/authorization/v1"
batchv1 "k8s.io/api/batch/v1"
corev1 "k8s.io/api/core/v1"
"k8s.io/apimachinery/pkg/api/apitesting"
kapierrs "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/fields"
"k8s.io/apimachinery/pkg/labels"
"k8s.io/apimachinery/pkg/runtime"
"k8s.io/apimachinery/pkg/runtime/schema"
"k8s.io/apimachinery/pkg/util/uuid"
"k8s.io/apimachinery/pkg/util/wait"
quotav1 "k8s.io/apiserver/pkg/quota/v1"
"k8s.io/client-go/discovery"
"k8s.io/client-go/kubernetes"
k8sclient "k8s.io/client-go/kubernetes"
batchv1client "k8s.io/client-go/kubernetes/typed/batch/v1"
corev1client "k8s.io/client-go/kubernetes/typed/core/v1"
"k8s.io/client-go/rest"
e2e "k8s.io/kubernetes/test/e2e/framework"
e2epod "k8s.io/kubernetes/test/e2e/framework/pod"
e2eoutput "k8s.io/kubernetes/test/e2e/framework/pod/output"
"k8s.io/kubernetes/test/e2e/framework/skipper"
"k8s.io/kubernetes/test/e2e/framework/statefulset"
"k8s.io/kubernetes/test/utils/image"
buildv1 "github.com/openshift/api/build/v1"
configv1 "github.com/openshift/api/config/v1"
imagev1 "github.com/openshift/api/image/v1"
operatorv1 "github.com/openshift/api/operator/v1"
securityv1 "github.com/openshift/api/security/v1"
buildv1clienttyped "github.com/openshift/client-go/build/clientset/versioned/typed/build/v1"
clientconfigv1 "github.com/openshift/client-go/config/clientset/versioned"
configclient "github.com/openshift/client-go/config/clientset/versioned/typed/config/v1"
imagev1typedclient "github.com/openshift/client-go/image/clientset/versioned/typed/image/v1"
"github.com/openshift/library-go/pkg/build/naming"
"github.com/openshift/library-go/pkg/git"
"github.com/openshift/library-go/pkg/image/imageutil"
"github.com/openshift/origin/test/extended/testdata"
utilimage "github.com/openshift/origin/test/extended/util/image"
)
// WaitForInternalRegistryHostname waits for the internal registry hostname to be made available to the cluster.
func WaitForInternalRegistryHostname(oc *CLI) (string, error) {
ctx := context.Background()
e2e.Logf("Waiting up to 2 minutes for the internal registry hostname to be published")
var registryHostname string
foundOCMLogs := false
isOCMProgressing := true
podLogs := map[string]string{}
controlPlaneTopology, cpErr := GetControlPlaneTopology(oc)
o.Expect(cpErr).NotTo(o.HaveOccurred())
testImageStreamName := ""
if *controlPlaneTopology == configv1.ExternalTopologyMode {
is := &imagev1.ImageStream{}
is.GenerateName = "internal-registry-test"
is, err := oc.AdminImageClient().ImageV1().ImageStreams("openshift").Create(context.Background(), is, metav1.CreateOptions{})
if err != nil {
e2e.Logf("Error creating internal registry test imagestream: %v", err)
return "", err
}
testImageStreamName = is.Name
defer func() {
err := oc.AdminImageClient().ImageV1().ImageStreams("openshift").Delete(context.Background(), is.Name, metav1.DeleteOptions{})
if err != nil {
e2e.Logf("Failed to cleanup internal-registry-test imagestream")
}
}()
}
err := wait.Poll(2*time.Second, 2*time.Minute, func() (bool, error) {
imageConfig, err := oc.AsAdmin().AdminConfigClient().ConfigV1().Images().Get(ctx, "cluster", metav1.GetOptions{})
if err != nil {
if kapierrs.IsNotFound(err) {
e2e.Logf("Image config object not found")
return false, nil
}
e2e.Logf("Error accessing image config object: %#v", err)
return false, err
}
if imageConfig == nil {
e2e.Logf("Image config object nil")
return false, nil
}
registryHostname = imageConfig.Status.InternalRegistryHostname
if len(registryHostname) == 0 {
e2e.Logf("Internal Registry Hostname is not set in image config object")
return false, nil
}
if len(testImageStreamName) > 0 {
is, err := oc.AdminImageClient().ImageV1().ImageStreams("openshift").Get(context.Background(), testImageStreamName, metav1.GetOptions{})
if err != nil {
e2e.Logf("Failed to fetch test imagestream openshift/%s: %v", testImageStreamName, err)
return false, err
}
if len(is.Status.DockerImageRepository) == 0 {
return false, nil
}
imgRef, err := imageutil.ParseDockerImageReference(is.Status.DockerImageRepository)
if err != nil {
e2e.Logf("Failed to parse dockerimage repository in test imagestream (%s): %v", is.Status.DockerImageRepository, err)
return false, err
}
if imgRef.Registry != registryHostname {
return false, nil
}
return true, nil
}
// verify that the OCM config's internal registry hostname matches
// the image config's internal registry hostname
ocm, err := oc.AdminOperatorClient().OperatorV1().OpenShiftControllerManagers().Get(ctx, "cluster", metav1.GetOptions{})
if err != nil {
if kapierrs.IsNotFound(err) {
return false, nil
}
return false, err
}
observedConfig := map[string]interface{}{}
err = json.Unmarshal(ocm.Spec.ObservedConfig.Raw, &observedConfig)
if err != nil {
return false, nil
}
internalRegistryHostnamePath := []string{"dockerPullSecret", "internalRegistryHostname"}
currentRegistryHostname, _, err := unstructured.NestedString(observedConfig, internalRegistryHostnamePath...)
if err != nil {
e2e.Logf("error procesing observed config %#v", err)
return false, nil
}
if currentRegistryHostname != registryHostname {
e2e.Logf("OCM observed config hostname %s does not match image config hostname %s", currentRegistryHostname, registryHostname)
return false, nil
}
// check pod logs for messages around image config's internal registry hostname has been observed and
// and that the build controller was started after that observation
pods, err := oc.AdminKubeClient().CoreV1().Pods("openshift-controller-manager").List(ctx, metav1.ListOptions{})
if err != nil {
if kapierrs.IsNotFound(err) {
return false, nil
}
return false, err
}
for _, pod := range pods.Items {
req := oc.AdminKubeClient().CoreV1().Pods("openshift-controller-manager").GetLogs(pod.Name, &corev1.PodLogOptions{})
readCloser, err := req.Stream(ctx)
if err == nil {
b, err := ioutil.ReadAll(readCloser)
if err == nil {
podLog := string(b)
podLogs[pod.Name] = podLog
scanner := bufio.NewScanner(strings.NewReader(podLog))
firstLog := false
for scanner.Scan() {
line := scanner.Text()
if strings.Contains(line, "build_controller.go") && strings.Contains(line, "Starting build controller") {
firstLog = true
continue
}
if firstLog && strings.Contains(line, "build_controller.go") && strings.Contains(line, registryHostname) {
e2e.Logf("the OCM pod logs indicate the build controller was started after the internal registry hostname has been set in the OCM config")
foundOCMLogs = true
break
}
}
}
} else {
e2e.Logf("error getting pod logs: %#v", err)
}
}
if !foundOCMLogs {
e2e.Logf("did not find the sequence in the OCM pod logs around the build controller getting started after the internal registry hostname has been set in the OCM config")
return false, nil
}
if !isOCMProgressing {
return true, nil
}
// now cycle through the OCM operator conditions and make sure the Progressing condition is done
for _, condition := range ocm.Status.Conditions {
if condition.Type != operatorv1.OperatorStatusTypeProgressing {
continue
}
if condition.Status != operatorv1.ConditionFalse {
e2e.Logf("OCM rollout still progressing or in error: %v", condition.Status)
return false, nil
}
e2e.Logf("OCM rollout progressing status reports complete")
isOCMProgressing = true
return true, nil
}
e2e.Logf("OCM operator progressing condition not present yet")
return false, nil
})
if !foundOCMLogs && *controlPlaneTopology != configv1.ExternalTopologyMode {
e2e.Logf("dumping OCM pod logs since we never found the internal registry hostname and start build controller sequence")
for podName, podLog := range podLogs {
e2e.Logf("pod %s logs:\n%s", podName, podLog)
}
}
if err == wait.ErrWaitTimeout {
return "", fmt.Errorf("Timed out waiting for Openshift Controller Manager to be rolled out with updated internal registry hostname")
}
if err != nil {
return "", err
}
return registryHostname, nil
}
func processScanError(log string) error {
e2e.Logf(log)
return fmt.Errorf(log)
}
// getImageStreamObj returns the updated spec for imageStream object
func getImageStreamObj(imageStreamName, imageRef string) *imagev1.ImageStream {
imageStream := &imagev1.ImageStream{
ObjectMeta: metav1.ObjectMeta{Name: imageStreamName},
Spec: imagev1.ImageStreamSpec{
LookupPolicy: imagev1.ImageLookupPolicy{Local: true},
DockerImageRepository: imageRef,
Tags: []imagev1.TagReference{{
Name: "latest",
ImportPolicy: imagev1.TagImportPolicy{
ImportMode: imagev1.ImportModePreserveOriginal,
},
}},
},
Status: imagev1.ImageStreamStatus{
DockerImageRepository: imageRef,
Tags: []imagev1.NamedTagEventList{{
Tag: "latest",
}},
},
}
return imageStream
}
// WaitForImageStreamImport creates & waits for custom ruby imageStream to be available in current namespace
// TODO: To eliminate the dependency on OpenShift Samples Operator in future,
// WaitForImageStreamImport should be a replacement of WaitForOpenShiftNamespaceImageStreams func
func WaitForImageStreamImport(oc *CLI) error {
ctx := context.Background()
var registryHostname string
// TODO: Reference an image from registry.redhat.io
images := map[string]string{
"ruby": "registry.access.redhat.com/ubi8/ruby-33",
}
// Check to see if we have ImageRegistry enabled
hasImageRegistry, err := IsCapabilityEnabled(oc, configv1.ClusterVersionCapabilityImageRegistry)
if err != nil {
return err
}
if hasImageRegistry {
registryHostname, err = WaitForInternalRegistryHostname(oc)
if err != nil {
return err
}
}
// Create custom imageStream using `oc import-image`
e2e.Logf("waiting for imagestreams to be imported")
for imageStreamName, imageRef := range images {
err := CustomImageStream(oc, getImageStreamObj(imageStreamName, imageRef))
if err != nil {
e2e.Logf("failed while creating custom imageStream")
return err
}
// Wait for imageRegistry to be ready
pollErr := wait.PollUntilContextTimeout(ctx, 10*time.Second, 150*time.Second, false, func(context.Context) (bool, error) {
return checkNamespaceImageStreamImported(ctx, oc, imageStreamName, registryHostname, oc.Namespace())
})
// pollErr will be not nil if there was an immediate error, or we timed out.
if pollErr == nil {
return nil
}
DumpImageStream(oc, oc.Namespace(), imageStreamName)
return pollErr
}
return nil
}
// WaitForOpenShiftNamespaceImageStreams waits for the standard set of imagestreams to be imported
func WaitForOpenShiftNamespaceImageStreams(oc *CLI) error {
ctx := context.Background()
images := []string{"nodejs", "perl", "php", "python", "mysql", "postgresql", "jenkins"}
hasSamplesOperator, err := IsCapabilityEnabled(oc, configv1.ClusterVersionCapabilityOpenShiftSamples)
if err != nil {
return err
}
// Check to see if we have ImageRegistry and SamplesOperator enabled
hasImageRegistry, err := IsCapabilityEnabled(oc, configv1.ClusterVersionCapabilityImageRegistry)
if err != nil {
return err
}
if !hasSamplesOperator {
images = []string{"cli", "tools", "tests", "installer"}
}
e2e.Logf("waiting for image ecoystem imagestreams to be imported")
for _, image := range images {
err := WaitForSamplesImagestream(ctx, oc, image, hasImageRegistry, hasSamplesOperator)
if err != nil {
DumpSampleOperator(oc)
return err
}
}
return nil
}
// WaitForSamplesImagestream waits for an imagestream imported by the samples operator to be imported.
// If the imagestream is managed by the samples operator and has failed to import on install, this
// will retry the import. Note that imagestreams which reference images in the OCP payload are not
// managed by the samples operator, and therefore will not be retried.
//
// This will wait up to 150 seconds for the referenced imagestream to finish importing.
func WaitForSamplesImagestream(ctx context.Context, oc *CLI, imagestream string, imageRegistryEnabled, openshiftSamplesEnabled bool) error {
var registryHostname string
var err error
if imageRegistryEnabled {
registryHostname, err = WaitForInternalRegistryHostname(oc)
if err != nil {
return err
}
}
var retried bool
// Wait up to 150 seconds for an imagestream to import.
// Based on a sampling of CI tests, imagestream imports from registry.redhat.io can take up to 2 minutes to complete.
// Imports which take longer generally indicate that there is a performance regression or outage in the container registry.
pollErr := wait.Poll(10*time.Second, 150*time.Second, func() (bool, error) {
if openshiftSamplesEnabled {
retried, err = retrySamplesImagestreamImportIfNeeded(ctx, oc, imagestream)
if err != nil {
return false, err
}
if retried {
return false, nil
}
}
return checkNamespaceImageStreamImported(ctx, oc, imagestream, registryHostname, "openshift")
})
// pollErr will be not nil if there was an immediate error, or we timed out.
if pollErr == nil {
return nil
}
DumpImageStream(oc, "openshift", imagestream)
// If retried=true at this point, it means that we have repeatedly tried to reimport the imagestream and failed to do so.
// This could be an indicator that the Red Hat Container Registry (registry.redhat.io) is experiencing an outage, since most samples operator imagestream images are hosted there.
if retried {
strbuf := bytes.Buffer{}
strbuf.WriteString("Failed immagestream imports may indicate an issue with the Red Hat Container Registry (registry.redhat.io).\n")
strbuf.WriteString(" - check status at https://status.redhat.com (catalog.redhat.com) for reported outages\n")
strbuf.WriteString(" - if no outages are reported there, email [email protected] with a report of the error\n")
strbuf.WriteString(" and prepare to work with the test platform team to get the current set of tokens for CI\n")
e2e.Logf(strbuf.String())
}
return pollErr
}
// CustomImageStream uses the provided imageStreamObj reference to create an imagestream with the given name in the given namespace.
func CustomImageStream(oc *CLI, imageStream *imagev1.ImageStream) error {
_, err := oc.ImageClient().ImageV1().ImageStreams(oc.Namespace()).Create(context.Background(), imageStream, metav1.CreateOptions{})
return err
}
// retrySamplesImagestreamImportIfNeeded immediately retries an import for the provided imagestream if:
//
// 1) The imagestream is managed by the samples operator, AND
// 2) The imagestream has failed to import.
//
// This allows the imagestream to be reimported at a faster cadence than what the samples operator currently provides.
// Imagestreams which use images in the OCP payload are not managed by the samples operator and therefore will not be retried.
//
// Returns true if the imagestream import was retried.
func retrySamplesImagestreamImportIfNeeded(ctx context.Context, oc *CLI, imagestream string) (bool, error) {
// check the samples operator to see about imagestream import status
samplesOperatorConfig, err := oc.AdminConfigClient().ConfigV1().ClusterOperators().Get(ctx, "openshift-samples", metav1.GetOptions{})
if err != nil {
return false, processScanError(fmt.Sprintf("failed to get clusteroperator for samples-operator: %v", err))
}
for _, condition := range samplesOperatorConfig.Status.Conditions {
switch {
case condition.Type == configv1.OperatorDegraded && condition.Status == configv1.ConditionTrue:
// if degraded, bail ... unexpected results can ensue
return false, processScanError(fmt.Sprintf("samples-operator is degraded with reason: %s", condition.Reason))
case condition.Type == configv1.OperatorProgressing:
// if the imagestreams for one of our langs above failed, we abort,
// but if it is for say only EAP streams, we allow
if condition.Reason == "FailedImageImports" {
msg := condition.Message
if strings.Contains(msg, " "+imagestream+" ") || strings.HasSuffix(msg, " "+imagestream) {
e2e.Logf("samples-operator detected error during imagestream import: %s with message %q", condition.Reason, condition.Message)
stream, err := oc.AsAdmin().ImageClient().ImageV1().ImageStreams("openshift").Get(ctx, imagestream, metav1.GetOptions{})
if err != nil {
return false, processScanError(fmt.Sprintf("failed to get imagestream %s/%s: %v", "openshift", imagestream, err))
}
e2e.Logf("manually retrying import for imagestream %s/%s to expedite testing", "openshift", imagestream)
isi := &imagev1.ImageStreamImport{}
isi.Name = imagestream
isi.Namespace = "openshift"
isi.ResourceVersion = stream.ResourceVersion
isi.Spec = imagev1.ImageStreamImportSpec{
Import: true,
Images: []imagev1.ImageImportSpec{},
}
for _, tag := range stream.Spec.Tags {
if tag.From != nil && tag.From.Kind == "DockerImage" {
iis := imagev1.ImageImportSpec{}
iis.From = *tag.From
iis.To = &corev1.LocalObjectReference{Name: tag.Name}
isi.Spec.Images = append(isi.Spec.Images, iis)
}
}
_, err = oc.AsAdmin().ImageClient().ImageV1().ImageStreamImports("openshift").Create(ctx, isi, metav1.CreateOptions{})
if err != nil {
return false, processScanError(fmt.Sprintf("failed to create imagestream import %s/%s: %v", "openshift", imagestream, err))
}
return true, nil
}
}
if condition.Status == configv1.ConditionTrue {
// updates still in progress ... not "ready"
e2e.Logf("samples-operator is still progressing without failed imagestream imports.")
}
case condition.Type == configv1.OperatorAvailable && condition.Status == configv1.ConditionFalse:
e2e.Logf("samples-operator is not available")
}
}
return false, nil
}
// checkNamespaceImageStreamImported checks if the provided imagestream has been imported into the specified namespace.
// Returns true if status has been reported on all tags for the imagestream.
func checkNamespaceImageStreamImported(ctx context.Context, oc *CLI, imagestream, registryHostname, namespace string) (bool, error) {
e2e.Logf("checking imagestream %s/%s", namespace, imagestream)
is, err := oc.ImageClient().ImageV1().ImageStreams(namespace).Get(ctx, imagestream, metav1.GetOptions{})
if err != nil {
return false, processScanError(fmt.Sprintf("failed to get imagestream: %v", err))
}
if !strings.HasPrefix(is.Status.DockerImageRepository, registryHostname) {
e2e.Logf("imagestream repository %s does not match expected host %s", is.Status.DockerImageRepository, registryHostname)
return false, nil
}
for _, tag := range is.Spec.Tags {
e2e.Logf("checking tag %s for imagestream %s/%s", tag.Name, namespace, imagestream)
if _, found := imageutil.StatusHasTag(is, tag.Name); !found {
e2e.Logf("no status for imagestreamtag %s/%s:%s", namespace, imagestream, tag.Name)
return false, nil
}
}
return true, nil
}
func DumpImageStream(oc *CLI, namespace string, imagestream string) error {
out, err := oc.AsAdmin().Run("get").Args("is", imagestream, "-n", namespace, "-o", "yaml").Output()
if err != nil {
return fmt.Errorf("failed to get imagestream %s/%s: %v", namespace, imagestream, err)
}
e2e.Logf("imagestream %s/%s:\n%s\n", namespace, imagestream, out)
return nil
}
// DumpImageStreams will dump both the openshift namespace and local namespace imagestreams
// as part of debugging when the language imagestreams in the openshift namespace seem to disappear
func DumpImageStreams(oc *CLI) {
out, err := oc.AsAdmin().Run("get").Args("is", "-n", "openshift", "-o", "yaml").Output()
if err == nil {
e2e.Logf("\n imagestreams in openshift namespace: \n%s\n", out)
} else {
e2e.Logf("\n error on getting imagestreams in openshift namespace: %+v\n%#v\n", err, out)
}
out, err = oc.AsAdmin().Run("get").Args("is", "-o", "yaml").Output()
if err == nil {
e2e.Logf("\n imagestreams in dynamic test namespace: \n%s\n", out)
} else {
e2e.Logf("\n error on getting imagestreams in dynamic test namespace: %+v\n%#v\n", err, out)
}
ids, err := ListImages()
if err != nil {
e2e.Logf("\n got error on container images %+v\n", err)
} else {
for _, id := range ids {
e2e.Logf(" found local image %s\n", id)
}
}
}
func DumpSampleOperator(oc *CLI) {
out, err := oc.AsAdmin().Run("get").Args("configs.samples.operator.openshift.io", "cluster", "-o", "yaml").Output()
if err == nil {
e2e.Logf("\n samples operator CR: \n%s\n", out)
} else {
e2e.Logf("\n error on getting samples operator CR: %+v\n%#v\n", err, out)
}
DumpPodLogsStartingWithInNamespace("cluster-samples-operator", "openshift-cluster-samples-operator", oc)
}
// DumpBuildLogs will dump the latest build logs for a BuildConfig for debug purposes
func DumpBuildLogs(bc string, oc *CLI) {
buildOutput, err := oc.AsAdmin().Run("logs").Args("-f", "bc/"+bc, "--timestamps").Output()
if err == nil {
e2e.Logf("\n\n build logs : %s\n\n", buildOutput)
} else {
e2e.Logf("\n\n got error on build logs %+v\n\n", err)
}
// if we suspect that we are filling up the registry file system, call ExamineDiskUsage / ExaminePodDiskUsage
// also see if manipulations of the quota around /mnt/openshift-xfs-vol-dir exist in the extended test set up scripts
ExamineDiskUsage()
ExaminePodDiskUsage(oc)
}
// DumpBuilds will dump the yaml for every build in the test namespace; remember, pipeline builds
// don't have build pods so a generic framework dump won't cat our pipeline builds objs in openshift
func DumpBuilds(oc *CLI) {
buildOutput, err := oc.AsAdmin().Run("get").Args("builds", "-o", "yaml").Output()
if err == nil {
e2e.Logf("\n\n builds yaml:\n%s\n\n", buildOutput)
} else {
e2e.Logf("\n\n got error on build yaml dump: %#v\n\n", err)
}
}
// DumpBuildConfigs will dump the yaml for every buildconfig in the test namespace
func DumpBuildConfigs(oc *CLI) {
buildOutput, err := oc.AsAdmin().Run("get").Args("buildconfigs", "-o", "yaml").Output()
if err == nil {
e2e.Logf("\n\n buildconfigs yaml:\n%s\n\n", buildOutput)
} else {
e2e.Logf("\n\n got error on buildconfig yaml dump: %#v\n\n", err)
}
}
func GetStatefulSetPods(oc *CLI, setName string) (*corev1.PodList, error) {
return oc.AdminKubeClient().CoreV1().Pods(oc.Namespace()).List(context.Background(), metav1.ListOptions{LabelSelector: ParseLabelsOrDie(fmt.Sprintf("name=%s", setName)).String()})
}
// DumpPodStates dumps the state of all pods in the CLI's current namespace.
func DumpPodStates(oc *CLI) {
e2e.Logf("Dumping pod state for namespace %s", oc.Namespace())
out, err := oc.AsAdmin().Run("get").Args("pods", "-o", "yaml").Output()
if err != nil {
e2e.Logf("Error dumping pod states: %v", err)
return
}
e2e.Logf(out)
}
// DumpPodStatesInNamespace dumps the state of all pods in the provided namespace.
func DumpPodStatesInNamespace(namespace string, oc *CLI) {
e2e.Logf("Dumping pod state for namespace %s", namespace)
out, err := oc.AsAdmin().Run("get").Args("pods", "-n", namespace, "-o", "yaml").Output()
if err != nil {
e2e.Logf("Error dumping pod states: %v", err)
return
}
e2e.Logf(out)
}
// DumpPodLogsStartingWith will dump any pod starting with the name prefix provided
func DumpPodLogsStartingWith(prefix string, oc *CLI) {
podsToDump := []corev1.Pod{}
podList, err := oc.AdminKubeClient().CoreV1().Pods(oc.Namespace()).List(context.Background(), metav1.ListOptions{})
if err != nil {
e2e.Logf("Error listing pods: %v", err)
return
}
for _, pod := range podList.Items {
if strings.HasPrefix(pod.Name, prefix) {
podsToDump = append(podsToDump, pod)
}
}
if len(podsToDump) > 0 {
DumpPodLogs(podsToDump, oc)
}
}
// DumpPodLogsStartingWith will dump any pod starting with the name prefix provided
func DumpPodLogsStartingWithInNamespace(prefix, namespace string, oc *CLI) {
podsToDump := []corev1.Pod{}
podList, err := oc.AdminKubeClient().CoreV1().Pods(namespace).List(context.Background(), metav1.ListOptions{})
if err != nil {
e2e.Logf("Error listing pods: %v", err)
return
}
for _, pod := range podList.Items {
if strings.HasPrefix(pod.Name, prefix) {
podsToDump = append(podsToDump, pod)
}
}
if len(podsToDump) > 0 {
DumpPodLogs(podsToDump, oc)
}
}
func DumpPodLogs(pods []corev1.Pod, oc *CLI) {
for _, pod := range pods {
descOutput, err := oc.AsAdmin().Run("describe").WithoutNamespace().Args("pod/"+pod.Name, "-n", pod.Namespace).Output()
if err == nil {
if strings.Contains(descOutput, "BEGIN PRIVATE KEY") {
// replace private key with XXXXX string
re := regexp.MustCompile(`BEGIN\s+PRIVATE\s+KEY[\s\S]*END\s+PRIVATE\s+KEY`)
descOutput = re.ReplaceAllString(descOutput, "XXXXXXXXXXXXXX")
}
e2e.Logf("Describing pod %q\n%s\n\n", pod.Name, descOutput)
} else {
e2e.Logf("Error retrieving description for pod %q: %v\n\n", pod.Name, err)
}
dumpContainer := func(container *corev1.Container) {
depOutput, err := oc.AsAdmin().Run("logs").WithoutNamespace().Args("pod/"+pod.Name, "-c", container.Name, "-n", pod.Namespace).Output()
if err == nil {
e2e.Logf("Log for pod %q/%q\n---->\n%s\n<----end of log for %[1]q/%[2]q\n", pod.Name, container.Name, depOutput)
} else {
e2e.Logf("Error retrieving logs for pod %q/%q: %v\n\n", pod.Name, container.Name, err)
}
}
for _, c := range pod.Spec.InitContainers {
dumpContainer(&c)
}
for _, c := range pod.Spec.Containers {
dumpContainer(&c)
}
}
}
// DumpPodsCommand runs the provided command in every pod identified by selector in the provided namespace.
func DumpPodsCommand(c kubernetes.Interface, ns string, selector labels.Selector, cmd string) {
podList, err := c.CoreV1().Pods(ns).List(context.Background(), metav1.ListOptions{LabelSelector: selector.String()})
o.Expect(err).NotTo(o.HaveOccurred())
values := make(map[string]string)
for _, pod := range podList.Items {
stdout, err := e2eoutput.RunHostCmdWithRetries(pod.Namespace, pod.Name, cmd, statefulset.StatefulSetPoll, statefulset.StatefulPodTimeout)
o.Expect(err).NotTo(o.HaveOccurred())
values[pod.Name] = stdout
}
for name, stdout := range values {
stdout = strings.TrimSuffix(stdout, "\n")
e2e.Logf(name + ": " + strings.Join(strings.Split(stdout, "\n"), fmt.Sprintf("\n%s: ", name)))
}
}
// DumpConfigMapStates dumps the state of all ConfigMaps in the CLI's current namespace.
func DumpConfigMapStates(oc *CLI) {
e2e.Logf("Dumping configMap state for namespace %s", oc.Namespace())
out, err := oc.AsAdmin().Run("get").Args("configmaps", "-o", "yaml").Output()
if err != nil {
e2e.Logf("Error dumping configMap states: %v", err)
return
}
e2e.Logf(out)
}
// GetMasterThreadDump will get a golang thread stack dump
func GetMasterThreadDump(oc *CLI) {
out, err := oc.AsAdmin().Run("get").Args("--raw", "/debug/pprof/goroutine?debug=2").Output()
if err == nil {
e2e.Logf("\n\n Master thread stack dump:\n\n%s\n\n", string(out))
return
}
e2e.Logf("\n\n got error on oc get --raw /debug/pprof/goroutine?godebug=2: %v\n\n", err)
}
func PreTestDump() {
// dump any state we want to know prior to running tests
}
// ExamineDiskUsage will dump df output on the testing system; leveraging this as part of diagnosing
// the registry's disk filling up during external tests on jenkins
func ExamineDiskUsage() {
// disabling this for now, easier to do it here than everywhere that's calling it.
return
/*
out, err := exec.Command("/bin/df", "-m").Output()
if err == nil {
e2e.Logf("\n\n df -m output: %s\n\n", string(out))
} else {
e2e.Logf("\n\n got error on df %v\n\n", err)
}
DumpDockerInfo()
*/
}
// ExaminePodDiskUsage will dump df/du output on registry pod; leveraging this as part of diagnosing
// the registry's disk filling up during external tests on jenkins
func ExaminePodDiskUsage(oc *CLI) {
// disabling this for now, easier to do it here than everywhere that's calling it.
return
/*
out, err := oc.Run("get").Args("pods", "-o", "json", "-n", "default").Output()
var podName string
if err == nil {
b := []byte(out)
var list corev1.PodList
err = json.Unmarshal(b, &list)
if err == nil {
for _, pod := range list.Items {
e2e.Logf("\n\n looking at pod %s \n\n", pod.ObjectMeta.Name)
if strings.Contains(pod.ObjectMeta.Name, "docker-registry-") && !strings.Contains(pod.ObjectMeta.Name, "deploy") {
podName = pod.ObjectMeta.Name
break
}
}
} else {
e2e.Logf("\n\n got json unmarshal err: %v\n\n", err)
}
} else {
e2e.Logf("\n\n got error on get pods: %v\n\n", err)
}
if len(podName) == 0 {
e2e.Logf("Unable to determine registry pod name, so we can't examine its disk usage.")
return
}
out, err = oc.Run("exec").Args("-n", "default", podName, "df").Output()
if err == nil {
e2e.Logf("\n\n df from registry pod: \n%s\n\n", out)
} else {
e2e.Logf("\n\n got error on reg pod df: %v\n", err)
}
out, err = oc.Run("exec").Args("-n", "default", podName, "du", "/registry").Output()
if err == nil {
e2e.Logf("\n\n du from registry pod: \n%s\n\n", out)
} else {
e2e.Logf("\n\n got error on reg pod du: %v\n", err)
}
*/
}
// VarSubOnFile reads in srcFile, finds instances of ${key} from the map
// and replaces them with their associated values.
func VarSubOnFile(srcFile string, destFile string, vars map[string]string) error {
srcData, err := ioutil.ReadFile(srcFile)
if err == nil {
srcString := string(srcData)
for k, v := range vars {
k = "${" + k + "}"
srcString = strings.Replace(srcString, k, v, -1) // -1 means unlimited replacements
}
err = ioutil.WriteFile(destFile, []byte(srcString), 0644)
}
return err
}
// StartBuild executes OC start-build with the specified arguments. StdOut and StdErr from the process
// are returned as separate strings.
func StartBuild(oc *CLI, args ...string) (stdout, stderr string, err error) {
stdout, stderr, err = oc.Run("start-build").Args(args...).Outputs()
e2e.Logf("\n\nstart-build output with args %v:\nError>%v\nStdOut>\n%s\nStdErr>\n%s\n\n", args, err, stdout, stderr)
return stdout, stderr, err
}
var buildPathPattern = regexp.MustCompile(`^build\.build\.openshift\.io/([\w\-\._]+)$`)
type LogDumperFunc func(oc *CLI, br *BuildResult) (string, error)
func NewBuildResult(oc *CLI, build *buildv1.Build) *BuildResult {
return &BuildResult{
Oc: oc,
BuildName: build.Name,
BuildPath: "builds/" + build.Name,
}
}
type BuildResult struct {
// BuildPath is a resource qualified name (e.g. "build/test-1").
BuildPath string
// BuildName is the non-resource qualified name.
BuildName string
// StartBuildStdErr is the StdErr output generated by oc start-build.
StartBuildStdErr string
// StartBuildStdOut is the StdOut output generated by oc start-build.
StartBuildStdOut string
// StartBuildErr is the error, if any, returned by the direct invocation of the start-build command.
StartBuildErr error
// The buildconfig which generated this build.
BuildConfigName string
// Build is the resource created. May be nil if there was a timeout.
Build *buildv1.Build
// BuildAttempt represents that a Build resource was created.
// false indicates a severe error unrelated to Build success or failure.
BuildAttempt bool
// BuildSuccess is true if the build was finshed successfully.
BuildSuccess bool
// BuildFailure is true if the build was finished with an error.
BuildFailure bool
// BuildCancelled is true if the build was canceled.
BuildCancelled bool
// BuildTimeout is true if there was a timeout waiting for the build to finish.
BuildTimeout bool
// Alternate log dumper function. If set, this is called instead of 'oc logs'
LogDumper LogDumperFunc
// The openshift client which created this build.
Oc *CLI
}
// DumpLogs sends logs associated with this BuildResult to the GinkgoWriter.
func (t *BuildResult) DumpLogs() {
e2e.Logf("\n\n*****************************************\n")
e2e.Logf("Dumping Build Result: %#v\n", *t)
if t == nil {
e2e.Logf("No build result available!\n\n")
return
}
desc, err := t.Oc.Run("describe").Args(t.BuildPath).Output()
e2e.Logf("\n** Build Description:\n")
if err != nil {
e2e.Logf("Error during description retrieval: %+v\n", err)
} else {
e2e.Logf("%s\n", desc)
}
e2e.Logf("\n** Build Logs:\n")
buildOuput, err := t.Logs()
if err != nil {
e2e.Logf("Error during log retrieval: %+v\n", err)
} else {
e2e.Logf("%s\n", buildOuput)
}
e2e.Logf("\n\n")
t.dumpRegistryLogs()
// if we suspect that we are filling up the registry file system, call ExamineDiskUsage / ExaminePodDiskUsage
// also see if manipulations of the quota around /mnt/openshift-xfs-vol-dir exist in the extended test set up scripts
/*
ExamineDiskUsage()
ExaminePodDiskUsage(t.oc)
e2e.Logf( "\n\n")
*/
}
func (t *BuildResult) dumpRegistryLogs() {
var buildStarted *time.Time
oc := t.Oc
e2e.Logf("\n** Registry Logs:\n")
if t.Build != nil && !t.Build.CreationTimestamp.IsZero() {
buildStarted = &t.Build.CreationTimestamp.Time
} else {
proj, err := oc.ProjectClient().ProjectV1().Projects().Get(context.Background(), oc.Namespace(), metav1.GetOptions{})
if err != nil {
e2e.Logf("Failed to get project %s: %v\n", oc.Namespace(), err)
} else {
buildStarted = &proj.CreationTimestamp.Time
}
}
if buildStarted == nil {
e2e.Logf("Could not determine test' start time\n\n\n")
return
}
since := time.Now().Sub(*buildStarted)
// Changing the namespace on the derived client still changes it on the original client
// because the kubeFramework field is only copied by reference. Saving the original namespace
// here so we can restore it when done with registry logs
// TODO remove the default/docker-registry log retrieval when we are fully migrated to 4.0 for our test env.
savedNamespace := t.Oc.Namespace()
oadm := t.Oc.AsAdmin().SetNamespace("default")
out, err := oadm.Run("logs").Args("dc/docker-registry", "--since="+since.String()).Output()
if err != nil {
e2e.Logf("Error during log retrieval: %+v\n", err)
} else {
e2e.Logf("%s\n", out)
}
oadm = t.Oc.AsAdmin().SetNamespace("openshift-image-registry")
out, err = oadm.Run("logs").Args("deployment/image-registry", "--since="+since.String()).Output()
if err != nil {
e2e.Logf("Error during log retrieval: %+v\n", err)
} else {
e2e.Logf("%s\n", out)
}
t.Oc.SetNamespace(savedNamespace)
e2e.Logf("\n\n")
}
// Logs returns the logs associated with this build.
func (t *BuildResult) Logs() (string, error) {
if t == nil || t.BuildPath == "" {
return "", fmt.Errorf("Not enough information to retrieve logs for %#v", *t)
}
if t.LogDumper != nil {
return t.LogDumper(t.Oc, t)
}
buildOuput, buildErr, err := t.Oc.Run("logs").Args("-f", t.BuildPath, "--timestamps", "--v", "10").Outputs()
if err != nil {
return "", fmt.Errorf("Error retrieving logs for build %q: (%s) %v", t.BuildName, buildErr, err)
}
return buildOuput, nil
}
// LogsNoTimestamp returns the logs associated with this build.
func (t *BuildResult) LogsNoTimestamp() (string, error) {
if t == nil || t.BuildPath == "" {
return "", fmt.Errorf("Not enough information to retrieve logs for %#v", *t)
}
if t.LogDumper != nil {
return t.LogDumper(t.Oc, t)
}
buildOuput, buildErr, err := t.Oc.Run("logs").Args("-f", t.BuildPath).Outputs()
if err != nil {
return "", fmt.Errorf("Error retrieving logs for build %q: (%s) %v", t.BuildName, buildErr, err)
}
return buildOuput, nil
}
// Dumps logs and triggers a Ginkgo assertion if the build did NOT succeed.
func (t *BuildResult) AssertSuccess() *BuildResult {
if !t.BuildSuccess {
t.DumpLogs()
}
o.ExpectWithOffset(1, t.BuildSuccess).To(o.BeTrue())
return t
}
// Dumps logs and triggers a Ginkgo assertion if the build did NOT have an error (this will not assert on timeouts)
func (t *BuildResult) AssertFailure() *BuildResult {
if !t.BuildFailure {
t.DumpLogs()
}
o.ExpectWithOffset(1, t.BuildFailure).To(o.BeTrue())
return t
}
func StartBuildResult(oc *CLI, args ...string) (result *BuildResult, err error) {
args = append(args, "-o=name") // ensure that the build name is the only thing send to stdout
stdout, stderr, err := StartBuild(oc, args...)
// Usually, with -o=name, we only expect the build path.
// However, the caller may have added --follow which can add
// content to stdout. So just grab the first line.
buildPath := strings.TrimSpace(strings.Split(stdout, "\n")[0])
result = &BuildResult{
Build: nil,
BuildPath: buildPath,
StartBuildStdOut: stdout,
StartBuildStdErr: stderr,
StartBuildErr: nil,
BuildAttempt: false,
BuildSuccess: false,
BuildFailure: false,
BuildCancelled: false,
BuildTimeout: false,
Oc: oc,
}
// An error here does not necessarily mean we could not run start-build. For example
// when --wait is specified, start-build returns an error if the build fails. Therefore,