forked from coreos/coreos-assembler
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathharness.go
1689 lines (1528 loc) · 53.1 KB
/
harness.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 2015 CoreOS, Inc.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
package kola
import (
"bufio"
"encoding/json"
"fmt"
"io"
"io/ioutil"
"os"
"path/filepath"
"regexp"
"strings"
"sync"
"time"
"github.com/coreos/pkg/capnslog"
"github.com/kballard/go-shellquote"
"github.com/pkg/errors"
"gopkg.in/yaml.v2"
"github.com/coreos/mantle/harness"
"github.com/coreos/mantle/harness/reporters"
"github.com/coreos/mantle/kola/cluster"
"github.com/coreos/mantle/kola/register"
"github.com/coreos/mantle/network"
"github.com/coreos/mantle/platform"
awsapi "github.com/coreos/mantle/platform/api/aws"
azureapi "github.com/coreos/mantle/platform/api/azure"
doapi "github.com/coreos/mantle/platform/api/do"
esxapi "github.com/coreos/mantle/platform/api/esx"
gcloudapi "github.com/coreos/mantle/platform/api/gcloud"
openstackapi "github.com/coreos/mantle/platform/api/openstack"
packetapi "github.com/coreos/mantle/platform/api/packet"
"github.com/coreos/mantle/platform/conf"
"github.com/coreos/mantle/platform/machine/aws"
"github.com/coreos/mantle/platform/machine/azure"
"github.com/coreos/mantle/platform/machine/do"
"github.com/coreos/mantle/platform/machine/esx"
"github.com/coreos/mantle/platform/machine/gcloud"
"github.com/coreos/mantle/platform/machine/openstack"
"github.com/coreos/mantle/platform/machine/packet"
"github.com/coreos/mantle/platform/machine/qemuiso"
"github.com/coreos/mantle/platform/machine/unprivqemu"
"github.com/coreos/mantle/system"
"github.com/coreos/mantle/util"
)
// InstalledTestsDir is a directory where "installed" external
// can be placed; for example, a project like ostree can install
// tests at /usr/lib/coreos-assembler/tests/kola/ostree/...
// and this will be automatically picked up.
const InstalledTestsDir = "/usr/lib/coreos-assembler/tests/kola"
const InstalledTestMetaPrefix = "# kola:"
// InstalledTestDefaultTest is a special name; see the README-kola-ext.md
// for more information.
const InstalledTestDefaultTest = "test.sh"
// This is the same string from https://salsa.debian.org/ci-team/autopkgtest/raw/master/doc/README.package-tests.rst
// Specifying this in the tags list is required to denote a need for Internet access
const NeedsInternetTag = "needs-internet"
// Don't e.g. check console for kernel errors, SELinux AVCs, etc.
const SkipBaseChecksTag = "skip-base-checks"
// Date format for snooze date specified in kola-denylist.yaml (YYYY-MM-DD)
const snoozeFormat = "2006-01-02"
var (
plog = capnslog.NewPackageLogger("github.com/coreos/mantle", "kola")
Options = platform.Options{}
AWSOptions = awsapi.Options{Options: &Options} // glue to set platform options from main
AzureOptions = azureapi.Options{Options: &Options} // glue to set platform options from main
DOOptions = doapi.Options{Options: &Options} // glue to set platform options from main
ESXOptions = esxapi.Options{Options: &Options} // glue to set platform options from main
GCEOptions = gcloudapi.Options{Options: &Options} // glue to set platform options from main
OpenStackOptions = openstackapi.Options{Options: &Options} // glue to set platform options from main
PacketOptions = packetapi.Options{Options: &Options} // glue to set platform options from main
QEMUOptions = unprivqemu.Options{Options: &Options} // glue to set platform options from main
QEMUIsoOptions = qemuiso.Options{Options: &Options} // glue to set platform options from main
CosaBuild *util.LocalBuild // this is a parsed cosa build
TestParallelism int //glue var to set test parallelism from main
TAPFile string // if not "", write TAP results here
NoNet bool // Disable tests requiring Internet
DenylistedTests []string // tests which are on the denylist
Tags []string // tags to be ran
extTestNum = 1 // Assigns a unique number to each non-exclusive external test
testResults protectedTestResults
nonexclusivePrefixMatch = regexp.MustCompile(`^non-exclusive-test-bucket-[0-9]/`)
nonexclusiveWrapperMatch = regexp.MustCompile(`^non-exclusive-test-bucket-[0-9]$`)
consoleChecks = []struct {
desc string
match *regexp.Regexp
skipFlag *register.Flag
}{
{
desc: "emergency shell",
match: regexp.MustCompile("Press Enter for emergency shell|Starting Emergency Shell|You are in emergency mode"),
skipFlag: &[]register.Flag{register.NoEmergencyShellCheck}[0],
},
{
desc: "dracut fatal",
match: regexp.MustCompile("dracut: Refusing to continue"),
},
{
desc: "kernel panic",
match: regexp.MustCompile("Kernel panic - not syncing: (.*)"),
},
{
desc: "kernel oops",
match: regexp.MustCompile("Oops:"),
},
{
desc: "kernel warning",
match: regexp.MustCompile(`WARNING: CPU: \d+ PID: \d+ at (.+)`),
},
{
desc: "failure of disk under I/O",
match: regexp.MustCompile("rejecting I/O to offline device"),
},
{
// https://github.com/coreos/bugs/issues/2065
desc: "excessive bonding link status messages",
match: regexp.MustCompile("(?s:link status up for interface [^,]+, enabling it in [0-9]+ ms.*?){10}"),
},
{
// https://github.com/coreos/bugs/issues/2180
desc: "ext4 delayed allocation failure",
match: regexp.MustCompile(`EXT4-fs \([^)]+\): Delayed block allocation failed for inode \d+ at logical offset \d+ with max blocks \d+ with (error \d+)`),
},
{
// https://github.com/coreos/bugs/issues/2284
desc: "GRUB memory corruption",
match: regexp.MustCompile("((alloc|free) magic) (is )?broken"),
},
{
// https://github.com/coreos/bugs/issues/2435
desc: "Ignition fetch cancellation race",
match: regexp.MustCompile(`ignition\[[0-9]+\]: failed to fetch config: context canceled`),
},
{
// https://github.com/coreos/bugs/issues/2526
desc: "initrd-cleanup.service terminated",
match: regexp.MustCompile(`initrd-cleanup\.service: Main process exited, code=killed, status=15/TERM`),
},
{
desc: "Go panic",
match: regexp.MustCompile("panic: (.*)"),
},
{
desc: "segfault",
match: regexp.MustCompile("SIGSEGV|=11/SEGV"),
},
{
desc: "core dump",
match: regexp.MustCompile("[Cc]ore dump"),
},
{
desc: "systemd ordering cycle",
match: regexp.MustCompile("Ordering cycle found"),
},
{
desc: "oom killer",
match: regexp.MustCompile("invoked oom-killer"),
},
}
)
const (
// kolaExtBinDataDir is where data will be stored on the target (but use the environment variable)
kolaExtBinDataDir = "/var/opt/kola/extdata"
// kolaExtBinDataEnv is an environment variable pointing to the above
kolaExtBinDataEnv = "KOLA_EXT_DATA"
// kolaExtContainerDataEnv includes the path to the ostree base container image in oci-archive format.
kolaExtContainerDataEnv = "KOLA_EXT_OSTREE_OCIARCHIVE"
// kolaExtBinDataName is the name for test dependency data
kolaExtBinDataName = "data"
)
// KoletResult is serialized JSON passed from kolet to the harness
type KoletResult struct {
Reboot string
}
const KoletExtTestUnit = "kola-runext"
const KoletRebootAckFifo = "/run/kolet-reboot-ack"
// Records failed tests for reruns
type protectedTestResults struct {
results []*harness.H
mu sync.RWMutex
}
func (p *protectedTestResults) add(h *harness.H) {
p.mu.Lock()
p.results = append(p.results, h)
p.mu.Unlock()
}
func (p *protectedTestResults) getResults() []*harness.H {
p.mu.RLock()
temp := p.results
p.mu.RUnlock()
return temp
}
// NativeRunner is a closure passed to all kola test functions and used
// to run native go functions directly on kola machines. It is necessary
// glue until kola does introspection.
type NativeRunner func(funcName string, m platform.Machine) error
func NewFlight(pltfrm string) (flight platform.Flight, err error) {
switch pltfrm {
case "aws":
flight, err = aws.NewFlight(&AWSOptions)
case "azure":
flight, err = azure.NewFlight(&AzureOptions)
case "do":
flight, err = do.NewFlight(&DOOptions)
case "esx":
flight, err = esx.NewFlight(&ESXOptions)
case "gce":
flight, err = gcloud.NewFlight(&GCEOptions)
case "openstack":
flight, err = openstack.NewFlight(&OpenStackOptions)
case "packet":
flight, err = packet.NewFlight(&PacketOptions)
case "qemu-unpriv":
flight, err = unprivqemu.NewFlight(&QEMUOptions)
case "qemu-iso":
flight, err = qemuiso.NewFlight(&QEMUIsoOptions)
default:
err = fmt.Errorf("invalid platform %q", pltfrm)
}
return
}
// matchesPatterns returns true if `s` matches one of the patterns in `patterns`.
func matchesPatterns(s string, patterns []string) (bool, error) {
for _, pattern := range patterns {
match, err := filepath.Match(pattern, s)
if err != nil {
return false, err
}
if match {
return true, nil
}
}
return false, nil
}
// hasString returns true if `s` equals one of the strings in `slice`.
func hasString(s string, slice []string) bool {
for _, e := range slice {
if e == s {
return true
}
}
return false
}
func testSkipBaseChecks(test *register.Test) bool {
for _, tag := range test.Tags {
if tag == SkipBaseChecksTag {
return true
}
}
return false
}
func testRequiresInternet(test *register.Test) bool {
for _, flag := range test.Flags {
if flag == register.RequiresInternetAccess {
return true
}
}
// Also parse the newer tag for this
for _, tag := range test.Tags {
if tag == NeedsInternetTag {
return true
}
}
return false
}
type DenyListObj struct {
Pattern string `yaml:"pattern"`
Tracker string `yaml:"tracker"`
Streams []string `yaml:"streams"`
Arches []string `yaml:"arches"`
Platforms []string `yaml:"platforms"`
SnoozeDate string `yaml:"snooze"`
OsVersion []string `yaml:"osversion"`
}
type ManifestData struct {
Variables struct {
Stream string `yaml:"stream"`
OsVersion string `yaml:"osversion"`
} `yaml:"variables"`
}
type InitConfigData struct {
ConfigVariant string `json:"coreos-assembler.config-variant"`
}
func parseDenyListYaml(pltfrm string) error {
var objs []DenyListObj
// Parse kola-denylist into structs
pathToDenyList := filepath.Join(Options.CosaWorkdir, "src/config/kola-denylist.yaml")
denyListFile, err := ioutil.ReadFile(pathToDenyList)
if os.IsNotExist(err) {
return nil
} else if err != nil {
return err
}
plog.Debug("Found kola-denylist.yaml. Processing listed denials.")
err = yaml.Unmarshal(denyListFile, &objs)
if err != nil {
return err
}
plog.Debug("Parsed kola-denylist.yaml")
// Look for the right manifest, taking into account the variant
var manifest ManifestData
var pathToManifest string
pathToInitConfig := filepath.Join(Options.CosaWorkdir, "src/config.json")
initConfigFile, err := ioutil.ReadFile(pathToInitConfig)
if os.IsNotExist(err) {
// No variant config found. Let's read the default manifest
pathToManifest = filepath.Join(Options.CosaWorkdir, "src/config/manifest.yaml")
} else if err != nil {
// Unexpected error
return err
} else {
// Figure out the variant and read the corresponding manifests
var initConfig InitConfigData
err = json.Unmarshal(initConfigFile, &initConfig)
if err != nil {
return err
}
pathToManifest = filepath.Join(Options.CosaWorkdir, fmt.Sprintf("src/config/manifest-%s.yaml", initConfig.ConfigVariant))
}
manifestFile, err := ioutil.ReadFile(pathToManifest)
if err != nil {
return err
}
err = yaml.Unmarshal(manifestFile, &manifest)
if err != nil {
return err
}
// Get the stream and osversion variables from the manifest
stream := manifest.Variables.Stream
osversion := manifest.Variables.OsVersion
// Get the current arch & current time
arch := Options.CosaBuildArch
today := time.Now()
plog.Debugf("Denylist: Skipping tests for stream: '%s', osversion: '%s', arch: '%s'\n", stream, osversion, arch)
// Accumulate patterns filtering by set policies
plog.Debug("Processing denial patterns from yaml...")
for _, obj := range objs {
if len(obj.Arches) > 0 && !hasString(arch, obj.Arches) {
continue
}
if len(obj.Platforms) > 0 && !hasString(pltfrm, obj.Platforms) {
continue
}
if len(stream) > 0 && len(obj.Streams) > 0 && !hasString(stream, obj.Streams) {
continue
}
if len(osversion) > 0 && len(obj.OsVersion) > 0 && !hasString(osversion, obj.OsVersion) {
continue
}
if obj.SnoozeDate != "" {
snoozeDate, err := time.Parse(snoozeFormat, obj.SnoozeDate)
if err != nil {
return err
} else if today.After(snoozeDate) {
continue
}
fmt.Printf("🕒 Snoozing kola test pattern \"%s\" until %s:\n", obj.Pattern, snoozeDate.Format("Jan 02 2006"))
} else {
fmt.Printf("⚠️ Skipping kola test pattern \"%s\":\n", obj.Pattern)
}
fmt.Printf(" 👉 %s\n", obj.Tracker)
DenylistedTests = append(DenylistedTests, obj.Pattern)
}
return nil
}
func filterTests(tests map[string]*register.Test, patterns []string, pltfrm string) (map[string]*register.Test, error) {
r := make(map[string]*register.Test)
checkPlatforms := []string{pltfrm}
// qemu-unpriv has the same restrictions as QEMU but might also want additional restrictions due to the lack of a Local cluster
if pltfrm == "qemu-unpriv" {
checkPlatforms = append(checkPlatforms, "qemu")
}
// sort tags into include/exclude
positiveTags := []string{}
negativeTags := []string{}
for _, tag := range Tags {
if strings.HasPrefix(tag, "!") {
negativeTags = append(negativeTags, tag[1:])
} else {
positiveTags = append(positiveTags, tag)
}
}
// Higher-level functions default to '*' if the user didn't pass anything.
// Notice this. (This totally ignores the corner case where the user
// actually typed '*').
userTypedPattern := !hasString("*", patterns)
for name, t := range tests {
if NoNet && testRequiresInternet(t) {
plog.Debugf("Skipping test that requires network: %s", t.Name)
continue
}
var denylisted bool
// Drop anything which is denylisted directly or by pattern
for _, bl := range DenylistedTests {
nameMatch, err := filepath.Match(bl, t.Name)
if err != nil {
return nil, err
}
// If it matched the pattern this test is denylisted
if nameMatch {
denylisted = true
break
}
// Check if any native tests are denylisted. To exclude native tests, specify the high level
// test and a "/" and then the glob pattern.
// - basic/TestNetworkScripts: excludes only TestNetworkScripts
// - basic/* - excludes all
// - If no pattern is specified after / , excludes none
nativedenylistindex := strings.Index(bl, "/")
if nativedenylistindex > -1 {
// Check native tests for arch specific exclusion
for nativetestname := range t.NativeFuncs {
nameMatch, err := filepath.Match(bl[nativedenylistindex+1:], nativetestname)
if err != nil {
return nil, err
}
if nameMatch {
delete(t.NativeFuncs, nativetestname)
}
}
}
}
// If the test is denylisted, skip it and continue to the next test
if denylisted {
plog.Debugf("Skipping denylisted test %s", t.Name)
continue
}
nameMatch, err := matchesPatterns(t.Name, patterns)
if err != nil {
return nil, err
}
tagMatch := false
for _, tag := range positiveTags {
tagMatch = hasString(tag, t.Tags) || tag == t.RequiredTag
if tagMatch {
break
}
}
negativeTagMatch := false
for _, tag := range negativeTags {
negativeTagMatch = hasString(tag, t.Tags)
if negativeTagMatch {
break
}
}
if negativeTagMatch {
continue
}
if t.RequiredTag != "" && // if the test has a required tag...
!tagMatch && // and that tag was not provided by the user...
(!userTypedPattern || !nameMatch) { // and the user didn't request it by name...
continue // then skip it
}
if userTypedPattern {
// If the user explicitly typed a pattern, then the test *must*
// match by name or by tag. Otherwise, we skip it.
if !nameMatch && !tagMatch {
continue
}
} else {
// If the user didn't explicitly type a pattern, then normally we
// accept all tests, but if they *did* specify tags, then we only
// accept tests which match those tags.
if len(positiveTags) > 0 && !tagMatch {
continue
}
}
isAllowed := func(item string, include, exclude []string) (bool, bool) {
allowed, excluded := true, false
for _, i := range include {
if i == item {
allowed = true
break
} else {
allowed = false
}
}
for _, i := range exclude {
if i == item {
allowed = false
excluded = true
}
}
return allowed, excluded
}
isExcluded := false
allowed := false
for _, platform := range checkPlatforms {
allowedPlatform, excluded := isAllowed(platform, t.Platforms, t.ExcludePlatforms)
if excluded {
isExcluded = true
break
}
allowedArchitecture, _ := isAllowed(system.RpmArch(), t.Architectures, t.ExcludeArchitectures)
allowed = allowed || (allowedPlatform && allowedArchitecture)
}
if isExcluded || !allowed {
continue
}
if allowed, excluded := isAllowed(Options.Distribution, t.Distros, t.ExcludeDistros); !allowed || excluded {
continue
}
if pltfrm == "qemu-unpriv" {
if allowed, excluded := isAllowed(QEMUOptions.Firmware, t.Firmwares, t.ExcludeFirmwares); !allowed || excluded {
continue
}
}
// Check native tests for arch-specific and distro-specfic exclusion
for k, NativeFuncWrap := range t.NativeFuncs {
_, excluded := isAllowed(Options.Distribution, nil, NativeFuncWrap.Exclusions)
if excluded {
delete(t.NativeFuncs, k)
continue
}
_, excluded = isAllowed(system.RpmArch(), nil, NativeFuncWrap.Exclusions)
if excluded {
delete(t.NativeFuncs, k)
}
}
r[name] = t
}
return r, nil
}
// runProvidedTests is a harness for running multiple tests in parallel.
// Filters tests based on a glob pattern and by platform. Has access to all
// tests either registered in this package or by imported packages that
// register tests in their init() function. outputDir is where various test
// logs and data will be written for analysis after the test run. If it already
// exists it will be erased!
func runProvidedTests(testsBank map[string]*register.Test, patterns []string, multiply int, rerun bool, allowRerunSuccess bool, pltfrm, outputDir string, propagateTestErrors bool) error {
var versionStr string
// Avoid incurring cost of starting machine in getClusterSemver when
// either:
// 1) none of the selected tests care about the version
// 2) glob is an exact match which means minVersion will be ignored
// either way
// Add denylisted tests in kola-denylist.yaml to DenylistedTests
err := parseDenyListYaml(pltfrm)
if err != nil {
plog.Fatal(err)
}
tests, err := filterTests(testsBank, patterns, pltfrm)
if err != nil {
plog.Fatal(err)
}
flight, err := NewFlight(pltfrm)
if err != nil {
plog.Fatalf("Flight failed: %v", err)
}
defer flight.Destroy()
// Generate non-exclusive test wrapper (run multiple tests in one VM)
var nonExclusiveTests []*register.Test
for _, test := range tests {
if test.NonExclusive {
if test.ExternalTest == "" {
plog.Fatalf("Tests compiled in kola must be exclusive: %v", test.Name)
}
nonExclusiveTests = append(nonExclusiveTests, test)
delete(tests, test.Name)
}
}
if len(nonExclusiveTests) > 0 {
buckets := createTestBuckets(nonExclusiveTests)
numBuckets := len(buckets)
for i := 0; i < numBuckets; {
// This test does not need to be registered since it is temporarily
// created to be used as a wrapper
nonExclusiveWrapper := makeNonExclusiveTest(i, buckets[i], flight)
if flight.ConfigTooLarge(*nonExclusiveWrapper.UserData) {
// Since the merged config size is too large, we will split the bucket into
// two buckets
numTests := len(buckets[i])
if numTests == 1 {
// This test bucket cannot be split further so the single test config
// must be too large
err = fmt.Errorf("test %v has a config that is too large", buckets[i][0].Name)
plog.Fatal(err)
}
newBucket1 := buckets[i][:numTests/2]
newBucket2 := buckets[i][numTests/2:]
buckets[i] = newBucket1
buckets = append(buckets, newBucket2)
// Since we're adding a bucket we'll bump the numBuckets and not
// bump `i` during this loop iteration because we want to run through
// the check again for the current bucket which should now have half
// the tests, but may still have a config that's too large.
numBuckets++
} else {
tests[nonExclusiveWrapper.Name] = &nonExclusiveWrapper
i++ // Move to the next bucket to evaluate
}
}
}
if multiply > 1 {
newTests := make(map[string]*register.Test)
for name, t := range tests {
delete(register.Tests, name)
for i := 0; i < multiply; i++ {
newName := fmt.Sprintf("%s%d", name, i)
newT := *t
newT.Name = newName
newTests[newName] = &newT
register.RegisterTest(&newT)
}
}
tests = newTests
}
opts := harness.Options{
OutputDir: outputDir,
Parallel: TestParallelism,
Verbose: true,
Reporters: reporters.Reporters{
reporters.NewJSONReporter("report.json", pltfrm, versionStr),
},
}
var htests harness.Tests
for _, test := range tests {
test := test // for the closure
run := func(h *harness.H) {
defer func() {
// Keep track of failed tests for a rerun
testResults.add(h)
}()
// We launch a seperate cluster for each kola test
// At the end of the test, its cluster is destroyed
runTest(h, test, pltfrm, flight)
}
htests.Add(test.Name, run, test.Timeout)
}
handleSuiteErrors := func(outputDir string, suiteErr error) error {
caughtTestError := suiteErr != nil
if !propagateTestErrors {
suiteErr = nil
}
if TAPFile != "" {
src := filepath.Join(outputDir, "test.tap")
err := system.CopyRegularFile(src, TAPFile)
if suiteErr == nil && err != nil {
return err
}
}
if caughtTestError {
fmt.Printf("FAIL, output in %v\n", outputDir)
} else {
fmt.Printf("PASS, output in %v\n", outputDir)
}
return suiteErr
}
suite := harness.NewSuite(opts, htests)
firstRunErr := suite.Run()
firstRunErr = handleSuiteErrors(outputDir, firstRunErr)
testsToRerun := getRerunnable(testResults.getResults())
if len(testsToRerun) > 0 && rerun {
newOutputDir := filepath.Join(outputDir, "rerun")
fmt.Printf("\n\n======== Re-running failed tests (flake detection) ========\n\n")
reRunErr := runProvidedTests(testsBank, testsToRerun, multiply, false, allowRerunSuccess, pltfrm, newOutputDir, propagateTestErrors)
if allowRerunSuccess {
return reRunErr
}
}
// If the intial run failed and the rerun passed, we still return an error
return firstRunErr
}
func GetRerunnableTestName(testName string) (string, bool) {
// The current nonexclusive test wrapper would rerun all non-exclusive tests.
// Instead, we only want to rerun the one(s) that failed, so we will not consider
// the wrapper as "rerunnable".
if nonexclusiveWrapperMatch.MatchString(testName) {
// Test is not rerunnable if the test name matches the wrapper pattern
return "", false
} else {
// Failed non-exclusive tests will have a prefix in the name
// since they are run as subtests of a wrapper test, we need to
// remove this prefix to match the true name of the test
substrings := nonexclusivePrefixMatch.Split(testName, 2)
name := substrings[len(substrings)-1]
if strings.Contains(name, "/") {
// In the case that a test is exclusive, we may
// be adding a subtest. We don't want to do this
return "", false
}
// The test is not a nonexclusive wrapper, and its not a
// subtest of an exclusive test
return name, true
}
}
func getRerunnable(tests []*harness.H) []string {
var testsToRerun []string
for _, h := range tests {
// The current nonexclusive test wrapper would have all non-exclusive tests.
// We would add all those tests for rerunning if none of the non-exclusive
// subtests start due to some initial failure.
if nonexclusiveWrapperMatch.MatchString(h.Name()) && !h.GetNonExclusiveTestStarted() {
if h.Failed() {
testsToRerun = append(testsToRerun, h.Subtests()...)
}
} else {
name, isRerunnable := GetRerunnableTestName(h.Name())
if h.Failed() && isRerunnable {
testsToRerun = append(testsToRerun, name)
}
}
}
return testsToRerun
}
func RunTests(patterns []string, multiply int, rerun bool, allowRerunSuccess bool, pltfrm, outputDir string, propagateTestErrors bool) error {
return runProvidedTests(register.Tests, patterns, multiply, rerun, allowRerunSuccess, pltfrm, outputDir, propagateTestErrors)
}
func RunUpgradeTests(patterns []string, rerun bool, pltfrm, outputDir string, propagateTestErrors bool) error {
return runProvidedTests(register.UpgradeTests, patterns, 0, rerun, false, pltfrm, outputDir, propagateTestErrors)
}
// externalTestMeta is parsed from kola.json in external tests
type externalTestMeta struct {
Architectures string `json:"architectures,omitempty"`
Platforms string `json:"platforms,omitempty"`
Distros string `json:"distros,omitempty"`
Tags string `json:"tags,omitempty"`
RequiredTag string `json:"requiredTag,omitempty"`
AdditionalDisks []string `json:"additionalDisks,omitempty"`
InjectContainer bool `json:"injectContainer,omitempty"`
MinMemory int `json:"minMemory,omitempty"`
MinDiskSize int `json:"minDisk,omitempty"`
AdditionalNics int `json:"additionalNics,omitempty"`
AppendKernelArgs string `json:"appendKernelArgs,omitempty"`
AppendFirstbootKernelArgs string `json:"appendFirstbootKernelArgs,omitempty"`
Exclusive bool `json:"exclusive"`
Isolation string `json:"isolation"`
TimeoutMin int `json:"timeoutMin"`
Conflicts []string `json:"conflicts"`
AllowConfigWarnings bool `json:"allowConfigWarnings"`
NoInstanceCreds bool `json:"noInstanceCreds"`
}
// metadataFromTestBinary extracts JSON-in-comment like:
// #!/bin/bash
// # kola: { "tags": ["ignition"], "architectures": ["x86_64"] }
// <test code here>
func metadataFromTestBinary(executable string) (*externalTestMeta, error) {
f, err := os.Open(executable)
if err != nil {
return nil, err
}
defer f.Close()
r := bufio.NewReader(io.LimitReader(f, 8192))
meta := &externalTestMeta{Exclusive: true}
for {
line, err := r.ReadString('\n')
if err == io.EOF {
break
} else if err != nil {
return nil, err
}
if !strings.HasPrefix(line, InstalledTestMetaPrefix) {
continue
}
buf := strings.TrimSpace(line[len(InstalledTestMetaPrefix):])
dec := json.NewDecoder(strings.NewReader(buf))
dec.DisallowUnknownFields()
meta = &externalTestMeta{Exclusive: true}
if err := dec.Decode(meta); err != nil {
return nil, errors.Wrapf(err, "parsing %s", line)
}
break
}
return meta, nil
}
// runExternalTest is an implementation of the "external" test framework.
// See README-kola-ext.md as well as the comments in kolet.go for reboot
// handling.
func runExternalTest(c cluster.TestCluster, mach platform.Machine, testNum int) error {
var previousRebootState string
var stdout []byte
for {
bootID, err := platform.GetMachineBootId(mach)
if err != nil {
return errors.Wrapf(err, "getting boot id")
}
plog.Debug("Starting kolet run-test-unit")
if previousRebootState != "" {
// quote around the value for systemd
contents := fmt.Sprintf("AUTOPKGTEST_REBOOT_MARK='%s'", previousRebootState)
plog.Debugf("Setting %s", contents)
if err := platform.InstallFile(strings.NewReader(contents), mach, "/run/kola-runext-env"); err != nil {
return err
}
}
var cmd string
if testNum != 0 {
// This is a non-exclusive test
unit := fmt.Sprintf("%s-%d.service", KoletExtTestUnit, testNum)
// Reboot requests are disabled for non-exclusive tests
cmd = fmt.Sprintf("sudo ./kolet run-test-unit --deny-reboots %s", shellquote.Join(unit))
} else {
unit := fmt.Sprintf("%s.service", KoletExtTestUnit)
cmd = fmt.Sprintf("sudo ./kolet run-test-unit %s", shellquote.Join(unit))
}
stdout, err = c.SSH(mach, cmd)
if err != nil {
return errors.Wrapf(err, "kolet run-test-unit failed")
}
koletRes := KoletResult{}
if len(stdout) > 0 {
err = json.Unmarshal(stdout, &koletRes)
if err != nil {
return errors.Wrapf(err, "parsing kolet json %s", string(stdout))
}
}
// If no reboot is requested, we're done
if koletRes.Reboot == "" {
return nil
}
// A reboot is requested
previousRebootState = koletRes.Reboot
plog.Debugf("Reboot request with mark='%s'", previousRebootState)
// This signals to the subject that we have saved the mark, and the subject
// can proceed with rebooting. We stop sshd to ensure that the wait below
// doesn't log in while ssh is shutting down.
_, _, err = mach.SSH(fmt.Sprintf("sudo /bin/sh -c 'systemctl stop sshd && echo > %s'", KoletRebootAckFifo))
if err != nil {
return errors.Wrapf(err, "failed to acknowledge reboot")
}
plog.Debug("Waiting for reboot")
err = mach.WaitForReboot(120*time.Second, bootID)
if err != nil {
return errors.Wrapf(err, "Waiting for reboot")
}
plog.Debug("Reboot complete")
}
}
func registerExternalTest(testname, executable, dependencydir string, userdata *conf.UserData, baseMeta externalTestMeta) error {
targetMeta, err := metadataFromTestBinary(executable)
if err != nil {
return errors.Wrapf(err, "Parsing metadata from %s", executable)
}
if targetMeta == nil {
metaCopy := baseMeta
targetMeta = &metaCopy
}
switch targetMeta.Isolation {
case "readonly":
case "dynamicuser":
// These tests cannot provide their own Ignition
if userdata != nil {
return fmt.Errorf("test %v specifies isolation=%v but includes an Ignition config", testname, targetMeta.Isolation)
}
targetMeta.Exclusive = false
case "":
break
default:
return fmt.Errorf("test %v specifies unknown isolation=%v", testname, targetMeta.Isolation)
}
if userdata == nil {
userdata = conf.EmptyIgnition()
}
warningsAction := conf.FailWarnings
if targetMeta.AllowConfigWarnings {
warningsAction = conf.IgnoreWarnings
}
config, err := userdata.Render(warningsAction)
if err != nil {
return errors.Wrapf(err, "Parsing config.ign")
}
// Services that are exclusive will be marked by a 0 at the end of the name
num := 0
unitName := fmt.Sprintf("%s.service", KoletExtTestUnit)
destDataDir := kolaExtBinDataDir
if !targetMeta.Exclusive {
num = extTestNum
extTestNum += 1
unitName = fmt.Sprintf("%s-%d.service", KoletExtTestUnit, num)
destDataDir = fmt.Sprintf("%s-%d", kolaExtBinDataDir, num)
}
destDirs := make(register.DepDirMap)
if dependencydir != "" {
destDirs.Add(testname, dependencydir, destDataDir)
}
base := filepath.Base(executable)
remotepath := fmt.Sprintf("/usr/local/bin/kola-runext-%s", base)
// Note this isn't Type=oneshot because it's cleaner to support self-SIGTERM that way
unit := fmt.Sprintf(`[Unit]
[Service]
RemainAfterExit=yes
EnvironmentFile=-/run/kola-runext-env
Environment=KOLA_UNIT=%s
Environment=KOLA_TEST=%s
Environment=KOLA_TEST_EXE=%s
Environment=%s=%s
ExecStart=%s