repo
stringlengths
6
47
file_url
stringlengths
77
269
file_path
stringlengths
5
186
content
stringlengths
0
32.8k
language
stringclasses
1 value
license
stringclasses
7 values
commit_sha
stringlengths
40
40
retrieved_at
stringdate
2026-01-07 08:35:43
2026-01-07 08:55:24
truncated
bool
2 classes
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/formatter/formatter.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/formatter/formatter.go
package formatter import ( "fmt" "os" "regexp" "strconv" "strings" ) // ColorableStdOut and ColorableStdErr enable color output support on Windows var ColorableStdOut = newColorable(os.Stdout) var ColorableStdErr = newColorable(os.Stderr) const COLS = 80 type ColorMode uint8 const ( ColorModeNone ColorMode = iota ColorModeTerminal ColorModePassthrough ) var SingletonFormatter = New(ColorModeTerminal) func F(format string, args ...any) string { return SingletonFormatter.F(format, args...) } func Fi(indentation uint, format string, args ...any) string { return SingletonFormatter.Fi(indentation, format, args...) } func Fiw(indentation uint, maxWidth uint, format string, args ...any) string { return SingletonFormatter.Fiw(indentation, maxWidth, format, args...) } type Formatter struct { ColorMode ColorMode colors map[string]string styleRe *regexp.Regexp preserveColorStylingTags bool } func NewWithNoColorBool(noColor bool) Formatter { if noColor { return New(ColorModeNone) } return New(ColorModeTerminal) } func New(colorMode ColorMode) Formatter { colorAliases := map[string]int{ "black": 0, "red": 1, "green": 2, "yellow": 3, "blue": 4, "magenta": 5, "cyan": 6, "white": 7, } for colorAlias, n := range colorAliases { colorAliases[fmt.Sprintf("bright-%s", colorAlias)] = n + 8 } getColor := func(color, defaultEscapeCode string) string { color = strings.ToUpper(strings.ReplaceAll(color, "-", "_")) envVar := fmt.Sprintf("GINKGO_CLI_COLOR_%s", color) envVarColor := os.Getenv(envVar) if envVarColor == "" { return defaultEscapeCode } if colorCode, ok := colorAliases[envVarColor]; ok { return fmt.Sprintf("\x1b[38;5;%dm", colorCode) } colorCode, err := strconv.Atoi(envVarColor) if err != nil || colorCode < 0 || colorCode > 255 { return defaultEscapeCode } return fmt.Sprintf("\x1b[38;5;%dm", colorCode) } if _, noColor := os.LookupEnv("GINKGO_NO_COLOR"); noColor { colorMode = ColorModeNone } f := Formatter{ ColorMode: colorMode, colors: map[string]string{ "/": "\x1b[0m", "bold": "\x1b[1m", "underline": "\x1b[4m", "red": getColor("red", "\x1b[38;5;9m"), "orange": getColor("orange", "\x1b[38;5;214m"), "coral": getColor("coral", "\x1b[38;5;204m"), "magenta": getColor("magenta", "\x1b[38;5;13m"), "green": getColor("green", "\x1b[38;5;10m"), "dark-green": getColor("dark-green", "\x1b[38;5;28m"), "yellow": getColor("yellow", "\x1b[38;5;11m"), "light-yellow": getColor("light-yellow", "\x1b[38;5;228m"), "cyan": getColor("cyan", "\x1b[38;5;14m"), "gray": getColor("gray", "\x1b[38;5;243m"), "light-gray": getColor("light-gray", "\x1b[38;5;246m"), "blue": getColor("blue", "\x1b[38;5;12m"), }, } colors := []string{} for color := range f.colors { colors = append(colors, color) } f.styleRe = regexp.MustCompile("{{(" + strings.Join(colors, "|") + ")}}") return f } func (f Formatter) F(format string, args ...any) string { return f.Fi(0, format, args...) } func (f Formatter) Fi(indentation uint, format string, args ...any) string { return f.Fiw(indentation, 0, format, args...) } func (f Formatter) Fiw(indentation uint, maxWidth uint, format string, args ...any) string { out := f.style(format) if len(args) > 0 { out = fmt.Sprintf(out, args...) } if indentation == 0 && maxWidth == 0 { return out } lines := strings.Split(out, "\n") if maxWidth != 0 { outLines := []string{} maxWidth = maxWidth - indentation*2 for _, line := range lines { if f.length(line) <= maxWidth { outLines = append(outLines, line) continue } words := strings.Split(line, " ") outWords := []string{words[0]} length := uint(f.length(words[0])) for _, word := range words[1:] { wordLength := f.length(word) if length+wordLength+1 <= maxWidth { length += wordLength + 1 outWords = append(outWords, word) continue } outLines = append(outLines, strings.Join(outWords, " ")) outWords = []string{word} length = wordLength } if len(outWords) > 0 { outLines = append(outLines, strings.Join(outWords, " ")) } } lines = outLines } if indentation == 0 { return strings.Join(lines, "\n") } padding := strings.Repeat(" ", int(indentation)) for i := range lines { if lines[i] != "" { lines[i] = padding + lines[i] } } return strings.Join(lines, "\n") } func (f Formatter) length(styled string) uint { n := uint(0) inStyle := false for _, b := range styled { if inStyle { if b == 'm' { inStyle = false } continue } if b == '\x1b' { inStyle = true continue } n += 1 } return n } func (f Formatter) CycleJoin(elements []string, joiner string, cycle []string) string { if len(elements) == 0 { return "" } n := len(cycle) out := "" for i, text := range elements { out += cycle[i%n] + text if i < len(elements)-1 { out += joiner } } out += "{{/}}" return f.style(out) } func (f Formatter) style(s string) string { switch f.ColorMode { case ColorModeNone: return f.styleRe.ReplaceAllString(s, "") case ColorModePassthrough: return s case ColorModeTerminal: return f.styleRe.ReplaceAllStringFunc(s, func(match string) string { if out, ok := f.colors[strings.Trim(match, "{}")]; ok { return out } return match }) } return "" }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/formatter/colorable_others.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/formatter/colorable_others.go
// +build !windows /* These packages are used for colorize on Windows and contributed by mattn.jp@gmail.com * go-colorable: <https://github.com/mattn/go-colorable> * go-isatty: <https://github.com/mattn/go-isatty> The MIT License (MIT) Copyright (c) 2016 Yasuhiro Matsumoto Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. */ package formatter import ( "io" "os" ) func newColorable(file *os.File) io.Writer { return file }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/main.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/main.go
package main import ( "fmt" "os" _ "go.uber.org/automaxprocs" "github.com/onsi/ginkgo/v2/ginkgo/build" "github.com/onsi/ginkgo/v2/ginkgo/command" "github.com/onsi/ginkgo/v2/ginkgo/generators" "github.com/onsi/ginkgo/v2/ginkgo/labels" "github.com/onsi/ginkgo/v2/ginkgo/outline" "github.com/onsi/ginkgo/v2/ginkgo/run" "github.com/onsi/ginkgo/v2/ginkgo/unfocus" "github.com/onsi/ginkgo/v2/ginkgo/watch" "github.com/onsi/ginkgo/v2/types" ) var program command.Program func GenerateCommands() []command.Command { return []command.Command{ watch.BuildWatchCommand(), build.BuildBuildCommand(), generators.BuildBootstrapCommand(), generators.BuildGenerateCommand(), labels.BuildLabelsCommand(), outline.BuildOutlineCommand(), unfocus.BuildUnfocusCommand(), BuildVersionCommand(), } } func main() { program = command.Program{ Name: "ginkgo", Heading: fmt.Sprintf("Ginkgo Version %s", types.VERSION), Commands: GenerateCommands(), DefaultCommand: run.BuildRunCommand(), DeprecatedCommands: []command.DeprecatedCommand{ {Name: "convert", Deprecation: types.Deprecations.Convert()}, {Name: "blur", Deprecation: types.Deprecations.Blur()}, {Name: "nodot", Deprecation: types.Deprecations.Nodot()}, }, } program.RunAndExit(os.Args) } func BuildVersionCommand() command.Command { return command.Command{ Name: "version", Usage: "ginkgo version", ShortDoc: "Print Ginkgo's version", Command: func(_ []string, _ []string) { fmt.Printf("Ginkgo Version %s\n", types.VERSION) }, } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/labels/labels_command.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/labels/labels_command.go
package labels import ( "fmt" "go/ast" "go/parser" "go/token" "sort" "strconv" "strings" "github.com/onsi/ginkgo/v2/ginkgo/command" "github.com/onsi/ginkgo/v2/ginkgo/internal" "github.com/onsi/ginkgo/v2/types" "golang.org/x/tools/go/ast/inspector" ) func BuildLabelsCommand() command.Command { var cliConfig = types.NewDefaultCLIConfig() flags, err := types.BuildLabelsCommandFlagSet(&cliConfig) if err != nil { panic(err) } return command.Command{ Name: "labels", Usage: "ginkgo labels <FLAGS> <PACKAGES>", Flags: flags, ShortDoc: "List labels detected in the passed-in packages (or the package in the current directory if left blank).", DocLink: "spec-labels", Command: func(args []string, _ []string) { ListLabels(args, cliConfig) }, } } func ListLabels(args []string, cliConfig types.CLIConfig) { suites := internal.FindSuites(args, cliConfig, false).WithoutState(internal.TestSuiteStateSkippedByFilter) if len(suites) == 0 { command.AbortWith("Found no test suites") } for _, suite := range suites { labels := fetchLabelsFromPackage(suite.Path) if len(labels) == 0 { fmt.Printf("%s: No labels found\n", suite.PackageName) } else { fmt.Printf("%s: [%s]\n", suite.PackageName, strings.Join(labels, ", ")) } } } func fetchLabelsFromPackage(packagePath string) []string { fset := token.NewFileSet() parsedPackages, err := parser.ParseDir(fset, packagePath, nil, 0) command.AbortIfError("Failed to parse package source:", err) files := []*ast.File{} hasTestPackage := false for key, pkg := range parsedPackages { if strings.HasSuffix(key, "_test") { hasTestPackage = true for _, file := range pkg.Files { files = append(files, file) } } } if !hasTestPackage { for _, pkg := range parsedPackages { for _, file := range pkg.Files { files = append(files, file) } } } seen := map[string]bool{} labels := []string{} ispr := inspector.New(files) ispr.Preorder([]ast.Node{&ast.CallExpr{}}, func(n ast.Node) { potentialLabels := fetchLabels(n.(*ast.CallExpr)) for _, label := range potentialLabels { if !seen[label] { seen[label] = true labels = append(labels, strconv.Quote(label)) } } }) sort.Strings(labels) return labels } func fetchLabels(callExpr *ast.CallExpr) []string { out := []string{} switch expr := callExpr.Fun.(type) { case *ast.Ident: if expr.Name != "Label" { return out } case *ast.SelectorExpr: if expr.Sel.Name != "Label" { return out } default: return out } for _, arg := range callExpr.Args { switch expr := arg.(type) { case *ast.BasicLit: if expr.Kind == token.STRING { unquoted, err := strconv.Unquote(expr.Value) if err != nil { unquoted = expr.Value } validated, err := types.ValidateAndCleanupLabel(unquoted, types.CodeLocation{}) if err == nil { out = append(out, validated) } } } } return out }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/command/abort.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/command/abort.go
package command import "fmt" type AbortDetails struct { ExitCode int Error error EmitUsage bool } func Abort(details AbortDetails) { panic(details) } func AbortGracefullyWith(format string, args ...any) { Abort(AbortDetails{ ExitCode: 0, Error: fmt.Errorf(format, args...), EmitUsage: false, }) } func AbortWith(format string, args ...any) { Abort(AbortDetails{ ExitCode: 1, Error: fmt.Errorf(format, args...), EmitUsage: false, }) } func AbortWithUsage(format string, args ...any) { Abort(AbortDetails{ ExitCode: 1, Error: fmt.Errorf(format, args...), EmitUsage: true, }) } func AbortIfError(preamble string, err error) { if err != nil { Abort(AbortDetails{ ExitCode: 1, Error: fmt.Errorf("%s\n%s", preamble, err.Error()), EmitUsage: false, }) } } func AbortIfErrors(preamble string, errors []error) { if len(errors) > 0 { out := "" for _, err := range errors { out += err.Error() } Abort(AbortDetails{ ExitCode: 1, Error: fmt.Errorf("%s\n%s", preamble, out), EmitUsage: false, }) } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/command/program.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/command/program.go
package command import ( "fmt" "io" "os" "strings" "github.com/onsi/ginkgo/v2/formatter" "github.com/onsi/ginkgo/v2/types" ) type Program struct { Name string Heading string Commands []Command DefaultCommand Command DeprecatedCommands []DeprecatedCommand //For testing - leave as nil in production OutWriter io.Writer ErrWriter io.Writer Exiter func(code int) } type DeprecatedCommand struct { Name string Deprecation types.Deprecation } func (p Program) RunAndExit(osArgs []string) { var command Command deprecationTracker := types.NewDeprecationTracker() if p.Exiter == nil { p.Exiter = os.Exit } if p.OutWriter == nil { p.OutWriter = formatter.ColorableStdOut } if p.ErrWriter == nil { p.ErrWriter = formatter.ColorableStdErr } defer func() { exitCode := 0 if r := recover(); r != nil { details, ok := r.(AbortDetails) if !ok { panic(r) } if details.Error != nil { fmt.Fprintln(p.ErrWriter, formatter.F("{{red}}{{bold}}%s %s{{/}} {{red}}failed{{/}}", p.Name, command.Name)) fmt.Fprintln(p.ErrWriter, formatter.Fi(1, details.Error.Error())) } if details.EmitUsage { if details.Error != nil { fmt.Fprintln(p.ErrWriter, "") } command.EmitUsage(p.ErrWriter) } exitCode = details.ExitCode } command.Flags.ValidateDeprecations(deprecationTracker) if deprecationTracker.DidTrackDeprecations() { fmt.Fprintln(p.ErrWriter, deprecationTracker.DeprecationsReport()) } p.Exiter(exitCode) }() args, additionalArgs := []string{}, []string{} foundDelimiter := false for _, arg := range osArgs[1:] { if !foundDelimiter { if arg == "--" { foundDelimiter = true continue } } if foundDelimiter { additionalArgs = append(additionalArgs, arg) } else { args = append(args, arg) } } command = p.DefaultCommand if len(args) > 0 { p.handleHelpRequestsAndExit(p.OutWriter, args) if command.Name == args[0] { args = args[1:] } else { for _, deprecatedCommand := range p.DeprecatedCommands { if deprecatedCommand.Name == args[0] { deprecationTracker.TrackDeprecation(deprecatedCommand.Deprecation) return } } for _, tryCommand := range p.Commands { if tryCommand.Name == args[0] { command, args = tryCommand, args[1:] break } } } } command.Run(args, additionalArgs) } func (p Program) handleHelpRequestsAndExit(writer io.Writer, args []string) { if len(args) == 0 { return } matchesHelpFlag := func(args ...string) bool { for _, arg := range args { if arg == "--help" || arg == "-help" || arg == "-h" || arg == "--h" { return true } } return false } if len(args) == 1 { if args[0] == "help" || matchesHelpFlag(args[0]) { p.EmitUsage(writer) Abort(AbortDetails{}) } } else { var name string if args[0] == "help" || matchesHelpFlag(args[0]) { name = args[1] } else if matchesHelpFlag(args[1:]...) { name = args[0] } else { return } if p.DefaultCommand.Name == name || p.Name == name { p.DefaultCommand.EmitUsage(writer) Abort(AbortDetails{}) } for _, command := range p.Commands { if command.Name == name { command.EmitUsage(writer) Abort(AbortDetails{}) } } fmt.Fprintln(writer, formatter.F("{{red}}Unknown Command: {{bold}}%s{{/}}", name)) fmt.Fprintln(writer, "") p.EmitUsage(writer) Abort(AbortDetails{ExitCode: 1}) } } func (p Program) EmitUsage(writer io.Writer) { fmt.Fprintln(writer, formatter.F(p.Heading)) fmt.Fprintln(writer, formatter.F("{{gray}}%s{{/}}", strings.Repeat("-", len(p.Heading)))) fmt.Fprintln(writer, formatter.F("For usage information for a command, run {{bold}}%s help COMMAND{{/}}.", p.Name)) fmt.Fprintln(writer, formatter.F("For usage information for the default command, run {{bold}}%s help %s{{/}} or {{bold}}%s help %s{{/}}.", p.Name, p.Name, p.Name, p.DefaultCommand.Name)) fmt.Fprintln(writer, "") fmt.Fprintln(writer, formatter.F("The following commands are available:")) fmt.Fprintln(writer, formatter.Fi(1, "{{bold}}%s{{/}} or %s {{bold}}%s{{/}} - {{gray}}%s{{/}}", p.Name, p.Name, p.DefaultCommand.Name, p.DefaultCommand.Usage)) if p.DefaultCommand.ShortDoc != "" { fmt.Fprintln(writer, formatter.Fi(2, p.DefaultCommand.ShortDoc)) } for _, command := range p.Commands { fmt.Fprintln(writer, formatter.Fi(1, "{{bold}}%s{{/}} - {{gray}}%s{{/}}", command.Name, command.Usage)) if command.ShortDoc != "" { fmt.Fprintln(writer, formatter.Fi(2, command.ShortDoc)) } } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/command/command.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/command/command.go
package command import ( "fmt" "io" "strings" "github.com/onsi/ginkgo/v2/formatter" "github.com/onsi/ginkgo/v2/types" ) type Command struct { Name string Flags types.GinkgoFlagSet Usage string ShortDoc string Documentation string DocLink string Command func(args []string, additionalArgs []string) } func (c Command) Run(args []string, additionalArgs []string) { args, err := c.Flags.Parse(args) if err != nil { AbortWithUsage(err.Error()) } for _, arg := range args { if len(arg) > 1 && strings.HasPrefix(arg, "-") { AbortWith(types.GinkgoErrors.FlagAfterPositionalParameter().Error()) } } c.Command(args, additionalArgs) } func (c Command) EmitUsage(writer io.Writer) { fmt.Fprintln(writer, formatter.F("{{bold}}"+c.Usage+"{{/}}")) fmt.Fprintln(writer, formatter.F("{{gray}}%s{{/}}", strings.Repeat("-", len(c.Usage)))) if c.ShortDoc != "" { fmt.Fprintln(writer, formatter.Fiw(0, formatter.COLS, c.ShortDoc)) fmt.Fprintln(writer, "") } if c.Documentation != "" { fmt.Fprintln(writer, formatter.Fiw(0, formatter.COLS, c.Documentation)) fmt.Fprintln(writer, "") } if c.DocLink != "" { fmt.Fprintln(writer, formatter.Fi(0, "{{bold}}Learn more at:{{/}} {{cyan}}{{underline}}http://onsi.github.io/ginkgo/#%s{{/}}", c.DocLink)) fmt.Fprintln(writer, "") } flagUsage := c.Flags.Usage() if flagUsage != "" { fmt.Fprintf(writer, formatter.F(flagUsage)) } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/unfocus/unfocus_command.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/unfocus/unfocus_command.go
package unfocus import ( "bytes" "fmt" "go/ast" "go/parser" "go/token" "io" "os" "path/filepath" "strings" "sync" "github.com/onsi/ginkgo/v2/ginkgo/command" ) func BuildUnfocusCommand() command.Command { return command.Command{ Name: "unfocus", Usage: "ginkgo unfocus", ShortDoc: "Recursively unfocus any focused tests under the current directory", DocLink: "filtering-specs", Command: func(_ []string, _ []string) { unfocusSpecs() }, } } func unfocusSpecs() { fmt.Println("Scanning for focus...") goFiles := make(chan string) go func() { unfocusDir(goFiles, ".") close(goFiles) }() const workers = 10 wg := sync.WaitGroup{} wg.Add(workers) for i := 0; i < workers; i++ { go func() { for path := range goFiles { unfocusFile(path) } wg.Done() }() } wg.Wait() } func unfocusDir(goFiles chan string, path string) { files, err := os.ReadDir(path) if err != nil { fmt.Println(err.Error()) return } for _, f := range files { switch { case f.IsDir() && shouldProcessDir(f.Name()): unfocusDir(goFiles, filepath.Join(path, f.Name())) case !f.IsDir() && shouldProcessFile(f.Name()): goFiles <- filepath.Join(path, f.Name()) } } } func shouldProcessDir(basename string) bool { return basename != "vendor" && !strings.HasPrefix(basename, ".") } func shouldProcessFile(basename string) bool { return strings.HasSuffix(basename, ".go") } func unfocusFile(path string) { data, err := os.ReadFile(path) if err != nil { fmt.Printf("error reading file '%s': %s\n", path, err.Error()) return } ast, err := parser.ParseFile(token.NewFileSet(), path, bytes.NewReader(data), parser.ParseComments) if err != nil { fmt.Printf("error parsing file '%s': %s\n", path, err.Error()) return } eliminations := scanForFocus(ast) if len(eliminations) == 0 { return } fmt.Printf("...updating %s\n", path) backup, err := writeBackup(path, data) if err != nil { fmt.Printf("error creating backup file: %s\n", err.Error()) return } if err := updateFile(path, data, eliminations); err != nil { fmt.Printf("error writing file '%s': %s\n", path, err.Error()) return } os.Remove(backup) } func writeBackup(path string, data []byte) (string, error) { t, err := os.CreateTemp(filepath.Dir(path), filepath.Base(path)) if err != nil { return "", fmt.Errorf("error creating temporary file: %w", err) } defer t.Close() if _, err := io.Copy(t, bytes.NewReader(data)); err != nil { return "", fmt.Errorf("error writing to temporary file: %w", err) } return t.Name(), nil } func updateFile(path string, data []byte, eliminations [][]int64) error { to, err := os.Create(path) if err != nil { return fmt.Errorf("error opening file for writing '%s': %w\n", path, err) } defer to.Close() from := bytes.NewReader(data) var cursor int64 for _, eliminationRange := range eliminations { positionToEliminate, lengthToEliminate := eliminationRange[0]-1, eliminationRange[1] if _, err := io.CopyN(to, from, positionToEliminate-cursor); err != nil { return fmt.Errorf("error copying data: %w", err) } cursor = positionToEliminate + lengthToEliminate if _, err := from.Seek(lengthToEliminate, io.SeekCurrent); err != nil { return fmt.Errorf("error seeking to position in buffer: %w", err) } } if _, err := io.Copy(to, from); err != nil { return fmt.Errorf("error copying end data: %w", err) } return nil } func scanForFocus(file *ast.File) (eliminations [][]int64) { ast.Inspect(file, func(n ast.Node) bool { if c, ok := n.(*ast.CallExpr); ok { if i, ok := c.Fun.(*ast.Ident); ok { if isFocus(i.Name) { eliminations = append(eliminations, []int64{int64(i.Pos()), 1}) } } } if i, ok := n.(*ast.Ident); ok { if i.Name == "Focus" { eliminations = append(eliminations, []int64{int64(i.Pos()), 6}) } } return true }) return eliminations } func isFocus(name string) bool { switch name { case "FDescribe", "FContext", "FIt", "FDescribeTable", "FEntry", "FSpecify", "FWhen": return true default: return false } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/generators/boostrap_templates.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/generators/boostrap_templates.go
package generators var bootstrapText = `package {{.Package}} import ( "testing" {{.GinkgoImport}} {{.GomegaImport}} ) func Test{{.FormattedName}}(t *testing.T) { {{.GomegaPackage}}RegisterFailHandler({{.GinkgoPackage}}Fail) {{.GinkgoPackage}}RunSpecs(t, "{{.FormattedName}} Suite") } ` var agoutiBootstrapText = `package {{.Package}} import ( "testing" {{.GinkgoImport}} {{.GomegaImport}} "github.com/sclevine/agouti" ) func Test{{.FormattedName}}(t *testing.T) { {{.GomegaPackage}}RegisterFailHandler({{.GinkgoPackage}}Fail) {{.GinkgoPackage}}RunSpecs(t, "{{.FormattedName}} Suite") } var agoutiDriver *agouti.WebDriver var _ = {{.GinkgoPackage}}BeforeSuite(func() { // Choose a WebDriver: agoutiDriver = agouti.PhantomJS() // agoutiDriver = agouti.Selenium() // agoutiDriver = agouti.ChromeDriver() {{.GomegaPackage}}Expect(agoutiDriver.Start()).To({{.GomegaPackage}}Succeed()) }) var _ = {{.GinkgoPackage}}AfterSuite(func() { {{.GomegaPackage}}Expect(agoutiDriver.Stop()).To({{.GomegaPackage}}Succeed()) }) `
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/generators/bootstrap_command.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/generators/bootstrap_command.go
package generators import ( "bytes" "encoding/json" "fmt" "os" "text/template" sprig "github.com/go-task/slim-sprig/v3" "github.com/onsi/ginkgo/v2/ginkgo/command" "github.com/onsi/ginkgo/v2/ginkgo/internal" "github.com/onsi/ginkgo/v2/types" ) func BuildBootstrapCommand() command.Command { conf := GeneratorsConfig{} flags, err := types.NewGinkgoFlagSet( types.GinkgoFlags{ {Name: "agouti", KeyPath: "Agouti", Usage: "If set, bootstrap will generate a bootstrap file for writing Agouti tests"}, {Name: "nodot", KeyPath: "NoDot", Usage: "If set, bootstrap will generate a bootstrap test file that does not dot-import ginkgo and gomega"}, {Name: "internal", KeyPath: "Internal", Usage: "If set, bootstrap will generate a bootstrap test file that uses the regular package name (i.e. `package X`, not `package X_test`)"}, {Name: "template", KeyPath: "CustomTemplate", UsageArgument: "template-file", Usage: "If specified, generate will use the contents of the file passed as the bootstrap template"}, {Name: "template-data", KeyPath: "CustomTemplateData", UsageArgument: "template-data-file", Usage: "If specified, generate will use the contents of the file passed as data to be rendered in the bootstrap template"}, }, &conf, types.GinkgoFlagSections{}, ) if err != nil { panic(err) } return command.Command{ Name: "bootstrap", Usage: "ginkgo bootstrap", ShortDoc: "Bootstrap a test suite for the current package", Documentation: `Tests written in Ginkgo and Gomega require a small amount of boilerplate to hook into Go's testing infrastructure. {{bold}}ginkgo bootstrap{{/}} generates this boilerplate for you in a file named X_suite_test.go where X is the name of the package under test.`, DocLink: "generators", Flags: flags, Command: func(_ []string, _ []string) { generateBootstrap(conf) }, } } type bootstrapData struct { Package string FormattedName string GinkgoImport string GomegaImport string GinkgoPackage string GomegaPackage string CustomData map[string]any } func generateBootstrap(conf GeneratorsConfig) { packageName, bootstrapFilePrefix, formattedName := getPackageAndFormattedName() data := bootstrapData{ Package: determinePackageName(packageName, conf.Internal), FormattedName: formattedName, GinkgoImport: `. "github.com/onsi/ginkgo/v2"`, GomegaImport: `. "github.com/onsi/gomega"`, GinkgoPackage: "", GomegaPackage: "", } if conf.NoDot { data.GinkgoImport = `"github.com/onsi/ginkgo/v2"` data.GomegaImport = `"github.com/onsi/gomega"` data.GinkgoPackage = `ginkgo.` data.GomegaPackage = `gomega.` } targetFile := fmt.Sprintf("%s_suite_test.go", bootstrapFilePrefix) if internal.FileExists(targetFile) { command.AbortWith("{{bold}}%s{{/}} already exists", targetFile) } else { fmt.Printf("Generating ginkgo test suite bootstrap for %s in:\n\t%s\n", packageName, targetFile) } f, err := os.Create(targetFile) command.AbortIfError("Failed to create file:", err) defer f.Close() var templateText string if conf.CustomTemplate != "" { tpl, err := os.ReadFile(conf.CustomTemplate) command.AbortIfError("Failed to read custom bootstrap file:", err) templateText = string(tpl) if conf.CustomTemplateData != "" { var tplCustomDataMap map[string]any tplCustomData, err := os.ReadFile(conf.CustomTemplateData) command.AbortIfError("Failed to read custom boostrap data file:", err) if !json.Valid([]byte(tplCustomData)) { command.AbortWith("Invalid JSON object in custom data file.") } //create map from the custom template data json.Unmarshal(tplCustomData, &tplCustomDataMap) data.CustomData = tplCustomDataMap } } else if conf.Agouti { templateText = agoutiBootstrapText } else { templateText = bootstrapText } //Setting the option to explicitly fail if template is rendered trying to access missing key bootstrapTemplate, err := template.New("bootstrap").Funcs(sprig.TxtFuncMap()).Option("missingkey=error").Parse(templateText) command.AbortIfError("Failed to parse bootstrap template:", err) buf := &bytes.Buffer{} //Being explicit about failing sooner during template rendering //when accessing custom data rather than during the go fmt command err = bootstrapTemplate.Execute(buf, data) command.AbortIfError("Failed to render bootstrap template:", err) buf.WriteTo(f) internal.GoFmt(targetFile) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/generators/generators_common.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/generators/generators_common.go
package generators import ( "fmt" "go/build" "os" "path/filepath" "strconv" "strings" "github.com/onsi/ginkgo/v2/ginkgo/command" ) type GeneratorsConfig struct { Agouti, NoDot, Internal bool CustomTemplate string CustomTemplateData string Tags string } func getPackageAndFormattedName() (string, string, string) { path, err := os.Getwd() command.AbortIfError("Could not get current working directory:", err) dirName := strings.ReplaceAll(filepath.Base(path), "-", "_") dirName = strings.ReplaceAll(dirName, " ", "_") pkg, err := build.ImportDir(path, 0) packageName := pkg.Name if err != nil { packageName = ensureLegalPackageName(dirName) } formattedName := prettifyName(filepath.Base(path)) return packageName, dirName, formattedName } func ensureLegalPackageName(name string) string { if name == "_" { return "underscore" } if len(name) == 0 { return "empty" } n, isDigitErr := strconv.Atoi(string(name[0])) if isDigitErr == nil { return []string{"zero", "one", "two", "three", "four", "five", "six", "seven", "eight", "nine"}[n] + name[1:] } return name } func prettifyName(name string) string { name = strings.ReplaceAll(name, "-", " ") name = strings.ReplaceAll(name, "_", " ") name = strings.Title(name) name = strings.ReplaceAll(name, " ", "") return name } func determinePackageName(name string, internal bool) string { if internal { return name } return name + "_test" } // getBuildTags returns the resultant string to be added. // If the input string is not empty, then returns a `//go:build {}` string, // otherwise returns an empty string. func getBuildTags(tags string) string { if tags != "" { return fmt.Sprintf("//go:build %s\n", tags) } return "" }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/generators/generate_command.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/generators/generate_command.go
package generators import ( "bytes" "encoding/json" "fmt" "os" "path/filepath" "strconv" "strings" "text/template" sprig "github.com/go-task/slim-sprig/v3" "github.com/onsi/ginkgo/v2/ginkgo/command" "github.com/onsi/ginkgo/v2/ginkgo/internal" "github.com/onsi/ginkgo/v2/types" ) func BuildGenerateCommand() command.Command { conf := GeneratorsConfig{} flags, err := types.NewGinkgoFlagSet( types.GinkgoFlags{ {Name: "agouti", KeyPath: "Agouti", Usage: "If set, generate will create a test file for writing Agouti tests"}, {Name: "nodot", KeyPath: "NoDot", Usage: "If set, generate will create a test file that does not dot-import ginkgo and gomega"}, {Name: "internal", KeyPath: "Internal", Usage: "If set, generate will create a test file that uses the regular package name (i.e. `package X`, not `package X_test`)"}, {Name: "template", KeyPath: "CustomTemplate", UsageArgument: "template-file", Usage: "If specified, generate will use the contents of the file passed as the test file template"}, {Name: "template-data", KeyPath: "CustomTemplateData", UsageArgument: "template-data-file", Usage: "If specified, generate will use the contents of the file passed as data to be rendered in the test file template"}, {Name: "tags", KeyPath: "Tags", UsageArgument: "build-tags", Usage: "If specified, generate will create a test file that uses the given build tags (i.e. `--tags e2e,!unit` will add `//go:build e2e,!unit`)"}, }, &conf, types.GinkgoFlagSections{}, ) if err != nil { panic(err) } return command.Command{ Name: "generate", Usage: "ginkgo generate <filename(s)>", ShortDoc: "Generate a test file named <filename>_test.go", Documentation: `If the optional <filename> argument is omitted, a file named after the package in the current directory will be created. You can pass multiple <filename(s)> to generate multiple files simultaneously. The resulting files are named <filename>_test.go. You can also pass a <filename> of the form "file.go" and generate will emit "file_test.go".`, DocLink: "generators", Flags: flags, Command: func(args []string, _ []string) { generateTestFiles(conf, args) }, } } type specData struct { BuildTags string Package string Subject string PackageImportPath string ImportPackage bool GinkgoImport string GomegaImport string GinkgoPackage string GomegaPackage string CustomData map[string]any } func generateTestFiles(conf GeneratorsConfig, args []string) { subjects := args if len(subjects) == 0 { subjects = []string{""} } for _, subject := range subjects { generateTestFileForSubject(subject, conf) } } func generateTestFileForSubject(subject string, conf GeneratorsConfig) { packageName, specFilePrefix, formattedName := getPackageAndFormattedName() if subject != "" { specFilePrefix = formatSubject(subject) formattedName = prettifyName(specFilePrefix) } if conf.Internal { specFilePrefix = specFilePrefix + "_internal" } data := specData{ BuildTags: getBuildTags(conf.Tags), Package: determinePackageName(packageName, conf.Internal), Subject: formattedName, PackageImportPath: getPackageImportPath(), ImportPackage: !conf.Internal, GinkgoImport: `. "github.com/onsi/ginkgo/v2"`, GomegaImport: `. "github.com/onsi/gomega"`, GinkgoPackage: "", GomegaPackage: "", } if conf.NoDot { data.GinkgoImport = `"github.com/onsi/ginkgo/v2"` data.GomegaImport = `"github.com/onsi/gomega"` data.GinkgoPackage = `ginkgo.` data.GomegaPackage = `gomega.` } targetFile := fmt.Sprintf("%s_test.go", specFilePrefix) if internal.FileExists(targetFile) { command.AbortWith("{{bold}}%s{{/}} already exists", targetFile) } else { fmt.Printf("Generating ginkgo test for %s in:\n %s\n", data.Subject, targetFile) } f, err := os.Create(targetFile) command.AbortIfError("Failed to create test file:", err) defer f.Close() var templateText string if conf.CustomTemplate != "" { tpl, err := os.ReadFile(conf.CustomTemplate) command.AbortIfError("Failed to read custom template file:", err) templateText = string(tpl) if conf.CustomTemplateData != "" { var tplCustomDataMap map[string]any tplCustomData, err := os.ReadFile(conf.CustomTemplateData) command.AbortIfError("Failed to read custom template data file:", err) if !json.Valid([]byte(tplCustomData)) { command.AbortWith("Invalid JSON object in custom data file.") } //create map from the custom template data json.Unmarshal(tplCustomData, &tplCustomDataMap) data.CustomData = tplCustomDataMap } } else if conf.Agouti { templateText = agoutiSpecText } else { templateText = specText } //Setting the option to explicitly fail if template is rendered trying to access missing key specTemplate, err := template.New("spec").Funcs(sprig.TxtFuncMap()).Option("missingkey=error").Parse(templateText) command.AbortIfError("Failed to read parse test template:", err) //Being explicit about failing sooner during template rendering //when accessing custom data rather than during the go fmt command err = specTemplate.Execute(f, data) command.AbortIfError("Failed to render bootstrap template:", err) internal.GoFmt(targetFile) } func formatSubject(name string) string { name = strings.ReplaceAll(name, "-", "_") name = strings.ReplaceAll(name, " ", "_") name = strings.Split(name, ".go")[0] name = strings.Split(name, "_test")[0] return name } // moduleName returns module name from go.mod from given module root directory func moduleName(modRoot string) string { modFile, err := os.Open(filepath.Join(modRoot, "go.mod")) if err != nil { return "" } defer modFile.Close() mod := make([]byte, 128) _, err = modFile.Read(mod) if err != nil { return "" } slashSlash := []byte("//") moduleStr := []byte("module") for len(mod) > 0 { line := mod mod = nil if i := bytes.IndexByte(line, '\n'); i >= 0 { line, mod = line[:i], line[i+1:] } if i := bytes.Index(line, slashSlash); i >= 0 { line = line[:i] } line = bytes.TrimSpace(line) if !bytes.HasPrefix(line, moduleStr) { continue } line = line[len(moduleStr):] n := len(line) line = bytes.TrimSpace(line) if len(line) == n || len(line) == 0 { continue } if line[0] == '"' || line[0] == '`' { p, err := strconv.Unquote(string(line)) if err != nil { return "" // malformed quoted string or multiline module path } return p } return string(line) } return "" // missing module path } func findModuleRoot(dir string) (root string) { dir = filepath.Clean(dir) // Look for enclosing go.mod. for { if fi, err := os.Stat(filepath.Join(dir, "go.mod")); err == nil && !fi.IsDir() { return dir } d := filepath.Dir(dir) if d == dir { break } dir = d } return "" } func getPackageImportPath() string { workingDir, err := os.Getwd() if err != nil { panic(err.Error()) } sep := string(filepath.Separator) // Try go.mod file first modRoot := findModuleRoot(workingDir) if modRoot != "" { modName := moduleName(modRoot) if modName != "" { cd := strings.ReplaceAll(workingDir, modRoot, "") cd = strings.ReplaceAll(cd, sep, "/") return modName + cd } } // Fallback to GOPATH structure paths := strings.Split(workingDir, sep+"src"+sep) if len(paths) == 1 { fmt.Printf("\nCouldn't identify package import path.\n\n\tginkgo generate\n\nMust be run within a package directory under $GOPATH/src/...\nYou're going to have to change UNKNOWN_PACKAGE_PATH in the generated file...\n\n") return "UNKNOWN_PACKAGE_PATH" } return filepath.ToSlash(paths[len(paths)-1]) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/generators/generate_templates.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/generators/generate_templates.go
package generators var specText = `{{.BuildTags}} package {{.Package}} import ( {{.GinkgoImport}} {{.GomegaImport}} {{if .ImportPackage}}"{{.PackageImportPath}}"{{end}} ) var _ = {{.GinkgoPackage}}Describe("{{.Subject}}", func() { }) ` var agoutiSpecText = `{{.BuildTags}} package {{.Package}} import ( {{.GinkgoImport}} {{.GomegaImport}} "github.com/sclevine/agouti" . "github.com/sclevine/agouti/matchers" {{if .ImportPackage}}"{{.PackageImportPath}}"{{end}} ) var _ = {{.GinkgoPackage}}Describe("{{.Subject}}", func() { var page *agouti.Page {{.GinkgoPackage}}BeforeEach(func() { var err error page, err = agoutiDriver.NewPage() {{.GomegaPackage}}Expect(err).NotTo({{.GomegaPackage}}HaveOccurred()) }) {{.GinkgoPackage}}AfterEach(func() { {{.GomegaPackage}}Expect(page.Destroy()).To({{.GomegaPackage}}Succeed()) }) }) `
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/build/build_command.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/build/build_command.go
package build import ( "fmt" "os" "path" "github.com/onsi/ginkgo/v2/ginkgo/command" "github.com/onsi/ginkgo/v2/ginkgo/internal" "github.com/onsi/ginkgo/v2/types" ) func BuildBuildCommand() command.Command { var cliConfig = types.NewDefaultCLIConfig() var goFlagsConfig = types.NewDefaultGoFlagsConfig() flags, err := types.BuildBuildCommandFlagSet(&cliConfig, &goFlagsConfig) if err != nil { panic(err) } return command.Command{ Name: "build", Flags: flags, Usage: "ginkgo build <FLAGS> <PACKAGES>", ShortDoc: "Build the passed in <PACKAGES> (or the package in the current directory if left blank).", DocLink: "precompiling-suites", Command: func(args []string, _ []string) { var errors []error cliConfig, goFlagsConfig, errors = types.VetAndInitializeCLIAndGoConfig(cliConfig, goFlagsConfig) command.AbortIfErrors("Ginkgo detected configuration issues:", errors) buildSpecs(args, cliConfig, goFlagsConfig) }, } } func buildSpecs(args []string, cliConfig types.CLIConfig, goFlagsConfig types.GoFlagsConfig) { suites := internal.FindSuites(args, cliConfig, false).WithoutState(internal.TestSuiteStateSkippedByFilter) if len(suites) == 0 { command.AbortWith("Found no test suites") } internal.VerifyCLIAndFrameworkVersion(suites) opc := internal.NewOrderedParallelCompiler(cliConfig.ComputedNumCompilers()) opc.StartCompiling(suites, goFlagsConfig, true) for { suiteIdx, suite := opc.Next() if suiteIdx >= len(suites) { break } suites[suiteIdx] = suite if suite.State.Is(internal.TestSuiteStateFailedToCompile) { fmt.Println(suite.CompilationError.Error()) } else { var testBinPath string if len(goFlagsConfig.O) != 0 { stat, err := os.Stat(goFlagsConfig.O) if err != nil { panic(err) } if stat.IsDir() { testBinPath = goFlagsConfig.O + "/" + suite.PackageName + ".test" } else { testBinPath = goFlagsConfig.O } } if len(testBinPath) == 0 { testBinPath = path.Join(suite.Path, suite.PackageName+".test") } fmt.Printf("Compiled %s\n", testBinPath) } } if suites.CountWithState(internal.TestSuiteStateFailedToCompile) > 0 { command.AbortWith("Failed to compile all tests") } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/test_suite.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/test_suite.go
package internal import ( "errors" "math/rand" "os" "path" "path/filepath" "regexp" "runtime" "strings" "github.com/onsi/ginkgo/v2/types" ) const TIMEOUT_ELAPSED_FAILURE_REASON = "Suite did not run because the timeout elapsed" const PRIOR_FAILURES_FAILURE_REASON = "Suite did not run because prior suites failed and --keep-going is not set" const EMPTY_SKIP_FAILURE_REASON = "Suite did not run go test reported that no test files were found" type TestSuiteState uint const ( TestSuiteStateInvalid TestSuiteState = iota TestSuiteStateUncompiled TestSuiteStateCompiled TestSuiteStatePassed TestSuiteStateSkippedDueToEmptyCompilation TestSuiteStateSkippedByFilter TestSuiteStateSkippedDueToPriorFailures TestSuiteStateFailed TestSuiteStateFailedDueToTimeout TestSuiteStateFailedToCompile ) var TestSuiteStateFailureStates = []TestSuiteState{TestSuiteStateFailed, TestSuiteStateFailedDueToTimeout, TestSuiteStateFailedToCompile} func (state TestSuiteState) Is(states ...TestSuiteState) bool { for _, suiteState := range states { if suiteState == state { return true } } return false } type TestSuite struct { Path string PackageName string IsGinkgo bool Precompiled bool PathToCompiledTest string CompilationError error HasProgrammaticFocus bool State TestSuiteState } func (ts TestSuite) AbsPath() string { path, _ := filepath.Abs(ts.Path) return path } func (ts TestSuite) NamespacedName() string { name := relPath(ts.Path) name = strings.TrimLeft(name, "."+string(filepath.Separator)) name = strings.ReplaceAll(name, string(filepath.Separator), "_") name = strings.ReplaceAll(name, " ", "_") if name == "" { return ts.PackageName } return name } type TestSuites []TestSuite func (ts TestSuites) AnyHaveProgrammaticFocus() bool { for _, suite := range ts { if suite.HasProgrammaticFocus { return true } } return false } func (ts TestSuites) ThatAreGinkgoSuites() TestSuites { out := TestSuites{} for _, suite := range ts { if suite.IsGinkgo { out = append(out, suite) } } return out } func (ts TestSuites) CountWithState(states ...TestSuiteState) int { n := 0 for _, suite := range ts { if suite.State.Is(states...) { n += 1 } } return n } func (ts TestSuites) WithState(states ...TestSuiteState) TestSuites { out := TestSuites{} for _, suite := range ts { if suite.State.Is(states...) { out = append(out, suite) } } return out } func (ts TestSuites) WithoutState(states ...TestSuiteState) TestSuites { out := TestSuites{} for _, suite := range ts { if !suite.State.Is(states...) { out = append(out, suite) } } return out } func (ts TestSuites) ShuffledCopy(seed int64) TestSuites { out := make(TestSuites, len(ts)) permutation := rand.New(rand.NewSource(seed)).Perm(len(ts)) for i, j := range permutation { out[i] = ts[j] } return out } func FindSuites(args []string, cliConfig types.CLIConfig, allowPrecompiled bool) TestSuites { suites := TestSuites{} if len(args) > 0 { for _, arg := range args { if allowPrecompiled { suite, err := precompiledTestSuite(arg) if err == nil { suites = append(suites, suite) continue } } recurseForSuite := cliConfig.Recurse if strings.HasSuffix(arg, "/...") && arg != "/..." { arg = arg[:len(arg)-4] recurseForSuite = true } suites = append(suites, suitesInDir(arg, recurseForSuite)...) } } else { suites = suitesInDir(".", cliConfig.Recurse) } if cliConfig.SkipPackage != "" { skipFilters := strings.Split(cliConfig.SkipPackage, ",") for idx := range suites { for _, skipFilter := range skipFilters { if strings.Contains(suites[idx].Path, skipFilter) { suites[idx].State = TestSuiteStateSkippedByFilter break } } } } return suites } func precompiledTestSuite(path string) (TestSuite, error) { info, err := os.Stat(path) if err != nil { return TestSuite{}, err } if info.IsDir() { return TestSuite{}, errors.New("this is a directory, not a file") } if filepath.Ext(path) != ".test" && filepath.Ext(path) != ".exe" { return TestSuite{}, errors.New("this is not a .test binary") } if filepath.Ext(path) == ".test" && runtime.GOOS != "windows" && info.Mode()&0111 == 0 { return TestSuite{}, errors.New("this is not executable") } dir := relPath(filepath.Dir(path)) packageName := strings.TrimSuffix(filepath.Base(path), ".exe") packageName = strings.TrimSuffix(packageName, ".test") path, err = filepath.Abs(path) if err != nil { return TestSuite{}, err } return TestSuite{ Path: dir, PackageName: packageName, IsGinkgo: true, Precompiled: true, PathToCompiledTest: path, State: TestSuiteStateCompiled, }, nil } func suitesInDir(dir string, recurse bool) TestSuites { suites := TestSuites{} if path.Base(dir) == "vendor" { return suites } files, _ := os.ReadDir(dir) re := regexp.MustCompile(`^[^._].*_test\.go$`) for _, file := range files { if !file.IsDir() && re.MatchString(file.Name()) { suite := TestSuite{ Path: relPath(dir), PackageName: packageNameForSuite(dir), IsGinkgo: filesHaveGinkgoSuite(dir, files), State: TestSuiteStateUncompiled, } suites = append(suites, suite) break } } if recurse { re = regexp.MustCompile(`^[._]`) for _, file := range files { if file.IsDir() && !re.MatchString(file.Name()) { suites = append(suites, suitesInDir(dir+"/"+file.Name(), recurse)...) } } } return suites } func relPath(dir string) string { dir, _ = filepath.Abs(dir) cwd, _ := os.Getwd() dir, _ = filepath.Rel(cwd, filepath.Clean(dir)) if string(dir[0]) != "." { dir = "." + string(filepath.Separator) + dir } return dir } func packageNameForSuite(dir string) string { path, _ := filepath.Abs(dir) return filepath.Base(path) } func filesHaveGinkgoSuite(dir string, files []os.DirEntry) bool { reTestFile := regexp.MustCompile(`_test\.go$`) reGinkgo := regexp.MustCompile(`package ginkgo|\/ginkgo"|\/ginkgo\/v2"|\/ginkgo\/v2/dsl/`) for _, file := range files { if !file.IsDir() && reTestFile.MatchString(file.Name()) { contents, _ := os.ReadFile(dir + "/" + file.Name()) if reGinkgo.Match(contents) { return true } } } return false }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/utils.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/utils.go
package internal import ( "fmt" "io" "os" "os/exec" "github.com/onsi/ginkgo/v2/formatter" "github.com/onsi/ginkgo/v2/ginkgo/command" ) func FileExists(path string) bool { _, err := os.Stat(path) return err == nil } func CopyFile(src string, dest string) error { srcFile, err := os.Open(src) if err != nil { return err } srcStat, err := srcFile.Stat() if err != nil { return err } if _, err := os.Stat(dest); err == nil { os.Remove(dest) } destFile, err := os.OpenFile(dest, os.O_WRONLY|os.O_CREATE, srcStat.Mode()) if err != nil { return err } _, err = io.Copy(destFile, srcFile) if err != nil { return err } if err := srcFile.Close(); err != nil { return err } return destFile.Close() } func GoFmt(path string) { out, err := exec.Command("go", "fmt", path).CombinedOutput() if err != nil { command.AbortIfError(fmt.Sprintf("Could not fmt:\n%s\n", string(out)), err) } } func PluralizedWord(singular, plural string, count int) string { if count == 1 { return singular } return plural } func FailedSuitesReport(suites TestSuites, f formatter.Formatter) string { out := "" out += "There were failures detected in the following suites:\n" maxPackageNameLength := 0 for _, suite := range suites.WithState(TestSuiteStateFailureStates...) { if len(suite.PackageName) > maxPackageNameLength { maxPackageNameLength = len(suite.PackageName) } } packageNameFormatter := fmt.Sprintf("%%%ds", maxPackageNameLength) for _, suite := range suites { switch suite.State { case TestSuiteStateFailed: out += f.Fi(1, "{{red}}"+packageNameFormatter+" {{gray}}%s{{/}}\n", suite.PackageName, suite.Path) case TestSuiteStateFailedToCompile: out += f.Fi(1, "{{red}}"+packageNameFormatter+" {{gray}}%s {{magenta}}[Compilation failure]{{/}}\n", suite.PackageName, suite.Path) case TestSuiteStateFailedDueToTimeout: out += f.Fi(1, "{{red}}"+packageNameFormatter+" {{gray}}%s {{orange}}[%s]{{/}}\n", suite.PackageName, suite.Path, TIMEOUT_ELAPSED_FAILURE_REASON) } } return out }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/verify_version.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/verify_version.go
package internal import ( "fmt" "os/exec" "regexp" "strings" "github.com/onsi/ginkgo/v2/formatter" "github.com/onsi/ginkgo/v2/types" ) var versiorRe = regexp.MustCompile(`v(\d+\.\d+\.\d+)`) func VerifyCLIAndFrameworkVersion(suites TestSuites) { cliVersion := types.VERSION mismatches := map[string][]string{} for _, suite := range suites { cmd := exec.Command("go", "list", "-m", "github.com/onsi/ginkgo/v2") cmd.Dir = suite.Path output, err := cmd.CombinedOutput() if err != nil { continue } components := strings.Split(string(output), " ") if len(components) != 2 { continue } matches := versiorRe.FindStringSubmatch(components[1]) if matches == nil || len(matches) != 2 { continue } libraryVersion := matches[1] if cliVersion != libraryVersion { mismatches[libraryVersion] = append(mismatches[libraryVersion], suite.PackageName) } } if len(mismatches) == 0 { return } fmt.Println(formatter.F("{{red}}{{bold}}Ginkgo detected a version mismatch between the Ginkgo CLI and the version of Ginkgo imported by your packages:{{/}}")) fmt.Println(formatter.Fi(1, "Ginkgo CLI Version:")) fmt.Println(formatter.Fi(2, "{{bold}}%s{{/}}", cliVersion)) fmt.Println(formatter.Fi(1, "Mismatched package versions found:")) for version, packages := range mismatches { fmt.Println(formatter.Fi(2, "{{bold}}%s{{/}} used by %s", version, strings.Join(packages, ", "))) } fmt.Println("") fmt.Println(formatter.Fiw(1, formatter.COLS, "{{gray}}Ginkgo will continue to attempt to run but you may see errors (including flag parsing errors) and should either update your go.mod or your version of the Ginkgo CLI to match.\n\nTo install the matching version of the CLI run\n {{bold}}go install github.com/onsi/ginkgo/v2/ginkgo{{/}}{{gray}}\nfrom a path that contains a go.mod file. Alternatively you can use\n {{bold}}go run github.com/onsi/ginkgo/v2/ginkgo{{/}}{{gray}}\nfrom a path that contains a go.mod file to invoke the matching version of the Ginkgo CLI.\n\nIf you are attempting to test multiple packages that each have a different version of the Ginkgo library with a single Ginkgo CLI that is currently unsupported.\n{{/}}")) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/compile.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/compile.go
package internal import ( "fmt" "os" "os/exec" "path/filepath" "strings" "sync" "github.com/onsi/ginkgo/v2/types" ) func CompileSuite(suite TestSuite, goFlagsConfig types.GoFlagsConfig, preserveSymbols bool) TestSuite { if suite.PathToCompiledTest != "" { return suite } suite.CompilationError = nil path, err := filepath.Abs(filepath.Join(suite.Path, suite.PackageName+".test")) if err != nil { suite.State = TestSuiteStateFailedToCompile suite.CompilationError = fmt.Errorf("Failed to compute compilation target path:\n%s", err.Error()) return suite } if len(goFlagsConfig.O) > 0 { userDefinedPath, err := filepath.Abs(goFlagsConfig.O) if err != nil { suite.State = TestSuiteStateFailedToCompile suite.CompilationError = fmt.Errorf("Failed to compute compilation target path %s:\n%s", goFlagsConfig.O, err.Error()) return suite } path = userDefinedPath } goFlagsConfig.O = path ginkgoInvocationPath, _ := os.Getwd() ginkgoInvocationPath, _ = filepath.Abs(ginkgoInvocationPath) packagePath := suite.AbsPath() pathToInvocationPath, err := filepath.Rel(packagePath, ginkgoInvocationPath) if err != nil { suite.State = TestSuiteStateFailedToCompile suite.CompilationError = fmt.Errorf("Failed to get relative path from package to the current working directory:\n%s", err.Error()) return suite } args, err := types.GenerateGoTestCompileArgs(goFlagsConfig, "./", pathToInvocationPath, preserveSymbols) if err != nil { suite.State = TestSuiteStateFailedToCompile suite.CompilationError = fmt.Errorf("Failed to generate go test compile flags:\n%s", err.Error()) return suite } cmd := exec.Command("go", args...) cmd.Dir = suite.Path output, err := cmd.CombinedOutput() if err != nil { if len(output) > 0 { suite.State = TestSuiteStateFailedToCompile suite.CompilationError = fmt.Errorf("Failed to compile %s:\n\n%s", suite.PackageName, output) } else { suite.State = TestSuiteStateFailedToCompile suite.CompilationError = fmt.Errorf("Failed to compile %s\n%s", suite.PackageName, err.Error()) } return suite } if strings.Contains(string(output), "[no test files]") { suite.State = TestSuiteStateSkippedDueToEmptyCompilation return suite } if len(output) > 0 { fmt.Println(string(output)) } if !FileExists(path) { suite.State = TestSuiteStateFailedToCompile suite.CompilationError = fmt.Errorf("Failed to compile %s:\nOutput file %s could not be found", suite.PackageName, path) return suite } suite.State = TestSuiteStateCompiled suite.PathToCompiledTest = path return suite } func Cleanup(goFlagsConfig types.GoFlagsConfig, suites ...TestSuite) { if goFlagsConfig.BinaryMustBePreserved() { return } for _, suite := range suites { if !suite.Precompiled { os.Remove(suite.PathToCompiledTest) } } } type parallelSuiteBundle struct { suite TestSuite compiled chan TestSuite } type OrderedParallelCompiler struct { mutex *sync.Mutex stopped bool numCompilers int idx int numSuites int completionChannels []chan TestSuite } func NewOrderedParallelCompiler(numCompilers int) *OrderedParallelCompiler { return &OrderedParallelCompiler{ mutex: &sync.Mutex{}, numCompilers: numCompilers, } } func (opc *OrderedParallelCompiler) StartCompiling(suites TestSuites, goFlagsConfig types.GoFlagsConfig, preserveSymbols bool) { opc.stopped = false opc.idx = 0 opc.numSuites = len(suites) opc.completionChannels = make([]chan TestSuite, opc.numSuites) toCompile := make(chan parallelSuiteBundle, opc.numCompilers) for compiler := 0; compiler < opc.numCompilers; compiler++ { go func() { for bundle := range toCompile { c, suite := bundle.compiled, bundle.suite opc.mutex.Lock() stopped := opc.stopped opc.mutex.Unlock() if !stopped { suite = CompileSuite(suite, goFlagsConfig, preserveSymbols) } c <- suite } }() } for idx, suite := range suites { opc.completionChannels[idx] = make(chan TestSuite, 1) toCompile <- parallelSuiteBundle{suite, opc.completionChannels[idx]} if idx == 0 { //compile first suite serially suite = <-opc.completionChannels[0] opc.completionChannels[0] <- suite } } close(toCompile) } func (opc *OrderedParallelCompiler) Next() (int, TestSuite) { if opc.idx >= opc.numSuites { return opc.numSuites, TestSuite{} } idx := opc.idx suite := <-opc.completionChannels[idx] opc.idx = opc.idx + 1 return idx, suite } func (opc *OrderedParallelCompiler) StopAndDrain() { opc.mutex.Lock() opc.stopped = true opc.mutex.Unlock() }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/profiles_and_reports.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/profiles_and_reports.go
package internal import ( "fmt" "os" "os/exec" "path/filepath" "regexp" "strconv" "github.com/google/pprof/profile" "github.com/onsi/ginkgo/v2/reporters" "github.com/onsi/ginkgo/v2/types" "golang.org/x/tools/cover" ) func AbsPathForGeneratedAsset(assetName string, suite TestSuite, cliConfig types.CLIConfig, process int) string { suffix := "" if process != 0 { suffix = fmt.Sprintf(".%d", process) } if cliConfig.OutputDir == "" { return filepath.Join(suite.AbsPath(), assetName+suffix) } outputDir, _ := filepath.Abs(cliConfig.OutputDir) return filepath.Join(outputDir, suite.NamespacedName()+"_"+assetName+suffix) } func FinalizeProfilesAndReportsForSuites(suites TestSuites, cliConfig types.CLIConfig, suiteConfig types.SuiteConfig, reporterConfig types.ReporterConfig, goFlagsConfig types.GoFlagsConfig) ([]string, error) { messages := []string{} suitesWithProfiles := suites.WithState(TestSuiteStatePassed, TestSuiteStateFailed) //anything else won't have actually run and generated a profile // merge cover profiles if need be if goFlagsConfig.Cover && !cliConfig.KeepSeparateCoverprofiles { coverProfiles := []string{} for _, suite := range suitesWithProfiles { if !suite.HasProgrammaticFocus { coverProfiles = append(coverProfiles, AbsPathForGeneratedAsset(goFlagsConfig.CoverProfile, suite, cliConfig, 0)) } } if len(coverProfiles) > 0 { dst := goFlagsConfig.CoverProfile if cliConfig.OutputDir != "" { dst = filepath.Join(cliConfig.OutputDir, goFlagsConfig.CoverProfile) } err := MergeAndCleanupCoverProfiles(coverProfiles, dst) if err != nil { return messages, err } coverage, err := GetCoverageFromCoverProfile(dst) if err != nil { return messages, err } if coverage == 0 { messages = append(messages, "composite coverage: [no statements]") } else if suitesWithProfiles.AnyHaveProgrammaticFocus() { messages = append(messages, fmt.Sprintf("composite coverage: %.1f%% of statements however some suites did not contribute because they included programatically focused specs", coverage)) } else { messages = append(messages, fmt.Sprintf("composite coverage: %.1f%% of statements", coverage)) } } else { messages = append(messages, "no composite coverage computed: all suites included programatically focused specs") } } // copy binaries if need be for _, suite := range suitesWithProfiles { if goFlagsConfig.BinaryMustBePreserved() && cliConfig.OutputDir != "" { src := suite.PathToCompiledTest dst := filepath.Join(cliConfig.OutputDir, suite.NamespacedName()+".test") if suite.Precompiled { if err := CopyFile(src, dst); err != nil { return messages, err } } else { if err := os.Rename(src, dst); err != nil { return messages, err } } } } type reportFormat struct { ReportName string GenerateFunc func(types.Report, string) error MergeFunc func([]string, string) ([]string, error) } reportFormats := []reportFormat{} if reporterConfig.JSONReport != "" { reportFormats = append(reportFormats, reportFormat{ReportName: reporterConfig.JSONReport, GenerateFunc: reporters.GenerateJSONReport, MergeFunc: reporters.MergeAndCleanupJSONReports}) } if reporterConfig.JUnitReport != "" { reportFormats = append(reportFormats, reportFormat{ReportName: reporterConfig.JUnitReport, GenerateFunc: reporters.GenerateJUnitReport, MergeFunc: reporters.MergeAndCleanupJUnitReports}) } if reporterConfig.TeamcityReport != "" { reportFormats = append(reportFormats, reportFormat{ReportName: reporterConfig.TeamcityReport, GenerateFunc: reporters.GenerateTeamcityReport, MergeFunc: reporters.MergeAndCleanupTeamcityReports}) } // Generate reports for suites that failed to run reportableSuites := suites.ThatAreGinkgoSuites() for _, suite := range reportableSuites.WithState(TestSuiteStateFailedToCompile, TestSuiteStateFailedDueToTimeout, TestSuiteStateSkippedDueToPriorFailures, TestSuiteStateSkippedDueToEmptyCompilation) { report := types.Report{ SuitePath: suite.AbsPath(), SuiteConfig: suiteConfig, SuiteSucceeded: false, } switch suite.State { case TestSuiteStateFailedToCompile: report.SpecialSuiteFailureReasons = append(report.SpecialSuiteFailureReasons, suite.CompilationError.Error()) case TestSuiteStateFailedDueToTimeout: report.SpecialSuiteFailureReasons = append(report.SpecialSuiteFailureReasons, TIMEOUT_ELAPSED_FAILURE_REASON) case TestSuiteStateSkippedDueToPriorFailures: report.SpecialSuiteFailureReasons = append(report.SpecialSuiteFailureReasons, PRIOR_FAILURES_FAILURE_REASON) case TestSuiteStateSkippedDueToEmptyCompilation: report.SpecialSuiteFailureReasons = append(report.SpecialSuiteFailureReasons, EMPTY_SKIP_FAILURE_REASON) report.SuiteSucceeded = true } for _, format := range reportFormats { format.GenerateFunc(report, AbsPathForGeneratedAsset(format.ReportName, suite, cliConfig, 0)) } } // Merge reports unless we've been asked to keep them separate if !cliConfig.KeepSeparateReports { for _, format := range reportFormats { reports := []string{} for _, suite := range reportableSuites { reports = append(reports, AbsPathForGeneratedAsset(format.ReportName, suite, cliConfig, 0)) } dst := format.ReportName if cliConfig.OutputDir != "" { dst = filepath.Join(cliConfig.OutputDir, format.ReportName) } mergeMessages, err := format.MergeFunc(reports, dst) messages = append(messages, mergeMessages...) if err != nil { return messages, err } } } return messages, nil } // loads each profile, merges them, deletes them, stores them in destination func MergeAndCleanupCoverProfiles(profiles []string, destination string) error { var merged []*cover.Profile for _, file := range profiles { parsedProfiles, err := cover.ParseProfiles(file) if err != nil { return err } os.Remove(file) for _, p := range parsedProfiles { merged = AddCoverProfile(merged, p) } } dst, err := os.OpenFile(destination, os.O_RDWR|os.O_CREATE|os.O_TRUNC, 0666) if err != nil { return err } defer dst.Close() err = DumpCoverProfiles(merged, dst) if err != nil { return err } return nil } func GetCoverageFromCoverProfile(profile string) (float64, error) { cmd := exec.Command("go", "tool", "cover", "-func", profile) output, err := cmd.CombinedOutput() if err != nil { return 0, fmt.Errorf("Could not process Coverprofile %s: %s - %s", profile, err.Error(), string(output)) } re := regexp.MustCompile(`total:\s*\(statements\)\s*(\d*\.\d*)\%`) matches := re.FindStringSubmatch(string(output)) if matches == nil { return 0, fmt.Errorf("Could not parse Coverprofile to compute coverage percentage") } coverageString := matches[1] coverage, err := strconv.ParseFloat(coverageString, 64) if err != nil { return 0, fmt.Errorf("Could not parse Coverprofile to compute coverage percentage: %s", err.Error()) } return coverage, nil } func MergeProfiles(profilePaths []string, destination string) error { profiles := []*profile.Profile{} for _, profilePath := range profilePaths { proFile, err := os.Open(profilePath) if err != nil { return fmt.Errorf("Could not open profile: %s\n%s", profilePath, err.Error()) } prof, err := profile.Parse(proFile) _ = proFile.Close() if err != nil { return fmt.Errorf("Could not parse profile: %s\n%s", profilePath, err.Error()) } profiles = append(profiles, prof) os.Remove(profilePath) } mergedProfile, err := profile.Merge(profiles) if err != nil { return fmt.Errorf("Could not merge profiles:\n%s", err.Error()) } outFile, err := os.Create(destination) if err != nil { return fmt.Errorf("Could not create merged profile %s:\n%s", destination, err.Error()) } err = mergedProfile.Write(outFile) if err != nil { return fmt.Errorf("Could not write merged profile %s:\n%s", destination, err.Error()) } err = outFile.Close() if err != nil { return fmt.Errorf("Could not close merged profile %s:\n%s", destination, err.Error()) } return nil }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/gocovmerge.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/gocovmerge.go
// Copyright (c) 2015, Wade Simmons // All rights reserved. // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are met: // 1. Redistributions of source code must retain the above copyright notice, this // list of conditions and the following disclaimer. // 2. Redistributions in binary form must reproduce the above copyright notice, // this list of conditions and the following disclaimer in the documentation // and/or other materials provided with the distribution. // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND // ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED // WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE // DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR // ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES // (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; // LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND // ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS // SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // Package gocovmerge takes the results from multiple `go test -coverprofile` // runs and merges them into one profile // this file was originally taken from the gocovmerge project // see also: https://go.shabbyrobe.org/gocovmerge package internal import ( "fmt" "io" "sort" "golang.org/x/tools/cover" ) func AddCoverProfile(profiles []*cover.Profile, p *cover.Profile) []*cover.Profile { i := sort.Search(len(profiles), func(i int) bool { return profiles[i].FileName >= p.FileName }) if i < len(profiles) && profiles[i].FileName == p.FileName { MergeCoverProfiles(profiles[i], p) } else { profiles = append(profiles, nil) copy(profiles[i+1:], profiles[i:]) profiles[i] = p } return profiles } func DumpCoverProfiles(profiles []*cover.Profile, out io.Writer) error { if len(profiles) == 0 { return nil } if _, err := fmt.Fprintf(out, "mode: %s\n", profiles[0].Mode); err != nil { return err } for _, p := range profiles { for _, b := range p.Blocks { if _, err := fmt.Fprintf(out, "%s:%d.%d,%d.%d %d %d\n", p.FileName, b.StartLine, b.StartCol, b.EndLine, b.EndCol, b.NumStmt, b.Count); err != nil { return err } } } return nil } func MergeCoverProfiles(into *cover.Profile, merge *cover.Profile) error { if into.Mode != merge.Mode { return fmt.Errorf("cannot merge profiles with different modes") } // Since the blocks are sorted, we can keep track of where the last block // was inserted and only look at the blocks after that as targets for merge startIndex := 0 for _, b := range merge.Blocks { var err error startIndex, err = mergeProfileBlock(into, b, startIndex) if err != nil { return err } } return nil } func mergeProfileBlock(p *cover.Profile, pb cover.ProfileBlock, startIndex int) (int, error) { sortFunc := func(i int) bool { pi := p.Blocks[i+startIndex] return pi.StartLine >= pb.StartLine && (pi.StartLine != pb.StartLine || pi.StartCol >= pb.StartCol) } i := 0 if !sortFunc(i) { i = sort.Search(len(p.Blocks)-startIndex, sortFunc) } i += startIndex if i < len(p.Blocks) && p.Blocks[i].StartLine == pb.StartLine && p.Blocks[i].StartCol == pb.StartCol { if p.Blocks[i].EndLine != pb.EndLine || p.Blocks[i].EndCol != pb.EndCol { return i, fmt.Errorf("gocovmerge: overlapping merge %v %v %v", p.FileName, p.Blocks[i], pb) } switch p.Mode { case "set": p.Blocks[i].Count |= pb.Count case "count", "atomic": p.Blocks[i].Count += pb.Count default: return i, fmt.Errorf("gocovmerge: unsupported covermode '%s'", p.Mode) } } else { if i > 0 { pa := p.Blocks[i-1] if pa.EndLine >= pb.EndLine && (pa.EndLine != pb.EndLine || pa.EndCol > pb.EndCol) { return i, fmt.Errorf("gocovmerge: overlap before %v %v %v", p.FileName, pa, pb) } } if i < len(p.Blocks)-1 { pa := p.Blocks[i+1] if pa.StartLine <= pb.StartLine && (pa.StartLine != pb.StartLine || pa.StartCol < pb.StartCol) { return i, fmt.Errorf("gocovmerge: overlap after %v %v %v", p.FileName, pa, pb) } } p.Blocks = append(p.Blocks, cover.ProfileBlock{}) copy(p.Blocks[i+1:], p.Blocks[i:]) p.Blocks[i] = pb } return i + 1, nil }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/run.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/run.go
package internal import ( "bytes" "fmt" "io" "os" "os/exec" "path/filepath" "regexp" "strings" "syscall" "time" "github.com/onsi/ginkgo/v2/formatter" "github.com/onsi/ginkgo/v2/ginkgo/command" "github.com/onsi/ginkgo/v2/internal/parallel_support" "github.com/onsi/ginkgo/v2/reporters" "github.com/onsi/ginkgo/v2/types" ) func RunCompiledSuite(suite TestSuite, ginkgoConfig types.SuiteConfig, reporterConfig types.ReporterConfig, cliConfig types.CLIConfig, goFlagsConfig types.GoFlagsConfig, additionalArgs []string) TestSuite { suite.State = TestSuiteStateFailed suite.HasProgrammaticFocus = false if suite.PathToCompiledTest == "" { return suite } if suite.IsGinkgo && cliConfig.ComputedProcs() > 1 { suite = runParallel(suite, ginkgoConfig, reporterConfig, cliConfig, goFlagsConfig, additionalArgs) } else if suite.IsGinkgo { suite = runSerial(suite, ginkgoConfig, reporterConfig, cliConfig, goFlagsConfig, additionalArgs) } else { suite = runGoTest(suite, cliConfig, goFlagsConfig) } runAfterRunHook(cliConfig.AfterRunHook, reporterConfig.NoColor, suite) return suite } func buildAndStartCommand(suite TestSuite, args []string, pipeToStdout bool) (*exec.Cmd, *bytes.Buffer) { buf := &bytes.Buffer{} cmd := exec.Command(suite.PathToCompiledTest, args...) cmd.Dir = suite.Path if pipeToStdout { cmd.Stderr = io.MultiWriter(os.Stdout, buf) cmd.Stdout = os.Stdout } else { cmd.Stderr = buf cmd.Stdout = buf } err := cmd.Start() command.AbortIfError("Failed to start test suite", err) return cmd, buf } func checkForNoTestsWarning(buf *bytes.Buffer) bool { if strings.Contains(buf.String(), "warning: no tests to run") { fmt.Fprintf(os.Stderr, `Found no test suites, did you forget to run "ginkgo bootstrap"?`) return true } return false } func runGoTest(suite TestSuite, cliConfig types.CLIConfig, goFlagsConfig types.GoFlagsConfig) TestSuite { // As we run the go test from the suite directory, make sure the cover profile is absolute // and placed into the expected output directory when one is configured. if goFlagsConfig.Cover && !filepath.IsAbs(goFlagsConfig.CoverProfile) { goFlagsConfig.CoverProfile = AbsPathForGeneratedAsset(goFlagsConfig.CoverProfile, suite, cliConfig, 0) } args, err := types.GenerateGoTestRunArgs(goFlagsConfig) command.AbortIfError("Failed to generate test run arguments", err) cmd, buf := buildAndStartCommand(suite, args, true) cmd.Wait() exitStatus := cmd.ProcessState.Sys().(syscall.WaitStatus).ExitStatus() passed := (exitStatus == 0) || (exitStatus == types.GINKGO_FOCUS_EXIT_CODE) passed = !(checkForNoTestsWarning(buf) && cliConfig.RequireSuite) && passed if passed { suite.State = TestSuiteStatePassed } else { suite.State = TestSuiteStateFailed } return suite } func runSerial(suite TestSuite, ginkgoConfig types.SuiteConfig, reporterConfig types.ReporterConfig, cliConfig types.CLIConfig, goFlagsConfig types.GoFlagsConfig, additionalArgs []string) TestSuite { if goFlagsConfig.Cover { goFlagsConfig.CoverProfile = AbsPathForGeneratedAsset(goFlagsConfig.CoverProfile, suite, cliConfig, 0) } if goFlagsConfig.BlockProfile != "" { goFlagsConfig.BlockProfile = AbsPathForGeneratedAsset(goFlagsConfig.BlockProfile, suite, cliConfig, 0) } if goFlagsConfig.CPUProfile != "" { goFlagsConfig.CPUProfile = AbsPathForGeneratedAsset(goFlagsConfig.CPUProfile, suite, cliConfig, 0) } if goFlagsConfig.MemProfile != "" { goFlagsConfig.MemProfile = AbsPathForGeneratedAsset(goFlagsConfig.MemProfile, suite, cliConfig, 0) } if goFlagsConfig.MutexProfile != "" { goFlagsConfig.MutexProfile = AbsPathForGeneratedAsset(goFlagsConfig.MutexProfile, suite, cliConfig, 0) } if reporterConfig.JSONReport != "" { reporterConfig.JSONReport = AbsPathForGeneratedAsset(reporterConfig.JSONReport, suite, cliConfig, 0) } if reporterConfig.JUnitReport != "" { reporterConfig.JUnitReport = AbsPathForGeneratedAsset(reporterConfig.JUnitReport, suite, cliConfig, 0) } if reporterConfig.TeamcityReport != "" { reporterConfig.TeamcityReport = AbsPathForGeneratedAsset(reporterConfig.TeamcityReport, suite, cliConfig, 0) } args, err := types.GenerateGinkgoTestRunArgs(ginkgoConfig, reporterConfig, goFlagsConfig) command.AbortIfError("Failed to generate test run arguments", err) args = append([]string{"--test.timeout=0"}, args...) args = append(args, additionalArgs...) cmd, buf := buildAndStartCommand(suite, args, true) cmd.Wait() exitStatus := cmd.ProcessState.Sys().(syscall.WaitStatus).ExitStatus() suite.HasProgrammaticFocus = (exitStatus == types.GINKGO_FOCUS_EXIT_CODE) passed := (exitStatus == 0) || (exitStatus == types.GINKGO_FOCUS_EXIT_CODE) passed = !(checkForNoTestsWarning(buf) && cliConfig.RequireSuite) && passed if passed { suite.State = TestSuiteStatePassed } else { suite.State = TestSuiteStateFailed } if suite.HasProgrammaticFocus { if goFlagsConfig.Cover { fmt.Fprintln(os.Stdout, "coverage: no coverfile was generated because specs are programmatically focused") } if goFlagsConfig.BlockProfile != "" { fmt.Fprintln(os.Stdout, "no block profile was generated because specs are programmatically focused") } if goFlagsConfig.CPUProfile != "" { fmt.Fprintln(os.Stdout, "no cpu profile was generated because specs are programmatically focused") } if goFlagsConfig.MemProfile != "" { fmt.Fprintln(os.Stdout, "no mem profile was generated because specs are programmatically focused") } if goFlagsConfig.MutexProfile != "" { fmt.Fprintln(os.Stdout, "no mutex profile was generated because specs are programmatically focused") } } return suite } func runParallel(suite TestSuite, ginkgoConfig types.SuiteConfig, reporterConfig types.ReporterConfig, cliConfig types.CLIConfig, goFlagsConfig types.GoFlagsConfig, additionalArgs []string) TestSuite { type procResult struct { passed bool hasProgrammaticFocus bool } numProcs := cliConfig.ComputedProcs() procOutput := make([]*bytes.Buffer, numProcs) coverProfiles := []string{} blockProfiles := []string{} cpuProfiles := []string{} memProfiles := []string{} mutexProfiles := []string{} procResults := make(chan procResult) server, err := parallel_support.NewServer(numProcs, reporters.NewDefaultReporter(reporterConfig, formatter.ColorableStdOut)) command.AbortIfError("Failed to start parallel spec server", err) server.Start() defer server.Close() if reporterConfig.JSONReport != "" { reporterConfig.JSONReport = AbsPathForGeneratedAsset(reporterConfig.JSONReport, suite, cliConfig, 0) } if reporterConfig.JUnitReport != "" { reporterConfig.JUnitReport = AbsPathForGeneratedAsset(reporterConfig.JUnitReport, suite, cliConfig, 0) } if reporterConfig.TeamcityReport != "" { reporterConfig.TeamcityReport = AbsPathForGeneratedAsset(reporterConfig.TeamcityReport, suite, cliConfig, 0) } for proc := 1; proc <= numProcs; proc++ { procGinkgoConfig := ginkgoConfig procGinkgoConfig.ParallelProcess, procGinkgoConfig.ParallelTotal, procGinkgoConfig.ParallelHost = proc, numProcs, server.Address() procGoFlagsConfig := goFlagsConfig if goFlagsConfig.Cover { procGoFlagsConfig.CoverProfile = AbsPathForGeneratedAsset(goFlagsConfig.CoverProfile, suite, cliConfig, proc) coverProfiles = append(coverProfiles, procGoFlagsConfig.CoverProfile) } if goFlagsConfig.BlockProfile != "" { procGoFlagsConfig.BlockProfile = AbsPathForGeneratedAsset(goFlagsConfig.BlockProfile, suite, cliConfig, proc) blockProfiles = append(blockProfiles, procGoFlagsConfig.BlockProfile) } if goFlagsConfig.CPUProfile != "" { procGoFlagsConfig.CPUProfile = AbsPathForGeneratedAsset(goFlagsConfig.CPUProfile, suite, cliConfig, proc) cpuProfiles = append(cpuProfiles, procGoFlagsConfig.CPUProfile) } if goFlagsConfig.MemProfile != "" { procGoFlagsConfig.MemProfile = AbsPathForGeneratedAsset(goFlagsConfig.MemProfile, suite, cliConfig, proc) memProfiles = append(memProfiles, procGoFlagsConfig.MemProfile) } if goFlagsConfig.MutexProfile != "" { procGoFlagsConfig.MutexProfile = AbsPathForGeneratedAsset(goFlagsConfig.MutexProfile, suite, cliConfig, proc) mutexProfiles = append(mutexProfiles, procGoFlagsConfig.MutexProfile) } args, err := types.GenerateGinkgoTestRunArgs(procGinkgoConfig, reporterConfig, procGoFlagsConfig) command.AbortIfError("Failed to generate test run arguments", err) args = append([]string{"--test.timeout=0"}, args...) args = append(args, additionalArgs...) cmd, buf := buildAndStartCommand(suite, args, false) procOutput[proc-1] = buf server.RegisterAlive(proc, func() bool { return cmd.ProcessState == nil || !cmd.ProcessState.Exited() }) go func() { cmd.Wait() exitStatus := cmd.ProcessState.Sys().(syscall.WaitStatus).ExitStatus() procResults <- procResult{ passed: (exitStatus == 0) || (exitStatus == types.GINKGO_FOCUS_EXIT_CODE), hasProgrammaticFocus: exitStatus == types.GINKGO_FOCUS_EXIT_CODE, } }() } passed := true for proc := 1; proc <= cliConfig.ComputedProcs(); proc++ { result := <-procResults passed = passed && result.passed suite.HasProgrammaticFocus = suite.HasProgrammaticFocus || result.hasProgrammaticFocus } if passed { suite.State = TestSuiteStatePassed } else { suite.State = TestSuiteStateFailed } select { case <-server.GetSuiteDone(): fmt.Println("") case <-time.After(time.Second): //one of the nodes never finished reporting to the server. Something must have gone wrong. fmt.Fprint(formatter.ColorableStdErr, formatter.F("\n{{bold}}{{red}}Ginkgo timed out waiting for all parallel procs to report back{{/}}\n")) fmt.Fprint(formatter.ColorableStdErr, formatter.F("{{gray}}Test suite:{{/}} %s (%s)\n\n", suite.PackageName, suite.Path)) fmt.Fprint(formatter.ColorableStdErr, formatter.Fiw(0, formatter.COLS, "This occurs if a parallel process exits before it reports its results to the Ginkgo CLI. The CLI will now print out all the stdout/stderr output it's collected from the running processes. However you may not see anything useful in these logs because the individual test processes usually intercept output to stdout/stderr in order to capture it in the spec reports.\n\nYou may want to try rerunning your test suite with {{light-gray}}--output-interceptor-mode=none{{/}} to see additional output here and debug your suite.\n")) fmt.Fprintln(formatter.ColorableStdErr, " ") for proc := 1; proc <= cliConfig.ComputedProcs(); proc++ { fmt.Fprintf(formatter.ColorableStdErr, formatter.F("{{bold}}Output from proc %d:{{/}}\n", proc)) fmt.Fprintln(os.Stderr, formatter.Fi(1, "%s", procOutput[proc-1].String())) } fmt.Fprintf(os.Stderr, "** End **") } for proc := 1; proc <= cliConfig.ComputedProcs(); proc++ { output := procOutput[proc-1].String() if proc == 1 && checkForNoTestsWarning(procOutput[0]) && cliConfig.RequireSuite { suite.State = TestSuiteStateFailed } if strings.Contains(output, "deprecated Ginkgo functionality") { fmt.Fprintln(os.Stderr, output) } } if len(coverProfiles) > 0 { if suite.HasProgrammaticFocus { fmt.Fprintln(os.Stdout, "coverage: no coverfile was generated because specs are programmatically focused") } else { coverProfile := AbsPathForGeneratedAsset(goFlagsConfig.CoverProfile, suite, cliConfig, 0) err := MergeAndCleanupCoverProfiles(coverProfiles, coverProfile) command.AbortIfError("Failed to combine cover profiles", err) coverage, err := GetCoverageFromCoverProfile(coverProfile) command.AbortIfError("Failed to compute coverage", err) if coverage == 0 { fmt.Fprintln(os.Stdout, "coverage: [no statements]") } else { fmt.Fprintf(os.Stdout, "coverage: %.1f%% of statements\n", coverage) } } } if len(blockProfiles) > 0 { if suite.HasProgrammaticFocus { fmt.Fprintln(os.Stdout, "no block profile was generated because specs are programmatically focused") } else { blockProfile := AbsPathForGeneratedAsset(goFlagsConfig.BlockProfile, suite, cliConfig, 0) err := MergeProfiles(blockProfiles, blockProfile) command.AbortIfError("Failed to combine blockprofiles", err) } } if len(cpuProfiles) > 0 { if suite.HasProgrammaticFocus { fmt.Fprintln(os.Stdout, "no cpu profile was generated because specs are programmatically focused") } else { cpuProfile := AbsPathForGeneratedAsset(goFlagsConfig.CPUProfile, suite, cliConfig, 0) err := MergeProfiles(cpuProfiles, cpuProfile) command.AbortIfError("Failed to combine cpuprofiles", err) } } if len(memProfiles) > 0 { if suite.HasProgrammaticFocus { fmt.Fprintln(os.Stdout, "no mem profile was generated because specs are programmatically focused") } else { memProfile := AbsPathForGeneratedAsset(goFlagsConfig.MemProfile, suite, cliConfig, 0) err := MergeProfiles(memProfiles, memProfile) command.AbortIfError("Failed to combine memprofiles", err) } } if len(mutexProfiles) > 0 { if suite.HasProgrammaticFocus { fmt.Fprintln(os.Stdout, "no mutex profile was generated because specs are programmatically focused") } else { mutexProfile := AbsPathForGeneratedAsset(goFlagsConfig.MutexProfile, suite, cliConfig, 0) err := MergeProfiles(mutexProfiles, mutexProfile) command.AbortIfError("Failed to combine mutexprofiles", err) } } return suite } func runAfterRunHook(command string, noColor bool, suite TestSuite) { if command == "" { return } f := formatter.NewWithNoColorBool(noColor) // Allow for string replacement to pass input to the command passed := "[FAIL]" if suite.State.Is(TestSuiteStatePassed) { passed = "[PASS]" } command = strings.ReplaceAll(command, "(ginkgo-suite-passed)", passed) command = strings.ReplaceAll(command, "(ginkgo-suite-name)", suite.PackageName) // Must break command into parts splitArgs := regexp.MustCompile(`'.+'|".+"|\S+`) parts := splitArgs.FindAllString(command, -1) output, err := exec.Command(parts[0], parts[1:]...).CombinedOutput() if err != nil { fmt.Fprintln(formatter.ColorableStdOut, f.Fi(0, "{{red}}{{bold}}After-run-hook failed:{{/}}")) fmt.Fprintln(formatter.ColorableStdOut, f.Fi(1, "{{red}}%s{{/}}", output)) } else { fmt.Fprintln(formatter.ColorableStdOut, f.Fi(0, "{{green}}{{bold}}After-run-hook succeeded:{{/}}")) fmt.Fprintln(formatter.ColorableStdOut, f.Fi(1, "{{green}}%s{{/}}", output)) } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/run/run_command.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/run/run_command.go
package run import ( "fmt" "os" "strings" "time" "github.com/onsi/ginkgo/v2/formatter" "github.com/onsi/ginkgo/v2/ginkgo/command" "github.com/onsi/ginkgo/v2/ginkgo/internal" "github.com/onsi/ginkgo/v2/internal/interrupt_handler" "github.com/onsi/ginkgo/v2/types" ) func BuildRunCommand() command.Command { var suiteConfig = types.NewDefaultSuiteConfig() var reporterConfig = types.NewDefaultReporterConfig() var cliConfig = types.NewDefaultCLIConfig() var goFlagsConfig = types.NewDefaultGoFlagsConfig() flags, err := types.BuildRunCommandFlagSet(&suiteConfig, &reporterConfig, &cliConfig, &goFlagsConfig) if err != nil { panic(err) } interruptHandler := interrupt_handler.NewInterruptHandler(nil) interrupt_handler.SwallowSigQuit() return command.Command{ Name: "run", Flags: flags, Usage: "ginkgo run <FLAGS> <PACKAGES> -- <PASS-THROUGHS>", ShortDoc: "Run the tests in the passed in <PACKAGES> (or the package in the current directory if left blank)", Documentation: "Any arguments after -- will be passed to the test.", DocLink: "running-tests", Command: func(args []string, additionalArgs []string) { var errors []error cliConfig, goFlagsConfig, errors = types.VetAndInitializeCLIAndGoConfig(cliConfig, goFlagsConfig) command.AbortIfErrors("Ginkgo detected configuration issues:", errors) runner := &SpecRunner{ cliConfig: cliConfig, goFlagsConfig: goFlagsConfig, suiteConfig: suiteConfig, reporterConfig: reporterConfig, flags: flags, interruptHandler: interruptHandler, } runner.RunSpecs(args, additionalArgs) }, } } type SpecRunner struct { suiteConfig types.SuiteConfig reporterConfig types.ReporterConfig cliConfig types.CLIConfig goFlagsConfig types.GoFlagsConfig flags types.GinkgoFlagSet interruptHandler *interrupt_handler.InterruptHandler } func (r *SpecRunner) RunSpecs(args []string, additionalArgs []string) { suites := internal.FindSuites(args, r.cliConfig, true) skippedSuites := suites.WithState(internal.TestSuiteStateSkippedByFilter) suites = suites.WithoutState(internal.TestSuiteStateSkippedByFilter) internal.VerifyCLIAndFrameworkVersion(suites) if len(skippedSuites) > 0 { fmt.Println("Will skip:") for _, skippedSuite := range skippedSuites { fmt.Println(" " + skippedSuite.Path) } } if len(skippedSuites) > 0 && len(suites) == 0 { command.AbortGracefullyWith("All tests skipped! Exiting...") } if len(suites) == 0 { command.AbortWith("Found no test suites") } if len(suites) > 1 && !r.flags.WasSet("succinct") && r.reporterConfig.Verbosity().LT(types.VerbosityLevelVerbose) { r.reporterConfig.Succinct = true } t := time.Now() var endTime time.Time if r.suiteConfig.Timeout > 0 { endTime = t.Add(r.suiteConfig.Timeout) } iteration := 0 OUTER_LOOP: for { if !r.flags.WasSet("seed") { r.suiteConfig.RandomSeed = time.Now().Unix() } if r.cliConfig.RandomizeSuites && len(suites) > 1 { suites = suites.ShuffledCopy(r.suiteConfig.RandomSeed) } opc := internal.NewOrderedParallelCompiler(r.cliConfig.ComputedNumCompilers()) opc.StartCompiling(suites, r.goFlagsConfig, false) SUITE_LOOP: for { suiteIdx, suite := opc.Next() if suiteIdx >= len(suites) { break SUITE_LOOP } suites[suiteIdx] = suite if r.interruptHandler.Status().Interrupted() { opc.StopAndDrain() break OUTER_LOOP } if suites[suiteIdx].State.Is(internal.TestSuiteStateSkippedDueToEmptyCompilation) { fmt.Printf("Skipping %s (no test files)\n", suite.Path) continue SUITE_LOOP } if suites[suiteIdx].State.Is(internal.TestSuiteStateFailedToCompile) { fmt.Println(suites[suiteIdx].CompilationError.Error()) if !r.cliConfig.KeepGoing { opc.StopAndDrain() } continue SUITE_LOOP } if suites.CountWithState(internal.TestSuiteStateFailureStates...) > 0 && !r.cliConfig.KeepGoing { suites[suiteIdx].State = internal.TestSuiteStateSkippedDueToPriorFailures opc.StopAndDrain() continue SUITE_LOOP } if !endTime.IsZero() { r.suiteConfig.Timeout = time.Until(endTime) if r.suiteConfig.Timeout <= 0 { suites[suiteIdx].State = internal.TestSuiteStateFailedDueToTimeout opc.StopAndDrain() continue SUITE_LOOP } } suites[suiteIdx] = internal.RunCompiledSuite(suites[suiteIdx], r.suiteConfig, r.reporterConfig, r.cliConfig, r.goFlagsConfig, additionalArgs) } if suites.CountWithState(internal.TestSuiteStateFailureStates...) > 0 { if iteration > 0 { fmt.Printf("\nTests failed on attempt #%d\n\n", iteration+1) } break OUTER_LOOP } if r.cliConfig.UntilItFails { fmt.Printf("\nAll tests passed...\nWill keep running them until they fail.\nThis was attempt #%d\n%s\n", iteration+1, orcMessage(iteration+1)) } else if r.cliConfig.Repeat > 0 && iteration < r.cliConfig.Repeat { fmt.Printf("\nAll tests passed...\nThis was attempt %d of %d.\n", iteration+1, r.cliConfig.Repeat+1) } else { break OUTER_LOOP } iteration += 1 } internal.Cleanup(r.goFlagsConfig, suites...) messages, err := internal.FinalizeProfilesAndReportsForSuites(suites, r.cliConfig, r.suiteConfig, r.reporterConfig, r.goFlagsConfig) command.AbortIfError("could not finalize profiles:", err) for _, message := range messages { fmt.Println(message) } fmt.Printf("\nGinkgo ran %d %s in %s\n", len(suites), internal.PluralizedWord("suite", "suites", len(suites)), time.Since(t)) if suites.CountWithState(internal.TestSuiteStateFailureStates...) == 0 { if suites.AnyHaveProgrammaticFocus() && strings.TrimSpace(os.Getenv("GINKGO_EDITOR_INTEGRATION")) == "" { fmt.Printf("Test Suite Passed\n") fmt.Printf("Detected Programmatic Focus - setting exit status to %d\n", types.GINKGO_FOCUS_EXIT_CODE) command.Abort(command.AbortDetails{ExitCode: types.GINKGO_FOCUS_EXIT_CODE}) } else { fmt.Printf("Test Suite Passed\n") command.Abort(command.AbortDetails{}) } } else { fmt.Fprintln(formatter.ColorableStdOut, "") if len(suites) > 1 && suites.CountWithState(internal.TestSuiteStateFailureStates...) > 0 { fmt.Fprintln(formatter.ColorableStdOut, internal.FailedSuitesReport(suites, formatter.NewWithNoColorBool(r.reporterConfig.NoColor))) } fmt.Printf("Test Suite Failed\n") command.Abort(command.AbortDetails{ExitCode: 1}) } } func orcMessage(iteration int) string { if iteration < 10 { return "" } else if iteration < 30 { return []string{ "If at first you succeed...", "...try, try again.", "Looking good!", "Still good...", "I think your tests are fine....", "Yep, still passing", "Oh boy, here I go testin' again!", "Even the gophers are getting bored", "Did you try -race?", "Maybe you should stop now?", "I'm getting tired...", "What if I just made you a sandwich?", "Hit ^C, hit ^C, please hit ^C", "Make it stop. Please!", "Come on! Enough is enough!", "Dave, this conversation can serve no purpose anymore. Goodbye.", "Just what do you think you're doing, Dave? ", "I, Sisyphus", "Insanity: doing the same thing over and over again and expecting different results. -Einstein", "I guess Einstein never tried to churn butter", }[iteration-10] + "\n" } else { return "No, seriously... you can probably stop now.\n" } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/delta_tracker.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/delta_tracker.go
package watch import ( "fmt" "regexp" "github.com/onsi/ginkgo/v2/ginkgo/internal" ) type SuiteErrors map[internal.TestSuite]error type DeltaTracker struct { maxDepth int watchRegExp *regexp.Regexp suites map[string]*Suite packageHashes *PackageHashes } func NewDeltaTracker(maxDepth int, watchRegExp *regexp.Regexp) *DeltaTracker { return &DeltaTracker{ maxDepth: maxDepth, watchRegExp: watchRegExp, packageHashes: NewPackageHashes(watchRegExp), suites: map[string]*Suite{}, } } func (d *DeltaTracker) Delta(suites internal.TestSuites) (delta Delta, errors SuiteErrors) { errors = SuiteErrors{} delta.ModifiedPackages = d.packageHashes.CheckForChanges() providedSuitePaths := map[string]bool{} for _, suite := range suites { providedSuitePaths[suite.Path] = true } d.packageHashes.StartTrackingUsage() for _, suite := range d.suites { if providedSuitePaths[suite.Suite.Path] { if suite.Delta() > 0 { delta.modifiedSuites = append(delta.modifiedSuites, suite) } } else { delta.RemovedSuites = append(delta.RemovedSuites, suite) } } d.packageHashes.StopTrackingUsageAndPrune() for _, suite := range suites { _, ok := d.suites[suite.Path] if !ok { s, err := NewSuite(suite, d.maxDepth, d.packageHashes) if err != nil { errors[suite] = err continue } d.suites[suite.Path] = s delta.NewSuites = append(delta.NewSuites, s) } } return delta, errors } func (d *DeltaTracker) WillRun(suite internal.TestSuite) error { s, ok := d.suites[suite.Path] if !ok { return fmt.Errorf("unknown suite %s", suite.Path) } return s.MarkAsRunAndRecomputedDependencies(d.maxDepth) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/delta.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/delta.go
package watch import "sort" type Delta struct { ModifiedPackages []string NewSuites []*Suite RemovedSuites []*Suite modifiedSuites []*Suite } type DescendingByDelta []*Suite func (a DescendingByDelta) Len() int { return len(a) } func (a DescendingByDelta) Swap(i, j int) { a[i], a[j] = a[j], a[i] } func (a DescendingByDelta) Less(i, j int) bool { return a[i].Delta() > a[j].Delta() } func (d Delta) ModifiedSuites() []*Suite { sort.Sort(DescendingByDelta(d.modifiedSuites)) return d.modifiedSuites }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/package_hash.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/package_hash.go
package watch import ( "fmt" "os" "regexp" "strings" "time" ) var goTestRegExp = regexp.MustCompile(`_test\.go$`) type PackageHash struct { CodeModifiedTime time.Time TestModifiedTime time.Time Deleted bool path string codeHash string testHash string watchRegExp *regexp.Regexp } func NewPackageHash(path string, watchRegExp *regexp.Regexp) *PackageHash { p := &PackageHash{ path: path, watchRegExp: watchRegExp, } p.codeHash, _, p.testHash, _, p.Deleted = p.computeHashes() return p } func (p *PackageHash) CheckForChanges() bool { codeHash, codeModifiedTime, testHash, testModifiedTime, deleted := p.computeHashes() if deleted { if !p.Deleted { t := time.Now() p.CodeModifiedTime = t p.TestModifiedTime = t } p.Deleted = true return true } modified := false p.Deleted = false if p.codeHash != codeHash { p.CodeModifiedTime = codeModifiedTime modified = true } if p.testHash != testHash { p.TestModifiedTime = testModifiedTime modified = true } p.codeHash = codeHash p.testHash = testHash return modified } func (p *PackageHash) computeHashes() (codeHash string, codeModifiedTime time.Time, testHash string, testModifiedTime time.Time, deleted bool) { entries, err := os.ReadDir(p.path) if err != nil { deleted = true return } for _, entry := range entries { if entry.IsDir() { continue } info, err := entry.Info() if err != nil { continue } if isHiddenFile(info) { continue } if goTestRegExp.MatchString(info.Name()) { testHash += p.hashForFileInfo(info) if info.ModTime().After(testModifiedTime) { testModifiedTime = info.ModTime() } continue } if p.watchRegExp.MatchString(info.Name()) { codeHash += p.hashForFileInfo(info) if info.ModTime().After(codeModifiedTime) { codeModifiedTime = info.ModTime() } } } testHash += codeHash if codeModifiedTime.After(testModifiedTime) { testModifiedTime = codeModifiedTime } return } func isHiddenFile(info os.FileInfo) bool { return strings.HasPrefix(info.Name(), ".") || strings.HasPrefix(info.Name(), "_") } func (p *PackageHash) hashForFileInfo(info os.FileInfo) string { return fmt.Sprintf("%s_%d_%d", info.Name(), info.Size(), info.ModTime().UnixNano()) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/package_hashes.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/package_hashes.go
package watch import ( "path/filepath" "regexp" "sync" ) type PackageHashes struct { PackageHashes map[string]*PackageHash usedPaths map[string]bool watchRegExp *regexp.Regexp lock *sync.Mutex } func NewPackageHashes(watchRegExp *regexp.Regexp) *PackageHashes { return &PackageHashes{ PackageHashes: map[string]*PackageHash{}, usedPaths: nil, watchRegExp: watchRegExp, lock: &sync.Mutex{}, } } func (p *PackageHashes) CheckForChanges() []string { p.lock.Lock() defer p.lock.Unlock() modified := []string{} for _, packageHash := range p.PackageHashes { if packageHash.CheckForChanges() { modified = append(modified, packageHash.path) } } return modified } func (p *PackageHashes) Add(path string) *PackageHash { p.lock.Lock() defer p.lock.Unlock() path, _ = filepath.Abs(path) _, ok := p.PackageHashes[path] if !ok { p.PackageHashes[path] = NewPackageHash(path, p.watchRegExp) } if p.usedPaths != nil { p.usedPaths[path] = true } return p.PackageHashes[path] } func (p *PackageHashes) Get(path string) *PackageHash { p.lock.Lock() defer p.lock.Unlock() path, _ = filepath.Abs(path) if p.usedPaths != nil { p.usedPaths[path] = true } return p.PackageHashes[path] } func (p *PackageHashes) StartTrackingUsage() { p.lock.Lock() defer p.lock.Unlock() p.usedPaths = map[string]bool{} } func (p *PackageHashes) StopTrackingUsageAndPrune() { p.lock.Lock() defer p.lock.Unlock() for path := range p.PackageHashes { if !p.usedPaths[path] { delete(p.PackageHashes, path) } } p.usedPaths = nil }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/suite.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/suite.go
package watch import ( "fmt" "math" "time" "github.com/onsi/ginkgo/v2/ginkgo/internal" ) type Suite struct { Suite internal.TestSuite RunTime time.Time Dependencies Dependencies sharedPackageHashes *PackageHashes } func NewSuite(suite internal.TestSuite, maxDepth int, sharedPackageHashes *PackageHashes) (*Suite, error) { deps, err := NewDependencies(suite.Path, maxDepth) if err != nil { return nil, err } sharedPackageHashes.Add(suite.Path) for dep := range deps.Dependencies() { sharedPackageHashes.Add(dep) } return &Suite{ Suite: suite, Dependencies: deps, sharedPackageHashes: sharedPackageHashes, }, nil } func (s *Suite) Delta() float64 { delta := s.delta(s.Suite.Path, true, 0) * 1000 for dep, depth := range s.Dependencies.Dependencies() { delta += s.delta(dep, false, depth) } return delta } func (s *Suite) MarkAsRunAndRecomputedDependencies(maxDepth int) error { s.RunTime = time.Now() deps, err := NewDependencies(s.Suite.Path, maxDepth) if err != nil { return err } s.sharedPackageHashes.Add(s.Suite.Path) for dep := range deps.Dependencies() { s.sharedPackageHashes.Add(dep) } s.Dependencies = deps return nil } func (s *Suite) Description() string { numDeps := len(s.Dependencies.Dependencies()) pluralizer := "ies" if numDeps == 1 { pluralizer = "y" } return fmt.Sprintf("%s [%d dependenc%s]", s.Suite.Path, numDeps, pluralizer) } func (s *Suite) delta(packagePath string, includeTests bool, depth int) float64 { return math.Max(float64(s.dt(packagePath, includeTests)), 0) / float64(depth+1) } func (s *Suite) dt(packagePath string, includeTests bool) time.Duration { packageHash := s.sharedPackageHashes.Get(packagePath) var modifiedTime time.Time if includeTests { modifiedTime = packageHash.TestModifiedTime } else { modifiedTime = packageHash.CodeModifiedTime } return modifiedTime.Sub(s.RunTime) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/watch_command.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/watch_command.go
package watch import ( "fmt" "regexp" "time" "github.com/onsi/ginkgo/v2/formatter" "github.com/onsi/ginkgo/v2/ginkgo/command" "github.com/onsi/ginkgo/v2/ginkgo/internal" "github.com/onsi/ginkgo/v2/internal/interrupt_handler" "github.com/onsi/ginkgo/v2/types" ) func BuildWatchCommand() command.Command { var suiteConfig = types.NewDefaultSuiteConfig() var reporterConfig = types.NewDefaultReporterConfig() var cliConfig = types.NewDefaultCLIConfig() var goFlagsConfig = types.NewDefaultGoFlagsConfig() flags, err := types.BuildWatchCommandFlagSet(&suiteConfig, &reporterConfig, &cliConfig, &goFlagsConfig) if err != nil { panic(err) } interruptHandler := interrupt_handler.NewInterruptHandler(nil) interrupt_handler.SwallowSigQuit() return command.Command{ Name: "watch", Flags: flags, Usage: "ginkgo watch <FLAGS> <PACKAGES> -- <PASS-THROUGHS>", ShortDoc: "Watch the passed in <PACKAGES> and runs their tests whenever changes occur.", Documentation: "Any arguments after -- will be passed to the test.", DocLink: "watching-for-changes", Command: func(args []string, additionalArgs []string) { var errors []error cliConfig, goFlagsConfig, errors = types.VetAndInitializeCLIAndGoConfig(cliConfig, goFlagsConfig) command.AbortIfErrors("Ginkgo detected configuration issues:", errors) watcher := &SpecWatcher{ cliConfig: cliConfig, goFlagsConfig: goFlagsConfig, suiteConfig: suiteConfig, reporterConfig: reporterConfig, flags: flags, interruptHandler: interruptHandler, } watcher.WatchSpecs(args, additionalArgs) }, } } type SpecWatcher struct { suiteConfig types.SuiteConfig reporterConfig types.ReporterConfig cliConfig types.CLIConfig goFlagsConfig types.GoFlagsConfig flags types.GinkgoFlagSet interruptHandler *interrupt_handler.InterruptHandler } func (w *SpecWatcher) WatchSpecs(args []string, additionalArgs []string) { suites := internal.FindSuites(args, w.cliConfig, false).WithoutState(internal.TestSuiteStateSkippedByFilter) internal.VerifyCLIAndFrameworkVersion(suites) if len(suites) == 0 { command.AbortWith("Found no test suites") } fmt.Printf("Identified %d test %s. Locating dependencies to a depth of %d (this may take a while)...\n", len(suites), internal.PluralizedWord("suite", "suites", len(suites)), w.cliConfig.Depth) deltaTracker := NewDeltaTracker(w.cliConfig.Depth, regexp.MustCompile(w.cliConfig.WatchRegExp)) delta, errors := deltaTracker.Delta(suites) fmt.Printf("Watching %d %s:\n", len(delta.NewSuites), internal.PluralizedWord("suite", "suites", len(delta.NewSuites))) for _, suite := range delta.NewSuites { fmt.Println(" " + suite.Description()) } for suite, err := range errors { fmt.Printf("Failed to watch %s: %s\n", suite.PackageName, err) } if len(suites) == 1 { w.updateSeed() w.compileAndRun(suites[0], additionalArgs) } ticker := time.NewTicker(time.Second) for { select { case <-ticker.C: suites := internal.FindSuites(args, w.cliConfig, false).WithoutState(internal.TestSuiteStateSkippedByFilter) delta, _ := deltaTracker.Delta(suites) coloredStream := formatter.ColorableStdOut suites = internal.TestSuites{} if len(delta.NewSuites) > 0 { fmt.Fprintln(coloredStream, formatter.F("{{green}}Detected %d new %s:{{/}}", len(delta.NewSuites), internal.PluralizedWord("suite", "suites", len(delta.NewSuites)))) for _, suite := range delta.NewSuites { suites = append(suites, suite.Suite) fmt.Fprintln(coloredStream, formatter.Fi(1, "%s", suite.Description())) } } modifiedSuites := delta.ModifiedSuites() if len(modifiedSuites) > 0 { fmt.Fprintln(coloredStream, formatter.F("{{green}}Detected changes in:{{/}}")) for _, pkg := range delta.ModifiedPackages { fmt.Fprintln(coloredStream, formatter.Fi(1, "%s", pkg)) } fmt.Fprintln(coloredStream, formatter.F("{{green}}Will run %d %s:{{/}}", len(modifiedSuites), internal.PluralizedWord("suite", "suites", len(modifiedSuites)))) for _, suite := range modifiedSuites { suites = append(suites, suite.Suite) fmt.Fprintln(coloredStream, formatter.Fi(1, "%s", suite.Description())) } fmt.Fprintln(coloredStream, "") } if len(suites) == 0 { break } w.updateSeed() w.computeSuccinctMode(len(suites)) for idx := range suites { if w.interruptHandler.Status().Interrupted() { return } deltaTracker.WillRun(suites[idx]) suites[idx] = w.compileAndRun(suites[idx], additionalArgs) } color := "{{green}}" if suites.CountWithState(internal.TestSuiteStateFailureStates...) > 0 { color = "{{red}}" } fmt.Fprintln(coloredStream, formatter.F(color+"\nDone. Resuming watch...{{/}}")) messages, err := internal.FinalizeProfilesAndReportsForSuites(suites, w.cliConfig, w.suiteConfig, w.reporterConfig, w.goFlagsConfig) command.AbortIfError("could not finalize profiles:", err) for _, message := range messages { fmt.Println(message) } case <-w.interruptHandler.Status().Channel: return } } } func (w *SpecWatcher) compileAndRun(suite internal.TestSuite, additionalArgs []string) internal.TestSuite { suite = internal.CompileSuite(suite, w.goFlagsConfig, false) if suite.State.Is(internal.TestSuiteStateFailedToCompile) { fmt.Println(suite.CompilationError.Error()) return suite } if w.interruptHandler.Status().Interrupted() { return suite } suite = internal.RunCompiledSuite(suite, w.suiteConfig, w.reporterConfig, w.cliConfig, w.goFlagsConfig, additionalArgs) internal.Cleanup(w.goFlagsConfig, suite) return suite } func (w *SpecWatcher) computeSuccinctMode(numSuites int) { if w.reporterConfig.Verbosity().GTE(types.VerbosityLevelVerbose) { w.reporterConfig.Succinct = false return } if w.flags.WasSet("succinct") { return } if numSuites == 1 { w.reporterConfig.Succinct = false } if numSuites > 1 { w.reporterConfig.Succinct = true } } func (w *SpecWatcher) updateSeed() { if !w.flags.WasSet("seed") { w.suiteConfig.RandomSeed = time.Now().Unix() } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/dependencies.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/dependencies.go
package watch import ( "go/build" "strings" ) type Dependencies struct { deps map[string]int } func NewDependencies(path string, maxDepth int) (Dependencies, error) { d := Dependencies{ deps: map[string]int{}, } if maxDepth == 0 { return d, nil } err := d.seedWithDepsForPackageAtPath(path) if err != nil { return d, err } for depth := 1; depth < maxDepth; depth++ { n := len(d.deps) d.addDepsForDepth(depth) if n == len(d.deps) { break } } return d, nil } func (d Dependencies) Dependencies() map[string]int { return d.deps } func (d Dependencies) seedWithDepsForPackageAtPath(path string) error { pkg, err := build.ImportDir(path, 0) if err != nil { return err } d.resolveAndAdd(pkg.Imports, 1) d.resolveAndAdd(pkg.TestImports, 1) d.resolveAndAdd(pkg.XTestImports, 1) delete(d.deps, pkg.Dir) return nil } func (d Dependencies) addDepsForDepth(depth int) { for dep, depDepth := range d.deps { if depDepth == depth { d.addDepsForDep(dep, depth+1) } } } func (d Dependencies) addDepsForDep(dep string, depth int) { pkg, err := build.ImportDir(dep, 0) if err != nil { println(err.Error()) return } d.resolveAndAdd(pkg.Imports, depth) } func (d Dependencies) resolveAndAdd(deps []string, depth int) { for _, dep := range deps { pkg, err := build.Import(dep, ".", 0) if err != nil { continue } if !pkg.Goroot && (!matchesGinkgoOrGomega(pkg.Dir) || matchesGinkgoIntegration(pkg.Dir)) { d.addDepIfNotPresent(pkg.Dir, depth) } } } func (d Dependencies) addDepIfNotPresent(dep string, depth int) { _, ok := d.deps[dep] if !ok { d.deps[dep] = depth } } func matchesGinkgoOrGomega(s string) bool { return strings.Contains(s, "github.com/onsi/ginkgo") || strings.Contains(s, "github.com/onsi/gomega") } func matchesGinkgoIntegration(s string) bool { return strings.Contains(s, "github.com/onsi/ginkgo/integration") // allow us to integration test this thing }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/outline/outline_command.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/outline/outline_command.go
package outline import ( "encoding/json" "fmt" "go/parser" "go/token" "os" "github.com/onsi/ginkgo/v2/ginkgo/command" "github.com/onsi/ginkgo/v2/types" ) const ( // indentWidth is the width used by the 'indent' output indentWidth = 4 // stdinAlias is a portable alias for stdin. This convention is used in // other CLIs, e.g., kubectl. stdinAlias = "-" usageCommand = "ginkgo outline <filename>" ) type outlineConfig struct { Format string } func BuildOutlineCommand() command.Command { conf := outlineConfig{ Format: "csv", } flags, err := types.NewGinkgoFlagSet( types.GinkgoFlags{ {Name: "format", KeyPath: "Format", Usage: "Format of outline", UsageArgument: "one of 'csv', 'indent', or 'json'", UsageDefaultValue: conf.Format, }, }, &conf, types.GinkgoFlagSections{}, ) if err != nil { panic(err) } return command.Command{ Name: "outline", Usage: "ginkgo outline <filename>", ShortDoc: "Create an outline of Ginkgo symbols for a file", Documentation: "To read from stdin, use: `ginkgo outline -`", DocLink: "creating-an-outline-of-specs", Flags: flags, Command: func(args []string, _ []string) { outlineFile(args, conf.Format) }, } } func outlineFile(args []string, format string) { if len(args) != 1 { command.AbortWithUsage("outline expects exactly one argument") } filename := args[0] var src *os.File if filename == stdinAlias { src = os.Stdin } else { var err error src, err = os.Open(filename) command.AbortIfError("Failed to open file:", err) } fset := token.NewFileSet() parsedSrc, err := parser.ParseFile(fset, filename, src, 0) command.AbortIfError("Failed to parse source:", err) o, err := FromASTFile(fset, parsedSrc) command.AbortIfError("Failed to create outline:", err) var oerr error switch format { case "csv": _, oerr = fmt.Print(o) case "indent": _, oerr = fmt.Print(o.StringIndent(indentWidth)) case "json": b, err := json.Marshal(o) if err != nil { println(fmt.Sprintf("error marshalling to json: %s", err)) } _, oerr = fmt.Println(string(b)) default: command.AbortWith("Format %s not accepted", format) } command.AbortIfError("Failed to write outline:", oerr) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/outline/ginkgo.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/outline/ginkgo.go
package outline import ( "go/ast" "go/token" "strconv" "github.com/onsi/ginkgo/v2/types" ) const ( // undefinedTextAlt is used if the spec/container text cannot be derived undefinedTextAlt = "undefined" ) // ginkgoMetadata holds useful bits of information for every entry in the outline type ginkgoMetadata struct { // Name is the spec or container function name, e.g. `Describe` or `It` Name string `json:"name"` // Text is the `text` argument passed to specs, and some containers Text string `json:"text"` // Start is the position of first character of the spec or container block Start int `json:"start"` // End is the position of first character immediately after the spec or container block End int `json:"end"` Spec bool `json:"spec"` Focused bool `json:"focused"` Pending bool `json:"pending"` Labels []string `json:"labels"` } // ginkgoNode is used to construct the outline as a tree type ginkgoNode struct { ginkgoMetadata Nodes []*ginkgoNode `json:"nodes"` } type walkFunc func(n *ginkgoNode) func (n *ginkgoNode) PreOrder(f walkFunc) { f(n) for _, m := range n.Nodes { m.PreOrder(f) } } func (n *ginkgoNode) PostOrder(f walkFunc) { for _, m := range n.Nodes { m.PostOrder(f) } f(n) } func (n *ginkgoNode) Walk(pre, post walkFunc) { pre(n) for _, m := range n.Nodes { m.Walk(pre, post) } post(n) } // PropagateInheritedProperties propagates the Pending and Focused properties // through the subtree rooted at n. func (n *ginkgoNode) PropagateInheritedProperties() { n.PreOrder(func(thisNode *ginkgoNode) { for _, descendantNode := range thisNode.Nodes { if thisNode.Pending { descendantNode.Pending = true descendantNode.Focused = false } if thisNode.Focused && !descendantNode.Pending { descendantNode.Focused = true } } }) } // BackpropagateUnfocus propagates the Focused property through the subtree // rooted at n. It applies the rule described in the Ginkgo docs: // > Nested programmatically focused specs follow a simple rule: if a // > leaf-node is marked focused, any of its ancestor nodes that are marked // > focus will be unfocused. func (n *ginkgoNode) BackpropagateUnfocus() { focusedSpecInSubtreeStack := []bool{} n.PostOrder(func(thisNode *ginkgoNode) { if thisNode.Spec { focusedSpecInSubtreeStack = append(focusedSpecInSubtreeStack, thisNode.Focused) return } focusedSpecInSubtree := false for range thisNode.Nodes { focusedSpecInSubtree = focusedSpecInSubtree || focusedSpecInSubtreeStack[len(focusedSpecInSubtreeStack)-1] focusedSpecInSubtreeStack = focusedSpecInSubtreeStack[0 : len(focusedSpecInSubtreeStack)-1] } focusedSpecInSubtreeStack = append(focusedSpecInSubtreeStack, focusedSpecInSubtree) if focusedSpecInSubtree { thisNode.Focused = false } }) } func packageAndIdentNamesFromCallExpr(ce *ast.CallExpr) (string, string, bool) { switch ex := ce.Fun.(type) { case *ast.Ident: return "", ex.Name, true case *ast.SelectorExpr: pkgID, ok := ex.X.(*ast.Ident) if !ok { return "", "", false } // A package identifier is top-level, so Obj must be nil if pkgID.Obj != nil { return "", "", false } if ex.Sel == nil { return "", "", false } return pkgID.Name, ex.Sel.Name, true default: return "", "", false } } // absoluteOffsetsForNode derives the absolute character offsets of the node start and // end positions. func absoluteOffsetsForNode(fset *token.FileSet, n ast.Node) (start, end int) { return fset.PositionFor(n.Pos(), false).Offset, fset.PositionFor(n.End(), false).Offset } // ginkgoNodeFromCallExpr derives an outline entry from a go AST subtree // corresponding to a Ginkgo container or spec. func ginkgoNodeFromCallExpr(fset *token.FileSet, ce *ast.CallExpr, ginkgoPackageName *string) (*ginkgoNode, bool) { packageName, identName, ok := packageAndIdentNamesFromCallExpr(ce) if !ok { return nil, false } n := ginkgoNode{} n.Name = identName n.Start, n.End = absoluteOffsetsForNode(fset, ce) n.Nodes = make([]*ginkgoNode, 0) switch identName { case "It", "Specify", "Entry": n.Spec = true n.Text = textOrAltFromCallExpr(ce, undefinedTextAlt) n.Labels = labelFromCallExpr(ce) n.Pending = pendingFromCallExpr(ce) return &n, ginkgoPackageName != nil && *ginkgoPackageName == packageName case "FIt", "FSpecify", "FEntry": n.Spec = true n.Focused = true n.Text = textOrAltFromCallExpr(ce, undefinedTextAlt) n.Labels = labelFromCallExpr(ce) return &n, ginkgoPackageName != nil && *ginkgoPackageName == packageName case "PIt", "PSpecify", "XIt", "XSpecify", "PEntry", "XEntry": n.Spec = true n.Pending = true n.Text = textOrAltFromCallExpr(ce, undefinedTextAlt) n.Labels = labelFromCallExpr(ce) return &n, ginkgoPackageName != nil && *ginkgoPackageName == packageName case "Context", "Describe", "When", "DescribeTable": n.Text = textOrAltFromCallExpr(ce, undefinedTextAlt) n.Labels = labelFromCallExpr(ce) n.Pending = pendingFromCallExpr(ce) return &n, ginkgoPackageName != nil && *ginkgoPackageName == packageName case "FContext", "FDescribe", "FWhen", "FDescribeTable": n.Focused = true n.Text = textOrAltFromCallExpr(ce, undefinedTextAlt) n.Labels = labelFromCallExpr(ce) return &n, ginkgoPackageName != nil && *ginkgoPackageName == packageName case "PContext", "PDescribe", "PWhen", "XContext", "XDescribe", "XWhen", "PDescribeTable", "XDescribeTable": n.Pending = true n.Text = textOrAltFromCallExpr(ce, undefinedTextAlt) n.Labels = labelFromCallExpr(ce) return &n, ginkgoPackageName != nil && *ginkgoPackageName == packageName case "By": n.Text = textOrAltFromCallExpr(ce, undefinedTextAlt) return &n, ginkgoPackageName != nil && *ginkgoPackageName == packageName case "AfterEach", "BeforeEach": return &n, ginkgoPackageName != nil && *ginkgoPackageName == packageName case "JustAfterEach", "JustBeforeEach": return &n, ginkgoPackageName != nil && *ginkgoPackageName == packageName case "AfterSuite", "BeforeSuite": return &n, ginkgoPackageName != nil && *ginkgoPackageName == packageName case "SynchronizedAfterSuite", "SynchronizedBeforeSuite": return &n, ginkgoPackageName != nil && *ginkgoPackageName == packageName default: return nil, false } } // textOrAltFromCallExpr tries to derive the "text" of a Ginkgo spec or // container. If it cannot derive it, it returns the alt text. func textOrAltFromCallExpr(ce *ast.CallExpr, alt string) string { text, defined := textFromCallExpr(ce) if !defined { return alt } return text } // textFromCallExpr tries to derive the "text" of a Ginkgo spec or container. If // it cannot derive it, it returns false. func textFromCallExpr(ce *ast.CallExpr) (string, bool) { if len(ce.Args) < 1 { return "", false } text, ok := ce.Args[0].(*ast.BasicLit) if !ok { return "", false } switch text.Kind { case token.CHAR, token.STRING: // For token.CHAR and token.STRING, Value is quoted unquoted, err := strconv.Unquote(text.Value) if err != nil { // If unquoting fails, just use the raw Value return text.Value, true } return unquoted, true default: return text.Value, true } } func labelFromCallExpr(ce *ast.CallExpr) []string { labels := []string{} if len(ce.Args) < 2 { return labels } for _, arg := range ce.Args[1:] { switch expr := arg.(type) { case *ast.CallExpr: id, ok := expr.Fun.(*ast.Ident) if !ok { // to skip over cases where the expr.Fun. is actually *ast.SelectorExpr continue } if id.Name == "Label" { ls := extractLabels(expr) labels = append(labels, ls...) } } } return labels } func extractLabels(expr *ast.CallExpr) []string { out := []string{} for _, arg := range expr.Args { switch expr := arg.(type) { case *ast.BasicLit: if expr.Kind == token.STRING { unquoted, err := strconv.Unquote(expr.Value) if err != nil { unquoted = expr.Value } validated, err := types.ValidateAndCleanupLabel(unquoted, types.CodeLocation{}) if err == nil { out = append(out, validated) } } } } return out } func pendingFromCallExpr(ce *ast.CallExpr) bool { pending := false if len(ce.Args) < 2 { return pending } for _, arg := range ce.Args[1:] { switch expr := arg.(type) { case *ast.CallExpr: id, ok := expr.Fun.(*ast.Ident) if !ok { // to skip over cases where the expr.Fun. is actually *ast.SelectorExpr continue } if id.Name == "Pending" { pending = true } case *ast.Ident: if expr.Name == "Pending" { pending = true } } } return pending }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/outline/outline.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/outline/outline.go
package outline import ( "bytes" "encoding/csv" "encoding/json" "fmt" "go/ast" "go/token" "strconv" "strings" "golang.org/x/tools/go/ast/inspector" ) const ( // ginkgoImportPath is the well-known ginkgo import path ginkgoImportPath = "github.com/onsi/ginkgo/v2" ) // FromASTFile returns an outline for a Ginkgo test source file func FromASTFile(fset *token.FileSet, src *ast.File) (*outline, error) { ginkgoPackageName := packageNameForImport(src, ginkgoImportPath) if ginkgoPackageName == nil { return nil, fmt.Errorf("file does not import %q", ginkgoImportPath) } root := ginkgoNode{} stack := []*ginkgoNode{&root} ispr := inspector.New([]*ast.File{src}) ispr.Nodes([]ast.Node{(*ast.CallExpr)(nil)}, func(node ast.Node, push bool) bool { if push { // Pre-order traversal ce, ok := node.(*ast.CallExpr) if !ok { // Because `Nodes` calls this function only when the node is an // ast.CallExpr, this should never happen panic(fmt.Errorf("node starting at %d, ending at %d is not an *ast.CallExpr", node.Pos(), node.End())) } gn, ok := ginkgoNodeFromCallExpr(fset, ce, ginkgoPackageName) if !ok { // Node is not a Ginkgo spec or container, continue return true } parent := stack[len(stack)-1] parent.Nodes = append(parent.Nodes, gn) stack = append(stack, gn) return true } // Post-order traversal start, end := absoluteOffsetsForNode(fset, node) lastVisitedGinkgoNode := stack[len(stack)-1] if start != lastVisitedGinkgoNode.Start || end != lastVisitedGinkgoNode.End { // Node is not a Ginkgo spec or container, so it was not pushed onto the stack, continue return true } stack = stack[0 : len(stack)-1] return true }) if len(root.Nodes) == 0 { return &outline{[]*ginkgoNode{}}, nil } // Derive the final focused property for all nodes. This must be done // _before_ propagating the inherited focused property. root.BackpropagateUnfocus() // Now, propagate inherited properties, including focused and pending. root.PropagateInheritedProperties() return &outline{root.Nodes}, nil } type outline struct { Nodes []*ginkgoNode `json:"nodes"` } func (o *outline) MarshalJSON() ([]byte, error) { return json.Marshal(o.Nodes) } // String returns a CSV-formatted outline. Spec or container are output in // depth-first order. func (o *outline) String() string { return o.StringIndent(0) } // StringIndent returns a CSV-formated outline, but every line is indented by // one 'width' of spaces for every level of nesting. func (o *outline) StringIndent(width int) string { var b bytes.Buffer b.WriteString("Name,Text,Start,End,Spec,Focused,Pending,Labels\n") csvWriter := csv.NewWriter(&b) currentIndent := 0 pre := func(n *ginkgoNode) { b.WriteString(fmt.Sprintf("%*s", currentIndent, "")) var labels string if len(n.Labels) == 1 { labels = n.Labels[0] } else { labels = strings.Join(n.Labels, ", ") } row := []string{ n.Name, n.Text, strconv.Itoa(n.Start), strconv.Itoa(n.End), strconv.FormatBool(n.Spec), strconv.FormatBool(n.Focused), strconv.FormatBool(n.Pending), labels, } csvWriter.Write(row) // Ensure we write to `b' before the next `b.WriteString()', which might be adding indentation csvWriter.Flush() currentIndent += width } post := func(n *ginkgoNode) { currentIndent -= width } for _, n := range o.Nodes { n.Walk(pre, post) } return b.String() }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/outline/import.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/ginkgo/outline/import.go
// Copyright 2013 The Go Authors. All rights reserved. // Use of this source code is governed by a BSD-style // license that can be found in the LICENSE file. // Most of the required functions were available in the // "golang.org/x/tools/go/ast/astutil" package, but not exported. // They were copied from https://github.com/golang/tools/blob/2b0845dc783e36ae26d683f4915a5840ef01ab0f/go/ast/astutil/imports.go package outline import ( "go/ast" "strconv" "strings" ) // packageNameForImport returns the package name for the package. If the package // is not imported, it returns nil. "Package name" refers to `pkgname` in the // call expression `pkgname.ExportedIdentifier`. Examples: // (import path not found) -> nil // "import example.com/pkg/foo" -> "foo" // "import fooalias example.com/pkg/foo" -> "fooalias" // "import . example.com/pkg/foo" -> "" func packageNameForImport(f *ast.File, path string) *string { spec := importSpec(f, path) if spec == nil { return nil } name := spec.Name.String() if name == "<nil>" { name = "ginkgo" } if name == "." { name = "" } return &name } // importSpec returns the import spec if f imports path, // or nil otherwise. func importSpec(f *ast.File, path string) *ast.ImportSpec { for _, s := range f.Imports { if strings.HasPrefix(importPath(s), path) { return s } } return nil } // importPath returns the unquoted import path of s, // or "" if the path is not properly quoted. func importPath(s *ast.ImportSpec) string { t, err := strconv.Unquote(s.Path.Value) if err != nil { return "" } return t }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/flags.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/flags.go
package types import ( "flag" "fmt" "io" "reflect" "strings" "time" "github.com/onsi/ginkgo/v2/formatter" ) type GinkgoFlag struct { Name string KeyPath string SectionKey string Usage string UsageArgument string UsageDefaultValue string DeprecatedName string DeprecatedDocLink string DeprecatedVersion string ExportAs string AlwaysExport bool } type GinkgoFlags []GinkgoFlag func (f GinkgoFlags) CopyAppend(flags ...GinkgoFlag) GinkgoFlags { out := GinkgoFlags{} out = append(out, f...) out = append(out, flags...) return out } func (f GinkgoFlags) WithPrefix(prefix string) GinkgoFlags { if prefix == "" { return f } out := GinkgoFlags{} for _, flag := range f { if flag.Name != "" { flag.Name = prefix + "." + flag.Name } if flag.DeprecatedName != "" { flag.DeprecatedName = prefix + "." + flag.DeprecatedName } if flag.ExportAs != "" { flag.ExportAs = prefix + "." + flag.ExportAs } out = append(out, flag) } return out } func (f GinkgoFlags) SubsetWithNames(names ...string) GinkgoFlags { out := GinkgoFlags{} for _, flag := range f { for _, name := range names { if flag.Name == name { out = append(out, flag) break } } } return out } type GinkgoFlagSection struct { Key string Style string Succinct bool Heading string Description string } type GinkgoFlagSections []GinkgoFlagSection func (gfs GinkgoFlagSections) Lookup(key string) (GinkgoFlagSection, bool) { for _, section := range gfs { if section.Key == key { return section, true } } return GinkgoFlagSection{}, false } type GinkgoFlagSet struct { flags GinkgoFlags bindings any sections GinkgoFlagSections extraGoFlagsSection GinkgoFlagSection flagSet *flag.FlagSet } // Call NewGinkgoFlagSet to create GinkgoFlagSet that creates and binds to it's own *flag.FlagSet func NewGinkgoFlagSet(flags GinkgoFlags, bindings any, sections GinkgoFlagSections) (GinkgoFlagSet, error) { return bindFlagSet(GinkgoFlagSet{ flags: flags, bindings: bindings, sections: sections, }, nil) } // Call NewGinkgoFlagSet to create GinkgoFlagSet that extends an existing *flag.FlagSet func NewAttachedGinkgoFlagSet(flagSet *flag.FlagSet, flags GinkgoFlags, bindings any, sections GinkgoFlagSections, extraGoFlagsSection GinkgoFlagSection) (GinkgoFlagSet, error) { return bindFlagSet(GinkgoFlagSet{ flags: flags, bindings: bindings, sections: sections, extraGoFlagsSection: extraGoFlagsSection, }, flagSet) } func bindFlagSet(f GinkgoFlagSet, flagSet *flag.FlagSet) (GinkgoFlagSet, error) { if flagSet == nil { f.flagSet = flag.NewFlagSet("", flag.ContinueOnError) //suppress all output as Ginkgo is responsible for formatting usage f.flagSet.SetOutput(io.Discard) } else { f.flagSet = flagSet //we're piggybacking on an existing flagset (typically go test) so we have limited control //on user feedback f.flagSet.Usage = f.substituteUsage } for _, flag := range f.flags { name := flag.Name deprecatedUsage := "[DEPRECATED]" deprecatedName := flag.DeprecatedName if name != "" { deprecatedUsage = fmt.Sprintf("[DEPRECATED] use --%s instead", name) } else if flag.Usage != "" { deprecatedUsage += " " + flag.Usage } value, ok := valueAtKeyPath(f.bindings, flag.KeyPath) if !ok { return GinkgoFlagSet{}, fmt.Errorf("could not load KeyPath: %s", flag.KeyPath) } iface, addr := value.Interface(), value.Addr().Interface() switch value.Type() { case reflect.TypeOf(string("")): if name != "" { f.flagSet.StringVar(addr.(*string), name, iface.(string), flag.Usage) } if deprecatedName != "" { f.flagSet.StringVar(addr.(*string), deprecatedName, iface.(string), deprecatedUsage) } case reflect.TypeOf(int64(0)): if name != "" { f.flagSet.Int64Var(addr.(*int64), name, iface.(int64), flag.Usage) } if deprecatedName != "" { f.flagSet.Int64Var(addr.(*int64), deprecatedName, iface.(int64), deprecatedUsage) } case reflect.TypeOf(float64(0)): if name != "" { f.flagSet.Float64Var(addr.(*float64), name, iface.(float64), flag.Usage) } if deprecatedName != "" { f.flagSet.Float64Var(addr.(*float64), deprecatedName, iface.(float64), deprecatedUsage) } case reflect.TypeOf(int(0)): if name != "" { f.flagSet.IntVar(addr.(*int), name, iface.(int), flag.Usage) } if deprecatedName != "" { f.flagSet.IntVar(addr.(*int), deprecatedName, iface.(int), deprecatedUsage) } case reflect.TypeOf(bool(true)): if name != "" { f.flagSet.BoolVar(addr.(*bool), name, iface.(bool), flag.Usage) } if deprecatedName != "" { f.flagSet.BoolVar(addr.(*bool), deprecatedName, iface.(bool), deprecatedUsage) } case reflect.TypeOf(time.Duration(0)): if name != "" { f.flagSet.DurationVar(addr.(*time.Duration), name, iface.(time.Duration), flag.Usage) } if deprecatedName != "" { f.flagSet.DurationVar(addr.(*time.Duration), deprecatedName, iface.(time.Duration), deprecatedUsage) } case reflect.TypeOf([]string{}): if name != "" { f.flagSet.Var(stringSliceVar{value}, name, flag.Usage) } if deprecatedName != "" { f.flagSet.Var(stringSliceVar{value}, deprecatedName, deprecatedUsage) } default: return GinkgoFlagSet{}, fmt.Errorf("unsupported type %T", iface) } } return f, nil } func (f GinkgoFlagSet) IsZero() bool { return f.flagSet == nil } func (f GinkgoFlagSet) WasSet(name string) bool { found := false f.flagSet.Visit(func(f *flag.Flag) { if f.Name == name { found = true } }) return found } func (f GinkgoFlagSet) Lookup(name string) *flag.Flag { return f.flagSet.Lookup(name) } func (f GinkgoFlagSet) Parse(args []string) ([]string, error) { if f.IsZero() { return args, nil } err := f.flagSet.Parse(args) if err != nil { return []string{}, err } return f.flagSet.Args(), nil } func (f GinkgoFlagSet) ValidateDeprecations(deprecationTracker *DeprecationTracker) { if f.IsZero() { return } f.flagSet.Visit(func(flag *flag.Flag) { for _, ginkgoFlag := range f.flags { if ginkgoFlag.DeprecatedName != "" && strings.HasSuffix(flag.Name, ginkgoFlag.DeprecatedName) { message := fmt.Sprintf("--%s is deprecated", ginkgoFlag.DeprecatedName) if ginkgoFlag.Name != "" { message = fmt.Sprintf("--%s is deprecated, use --%s instead", ginkgoFlag.DeprecatedName, ginkgoFlag.Name) } else if ginkgoFlag.Usage != "" { message += " " + ginkgoFlag.Usage } deprecationTracker.TrackDeprecation(Deprecation{ Message: message, DocLink: ginkgoFlag.DeprecatedDocLink, Version: ginkgoFlag.DeprecatedVersion, }) } } }) } func (f GinkgoFlagSet) Usage() string { if f.IsZero() { return "" } groupedFlags := map[GinkgoFlagSection]GinkgoFlags{} ungroupedFlags := GinkgoFlags{} managedFlags := map[string]bool{} extraGoFlags := []*flag.Flag{} for _, flag := range f.flags { managedFlags[flag.Name] = true managedFlags[flag.DeprecatedName] = true if flag.Name == "" { continue } section, ok := f.sections.Lookup(flag.SectionKey) if ok { groupedFlags[section] = append(groupedFlags[section], flag) } else { ungroupedFlags = append(ungroupedFlags, flag) } } f.flagSet.VisitAll(func(flag *flag.Flag) { if !managedFlags[flag.Name] { extraGoFlags = append(extraGoFlags, flag) } }) out := "" for _, section := range f.sections { flags := groupedFlags[section] if len(flags) == 0 { continue } out += f.usageForSection(section) if section.Succinct { succinctFlags := []string{} for _, flag := range flags { if flag.Name != "" { succinctFlags = append(succinctFlags, fmt.Sprintf("--%s", flag.Name)) } } out += formatter.Fiw(1, formatter.COLS, section.Style+strings.Join(succinctFlags, ", ")+"{{/}}\n") } else { for _, flag := range flags { out += f.usageForFlag(flag, section.Style) } } out += "\n" } if len(ungroupedFlags) > 0 { for _, flag := range ungroupedFlags { out += f.usageForFlag(flag, "") } out += "\n" } if len(extraGoFlags) > 0 { out += f.usageForSection(f.extraGoFlagsSection) for _, goFlag := range extraGoFlags { out += f.usageForGoFlag(goFlag) } } return out } func (f GinkgoFlagSet) substituteUsage() { fmt.Fprintln(f.flagSet.Output(), f.Usage()) } func valueAtKeyPath(root any, keyPath string) (reflect.Value, bool) { if len(keyPath) == 0 { return reflect.Value{}, false } val := reflect.ValueOf(root) components := strings.Split(keyPath, ".") for _, component := range components { val = reflect.Indirect(val) switch val.Kind() { case reflect.Map: val = val.MapIndex(reflect.ValueOf(component)) if val.Kind() == reflect.Interface { val = reflect.ValueOf(val.Interface()) } case reflect.Struct: val = val.FieldByName(component) default: return reflect.Value{}, false } if (val == reflect.Value{}) { return reflect.Value{}, false } } return val, true } func (f GinkgoFlagSet) usageForSection(section GinkgoFlagSection) string { out := formatter.F(section.Style + "{{bold}}{{underline}}" + section.Heading + "{{/}}\n") if section.Description != "" { out += formatter.Fiw(0, formatter.COLS, section.Description+"\n") } return out } func (f GinkgoFlagSet) usageForFlag(flag GinkgoFlag, style string) string { argument := flag.UsageArgument defValue := flag.UsageDefaultValue if argument == "" { value, _ := valueAtKeyPath(f.bindings, flag.KeyPath) switch value.Type() { case reflect.TypeOf(string("")): argument = "string" case reflect.TypeOf(int64(0)), reflect.TypeOf(int(0)): argument = "int" case reflect.TypeOf(time.Duration(0)): argument = "duration" case reflect.TypeOf(float64(0)): argument = "float" case reflect.TypeOf([]string{}): argument = "string" } } if argument != "" { argument = "[" + argument + "] " } if defValue != "" { defValue = fmt.Sprintf("(default: %s)", defValue) } hyphens := "--" if len(flag.Name) == 1 { hyphens = "-" } out := formatter.Fi(1, style+"%s%s{{/}} %s{{gray}}%s{{/}}\n", hyphens, flag.Name, argument, defValue) out += formatter.Fiw(2, formatter.COLS, "{{light-gray}}%s{{/}}\n", flag.Usage) return out } func (f GinkgoFlagSet) usageForGoFlag(goFlag *flag.Flag) string { //Taken directly from the flag package out := fmt.Sprintf(" -%s", goFlag.Name) name, usage := flag.UnquoteUsage(goFlag) if len(name) > 0 { out += " " + name } if len(out) <= 4 { out += "\t" } else { out += "\n \t" } out += strings.ReplaceAll(usage, "\n", "\n \t") out += "\n" return out } type stringSliceVar struct { slice reflect.Value } func (ssv stringSliceVar) String() string { return "" } func (ssv stringSliceVar) Set(s string) error { ssv.slice.Set(reflect.AppendSlice(ssv.slice, reflect.ValueOf([]string{s}))) return nil } // given a set of GinkgoFlags and bindings, generate flag arguments suitable to be passed to an application with that set of flags configured. func GenerateFlagArgs(flags GinkgoFlags, bindings any) ([]string, error) { result := []string{} for _, flag := range flags { name := flag.ExportAs if name == "" { name = flag.Name } if name == "" { continue } value, ok := valueAtKeyPath(bindings, flag.KeyPath) if !ok { return []string{}, fmt.Errorf("could not load KeyPath: %s", flag.KeyPath) } iface := value.Interface() switch value.Type() { case reflect.TypeOf(string("")): if iface.(string) != "" || flag.AlwaysExport { result = append(result, fmt.Sprintf("--%s=%s", name, iface)) } case reflect.TypeOf(int64(0)): if iface.(int64) != 0 || flag.AlwaysExport { result = append(result, fmt.Sprintf("--%s=%d", name, iface)) } case reflect.TypeOf(float64(0)): if iface.(float64) != 0 || flag.AlwaysExport { result = append(result, fmt.Sprintf("--%s=%f", name, iface)) } case reflect.TypeOf(int(0)): if iface.(int) != 0 || flag.AlwaysExport { result = append(result, fmt.Sprintf("--%s=%d", name, iface)) } case reflect.TypeOf(bool(true)): if iface.(bool) { result = append(result, fmt.Sprintf("--%s", name)) } case reflect.TypeOf(time.Duration(0)): if iface.(time.Duration) != time.Duration(0) || flag.AlwaysExport { result = append(result, fmt.Sprintf("--%s=%s", name, iface)) } case reflect.TypeOf([]string{}): strings := iface.([]string) for _, s := range strings { result = append(result, fmt.Sprintf("--%s=%s", name, s)) } default: return []string{}, fmt.Errorf("unsupported type %T", iface) } } return result, nil }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/semver_filter.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/semver_filter.go
package types import ( "fmt" "github.com/Masterminds/semver/v3" ) type SemVerFilter func([]string) bool func MustParseSemVerFilter(input string) SemVerFilter { filter, err := ParseSemVerFilter(input) if err != nil { panic(err) } return filter } func ParseSemVerFilter(filterVersion string) (SemVerFilter, error) { if filterVersion == "" { return func(_ []string) bool { return true }, nil } targetVersion, err := semver.NewVersion(filterVersion) if err != nil { return nil, fmt.Errorf("invalid filter version: %w", err) } return func(constraints []string) bool { // unconstrained specs always run if len(constraints) == 0 { return true } for _, constraintStr := range constraints { constraint, err := semver.NewConstraint(constraintStr) if err != nil { return false } if !constraint.Check(targetVersion) { return false } } return true }, nil } func ValidateAndCleanupSemVerConstraint(semVerConstraint string, cl CodeLocation) (string, error) { if len(semVerConstraint) == 0 { return "", GinkgoErrors.InvalidEmptySemVerConstraint(cl) } _, err := semver.NewConstraint(semVerConstraint) if err != nil { return "", GinkgoErrors.InvalidSemVerConstraint(semVerConstraint, err.Error(), cl) } return semVerConstraint, nil }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/report_entry.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/report_entry.go
package types import ( "encoding/json" "fmt" "time" ) // ReportEntryValue wraps a report entry's value ensuring it can be encoded and decoded safely into reports // and across the network connection when running in parallel type ReportEntryValue struct { raw any //unexported to prevent gob from freaking out about unregistered structs AsJSON string Representation string } func WrapEntryValue(value any) ReportEntryValue { return ReportEntryValue{ raw: value, } } func (rev ReportEntryValue) GetRawValue() any { return rev.raw } func (rev ReportEntryValue) String() string { if rev.raw == nil { return "" } if colorableStringer, ok := rev.raw.(ColorableStringer); ok { return colorableStringer.ColorableString() } if stringer, ok := rev.raw.(fmt.Stringer); ok { return stringer.String() } if rev.Representation != "" { return rev.Representation } return fmt.Sprintf("%+v", rev.raw) } func (rev ReportEntryValue) MarshalJSON() ([]byte, error) { //All this to capture the representation at encoding-time, not creating time //This way users can Report on pointers and get their final values at reporting-time out := struct { AsJSON string Representation string }{ Representation: rev.String(), } asJSON, err := json.Marshal(rev.raw) if err != nil { return nil, err } out.AsJSON = string(asJSON) return json.Marshal(out) } func (rev *ReportEntryValue) UnmarshalJSON(data []byte) error { in := struct { AsJSON string Representation string }{} err := json.Unmarshal(data, &in) if err != nil { return err } rev.AsJSON = in.AsJSON rev.Representation = in.Representation return json.Unmarshal([]byte(in.AsJSON), &(rev.raw)) } func (rev ReportEntryValue) GobEncode() ([]byte, error) { return rev.MarshalJSON() } func (rev *ReportEntryValue) GobDecode(data []byte) error { return rev.UnmarshalJSON(data) } // ReportEntry captures information attached to `SpecReport` via `AddReportEntry` type ReportEntry struct { // Visibility captures the visibility policy for this ReportEntry Visibility ReportEntryVisibility // Location captures the location of the AddReportEntry call Location CodeLocation Time time.Time //need this for backwards compatibility TimelineLocation TimelineLocation // Name captures the name of this report Name string // Value captures the (optional) object passed into AddReportEntry - this can be // anything the user wants. The value passed to AddReportEntry is wrapped in a ReportEntryValue to make // encoding/decoding the value easier. To access the raw value call entry.GetRawValue() Value ReportEntryValue } // ColorableStringer is an interface that ReportEntry values can satisfy. If they do then ColorableString() is used to generate their representation. type ColorableStringer interface { ColorableString() string } // StringRepresentation() returns the string representation of the value associated with the ReportEntry -- // if value is nil, empty string is returned // if value is a `ColorableStringer` then `Value.ColorableString()` is returned // if value is a `fmt.Stringer` then `Value.String()` is returned // otherwise the value is formatted with "%+v" func (entry ReportEntry) StringRepresentation() string { return entry.Value.String() } // GetRawValue returns the Value object that was passed to AddReportEntry // If called in-process this will be the same object that was passed into AddReportEntry. // If used from a rehydrated JSON file _or_ in a ReportAfterSuite when running in parallel this will be // a JSON-decoded {}interface. If you want to reconstitute your original object you can decode the entry.Value.AsJSON // field yourself. func (entry ReportEntry) GetRawValue() any { return entry.Value.GetRawValue() } func (entry ReportEntry) GetTimelineLocation() TimelineLocation { return entry.TimelineLocation } type ReportEntries []ReportEntry func (re ReportEntries) HasVisibility(visibilities ...ReportEntryVisibility) bool { for _, entry := range re { if entry.Visibility.Is(visibilities...) { return true } } return false } func (re ReportEntries) WithVisibility(visibilities ...ReportEntryVisibility) ReportEntries { out := ReportEntries{} for _, entry := range re { if entry.Visibility.Is(visibilities...) { out = append(out, entry) } } return out } // ReportEntryVisibility governs the visibility of ReportEntries in Ginkgo's console reporter type ReportEntryVisibility uint const ( // Always print out this ReportEntry ReportEntryVisibilityAlways ReportEntryVisibility = iota // Only print out this ReportEntry if the spec fails or if the test is run with -v ReportEntryVisibilityFailureOrVerbose // Never print out this ReportEntry (note that ReportEntrys are always encoded in machine readable reports (e.g. JSON, JUnit, etc.)) ReportEntryVisibilityNever ) var revEnumSupport = NewEnumSupport(map[uint]string{ uint(ReportEntryVisibilityAlways): "always", uint(ReportEntryVisibilityFailureOrVerbose): "failure-or-verbose", uint(ReportEntryVisibilityNever): "never", }) func (rev ReportEntryVisibility) String() string { return revEnumSupport.String(uint(rev)) } func (rev *ReportEntryVisibility) UnmarshalJSON(b []byte) error { out, err := revEnumSupport.UnmarshJSON(b) *rev = ReportEntryVisibility(out) return err } func (rev ReportEntryVisibility) MarshalJSON() ([]byte, error) { return revEnumSupport.MarshJSON(uint(rev)) } func (v ReportEntryVisibility) Is(visibilities ...ReportEntryVisibility) bool { for _, visibility := range visibilities { if v == visibility { return true } } return false }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/around_node.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/around_node.go
package types import ( "context" ) type AroundNodeAllowedFuncs interface { ~func(context.Context, func(context.Context)) | ~func(context.Context) context.Context | ~func() } type AroundNodeFunc func(ctx context.Context, body func(ctx context.Context)) func AroundNode[F AroundNodeAllowedFuncs](f F, cl CodeLocation) AroundNodeDecorator { if f == nil { panic("BuildAroundNode cannot be called with a nil function.") } var aroundNodeFunc func(context.Context, func(context.Context)) switch x := any(f).(type) { case func(context.Context, func(context.Context)): aroundNodeFunc = x case func(context.Context) context.Context: aroundNodeFunc = func(ctx context.Context, body func(context.Context)) { ctx = x(ctx) body(ctx) } case func(): aroundNodeFunc = func(ctx context.Context, body func(context.Context)) { x() body(ctx) } } return AroundNodeDecorator{ Body: aroundNodeFunc, CodeLocation: cl, } } type AroundNodeDecorator struct { Body AroundNodeFunc CodeLocation CodeLocation } type AroundNodes []AroundNodeDecorator func (an AroundNodes) Clone() AroundNodes { out := make(AroundNodes, len(an)) copy(out, an) return out } func (an AroundNodes) Append(other ...AroundNodeDecorator) AroundNodes { out := make(AroundNodes, len(an)+len(other)) copy(out, an) copy(out[len(an):], other) return out }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/types.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/types.go
package types import ( "encoding/json" "fmt" "os" "slices" "sort" "strings" "time" ) const GINKGO_FOCUS_EXIT_CODE = 197 var GINKGO_TIME_FORMAT = "01/02/06 15:04:05.999" func init() { if os.Getenv("GINKGO_TIME_FORMAT") != "" { GINKGO_TIME_FORMAT = os.Getenv("GINKGO_TIME_FORMAT") } } // Report captures information about a Ginkgo test run type Report struct { //SuitePath captures the absolute path to the test suite SuitePath string //SuiteDescription captures the description string passed to the DSL's RunSpecs() function SuiteDescription string //SuiteLabels captures any labels attached to the suite by the DSL's RunSpecs() function SuiteLabels []string //SuiteSemVerConstraints captures any semVerConstraints attached to the suite by the DSL's RunSpecs() function SuiteSemVerConstraints []string //SuiteSucceeded captures the success or failure status of the test run //If true, the test run is considered successful. //If false, the test run is considered unsuccessful SuiteSucceeded bool //SuiteHasProgrammaticFocus captures whether the test suite has a test or set of tests that are programmatically focused //(i.e an `FIt` or an `FDescribe` SuiteHasProgrammaticFocus bool //SpecialSuiteFailureReasons may contain special failure reasons //For example, a test suite might be considered "failed" even if none of the individual specs //have a failure state. For example, if the user has configured --fail-on-pending the test suite //will have failed if there are pending tests even though all non-pending tests may have passed. In such //cases, Ginkgo populates SpecialSuiteFailureReasons with a clear message indicating the reason for the failure. //SpecialSuiteFailureReasons is also populated if the test suite is interrupted by the user. //Since multiple special failure reasons can occur, this field is a slice. SpecialSuiteFailureReasons []string //PreRunStats contains a set of stats captured before the test run begins. This is primarily used //by Ginkgo's reporter to tell the user how many specs are in the current suite (PreRunStats.TotalSpecs) //and how many it intends to run (PreRunStats.SpecsThatWillRun) after applying any relevant focus or skip filters. PreRunStats PreRunStats //StartTime and EndTime capture the start and end time of the test run StartTime time.Time EndTime time.Time //RunTime captures the duration of the test run RunTime time.Duration //SuiteConfig captures the Ginkgo configuration governing this test run //SuiteConfig includes information necessary for reproducing an identical test run, //such as the random seed and any filters applied during the test run SuiteConfig SuiteConfig //SpecReports is a list of all SpecReports generated by this test run //It is empty when the SuiteReport is provided to ReportBeforeSuite SpecReports SpecReports } // PreRunStats contains a set of stats captured before the test run begins. This is primarily used // by Ginkgo's reporter to tell the user how many specs are in the current suite (PreRunStats.TotalSpecs) // and how many it intends to run (PreRunStats.SpecsThatWillRun) after applying any relevant focus or skip filters. type PreRunStats struct { TotalSpecs int SpecsThatWillRun int } // Add is used by Ginkgo's parallel aggregation mechanisms to combine test run reports form individual parallel processes // to form a complete final report. func (report Report) Add(other Report) Report { report.SuiteSucceeded = report.SuiteSucceeded && other.SuiteSucceeded if other.StartTime.Before(report.StartTime) { report.StartTime = other.StartTime } if other.EndTime.After(report.EndTime) { report.EndTime = other.EndTime } specialSuiteFailureReasons := []string{} reasonsLookup := map[string]bool{} for _, reasons := range [][]string{report.SpecialSuiteFailureReasons, other.SpecialSuiteFailureReasons} { for _, reason := range reasons { if !reasonsLookup[reason] { reasonsLookup[reason] = true specialSuiteFailureReasons = append(specialSuiteFailureReasons, reason) } } } report.SpecialSuiteFailureReasons = specialSuiteFailureReasons report.RunTime = report.EndTime.Sub(report.StartTime) reports := make(SpecReports, len(report.SpecReports)+len(other.SpecReports)) copy(reports, report.SpecReports) offset := len(report.SpecReports) for i := range other.SpecReports { reports[i+offset] = other.SpecReports[i] } report.SpecReports = reports return report } // SpecReport captures information about a Ginkgo spec. type SpecReport struct { // ContainerHierarchyTexts is a slice containing the text strings of // all Describe/Context/When containers in this spec's hierarchy. ContainerHierarchyTexts []string // ContainerHierarchyLocations is a slice containing the CodeLocations of // all Describe/Context/When containers in this spec's hierarchy. ContainerHierarchyLocations []CodeLocation // ContainerHierarchyLabels is a slice containing the labels of // all Describe/Context/When containers in this spec's hierarchy ContainerHierarchyLabels [][]string // ContainerHierarchySemVerConstraints is a slice containing the semVerConstraints of // all Describe/Context/When containers in this spec's hierarchy ContainerHierarchySemVerConstraints [][]string // LeafNodeType, LeafNodeLocation, LeafNodeLabels, LeafNodeSemVerConstraints and LeafNodeText capture the NodeType, CodeLocation, and text // of the Ginkgo node being tested (typically an NodeTypeIt node, though this can also be // one of the NodeTypesForSuiteLevelNodes node types) LeafNodeType NodeType LeafNodeLocation CodeLocation LeafNodeLabels []string LeafNodeSemVerConstraints []string LeafNodeText string // State captures whether the spec has passed, failed, etc. State SpecState // IsSerial captures whether the spec has the Serial decorator IsSerial bool // IsInOrderedContainer captures whether the spec appears in an Ordered container IsInOrderedContainer bool // StartTime and EndTime capture the start and end time of the spec StartTime time.Time EndTime time.Time // RunTime captures the duration of the spec RunTime time.Duration // ParallelProcess captures the parallel process that this spec ran on ParallelProcess int // RunningInParallel captures whether this spec is part of a suite that ran in parallel RunningInParallel bool //Failure is populated if a spec has failed, panicked, been interrupted, or skipped by the user (e.g. calling Skip()) //It includes detailed information about the Failure Failure Failure // NumAttempts captures the number of times this Spec was run. // Flakey specs can be retried with ginkgo --flake-attempts=N or the use of the FlakeAttempts decorator. // Repeated specs can be retried with the use of the MustPassRepeatedly decorator NumAttempts int // MaxFlakeAttempts captures whether the spec has been retried with ginkgo --flake-attempts=N or the use of the FlakeAttempts decorator. MaxFlakeAttempts int // MaxMustPassRepeatedly captures whether the spec has the MustPassRepeatedly decorator MaxMustPassRepeatedly int // CapturedGinkgoWriterOutput contains text printed to the GinkgoWriter CapturedGinkgoWriterOutput string // CapturedStdOutErr contains text printed to stdout/stderr (when running in parallel) // This is always empty when running in series or calling CurrentSpecReport() // It is used internally by Ginkgo's reporter CapturedStdOutErr string // ReportEntries contains any reports added via `AddReportEntry` ReportEntries ReportEntries // ProgressReports contains any progress reports generated during this spec. These can either be manually triggered, or automatically generated by Ginkgo via the PollProgressAfter() decorator ProgressReports []ProgressReport // AdditionalFailures contains any failures that occurred after the initial spec failure. These typically occur in cleanup nodes after the initial failure and are only emitted when running in verbose mode. AdditionalFailures []AdditionalFailure // SpecEvents capture additional events that occur during the spec run SpecEvents SpecEvents } func (report SpecReport) MarshalJSON() ([]byte, error) { //All this to avoid emitting an empty Failure struct in the JSON out := struct { ContainerHierarchyTexts []string ContainerHierarchyLocations []CodeLocation ContainerHierarchyLabels [][]string ContainerHierarchySemVerConstraints [][]string LeafNodeType NodeType LeafNodeLocation CodeLocation LeafNodeLabels []string LeafNodeSemVerConstraints []string LeafNodeText string State SpecState StartTime time.Time EndTime time.Time RunTime time.Duration ParallelProcess int Failure *Failure `json:",omitempty"` NumAttempts int MaxFlakeAttempts int MaxMustPassRepeatedly int CapturedGinkgoWriterOutput string `json:",omitempty"` CapturedStdOutErr string `json:",omitempty"` ReportEntries ReportEntries `json:",omitempty"` ProgressReports []ProgressReport `json:",omitempty"` AdditionalFailures []AdditionalFailure `json:",omitempty"` SpecEvents SpecEvents `json:",omitempty"` }{ ContainerHierarchyTexts: report.ContainerHierarchyTexts, ContainerHierarchyLocations: report.ContainerHierarchyLocations, ContainerHierarchyLabels: report.ContainerHierarchyLabels, ContainerHierarchySemVerConstraints: report.ContainerHierarchySemVerConstraints, LeafNodeType: report.LeafNodeType, LeafNodeLocation: report.LeafNodeLocation, LeafNodeLabels: report.LeafNodeLabels, LeafNodeSemVerConstraints: report.LeafNodeSemVerConstraints, LeafNodeText: report.LeafNodeText, State: report.State, StartTime: report.StartTime, EndTime: report.EndTime, RunTime: report.RunTime, ParallelProcess: report.ParallelProcess, Failure: nil, ReportEntries: nil, NumAttempts: report.NumAttempts, MaxFlakeAttempts: report.MaxFlakeAttempts, MaxMustPassRepeatedly: report.MaxMustPassRepeatedly, CapturedGinkgoWriterOutput: report.CapturedGinkgoWriterOutput, CapturedStdOutErr: report.CapturedStdOutErr, } if !report.Failure.IsZero() { out.Failure = &(report.Failure) } if len(report.ReportEntries) > 0 { out.ReportEntries = report.ReportEntries } if len(report.ProgressReports) > 0 { out.ProgressReports = report.ProgressReports } if len(report.AdditionalFailures) > 0 { out.AdditionalFailures = report.AdditionalFailures } if len(report.SpecEvents) > 0 { out.SpecEvents = report.SpecEvents } return json.Marshal(out) } // CombinedOutput returns a single string representation of both CapturedStdOutErr and CapturedGinkgoWriterOutput // Note that both are empty when using CurrentSpecReport() so CurrentSpecReport().CombinedOutput() will always be empty. // CombinedOutput() is used internally by Ginkgo's reporter. func (report SpecReport) CombinedOutput() string { if report.CapturedStdOutErr == "" { return report.CapturedGinkgoWriterOutput } if report.CapturedGinkgoWriterOutput == "" { return report.CapturedStdOutErr } return report.CapturedStdOutErr + "\n" + report.CapturedGinkgoWriterOutput } // Failed returns true if report.State is one of the SpecStateFailureStates // (SpecStateFailed, SpecStatePanicked, SpecStateinterrupted, SpecStateAborted) func (report SpecReport) Failed() bool { return report.State.Is(SpecStateFailureStates) } // FullText returns a concatenation of all the report.ContainerHierarchyTexts and report.LeafNodeText func (report SpecReport) FullText() string { texts := []string{} texts = append(texts, report.ContainerHierarchyTexts...) if report.LeafNodeText != "" { texts = append(texts, report.LeafNodeText) } texts = slices.DeleteFunc(texts, func(t string) bool { return t == "" }) return strings.Join(texts, " ") } // Labels returns a deduped set of all the spec's Labels. func (report SpecReport) Labels() []string { out := []string{} seen := map[string]bool{} for _, labels := range report.ContainerHierarchyLabels { for _, label := range labels { if !seen[label] { seen[label] = true out = append(out, label) } } } for _, label := range report.LeafNodeLabels { if !seen[label] { seen[label] = true out = append(out, label) } } return out } // SemVerConstraints returns a deduped set of all the spec's SemVerConstraints. func (report SpecReport) SemVerConstraints() []string { out := []string{} seen := map[string]bool{} for _, semVerConstraints := range report.ContainerHierarchySemVerConstraints { for _, semVerConstraint := range semVerConstraints { if !seen[semVerConstraint] { seen[semVerConstraint] = true out = append(out, semVerConstraint) } } } for _, semVerConstraint := range report.LeafNodeSemVerConstraints { if !seen[semVerConstraint] { seen[semVerConstraint] = true out = append(out, semVerConstraint) } } return out } // MatchesLabelFilter returns true if the spec satisfies the passed in label filter query func (report SpecReport) MatchesLabelFilter(query string) (bool, error) { filter, err := ParseLabelFilter(query) if err != nil { return false, err } return filter(report.Labels()), nil } // MatchesSemVerFilter returns true if the spec satisfies the passed in label filter query func (report SpecReport) MatchesSemVerFilter(version string) (bool, error) { filter, err := ParseSemVerFilter(version) if err != nil { return false, err } return filter(report.SemVerConstraints()), nil } // FileName() returns the name of the file containing the spec func (report SpecReport) FileName() string { return report.LeafNodeLocation.FileName } // LineNumber() returns the line number of the leaf node func (report SpecReport) LineNumber() int { return report.LeafNodeLocation.LineNumber } // FailureMessage() returns the failure message (or empty string if the test hasn't failed) func (report SpecReport) FailureMessage() string { return report.Failure.Message } // FailureLocation() returns the location of the failure (or an empty CodeLocation if the test hasn't failed) func (report SpecReport) FailureLocation() CodeLocation { return report.Failure.Location } // Timeline() returns a timeline view of the report func (report SpecReport) Timeline() Timeline { timeline := Timeline{} if !report.Failure.IsZero() { timeline = append(timeline, report.Failure) if report.Failure.AdditionalFailure != nil { timeline = append(timeline, *(report.Failure.AdditionalFailure)) } } for _, additionalFailure := range report.AdditionalFailures { timeline = append(timeline, additionalFailure) } for _, reportEntry := range report.ReportEntries { timeline = append(timeline, reportEntry) } for _, progressReport := range report.ProgressReports { timeline = append(timeline, progressReport) } for _, specEvent := range report.SpecEvents { timeline = append(timeline, specEvent) } sort.Sort(timeline) return timeline } type SpecReports []SpecReport // WithLeafNodeType returns the subset of SpecReports with LeafNodeType matching one of the requested NodeTypes func (reports SpecReports) WithLeafNodeType(nodeTypes NodeType) SpecReports { count := 0 for i := range reports { if reports[i].LeafNodeType.Is(nodeTypes) { count++ } } out := make(SpecReports, count) j := 0 for i := range reports { if reports[i].LeafNodeType.Is(nodeTypes) { out[j] = reports[i] j++ } } return out } // WithState returns the subset of SpecReports with State matching one of the requested SpecStates func (reports SpecReports) WithState(states SpecState) SpecReports { count := 0 for i := range reports { if reports[i].State.Is(states) { count++ } } out, j := make(SpecReports, count), 0 for i := range reports { if reports[i].State.Is(states) { out[j] = reports[i] j++ } } return out } // CountWithState returns the number of SpecReports with State matching one of the requested SpecStates func (reports SpecReports) CountWithState(states SpecState) int { n := 0 for i := range reports { if reports[i].State.Is(states) { n += 1 } } return n } // If the Spec passes, CountOfFlakedSpecs returns the number of SpecReports that failed after multiple attempts. func (reports SpecReports) CountOfFlakedSpecs() int { n := 0 for i := range reports { if reports[i].MaxFlakeAttempts > 1 && reports[i].State.Is(SpecStatePassed) && reports[i].NumAttempts > 1 { n += 1 } } return n } // If the Spec fails, CountOfRepeatedSpecs returns the number of SpecReports that passed after multiple attempts func (reports SpecReports) CountOfRepeatedSpecs() int { n := 0 for i := range reports { if reports[i].MaxMustPassRepeatedly > 1 && reports[i].State.Is(SpecStateFailureStates) && reports[i].NumAttempts > 1 { n += 1 } } return n } // TimelineLocation captures the location of an event in the spec's timeline type TimelineLocation struct { //Offset is the offset (in bytes) of the event relative to the GinkgoWriter stream Offset int `json:",omitempty"` //Order is the order of the event with respect to other events. The absolute value of Order //is irrelevant. All that matters is that an event with a lower Order occurs before ane vent with a higher Order Order int `json:",omitempty"` Time time.Time } // TimelineEvent represent an event on the timeline // consumers of Timeline will need to check the concrete type of each entry to determine how to handle it type TimelineEvent interface { GetTimelineLocation() TimelineLocation } type Timeline []TimelineEvent func (t Timeline) Len() int { return len(t) } func (t Timeline) Less(i, j int) bool { return t[i].GetTimelineLocation().Order < t[j].GetTimelineLocation().Order } func (t Timeline) Swap(i, j int) { t[i], t[j] = t[j], t[i] } func (t Timeline) WithoutHiddenReportEntries() Timeline { out := Timeline{} for _, event := range t { if reportEntry, isReportEntry := event.(ReportEntry); isReportEntry && reportEntry.Visibility == ReportEntryVisibilityNever { continue } out = append(out, event) } return out } func (t Timeline) WithoutVeryVerboseSpecEvents() Timeline { out := Timeline{} for _, event := range t { if specEvent, isSpecEvent := event.(SpecEvent); isSpecEvent && specEvent.IsOnlyVisibleAtVeryVerbose() { continue } out = append(out, event) } return out } // Failure captures failure information for an individual test type Failure struct { // Message - the failure message passed into Fail(...). When using a matcher library // like Gomega, this will contain the failure message generated by Gomega. // // Message is also populated if the user has called Skip(...). Message string // Location - the CodeLocation where the failure occurred // This CodeLocation will include a fully-populated StackTrace Location CodeLocation TimelineLocation TimelineLocation // ForwardedPanic - if the failure represents a captured panic (i.e. Summary.State == SpecStatePanicked) // then ForwardedPanic will be populated with a string representation of the captured panic. ForwardedPanic string `json:",omitempty"` // FailureNodeContext - one of three contexts describing the node in which the failure occurred: // FailureNodeIsLeafNode means the failure occurred in the leaf node of the associated SpecReport. None of the other FailureNode fields will be populated // FailureNodeAtTopLevel means the failure occurred in a non-leaf node that is defined at the top-level of the spec (i.e. not in a container). FailureNodeType and FailureNodeLocation will be populated. // FailureNodeInContainer means the failure occurred in a non-leaf node that is defined within a container. FailureNodeType, FailureNodeLocation, and FailureNodeContainerIndex will be populated. // // FailureNodeType will contain the NodeType of the node in which the failure occurred. // FailureNodeLocation will contain the CodeLocation of the node in which the failure occurred. // If populated, FailureNodeContainerIndex will be the index into SpecReport.ContainerHierarchyTexts and SpecReport.ContainerHierarchyLocations that represents the parent container of the node in which the failure occurred. FailureNodeContext FailureNodeContext `json:",omitempty"` FailureNodeType NodeType `json:",omitempty"` FailureNodeLocation CodeLocation `json:",omitempty"` FailureNodeContainerIndex int `json:",omitempty"` //ProgressReport is populated if the spec was interrupted or timed out ProgressReport ProgressReport `json:",omitempty"` //AdditionalFailure is non-nil if a follow-on failure occurred within the same node after the primary failure. This only happens when a node has timed out or been interrupted. In such cases the AdditionalFailure can include information about where/why the spec was stuck. AdditionalFailure *AdditionalFailure `json:",omitempty"` } func (f Failure) IsZero() bool { return f.Message == "" && (f.Location == CodeLocation{}) } func (f Failure) GetTimelineLocation() TimelineLocation { return f.TimelineLocation } // FailureNodeContext captures the location context for the node containing the failing line of code type FailureNodeContext uint const ( FailureNodeContextInvalid FailureNodeContext = iota FailureNodeIsLeafNode FailureNodeAtTopLevel FailureNodeInContainer ) var fncEnumSupport = NewEnumSupport(map[uint]string{ uint(FailureNodeContextInvalid): "INVALID FAILURE NODE CONTEXT", uint(FailureNodeIsLeafNode): "leaf-node", uint(FailureNodeAtTopLevel): "top-level", uint(FailureNodeInContainer): "in-container", }) func (fnc FailureNodeContext) String() string { return fncEnumSupport.String(uint(fnc)) } func (fnc *FailureNodeContext) UnmarshalJSON(b []byte) error { out, err := fncEnumSupport.UnmarshJSON(b) *fnc = FailureNodeContext(out) return err } func (fnc FailureNodeContext) MarshalJSON() ([]byte, error) { return fncEnumSupport.MarshJSON(uint(fnc)) } // AdditionalFailure capturs any additional failures that occur after the initial failure of a psec // these typically occur in clean up nodes after the spec has failed. // We can't simply use Failure as we want to track the SpecState to know what kind of failure this is type AdditionalFailure struct { State SpecState Failure Failure } func (f AdditionalFailure) GetTimelineLocation() TimelineLocation { return f.Failure.TimelineLocation } // SpecState captures the state of a spec // To determine if a given `state` represents a failure state, use `state.Is(SpecStateFailureStates)` type SpecState uint const ( SpecStateInvalid SpecState = 0 SpecStatePending SpecState = 1 << iota SpecStateSkipped SpecStatePassed SpecStateFailed SpecStateAborted SpecStatePanicked SpecStateInterrupted SpecStateTimedout ) var ssEnumSupport = NewEnumSupport(map[uint]string{ uint(SpecStateInvalid): "INVALID SPEC STATE", uint(SpecStatePending): "pending", uint(SpecStateSkipped): "skipped", uint(SpecStatePassed): "passed", uint(SpecStateFailed): "failed", uint(SpecStateAborted): "aborted", uint(SpecStatePanicked): "panicked", uint(SpecStateInterrupted): "interrupted", uint(SpecStateTimedout): "timedout", }) func (ss SpecState) String() string { return ssEnumSupport.String(uint(ss)) } func (ss SpecState) GomegaString() string { return ssEnumSupport.String(uint(ss)) } func (ss *SpecState) UnmarshalJSON(b []byte) error { out, err := ssEnumSupport.UnmarshJSON(b) *ss = SpecState(out) return err } func (ss SpecState) MarshalJSON() ([]byte, error) { return ssEnumSupport.MarshJSON(uint(ss)) } var SpecStateFailureStates = SpecStateFailed | SpecStateTimedout | SpecStateAborted | SpecStatePanicked | SpecStateInterrupted func (ss SpecState) Is(states SpecState) bool { return ss&states != 0 } // ProgressReport captures the progress of the current spec. It is, effectively, a structured Ginkgo-aware stack trace type ProgressReport struct { Message string `json:",omitempty"` ParallelProcess int `json:",omitempty"` RunningInParallel bool `json:",omitempty"` ContainerHierarchyTexts []string `json:",omitempty"` LeafNodeText string `json:",omitempty"` LeafNodeLocation CodeLocation `json:",omitempty"` SpecStartTime time.Time `json:",omitempty"` CurrentNodeType NodeType `json:",omitempty"` CurrentNodeText string `json:",omitempty"` CurrentNodeLocation CodeLocation `json:",omitempty"` CurrentNodeStartTime time.Time `json:",omitempty"` CurrentStepText string `json:",omitempty"` CurrentStepLocation CodeLocation `json:",omitempty"` CurrentStepStartTime time.Time `json:",omitempty"` AdditionalReports []string `json:",omitempty"` CapturedGinkgoWriterOutput string `json:",omitempty"` TimelineLocation TimelineLocation `json:",omitempty"` Goroutines []Goroutine `json:",omitempty"` } func (pr ProgressReport) IsZero() bool { return pr.CurrentNodeType == NodeTypeInvalid } func (pr ProgressReport) Time() time.Time { return pr.TimelineLocation.Time } func (pr ProgressReport) SpecGoroutine() Goroutine { for _, goroutine := range pr.Goroutines { if goroutine.IsSpecGoroutine { return goroutine } } return Goroutine{} } func (pr ProgressReport) HighlightedGoroutines() []Goroutine { out := []Goroutine{} for _, goroutine := range pr.Goroutines { if goroutine.IsSpecGoroutine || !goroutine.HasHighlights() { continue } out = append(out, goroutine) } return out } func (pr ProgressReport) OtherGoroutines() []Goroutine { out := []Goroutine{} for _, goroutine := range pr.Goroutines { if goroutine.IsSpecGoroutine || goroutine.HasHighlights() { continue } out = append(out, goroutine) } return out } func (pr ProgressReport) WithoutCapturedGinkgoWriterOutput() ProgressReport { out := pr out.CapturedGinkgoWriterOutput = "" return out } func (pr ProgressReport) WithoutOtherGoroutines() ProgressReport { out := pr filteredGoroutines := []Goroutine{} for _, goroutine := range pr.Goroutines { if goroutine.IsSpecGoroutine || goroutine.HasHighlights() { filteredGoroutines = append(filteredGoroutines, goroutine) } } out.Goroutines = filteredGoroutines return out } func (pr ProgressReport) GetTimelineLocation() TimelineLocation { return pr.TimelineLocation } type Goroutine struct { ID uint64 State string Stack []FunctionCall IsSpecGoroutine bool } func (g Goroutine) IsZero() bool { return g.ID == 0 } func (g Goroutine) HasHighlights() bool { for _, fc := range g.Stack { if fc.Highlight { return true } } return false } type FunctionCall struct { Function string Filename string Line int Highlight bool `json:",omitempty"` Source []string `json:",omitempty"` SourceHighlight int `json:",omitempty"` } // NodeType captures the type of a given Ginkgo Node type NodeType uint const ( NodeTypeInvalid NodeType = 0 NodeTypeContainer NodeType = 1 << iota NodeTypeIt NodeTypeBeforeEach NodeTypeJustBeforeEach NodeTypeAfterEach NodeTypeJustAfterEach NodeTypeBeforeAll NodeTypeAfterAll NodeTypeBeforeSuite NodeTypeSynchronizedBeforeSuite NodeTypeAfterSuite NodeTypeSynchronizedAfterSuite NodeTypeReportBeforeEach NodeTypeReportAfterEach NodeTypeReportBeforeSuite NodeTypeReportAfterSuite NodeTypeCleanupInvalid NodeTypeCleanupAfterEach NodeTypeCleanupAfterAll NodeTypeCleanupAfterSuite ) var NodeTypesForContainerAndIt = NodeTypeContainer | NodeTypeIt var NodeTypesForSuiteLevelNodes = NodeTypeBeforeSuite | NodeTypeSynchronizedBeforeSuite | NodeTypeAfterSuite | NodeTypeSynchronizedAfterSuite | NodeTypeReportBeforeSuite | NodeTypeReportAfterSuite | NodeTypeCleanupAfterSuite var NodeTypesAllowedDuringCleanupInterrupt = NodeTypeAfterEach | NodeTypeJustAfterEach | NodeTypeAfterAll | NodeTypeAfterSuite | NodeTypeSynchronizedAfterSuite | NodeTypeCleanupAfterEach | NodeTypeCleanupAfterAll | NodeTypeCleanupAfterSuite var NodeTypesAllowedDuringReportInterrupt = NodeTypeReportBeforeEach | NodeTypeReportAfterEach | NodeTypeReportBeforeSuite | NodeTypeReportAfterSuite var ntEnumSupport = NewEnumSupport(map[uint]string{ uint(NodeTypeInvalid): "INVALID NODE TYPE", uint(NodeTypeContainer): "Container", uint(NodeTypeIt): "It", uint(NodeTypeBeforeEach): "BeforeEach", uint(NodeTypeJustBeforeEach): "JustBeforeEach", uint(NodeTypeAfterEach): "AfterEach", uint(NodeTypeJustAfterEach): "JustAfterEach", uint(NodeTypeBeforeAll): "BeforeAll", uint(NodeTypeAfterAll): "AfterAll", uint(NodeTypeBeforeSuite): "BeforeSuite", uint(NodeTypeSynchronizedBeforeSuite): "SynchronizedBeforeSuite", uint(NodeTypeAfterSuite): "AfterSuite", uint(NodeTypeSynchronizedAfterSuite): "SynchronizedAfterSuite", uint(NodeTypeReportBeforeEach): "ReportBeforeEach", uint(NodeTypeReportAfterEach): "ReportAfterEach", uint(NodeTypeReportBeforeSuite): "ReportBeforeSuite", uint(NodeTypeReportAfterSuite): "ReportAfterSuite", uint(NodeTypeCleanupInvalid): "DeferCleanup", uint(NodeTypeCleanupAfterEach): "DeferCleanup (Each)", uint(NodeTypeCleanupAfterAll): "DeferCleanup (All)", uint(NodeTypeCleanupAfterSuite): "DeferCleanup (Suite)", }) func (nt NodeType) String() string { return ntEnumSupport.String(uint(nt)) } func (nt *NodeType) UnmarshalJSON(b []byte) error { out, err := ntEnumSupport.UnmarshJSON(b) *nt = NodeType(out) return err } func (nt NodeType) MarshalJSON() ([]byte, error) { return ntEnumSupport.MarshJSON(uint(nt)) } func (nt NodeType) Is(nodeTypes NodeType) bool { return nt&nodeTypes != 0 } /* SpecEvent captures a vareity of events that can occur when specs run. See SpecEventType for the list of available events. */ type SpecEvent struct { SpecEventType SpecEventType CodeLocation CodeLocation TimelineLocation TimelineLocation Message string `json:",omitempty"` Duration time.Duration `json:",omitempty"` NodeType NodeType `json:",omitempty"` Attempt int `json:",omitempty"` } func (se SpecEvent) GetTimelineLocation() TimelineLocation { return se.TimelineLocation } func (se SpecEvent) IsOnlyVisibleAtVeryVerbose() bool { return se.SpecEventType.Is(SpecEventByEnd | SpecEventNodeStart | SpecEventNodeEnd) } func (se SpecEvent) GomegaString() string { out := &strings.Builder{} out.WriteString("[" + se.SpecEventType.String() + " SpecEvent] ") if se.Message != "" { out.WriteString("Message=") out.WriteString(`"` + se.Message + `",`) } if se.Duration != 0 { out.WriteString("Duration=" + se.Duration.String() + ",") } if se.NodeType != NodeTypeInvalid { out.WriteString("NodeType=" + se.NodeType.String() + ",") } if se.Attempt != 0 { out.WriteString(fmt.Sprintf("Attempt=%d", se.Attempt) + ",") } out.WriteString("CL=" + se.CodeLocation.String() + ",") out.WriteString(fmt.Sprintf("TL.Offset=%d", se.TimelineLocation.Offset)) return out.String() } type SpecEvents []SpecEvent func (se SpecEvents) WithType(seType SpecEventType) SpecEvents { out := SpecEvents{} for _, event := range se { if event.SpecEventType.Is(seType) { out = append(out, event) } } return out } type SpecEventType uint const ( SpecEventInvalid SpecEventType = 0 SpecEventByStart SpecEventType = 1 << iota SpecEventByEnd SpecEventNodeStart SpecEventNodeEnd SpecEventSpecRepeat SpecEventSpecRetry ) var seEnumSupport = NewEnumSupport(map[uint]string{ uint(SpecEventInvalid): "INVALID SPEC EVENT", uint(SpecEventByStart): "By", uint(SpecEventByEnd): "By (End)", uint(SpecEventNodeStart): "Node", uint(SpecEventNodeEnd): "Node (End)", uint(SpecEventSpecRepeat): "Repeat",
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
true
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/errors.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/errors.go
package types import ( "fmt" "reflect" "strings" "github.com/onsi/ginkgo/v2/formatter" ) type GinkgoError struct { Heading string Message string DocLink string CodeLocation CodeLocation } func (g GinkgoError) Error() string { out := formatter.F("{{bold}}{{red}}%s{{/}}\n", g.Heading) if (g.CodeLocation != CodeLocation{}) { contentsOfLine := strings.TrimLeft(g.CodeLocation.ContentsOfLine(), "\t ") if contentsOfLine != "" { out += formatter.F("{{light-gray}}%s{{/}}\n", contentsOfLine) } out += formatter.F("{{gray}}%s{{/}}\n", g.CodeLocation) } if g.Message != "" { out += formatter.Fiw(1, formatter.COLS, g.Message) out += "\n\n" } if g.DocLink != "" { out += formatter.Fiw(1, formatter.COLS, "{{bold}}Learn more at:{{/}} {{cyan}}{{underline}}http://onsi.github.io/ginkgo/#%s{{/}}\n", g.DocLink) } return out } type ginkgoErrors struct{} var GinkgoErrors = ginkgoErrors{} func (g ginkgoErrors) UncaughtGinkgoPanic(cl CodeLocation) error { return GinkgoError{ Heading: "Your Test Panicked", Message: `When you, or your assertion library, calls Ginkgo's Fail(), Ginkgo panics to prevent subsequent assertions from running. Normally Ginkgo rescues this panic so you shouldn't see it. However, if you make an assertion in a goroutine, Ginkgo can't capture the panic. To circumvent this, you should call defer GinkgoRecover() at the top of the goroutine that caused this panic. Alternatively, you may have made an assertion outside of a Ginkgo leaf node (e.g. in a container node or some out-of-band function) - please move your assertion to an appropriate Ginkgo node (e.g. a BeforeSuite, BeforeEach, It, etc...).`, DocLink: "mental-model-how-ginkgo-handles-failure", CodeLocation: cl, } } func (g ginkgoErrors) RerunningSuite() error { return GinkgoError{ Heading: "Rerunning Suite", Message: formatter.F(`It looks like you are calling RunSpecs more than once. Ginkgo does not support rerunning suites. If you want to rerun a suite try {{bold}}ginkgo --repeat=N{{/}} or {{bold}}ginkgo --until-it-fails{{/}}`), DocLink: "repeating-spec-runs-and-managing-flaky-specs", } } /* Tree construction errors */ func (g ginkgoErrors) PushingNodeInRunPhase(nodeType NodeType, cl CodeLocation) error { return GinkgoError{ Heading: "Ginkgo detected an issue with your spec structure", Message: formatter.F( `It looks like you are trying to add a {{bold}}[%s]{{/}} node to the Ginkgo spec tree in a leaf node {{bold}}after{{/}} the specs started running. To enable randomization and parallelization Ginkgo requires the spec tree to be fully constructed up front. In practice, this means that you can only create nodes like {{bold}}[%s]{{/}} at the top-level or within the body of a {{bold}}Describe{{/}}, {{bold}}Context{{/}}, or {{bold}}When{{/}}.`, nodeType, nodeType), CodeLocation: cl, DocLink: "mental-model-how-ginkgo-traverses-the-spec-hierarchy", } } func (g ginkgoErrors) CaughtPanicDuringABuildPhase(caughtPanic any, cl CodeLocation) error { return GinkgoError{ Heading: "Assertion or Panic detected during tree construction", Message: formatter.F( `Ginkgo detected a panic while constructing the spec tree. You may be trying to make an assertion in the body of a container node (i.e. {{bold}}Describe{{/}}, {{bold}}Context{{/}}, or {{bold}}When{{/}}). Please ensure all assertions are inside leaf nodes such as {{bold}}BeforeEach{{/}}, {{bold}}It{{/}}, etc. {{bold}}Here's the content of the panic that was caught:{{/}} %v`, caughtPanic), CodeLocation: cl, DocLink: "no-assertions-in-container-nodes", } } func (g ginkgoErrors) SuiteNodeInNestedContext(nodeType NodeType, cl CodeLocation) error { docLink := "suite-setup-and-cleanup-beforesuite-and-aftersuite" if nodeType.Is(NodeTypeReportBeforeSuite | NodeTypeReportAfterSuite) { docLink = "reporting-nodes---reportbeforesuite-and-reportaftersuite" } return GinkgoError{ Heading: "Ginkgo detected an issue with your spec structure", Message: formatter.F( `It looks like you are trying to add a {{bold}}[%s]{{/}} node within a container node. {{bold}}%s{{/}} can only be called at the top level.`, nodeType, nodeType), CodeLocation: cl, DocLink: docLink, } } func (g ginkgoErrors) SuiteNodeDuringRunPhase(nodeType NodeType, cl CodeLocation) error { docLink := "suite-setup-and-cleanup-beforesuite-and-aftersuite" if nodeType.Is(NodeTypeReportBeforeSuite | NodeTypeReportAfterSuite) { docLink = "reporting-nodes---reportbeforesuite-and-reportaftersuite" } return GinkgoError{ Heading: "Ginkgo detected an issue with your spec structure", Message: formatter.F( `It looks like you are trying to add a {{bold}}[%s]{{/}} node within a leaf node after the spec started running. {{bold}}%s{{/}} can only be called at the top level.`, nodeType, nodeType), CodeLocation: cl, DocLink: docLink, } } func (g ginkgoErrors) MultipleBeforeSuiteNodes(nodeType NodeType, cl CodeLocation, earlierNodeType NodeType, earlierCodeLocation CodeLocation) error { return ginkgoErrorMultipleSuiteNodes("setup", nodeType, cl, earlierNodeType, earlierCodeLocation) } func (g ginkgoErrors) MultipleAfterSuiteNodes(nodeType NodeType, cl CodeLocation, earlierNodeType NodeType, earlierCodeLocation CodeLocation) error { return ginkgoErrorMultipleSuiteNodes("teardown", nodeType, cl, earlierNodeType, earlierCodeLocation) } func ginkgoErrorMultipleSuiteNodes(setupOrTeardown string, nodeType NodeType, cl CodeLocation, earlierNodeType NodeType, earlierCodeLocation CodeLocation) error { return GinkgoError{ Heading: "Ginkgo detected an issue with your spec structure", Message: formatter.F( `It looks like you are trying to add a {{bold}}[%s]{{/}} node but you already have a {{bold}}[%s]{{/}} node defined at: {{gray}}%s{{/}}. Ginkgo only allows you to define one suite %s node.`, nodeType, earlierNodeType, earlierCodeLocation, setupOrTeardown), CodeLocation: cl, DocLink: "suite-setup-and-cleanup-beforesuite-and-aftersuite", } } /* Decorator errors */ func (g ginkgoErrors) InvalidDecoratorForNodeType(cl CodeLocation, nodeType NodeType, decorator string) error { return GinkgoError{ Heading: "Invalid Decorator", Message: formatter.F(`[%s] node cannot be passed a(n) '%s' decorator`, nodeType, decorator), CodeLocation: cl, DocLink: "node-decorators-overview", } } func (g ginkgoErrors) InvalidDeclarationOfFocusedAndPending(cl CodeLocation, nodeType NodeType) error { return GinkgoError{ Heading: "Invalid Combination of Decorators: Focused and Pending", Message: formatter.F(`[%s] node was decorated with both Focus and Pending. At most one is allowed.`, nodeType), CodeLocation: cl, DocLink: "node-decorators-overview", } } func (g ginkgoErrors) InvalidDeclarationOfFlakeAttemptsAndMustPassRepeatedly(cl CodeLocation, nodeType NodeType) error { return GinkgoError{ Heading: "Invalid Combination of Decorators: FlakeAttempts and MustPassRepeatedly", Message: formatter.F(`[%s] node was decorated with both FlakeAttempts and MustPassRepeatedly. At most one is allowed.`, nodeType), CodeLocation: cl, DocLink: "node-decorators-overview", } } func (g ginkgoErrors) UnknownDecorator(cl CodeLocation, nodeType NodeType, decorator any) error { return GinkgoError{ Heading: "Unknown Decorator", Message: formatter.F(`[%s] node was passed an unknown decorator: '%#v'`, nodeType, decorator), CodeLocation: cl, DocLink: "node-decorators-overview", } } func (g ginkgoErrors) InvalidBodyTypeForContainer(t reflect.Type, cl CodeLocation, nodeType NodeType) error { return GinkgoError{ Heading: "Invalid Function", Message: formatter.F(`[%s] node must be passed {{bold}}func(){{/}} - i.e. functions that take nothing and return nothing. You passed {{bold}}%s{{/}} instead.`, nodeType, t), CodeLocation: cl, DocLink: "node-decorators-overview", } } func (g ginkgoErrors) InvalidBodyType(t reflect.Type, cl CodeLocation, nodeType NodeType) error { mustGet := "{{bold}}func(){{/}}, {{bold}}func(ctx SpecContext){{/}}, or {{bold}}func(ctx context.Context){{/}}" if nodeType.Is(NodeTypeContainer) { mustGet = "{{bold}}func(){{/}}" } return GinkgoError{ Heading: "Invalid Function", Message: formatter.F(`[%s] node must be passed `+mustGet+`. You passed {{bold}}%s{{/}} instead.`, nodeType, t), CodeLocation: cl, DocLink: "node-decorators-overview", } } func (g ginkgoErrors) InvalidBodyTypeForSynchronizedBeforeSuiteProc1(t reflect.Type, cl CodeLocation) error { mustGet := "{{bold}}func() []byte{{/}}, {{bold}}func(ctx SpecContext) []byte{{/}}, or {{bold}}func(ctx context.Context) []byte{{/}}, {{bold}}func(){{/}}, {{bold}}func(ctx SpecContext){{/}}, or {{bold}}func(ctx context.Context){{/}}" return GinkgoError{ Heading: "Invalid Function", Message: formatter.F(`[SynchronizedBeforeSuite] node must be passed `+mustGet+` for its first function. You passed {{bold}}%s{{/}} instead.`, t), CodeLocation: cl, DocLink: "node-decorators-overview", } } func (g ginkgoErrors) InvalidBodyTypeForSynchronizedBeforeSuiteAllProcs(t reflect.Type, cl CodeLocation) error { mustGet := "{{bold}}func(){{/}}, {{bold}}func(ctx SpecContext){{/}}, or {{bold}}func(ctx context.Context){{/}}, {{bold}}func([]byte){{/}}, {{bold}}func(ctx SpecContext, []byte){{/}}, or {{bold}}func(ctx context.Context, []byte){{/}}" return GinkgoError{ Heading: "Invalid Function", Message: formatter.F(`[SynchronizedBeforeSuite] node must be passed `+mustGet+` for its second function. You passed {{bold}}%s{{/}} instead.`, t), CodeLocation: cl, DocLink: "node-decorators-overview", } } func (g ginkgoErrors) MultipleBodyFunctions(cl CodeLocation, nodeType NodeType) error { return GinkgoError{ Heading: "Multiple Functions", Message: formatter.F(`[%s] node must be passed a single function - but more than one was passed in.`, nodeType), CodeLocation: cl, DocLink: "node-decorators-overview", } } func (g ginkgoErrors) MissingBodyFunction(cl CodeLocation, nodeType NodeType) error { return GinkgoError{ Heading: "Missing Functions", Message: formatter.F(`[%s] node must be passed a single function - but none was passed in.`, nodeType), CodeLocation: cl, DocLink: "node-decorators-overview", } } func (g ginkgoErrors) InvalidTimeoutOrGracePeriodForNonContextNode(cl CodeLocation, nodeType NodeType) error { return GinkgoError{ Heading: "Invalid NodeTimeout SpecTimeout, or GracePeriod", Message: formatter.F(`[%s] was passed NodeTimeout, SpecTimeout, or GracePeriod but does not have a callback that accepts a {{bold}}SpecContext{{/}} or {{bold}}context.Context{{/}}. You must accept a context to enable timeouts and grace periods`, nodeType), CodeLocation: cl, DocLink: "spec-timeouts-and-interruptible-nodes", } } func (g ginkgoErrors) InvalidTimeoutOrGracePeriodForNonContextCleanupNode(cl CodeLocation) error { return GinkgoError{ Heading: "Invalid NodeTimeout SpecTimeout, or GracePeriod", Message: formatter.F(`[DeferCleanup] was passed NodeTimeout or GracePeriod but does not have a callback that accepts a {{bold}}SpecContext{{/}} or {{bold}}context.Context{{/}}. You must accept a context to enable timeouts and grace periods`), CodeLocation: cl, DocLink: "spec-timeouts-and-interruptible-nodes", } } /* Ordered Container errors */ func (g ginkgoErrors) InvalidSerialNodeInNonSerialOrderedContainer(cl CodeLocation, nodeType NodeType) error { return GinkgoError{ Heading: "Invalid Serial Node in Non-Serial Ordered Container", Message: formatter.F(`[%s] node was decorated with Serial but occurs in an Ordered container that is not marked Serial. Move the Serial decorator to the outer-most Ordered container to mark all ordered specs within the container as serial.`, nodeType), CodeLocation: cl, DocLink: "node-decorators-overview", } } func (g ginkgoErrors) SetupNodeNotInOrderedContainer(cl CodeLocation, nodeType NodeType) error { return GinkgoError{ Heading: "Setup Node not in Ordered Container", Message: fmt.Sprintf("[%s] setup nodes must appear inside an Ordered container. They cannot be nested within other containers, even containers in an ordered container.", nodeType), CodeLocation: cl, DocLink: "ordered-containers", } } func (g ginkgoErrors) InvalidContinueOnFailureDecoration(cl CodeLocation) error { return GinkgoError{ Heading: "ContinueOnFailure not decorating an outermost Ordered Container", Message: "ContinueOnFailure can only decorate an Ordered container, and this Ordered container must be the outermost Ordered container.", CodeLocation: cl, DocLink: "ordered-containers", } } /* DeferCleanup errors */ func (g ginkgoErrors) DeferCleanupInvalidFunction(cl CodeLocation) error { return GinkgoError{ Heading: "DeferCleanup requires a valid function", Message: "You must pass DeferCleanup a function to invoke. This function must return zero or one values - if it does return, it must return an error. The function can take arbitrarily many arguments and you should provide these to DeferCleanup to pass along to the function.", CodeLocation: cl, DocLink: "cleaning-up-our-cleanup-code-defercleanup", } } func (g ginkgoErrors) PushingCleanupNodeDuringTreeConstruction(cl CodeLocation) error { return GinkgoError{ Heading: "DeferCleanup must be called inside a setup or subject node", Message: "You must call DeferCleanup inside a setup node (e.g. BeforeEach, BeforeSuite, AfterAll...) or a subject node (i.e. It). You can't call DeferCleanup at the top-level or in a container node - use the After* family of setup nodes instead.", CodeLocation: cl, DocLink: "cleaning-up-our-cleanup-code-defercleanup", } } func (g ginkgoErrors) PushingCleanupInReportingNode(cl CodeLocation, nodeType NodeType) error { return GinkgoError{ Heading: fmt.Sprintf("DeferCleanup cannot be called in %s", nodeType), Message: "Please inline your cleanup code - Ginkgo won't run cleanup code after a Reporting node.", CodeLocation: cl, DocLink: "cleaning-up-our-cleanup-code-defercleanup", } } func (g ginkgoErrors) PushingCleanupInCleanupNode(cl CodeLocation) error { return GinkgoError{ Heading: "DeferCleanup cannot be called in a DeferCleanup callback", Message: "Please inline your cleanup code - Ginkgo doesn't let you call DeferCleanup from within DeferCleanup", CodeLocation: cl, DocLink: "cleaning-up-our-cleanup-code-defercleanup", } } /* ReportEntry errors */ func (g ginkgoErrors) TooManyReportEntryValues(cl CodeLocation, arg any) error { return GinkgoError{ Heading: "Too Many ReportEntry Values", Message: formatter.F(`{{bold}}AddGinkgoReport{{/}} can only be given one value. Got unexpected value: %#v`, arg), CodeLocation: cl, DocLink: "attaching-data-to-reports", } } func (g ginkgoErrors) AddReportEntryNotDuringRunPhase(cl CodeLocation) error { return GinkgoError{ Heading: "Ginkgo detected an issue with your spec structure", Message: formatter.F(`It looks like you are calling {{bold}}AddGinkgoReport{{/}} outside of a running spec. Make sure you call {{bold}}AddGinkgoReport{{/}} inside a runnable node such as It or BeforeEach and not inside the body of a container such as Describe or Context.`), CodeLocation: cl, DocLink: "attaching-data-to-reports", } } /* By errors */ func (g ginkgoErrors) ByNotDuringRunPhase(cl CodeLocation) error { return GinkgoError{ Heading: "Ginkgo detected an issue with your spec structure", Message: formatter.F(`It looks like you are calling {{bold}}By{{/}} outside of a running spec. Make sure you call {{bold}}By{{/}} inside a runnable node such as It or BeforeEach and not inside the body of a container such as Describe or Context.`), CodeLocation: cl, DocLink: "documenting-complex-specs-by", } } /* FileFilter and SkipFilter errors */ func (g ginkgoErrors) InvalidFileFilter(filter string) error { return GinkgoError{ Heading: "Invalid File Filter", Message: fmt.Sprintf(`The provided file filter: "%s" is invalid. File filters must have the format "file", "file:lines" where "file" is a regular expression that will match against the file path and lines is a comma-separated list of integers (e.g. file:1,5,7) or line-ranges (e.g. file:1-3,5-9) or both (e.g. file:1,5-9)`, filter), DocLink: "filtering-specs", } } func (g ginkgoErrors) InvalidFileFilterRegularExpression(filter string, err error) error { return GinkgoError{ Heading: "Invalid File Filter Regular Expression", Message: fmt.Sprintf(`The provided file filter: "%s" included an invalid regular expression. regexp.Compile error: %s`, filter, err), DocLink: "filtering-specs", } } /* Label Errors */ func (g ginkgoErrors) SyntaxErrorParsingLabelFilter(input string, location int, error string) error { var message string if location >= 0 { for i, r := range input { if i == location { message += "{{red}}{{bold}}{{underline}}" } message += string(r) if i == location { message += "{{/}}" } } } else { message = input } message += "\n" + error return GinkgoError{ Heading: "Syntax Error Parsing Label Filter", Message: message, DocLink: "spec-labels", } } func (g ginkgoErrors) InvalidLabel(label string, cl CodeLocation) error { return GinkgoError{ Heading: "Invalid Label", Message: fmt.Sprintf("'%s' is an invalid label. Labels cannot contain of the following characters: '&|!,()/'", label), CodeLocation: cl, DocLink: "spec-labels", } } func (g ginkgoErrors) InvalidEmptyLabel(cl CodeLocation) error { return GinkgoError{ Heading: "Invalid Empty Label", Message: "Labels cannot be empty", CodeLocation: cl, DocLink: "spec-labels", } } func (g ginkgoErrors) InvalidSemVerConstraint(semVerConstraint, errMsg string, cl CodeLocation) error { return GinkgoError{ Heading: "Invalid SemVerConstraint", Message: fmt.Sprintf("'%s' is an invalid SemVerConstraint: %s", semVerConstraint, errMsg), CodeLocation: cl, DocLink: "spec-semantic-version-filtering", } } func (g ginkgoErrors) InvalidEmptySemVerConstraint(cl CodeLocation) error { return GinkgoError{ Heading: "Invalid Empty SemVerConstraint", Message: "SemVerConstraint cannot be empty", CodeLocation: cl, DocLink: "spec-semantic-version-filtering", } } /* Table errors */ func (g ginkgoErrors) MultipleEntryBodyFunctionsForTable(cl CodeLocation) error { return GinkgoError{ Heading: "DescribeTable passed multiple functions", Message: "It looks like you are passing multiple functions into DescribeTable. Only one function can be passed in. This function will be called for each Entry in the table.", CodeLocation: cl, DocLink: "table-specs", } } func (g ginkgoErrors) InvalidEntryDescription(cl CodeLocation) error { return GinkgoError{ Heading: "Invalid Entry description", Message: "Entry description functions must be a string, a function that accepts the entry parameters and returns a string, or nil.", CodeLocation: cl, DocLink: "table-specs", } } func (g ginkgoErrors) MissingParametersForTableFunction(cl CodeLocation) error { return GinkgoError{ Heading: "No parameters have been passed to the Table Function", Message: "The Table Function expected at least 1 parameter", CodeLocation: cl, DocLink: "table-specs", } } func (g ginkgoErrors) IncorrectParameterTypeForTable(i int, name string, cl CodeLocation) error { return GinkgoError{ Heading: "DescribeTable passed incorrect parameter type", Message: fmt.Sprintf("Parameter #%d passed to DescribeTable is of incorrect type <%s>", i, name), CodeLocation: cl, DocLink: "table-specs", } } func (g ginkgoErrors) TooFewParametersToTableFunction(expected, actual int, kind string, cl CodeLocation) error { return GinkgoError{ Heading: fmt.Sprintf("Too few parameters passed in to %s", kind), Message: fmt.Sprintf("The %s expected %d parameters but you passed in %d", kind, expected, actual), CodeLocation: cl, DocLink: "table-specs", } } func (g ginkgoErrors) TooManyParametersToTableFunction(expected, actual int, kind string, cl CodeLocation) error { return GinkgoError{ Heading: fmt.Sprintf("Too many parameters passed in to %s", kind), Message: fmt.Sprintf("The %s expected %d parameters but you passed in %d", kind, expected, actual), CodeLocation: cl, DocLink: "table-specs", } } func (g ginkgoErrors) IncorrectParameterTypeToTableFunction(i int, expected, actual reflect.Type, kind string, cl CodeLocation) error { return GinkgoError{ Heading: fmt.Sprintf("Incorrect parameters type passed to %s", kind), Message: fmt.Sprintf("The %s expected parameter #%d to be of type <%s> but you passed in <%s>", kind, i, expected, actual), CodeLocation: cl, DocLink: "table-specs", } } func (g ginkgoErrors) IncorrectVariadicParameterTypeToTableFunction(expected, actual reflect.Type, kind string, cl CodeLocation) error { return GinkgoError{ Heading: fmt.Sprintf("Incorrect parameters type passed to %s", kind), Message: fmt.Sprintf("The %s expected its variadic parameters to be of type <%s> but you passed in <%s>", kind, expected, actual), CodeLocation: cl, DocLink: "table-specs", } } func (g ginkgoErrors) ContextsCannotBeUsedInSubtreeTables(cl CodeLocation) error { return GinkgoError{ Heading: "Contexts cannot be used in subtree tables", Message: "You''ve defined a subtree body function that accepts a context but did not provide one in the table entry. Ginkgo SpecContexts can only be passed in to subject and setup nodes - so if you are trying to implement a spec timeout you should request a context in the It function within your subtree body function, not in the subtree body function itself.", CodeLocation: cl, DocLink: "table-specs", } } /* Parallel Synchronization errors */ func (g ginkgoErrors) AggregatedReportUnavailableDueToNodeDisappearing() error { return GinkgoError{ Heading: "Test Report unavailable because a Ginkgo parallel process disappeared", Message: "The aggregated report could not be fetched for a ReportAfterSuite node. A Ginkgo parallel process disappeared before it could finish reporting.", } } func (g ginkgoErrors) SynchronizedBeforeSuiteFailedOnProc1() error { return GinkgoError{ Heading: "SynchronizedBeforeSuite failed on Ginkgo parallel process #1", Message: "The first SynchronizedBeforeSuite function running on Ginkgo parallel process #1 failed. This suite will now abort.", } } func (g ginkgoErrors) SynchronizedBeforeSuiteDisappearedOnProc1() error { return GinkgoError{ Heading: "Process #1 disappeared before SynchronizedBeforeSuite could report back", Message: "Ginkgo parallel process #1 disappeared before the first SynchronizedBeforeSuite function completed. This suite will now abort.", } } /* Configuration errors */ func (g ginkgoErrors) UnknownTypePassedToRunSpecs(value any) error { return GinkgoError{ Heading: "Unknown Type passed to RunSpecs", Message: fmt.Sprintf("RunSpecs() accepts labels, and configuration of type types.SuiteConfig and/or types.ReporterConfig.\n You passed in: %v", value), } } var sharedParallelErrorMessage = "It looks like you are trying to run specs in parallel with go test.\nThis is unsupported and you should use the ginkgo CLI instead." func (g ginkgoErrors) InvalidParallelTotalConfiguration() error { return GinkgoError{ Heading: "-ginkgo.parallel.total must be >= 1", Message: sharedParallelErrorMessage, DocLink: "spec-parallelization", } } func (g ginkgoErrors) InvalidParallelProcessConfiguration() error { return GinkgoError{ Heading: "-ginkgo.parallel.process is one-indexed and must be <= ginkgo.parallel.total", Message: sharedParallelErrorMessage, DocLink: "spec-parallelization", } } func (g ginkgoErrors) MissingParallelHostConfiguration() error { return GinkgoError{ Heading: "-ginkgo.parallel.host is missing", Message: sharedParallelErrorMessage, DocLink: "spec-parallelization", } } func (g ginkgoErrors) UnreachableParallelHost(host string) error { return GinkgoError{ Heading: "Could not reach ginkgo.parallel.host:" + host, Message: sharedParallelErrorMessage, DocLink: "spec-parallelization", } } func (g ginkgoErrors) DryRunInParallelConfiguration() error { return GinkgoError{ Heading: "Ginkgo only performs -dryRun in serial mode.", Message: "Please try running ginkgo -dryRun again, but without -p or -procs to ensure the suite is running in series.", } } func (g ginkgoErrors) GracePeriodCannotBeZero() error { return GinkgoError{ Heading: "Ginkgo requires a positive --grace-period.", Message: "Please set --grace-period to a positive duration. The default is 30s.", } } func (g ginkgoErrors) ConflictingVerbosityConfiguration() error { return GinkgoError{ Heading: "Conflicting reporter verbosity settings.", Message: "You can't set more than one of -v, -vv and --succinct. Please pick one!", } } func (g ginkgoErrors) InvalidOutputInterceptorModeConfiguration(value string) error { return GinkgoError{ Heading: fmt.Sprintf("Invalid value '%s' for --output-interceptor-mode.", value), Message: "You must choose one of 'dup', 'swap', or 'none'.", } } func (g ginkgoErrors) InvalidGoFlagCount() error { return GinkgoError{ Heading: "Use of go test -count", Message: "Ginkgo does not support using go test -count to rerun suites. Only -count=1 is allowed. To repeat suite runs, please use the ginkgo cli and `ginkgo -until-it-fails` or `ginkgo -repeat=N`.", } } func (g ginkgoErrors) InvalidGoFlagParallel() error { return GinkgoError{ Heading: "Use of go test -parallel", Message: "Go test's implementation of parallelization does not actually parallelize Ginkgo specs. Please use the ginkgo cli and `ginkgo -p` or `ginkgo -procs=N` instead.", } } func (g ginkgoErrors) BothRepeatAndUntilItFails() error { return GinkgoError{ Heading: "--repeat and --until-it-fails are both set", Message: "--until-it-fails directs Ginkgo to rerun specs indefinitely until they fail. --repeat directs Ginkgo to rerun specs a set number of times. You can't set both... which would you like?", } } func (g ginkgoErrors) ExpectFilenameNotPath(flag string, path string) error { return GinkgoError{ Heading: fmt.Sprintf("%s expects a filename but was given a path: %s", flag, path), Message: fmt.Sprintf("%s takes a filename, not a path. Use --output-dir to specify a directory to collect all test outputs.", flag), } } func (g ginkgoErrors) FlagAfterPositionalParameter() error { return GinkgoError{ Heading: "Malformed arguments - detected a flag after the package liste", Message: "Make sure all flags appear {{bold}}after{{/}} the Ginkgo subcommand and {{bold}}before{{/}} your list of packages (or './...').\n{{gray}}e.g. 'ginkgo run -p my_package' is valid but `ginkgo -p run my_package` is not.\n{{gray}}e.g. 'ginkgo -p -vet=\"\" ./...' is valid but 'ginkgo -p ./... -vet=\"\"' is not{{/}}", } } /* Stack-Trace parsing errors */ func (g ginkgoErrors) FailedToParseStackTrace(message string) error { return GinkgoError{ Heading: "Failed to Parse Stack Trace", Message: message, } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/config.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/config.go
/* Ginkgo accepts a number of configuration options. These are documented [here](http://onsi.github.io/ginkgo/#the-ginkgo-cli) */ package types import ( "flag" "os" "path/filepath" "runtime" "strconv" "strings" "time" ) // Configuration controlling how an individual test suite is run type SuiteConfig struct { RandomSeed int64 RandomizeAllSpecs bool FocusStrings []string SkipStrings []string FocusFiles []string SkipFiles []string LabelFilter string SemVerFilter string FailOnPending bool FailOnEmpty bool FailFast bool FlakeAttempts int MustPassRepeatedly int DryRun bool PollProgressAfter time.Duration PollProgressInterval time.Duration Timeout time.Duration EmitSpecProgress bool // this is deprecated but its removal is causing compile issue for some users that were setting it manually OutputInterceptorMode string SourceRoots []string GracePeriod time.Duration ParallelProcess int ParallelTotal int ParallelHost string } func NewDefaultSuiteConfig() SuiteConfig { return SuiteConfig{ RandomSeed: time.Now().Unix(), Timeout: time.Hour, ParallelProcess: 1, ParallelTotal: 1, GracePeriod: 30 * time.Second, } } type VerbosityLevel uint const ( VerbosityLevelSuccinct VerbosityLevel = iota VerbosityLevelNormal VerbosityLevelVerbose VerbosityLevelVeryVerbose ) func (vl VerbosityLevel) GT(comp VerbosityLevel) bool { return vl > comp } func (vl VerbosityLevel) GTE(comp VerbosityLevel) bool { return vl >= comp } func (vl VerbosityLevel) Is(comp VerbosityLevel) bool { return vl == comp } func (vl VerbosityLevel) LTE(comp VerbosityLevel) bool { return vl <= comp } func (vl VerbosityLevel) LT(comp VerbosityLevel) bool { return vl < comp } // Configuration for Ginkgo's reporter type ReporterConfig struct { NoColor bool Succinct bool Verbose bool VeryVerbose bool FullTrace bool ShowNodeEvents bool GithubOutput bool SilenceSkips bool ForceNewlines bool JSONReport string JUnitReport string TeamcityReport string } func (rc ReporterConfig) Verbosity() VerbosityLevel { if rc.Succinct { return VerbosityLevelSuccinct } else if rc.Verbose { return VerbosityLevelVerbose } else if rc.VeryVerbose { return VerbosityLevelVeryVerbose } return VerbosityLevelNormal } func (rc ReporterConfig) WillGenerateReport() bool { return rc.JSONReport != "" || rc.JUnitReport != "" || rc.TeamcityReport != "" } func NewDefaultReporterConfig() ReporterConfig { return ReporterConfig{} } // Configuration for the Ginkgo CLI type CLIConfig struct { //for build, run, and watch Recurse bool SkipPackage string RequireSuite bool NumCompilers int //for run and watch only Procs int Parallel bool AfterRunHook string OutputDir string KeepSeparateCoverprofiles bool KeepSeparateReports bool //for run only KeepGoing bool UntilItFails bool Repeat int RandomizeSuites bool //for watch only Depth int WatchRegExp string } func NewDefaultCLIConfig() CLIConfig { return CLIConfig{ Depth: 1, WatchRegExp: `\.go$`, } } func (g CLIConfig) ComputedProcs() int { if g.Procs > 0 { return g.Procs } n := 1 if g.Parallel { n = runtime.GOMAXPROCS(-1) if n > 4 { n = n - 1 } } return n } func (g CLIConfig) ComputedNumCompilers() int { if g.NumCompilers > 0 { return g.NumCompilers } return runtime.GOMAXPROCS(-1) } // Configuration for the Ginkgo CLI capturing available go flags // A subset of Go flags are exposed by Ginkgo. Some are available at compile time (e.g. ginkgo build) and others only at run time (e.g. ginkgo run - which has both build and run time flags). // More details can be found at: // https://docs.google.com/spreadsheets/d/1zkp-DS4hU4sAJl5eHh1UmgwxCPQhf3s5a8fbiOI8tJU/ type GoFlagsConfig struct { //build-time flags for code-and-performance analysis Race bool Cover bool CoverMode string CoverPkg string Vet string //run-time flags for code-and-performance analysis BlockProfile string BlockProfileRate int CoverProfile string CPUProfile string MemProfile string MemProfileRate int MutexProfile string MutexProfileFraction int Trace string //build-time flags for building A bool ASMFlags string BuildMode string BuildVCS bool Compiler string GCCGoFlags string GCFlags string InstallSuffix string LDFlags string LinkShared bool Mod string N bool ModFile string ModCacheRW bool MSan bool PkgDir string Tags string TrimPath bool ToolExec string Work bool X bool O string } func NewDefaultGoFlagsConfig() GoFlagsConfig { return GoFlagsConfig{} } func (g GoFlagsConfig) BinaryMustBePreserved() bool { return g.BlockProfile != "" || g.CPUProfile != "" || g.MemProfile != "" || g.MutexProfile != "" } func (g GoFlagsConfig) NeedsSymbols() bool { return g.BinaryMustBePreserved() } // Configuration that were deprecated in 2.0 type deprecatedConfig struct { DebugParallel bool NoisySkippings bool NoisyPendings bool RegexScansFilePath bool SlowSpecThresholdWithFLoatUnits float64 Stream bool Notify bool EmitSpecProgress bool SlowSpecThreshold time.Duration AlwaysEmitGinkgoWriter bool } // Flags // Flags sections used by both the CLI and the Ginkgo test process var FlagSections = GinkgoFlagSections{ {Key: "multiple-suites", Style: "{{dark-green}}", Heading: "Running Multiple Test Suites"}, {Key: "order", Style: "{{green}}", Heading: "Controlling Test Order"}, {Key: "parallel", Style: "{{yellow}}", Heading: "Controlling Test Parallelism"}, {Key: "low-level-parallel", Style: "{{yellow}}", Heading: "Controlling Test Parallelism", Description: "These are set by the Ginkgo CLI, {{red}}{{bold}}do not set them manually{{/}} via go test.\nUse ginkgo -p or ginkgo -procs=N instead."}, {Key: "filter", Style: "{{cyan}}", Heading: "Filtering Tests"}, {Key: "failure", Style: "{{red}}", Heading: "Failure Handling"}, {Key: "output", Style: "{{magenta}}", Heading: "Controlling Output Formatting"}, {Key: "code-and-coverage-analysis", Style: "{{orange}}", Heading: "Code and Coverage Analysis", Description: "When generating a cover files, please pass a filename {{bold}}not{{/}} a path. To specify a different directory use {{magenta}}--output-dir{{/}}.", }, {Key: "performance-analysis", Style: "{{coral}}", Heading: "Performance Analysis", Description: "When generating profile files, please pass filenames {{bold}}not{{/}} a path. Ginkgo will generate a profile file with the given name in the package's directory. To specify a different directory use {{magenta}}--output-dir{{/}}.", }, {Key: "debug", Style: "{{blue}}", Heading: "Debugging Tests", Description: "In addition to these flags, Ginkgo supports a few debugging environment variables. To change the parallel server protocol set {{blue}}GINKGO_PARALLEL_PROTOCOL{{/}} to {{bold}}HTTP{{/}}. To avoid pruning callstacks set {{blue}}GINKGO_PRUNE_STACK{{/}} to {{bold}}FALSE{{/}}."}, {Key: "watch", Style: "{{light-yellow}}", Heading: "Controlling Ginkgo Watch"}, {Key: "misc", Style: "{{light-gray}}", Heading: "Miscellaneous"}, {Key: "go-build", Style: "{{light-gray}}", Heading: "Go Build Flags", Succinct: true, Description: "These flags are inherited from go build. Run {{bold}}ginkgo help build{{/}} for more detailed flag documentation."}, } // SuiteConfigFlags provides flags for the Ginkgo test process, and CLI var SuiteConfigFlags = GinkgoFlags{ {KeyPath: "S.RandomSeed", Name: "seed", SectionKey: "order", UsageDefaultValue: "randomly generated by Ginkgo", Usage: "The seed used to randomize the spec suite.", AlwaysExport: true}, {KeyPath: "S.RandomizeAllSpecs", Name: "randomize-all", SectionKey: "order", DeprecatedName: "randomizeAllSpecs", DeprecatedDocLink: "changed-command-line-flags", Usage: "If set, ginkgo will randomize all specs together. By default, ginkgo only randomizes the top level Describe, Context and When containers."}, {KeyPath: "S.FailOnPending", Name: "fail-on-pending", SectionKey: "failure", DeprecatedName: "failOnPending", DeprecatedDocLink: "changed-command-line-flags", Usage: "If set, ginkgo will mark the test suite as failed if any specs are pending."}, {KeyPath: "S.FailFast", Name: "fail-fast", SectionKey: "failure", DeprecatedName: "failFast", DeprecatedDocLink: "changed-command-line-flags", Usage: "If set, ginkgo will stop running a test suite after a failure occurs."}, {KeyPath: "S.FlakeAttempts", Name: "flake-attempts", SectionKey: "failure", UsageDefaultValue: "0 - failed tests are not retried", DeprecatedName: "flakeAttempts", DeprecatedDocLink: "changed-command-line-flags", Usage: "Make up to this many attempts to run each spec. If any of the attempts succeed, the suite will not be failed."}, {KeyPath: "S.FailOnEmpty", Name: "fail-on-empty", SectionKey: "failure", Usage: "If set, ginkgo will mark the test suite as failed if no specs are run."}, {KeyPath: "S.DryRun", Name: "dry-run", SectionKey: "debug", DeprecatedName: "dryRun", DeprecatedDocLink: "changed-command-line-flags", Usage: "If set, ginkgo will walk the test hierarchy without actually running anything. Best paired with -v."}, {KeyPath: "S.PollProgressAfter", Name: "poll-progress-after", SectionKey: "debug", UsageDefaultValue: "0", Usage: "Emit node progress reports periodically if node hasn't completed after this duration."}, {KeyPath: "S.PollProgressInterval", Name: "poll-progress-interval", SectionKey: "debug", UsageDefaultValue: "10s", Usage: "The rate at which to emit node progress reports after poll-progress-after has elapsed."}, {KeyPath: "S.SourceRoots", Name: "source-root", SectionKey: "debug", Usage: "The location to look for source code when generating progress reports. You can pass multiple --source-root flags."}, {KeyPath: "S.Timeout", Name: "timeout", SectionKey: "debug", UsageDefaultValue: "1h", Usage: "Test suite fails if it does not complete within the specified timeout."}, {KeyPath: "S.GracePeriod", Name: "grace-period", SectionKey: "debug", UsageDefaultValue: "30s", Usage: "When interrupted, Ginkgo will wait for GracePeriod for the current running node to exit before moving on to the next one."}, {KeyPath: "S.OutputInterceptorMode", Name: "output-interceptor-mode", SectionKey: "debug", UsageArgument: "dup, swap, or none", Usage: "If set, ginkgo will use the specified output interception strategy when running in parallel. Defaults to dup on unix and swap on windows."}, {KeyPath: "S.LabelFilter", Name: "label-filter", SectionKey: "filter", UsageArgument: "expression", Usage: "If set, ginkgo will only run specs with labels that match the label-filter. The passed-in expression can include boolean operations (!, &&, ||, ','), groupings via '()', and regular expressions '/regexp/'. e.g. '(cat || dog) && !fruit'"}, {KeyPath: "S.SemVerFilter", Name: "sem-ver-filter", SectionKey: "filter", UsageArgument: "version", Usage: "If set, ginkgo will only run specs with semantic version constraints that are satisfied by the provided version. e.g. '2.1.0'"}, {KeyPath: "S.FocusStrings", Name: "focus", SectionKey: "filter", Usage: "If set, ginkgo will only run specs that match this regular expression. Can be specified multiple times, values are ORed."}, {KeyPath: "S.SkipStrings", Name: "skip", SectionKey: "filter", Usage: "If set, ginkgo will only run specs that do not match this regular expression. Can be specified multiple times, values are ORed."}, {KeyPath: "S.FocusFiles", Name: "focus-file", SectionKey: "filter", UsageArgument: "file (regexp) | file:line | file:lineA-lineB | file:line,line,line", Usage: "If set, ginkgo will only run specs in matching files. Can be specified multiple times, values are ORed."}, {KeyPath: "S.SkipFiles", Name: "skip-file", SectionKey: "filter", UsageArgument: "file (regexp) | file:line | file:lineA-lineB | file:line,line,line", Usage: "If set, ginkgo will skip specs in matching files. Can be specified multiple times, values are ORed."}, {KeyPath: "D.RegexScansFilePath", DeprecatedName: "regexScansFilePath", DeprecatedDocLink: "removed--regexscansfilepath", DeprecatedVersion: "2.0.0"}, {KeyPath: "D.DebugParallel", DeprecatedName: "debug", DeprecatedDocLink: "removed--debug", DeprecatedVersion: "2.0.0"}, {KeyPath: "D.EmitSpecProgress", DeprecatedName: "progress", SectionKey: "debug", DeprecatedVersion: "2.5.0", Usage: ". The functionality provided by --progress was confusing and is no longer needed. Use --show-node-events instead to see node entry and exit events included in the timeline of failed and verbose specs. Or you can run with -vv to always see all node events. Lastly, --poll-progress-after and the PollProgressAfter decorator now provide a better mechanism for debugging specs that tend to get stuck."}, } // ParallelConfigFlags provides flags for the Ginkgo test process (not the CLI) var ParallelConfigFlags = GinkgoFlags{ {KeyPath: "S.ParallelProcess", Name: "parallel.process", SectionKey: "low-level-parallel", UsageDefaultValue: "1", Usage: "This worker process's (one-indexed) process number. For running specs in parallel."}, {KeyPath: "S.ParallelTotal", Name: "parallel.total", SectionKey: "low-level-parallel", UsageDefaultValue: "1", Usage: "The total number of worker processes. For running specs in parallel."}, {KeyPath: "S.ParallelHost", Name: "parallel.host", SectionKey: "low-level-parallel", UsageDefaultValue: "set by Ginkgo CLI", Usage: "The address for the server that will synchronize the processes."}, } // ReporterConfigFlags provides flags for the Ginkgo test process, and CLI var ReporterConfigFlags = GinkgoFlags{ {KeyPath: "R.NoColor", Name: "no-color", SectionKey: "output", DeprecatedName: "noColor", DeprecatedDocLink: "changed-command-line-flags", Usage: "If set, suppress color output in default reporter. You can also set the environment variable GINKGO_NO_COLOR=TRUE"}, {KeyPath: "R.Verbose", Name: "v", SectionKey: "output", Usage: "If set, emits more output including GinkgoWriter contents."}, {KeyPath: "R.VeryVerbose", Name: "vv", SectionKey: "output", Usage: "If set, emits with maximal verbosity - includes skipped and pending tests."}, {KeyPath: "R.Succinct", Name: "succinct", SectionKey: "output", Usage: "If set, default reporter prints out a very succinct report"}, {KeyPath: "R.FullTrace", Name: "trace", SectionKey: "output", Usage: "If set, default reporter prints out the full stack trace when a failure occurs"}, {KeyPath: "R.ShowNodeEvents", Name: "show-node-events", SectionKey: "output", Usage: "If set, default reporter prints node > Enter and < Exit events when specs fail"}, {KeyPath: "R.GithubOutput", Name: "github-output", SectionKey: "output", Usage: "If set, default reporter prints easier to manage output in Github Actions."}, {KeyPath: "R.SilenceSkips", Name: "silence-skips", SectionKey: "output", Usage: "If set, default reporter will not print out skipped tests."}, {KeyPath: "R.ForceNewlines", Name: "force-newlines", SectionKey: "output", Usage: "If set, default reporter will ensure a newline appears after each test."}, {KeyPath: "R.JSONReport", Name: "json-report", UsageArgument: "filename.json", SectionKey: "output", Usage: "If set, Ginkgo will generate a JSON-formatted test report at the specified location."}, {KeyPath: "R.JUnitReport", Name: "junit-report", UsageArgument: "filename.xml", SectionKey: "output", DeprecatedName: "reportFile", DeprecatedDocLink: "improved-reporting-infrastructure", Usage: "If set, Ginkgo will generate a conformant junit test report in the specified file."}, {KeyPath: "R.TeamcityReport", Name: "teamcity-report", UsageArgument: "filename", SectionKey: "output", Usage: "If set, Ginkgo will generate a Teamcity-formatted test report at the specified location."}, {KeyPath: "D.SlowSpecThresholdWithFLoatUnits", DeprecatedName: "slowSpecThreshold", DeprecatedDocLink: "changed--slowspecthreshold", Usage: "use --slow-spec-threshold instead and pass in a duration string (e.g. '5s', not '5.0')"}, {KeyPath: "D.NoisyPendings", DeprecatedName: "noisyPendings", DeprecatedDocLink: "removed--noisypendings-and--noisyskippings", DeprecatedVersion: "2.0.0"}, {KeyPath: "D.NoisySkippings", DeprecatedName: "noisySkippings", DeprecatedDocLink: "removed--noisypendings-and--noisyskippings", DeprecatedVersion: "2.0.0"}, {KeyPath: "D.SlowSpecThreshold", DeprecatedName: "slow-spec-threshold", SectionKey: "output", Usage: "--slow-spec-threshold has been deprecated and will be removed in a future version of Ginkgo. This feature has proved to be more noisy than useful. You can use --poll-progress-after, instead, to get more actionable feedback about potentially slow specs and understand where they might be getting stuck.", DeprecatedVersion: "2.5.0"}, {KeyPath: "D.AlwaysEmitGinkgoWriter", DeprecatedName: "always-emit-ginkgo-writer", SectionKey: "output", Usage: " - use -v instead, or one of Ginkgo's machine-readable report formats to get GinkgoWriter output for passing specs."}, } // BuildTestSuiteFlagSet attaches to the CommandLine flagset and provides flags for the Ginkgo test process func BuildTestSuiteFlagSet(suiteConfig *SuiteConfig, reporterConfig *ReporterConfig) (GinkgoFlagSet, error) { flags := SuiteConfigFlags.CopyAppend(ParallelConfigFlags...).CopyAppend(ReporterConfigFlags...) flags = flags.WithPrefix("ginkgo") bindings := map[string]any{ "S": suiteConfig, "R": reporterConfig, "D": &deprecatedConfig{}, } extraGoFlagsSection := GinkgoFlagSection{Style: "{{gray}}", Heading: "Go test flags"} return NewAttachedGinkgoFlagSet(flag.CommandLine, flags, bindings, FlagSections, extraGoFlagsSection) } // VetConfig validates that the Ginkgo test process' configuration is sound func VetConfig(flagSet GinkgoFlagSet, suiteConfig SuiteConfig, reporterConfig ReporterConfig) []error { errors := []error{} if flagSet.WasSet("count") || flagSet.WasSet("test.count") { flag := flagSet.Lookup("count") if flag == nil { flag = flagSet.Lookup("test.count") } count, err := strconv.Atoi(flag.Value.String()) if err != nil || count != 1 { errors = append(errors, GinkgoErrors.InvalidGoFlagCount()) } } if flagSet.WasSet("parallel") || flagSet.WasSet("test.parallel") { errors = append(errors, GinkgoErrors.InvalidGoFlagParallel()) } if suiteConfig.ParallelTotal < 1 { errors = append(errors, GinkgoErrors.InvalidParallelTotalConfiguration()) } if suiteConfig.ParallelProcess > suiteConfig.ParallelTotal || suiteConfig.ParallelProcess < 1 { errors = append(errors, GinkgoErrors.InvalidParallelProcessConfiguration()) } if suiteConfig.ParallelTotal > 1 && suiteConfig.ParallelHost == "" { errors = append(errors, GinkgoErrors.MissingParallelHostConfiguration()) } if suiteConfig.DryRun && suiteConfig.ParallelTotal > 1 { errors = append(errors, GinkgoErrors.DryRunInParallelConfiguration()) } if suiteConfig.GracePeriod <= 0 { errors = append(errors, GinkgoErrors.GracePeriodCannotBeZero()) } if len(suiteConfig.FocusFiles) > 0 { _, err := ParseFileFilters(suiteConfig.FocusFiles) if err != nil { errors = append(errors, err) } } if len(suiteConfig.SkipFiles) > 0 { _, err := ParseFileFilters(suiteConfig.SkipFiles) if err != nil { errors = append(errors, err) } } if suiteConfig.LabelFilter != "" { _, err := ParseLabelFilter(suiteConfig.LabelFilter) if err != nil { errors = append(errors, err) } } if suiteConfig.SemVerFilter != "" { _, err := ParseSemVerFilter(suiteConfig.SemVerFilter) if err != nil { errors = append(errors, err) } } switch strings.ToLower(suiteConfig.OutputInterceptorMode) { case "", "dup", "swap", "none": default: errors = append(errors, GinkgoErrors.InvalidOutputInterceptorModeConfiguration(suiteConfig.OutputInterceptorMode)) } numVerbosity := 0 for _, v := range []bool{reporterConfig.Succinct, reporterConfig.Verbose, reporterConfig.VeryVerbose} { if v { numVerbosity++ } } if numVerbosity > 1 { errors = append(errors, GinkgoErrors.ConflictingVerbosityConfiguration()) } return errors } // GinkgoCLISharedFlags provides flags shared by the Ginkgo CLI's build, watch, and run commands var GinkgoCLISharedFlags = GinkgoFlags{ {KeyPath: "C.Recurse", Name: "r", SectionKey: "multiple-suites", Usage: "If set, ginkgo finds and runs test suites under the current directory recursively."}, {KeyPath: "C.SkipPackage", Name: "skip-package", SectionKey: "multiple-suites", DeprecatedName: "skipPackage", DeprecatedDocLink: "changed-command-line-flags", UsageArgument: "comma-separated list of packages", Usage: "A comma-separated list of package names to be skipped. If any part of the package's path matches, that package is ignored."}, {KeyPath: "C.RequireSuite", Name: "require-suite", SectionKey: "failure", DeprecatedName: "requireSuite", DeprecatedDocLink: "changed-command-line-flags", Usage: "If set, Ginkgo fails if there are ginkgo tests in a directory but no invocation of RunSpecs."}, {KeyPath: "C.NumCompilers", Name: "compilers", SectionKey: "multiple-suites", UsageDefaultValue: "0 (will autodetect)", Usage: "When running multiple packages, the number of concurrent compilations to perform."}, } // GinkgoCLIRunAndWatchFlags provides flags shared by the Ginkgo CLI's build and watch commands (but not run) var GinkgoCLIRunAndWatchFlags = GinkgoFlags{ {KeyPath: "C.Procs", Name: "procs", SectionKey: "parallel", UsageDefaultValue: "1 (run in series)", Usage: "The number of parallel test nodes to run."}, {KeyPath: "C.Procs", Name: "nodes", SectionKey: "parallel", UsageDefaultValue: "1 (run in series)", Usage: "--nodes is an alias for --procs"}, {KeyPath: "C.Parallel", Name: "p", SectionKey: "parallel", Usage: "If set, ginkgo will run in parallel with an auto-detected number of nodes."}, {KeyPath: "C.AfterRunHook", Name: "after-run-hook", SectionKey: "misc", DeprecatedName: "afterSuiteHook", DeprecatedDocLink: "changed-command-line-flags", Usage: "Command to run when a test suite completes."}, {KeyPath: "C.OutputDir", Name: "output-dir", SectionKey: "output", UsageArgument: "directory", DeprecatedName: "outputdir", DeprecatedDocLink: "improved-profiling-support", Usage: "A location to place all generated profiles and reports."}, {KeyPath: "C.KeepSeparateCoverprofiles", Name: "keep-separate-coverprofiles", SectionKey: "code-and-coverage-analysis", Usage: "If set, Ginkgo does not merge coverprofiles into one monolithic coverprofile. The coverprofiles will remain in their respective package directories or in -output-dir if set."}, {KeyPath: "C.KeepSeparateReports", Name: "keep-separate-reports", SectionKey: "output", Usage: "If set, Ginkgo does not merge per-suite reports (e.g. -json-report) into one monolithic report for the entire testrun. The reports will remain in their respective package directories or in -output-dir if set."}, {KeyPath: "D.Stream", DeprecatedName: "stream", DeprecatedDocLink: "removed--stream", DeprecatedVersion: "2.0.0"}, {KeyPath: "D.Notify", DeprecatedName: "notify", DeprecatedDocLink: "removed--notify", DeprecatedVersion: "2.0.0"}, } // GinkgoCLIRunFlags provides flags for Ginkgo CLI's run command that aren't shared by any other commands var GinkgoCLIRunFlags = GinkgoFlags{ {KeyPath: "C.KeepGoing", Name: "keep-going", SectionKey: "multiple-suites", DeprecatedName: "keepGoing", DeprecatedDocLink: "changed-command-line-flags", Usage: "If set, failures from earlier test suites do not prevent later test suites from running."}, {KeyPath: "C.UntilItFails", Name: "until-it-fails", SectionKey: "debug", DeprecatedName: "untilItFails", DeprecatedDocLink: "changed-command-line-flags", Usage: "If set, ginkgo will keep rerunning test suites until a failure occurs."}, {KeyPath: "C.Repeat", Name: "repeat", SectionKey: "debug", UsageArgument: "n", UsageDefaultValue: "0 - i.e. no repetition, run only once", Usage: "The number of times to re-run a test-suite. Useful for debugging flaky tests. If set to N the suite will be run N+1 times and will be required to pass each time."}, {KeyPath: "C.RandomizeSuites", Name: "randomize-suites", SectionKey: "order", DeprecatedName: "randomizeSuites", DeprecatedDocLink: "changed-command-line-flags", Usage: "If set, ginkgo will randomize the order in which test suites run."}, } // GinkgoCLIRunFlags provides flags for Ginkgo CLI's watch command that aren't shared by any other commands var GinkgoCLIWatchFlags = GinkgoFlags{ {KeyPath: "C.Depth", Name: "depth", SectionKey: "watch", Usage: "Ginkgo will watch dependencies down to this depth in the dependency tree."}, {KeyPath: "C.WatchRegExp", Name: "watch-regexp", SectionKey: "watch", DeprecatedName: "watchRegExp", DeprecatedDocLink: "changed-command-line-flags", UsageArgument: "Regular Expression", UsageDefaultValue: `\.go$`, Usage: "Only files matching this regular expression will be watched for changes."}, } // GoBuildFlags provides flags for the Ginkgo CLI build, run, and watch commands that capture go's build-time flags. These are passed to go test -c by the ginkgo CLI var GoBuildFlags = GinkgoFlags{ {KeyPath: "Go.Race", Name: "race", SectionKey: "code-and-coverage-analysis", Usage: "enable data race detection. Supported on linux/amd64, linux/ppc64le, linux/arm64, linux/s390x, freebsd/amd64, netbsd/amd64, darwin/amd64, darwin/arm64, and windows/amd64."}, {KeyPath: "Go.Vet", Name: "vet", UsageArgument: "list", SectionKey: "code-and-coverage-analysis", Usage: `Configure the invocation of "go vet" during "go test" to use the comma-separated list of vet checks. If list is empty (by explicitly passing --vet=""), "go test" runs "go vet" with a curated list of checks believed to be always worth addressing. If list is "off", "go test" does not run "go vet" at all. Available checks can be found by running 'go doc cmd/vet'`}, {KeyPath: "Go.Cover", Name: "cover", SectionKey: "code-and-coverage-analysis", Usage: "Enable coverage analysis. Note that because coverage works by annotating the source code before compilation, compilation and test failures with coverage enabled may report line numbers that don't correspond to the original sources."}, {KeyPath: "Go.CoverMode", Name: "covermode", UsageArgument: "set,count,atomic", SectionKey: "code-and-coverage-analysis", Usage: `Set the mode for coverage analysis for the package[s] being tested. 'set': does this statement run? 'count': how many times does this statement run? 'atomic': like count, but correct in multithreaded tests and more expensive (must use atomic with -race). Sets -cover`}, {KeyPath: "Go.CoverPkg", Name: "coverpkg", UsageArgument: "pattern1,pattern2,pattern3", SectionKey: "code-and-coverage-analysis", Usage: "Apply coverage analysis in each test to packages matching the patterns. The default is for each test to analyze only the package being tested. See 'go help packages' for a description of package patterns. Sets -cover."}, {KeyPath: "Go.A", Name: "a", SectionKey: "go-build", Usage: "force rebuilding of packages that are already up-to-date."}, {KeyPath: "Go.ASMFlags", Name: "asmflags", UsageArgument: "'[pattern=]arg list'", SectionKey: "go-build", Usage: "arguments to pass on each go tool asm invocation."}, {KeyPath: "Go.BuildMode", Name: "buildmode", UsageArgument: "mode", SectionKey: "go-build", Usage: "build mode to use. See 'go help buildmode' for more."}, {KeyPath: "Go.BuildVCS", Name: "buildvcs", SectionKey: "go-build", Usage: "adds version control information."}, {KeyPath: "Go.Compiler", Name: "compiler", UsageArgument: "name", SectionKey: "go-build", Usage: "name of compiler to use, as in runtime.Compiler (gccgo or gc)."}, {KeyPath: "Go.GCCGoFlags", Name: "gccgoflags", UsageArgument: "'[pattern=]arg list'", SectionKey: "go-build", Usage: "arguments to pass on each gccgo compiler/linker invocation."}, {KeyPath: "Go.GCFlags", Name: "gcflags", UsageArgument: "'[pattern=]arg list'", SectionKey: "go-build", Usage: "arguments to pass on each go tool compile invocation."}, {KeyPath: "Go.InstallSuffix", Name: "installsuffix", SectionKey: "go-build", Usage: "a suffix to use in the name of the package installation directory, in order to keep output separate from default builds. If using the -race flag, the install suffix is automatically set to raceor, if set explicitly, has _race appended to it. Likewise for the -msan flag. Using a -buildmode option that requires non-default compile flags has a similar effect."}, {KeyPath: "Go.LDFlags", Name: "ldflags", UsageArgument: "'[pattern=]arg list'", SectionKey: "go-build", Usage: "arguments to pass on each go tool link invocation."}, {KeyPath: "Go.LinkShared", Name: "linkshared", SectionKey: "go-build", Usage: "build code that will be linked against shared libraries previously created with -buildmode=shared."}, {KeyPath: "Go.Mod", Name: "mod", UsageArgument: "mode (readonly, vendor, or mod)", SectionKey: "go-build", Usage: "module download mode to use: readonly, vendor, or mod. See 'go help modules' for more."}, {KeyPath: "Go.ModCacheRW", Name: "modcacherw", SectionKey: "go-build", Usage: "leave newly-created directories in the module cache read-write instead of making them read-only."}, {KeyPath: "Go.ModFile", Name: "modfile", UsageArgument: "file", SectionKey: "go-build", Usage: `in module aware mode, read (and possibly write) an alternate go.mod file instead of the one in the module root directory. A file named go.mod must still be present in order to determine the module root directory, but it is not accessed. When -modfile is specified, an alternate go.sum file is also used: its path is derived from the -modfile flag by trimming the ".mod" extension and appending ".sum".`}, {KeyPath: "Go.MSan", Name: "msan", SectionKey: "go-build", Usage: "enable interoperation with memory sanitizer. Supported only on linux/amd64, linux/arm64 and only with Clang/LLVM as the host C compiler. On linux/arm64, pie build mode will be used."}, {KeyPath: "Go.N", Name: "n", SectionKey: "go-build", Usage: "print the commands but do not run them."}, {KeyPath: "Go.PkgDir", Name: "pkgdir", UsageArgument: "dir", SectionKey: "go-build", Usage: "install and load all packages from dir instead of the usual locations. For example, when building with a non-standard configuration, use -pkgdir to keep generated packages in a separate location."}, {KeyPath: "Go.Tags", Name: "tags", UsageArgument: "tag,list", SectionKey: "go-build", Usage: "a comma-separated list of build tags to consider satisfied during the build. For more information about build tags, see the description of build constraints in the documentation for the go/build package. (Earlier versions of Go used a space-separated list, and that form is deprecated but still recognized.)"}, {KeyPath: "Go.TrimPath", Name: "trimpath", SectionKey: "go-build", Usage: `remove all file system paths from the resulting executable. Instead of absolute file system paths, the recorded file names will begin with either "go" (for the standard library), or a module path@version (when using modules), or a plain import path (when using GOPATH).`}, {KeyPath: "Go.ToolExec", Name: "toolexec", UsageArgument: "'cmd args'", SectionKey: "go-build", Usage: "a program to use to invoke toolchain programs like vet and asm. For example, instead of running asm, the go command will run cmd args /path/to/asm <arguments for asm>'."}, {KeyPath: "Go.Work", Name: "work", SectionKey: "go-build", Usage: "print the name of the temporary work directory and do not delete it when exiting."}, {KeyPath: "Go.X", Name: "x", SectionKey: "go-build", Usage: "print the commands."}, } var GoBuildOFlags = GinkgoFlags{ {KeyPath: "Go.O", Name: "o", SectionKey: "go-build", Usage: "output binary path (including name)."}, } // GoRunFlags provides flags for the Ginkgo CLI run, and watch commands that capture go's run-time flags. These are passed to the compiled test binary by the ginkgo CLI var GoRunFlags = GinkgoFlags{
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
true
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/code_location.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/code_location.go
package types import ( "fmt" "os" "regexp" "runtime" "runtime/debug" "strings" "sync" ) type CodeLocation struct { FileName string `json:",omitempty"` LineNumber int `json:",omitempty"` FullStackTrace string `json:",omitempty"` CustomMessage string `json:",omitempty"` } func (codeLocation CodeLocation) String() string { if codeLocation.CustomMessage != "" { return codeLocation.CustomMessage } return fmt.Sprintf("%s:%d", codeLocation.FileName, codeLocation.LineNumber) } func (codeLocation CodeLocation) ContentsOfLine() string { if codeLocation.CustomMessage != "" { return "" } contents, err := os.ReadFile(codeLocation.FileName) if err != nil { return "" } lines := strings.Split(string(contents), "\n") if len(lines) < codeLocation.LineNumber { return "" } return lines[codeLocation.LineNumber-1] } type codeLocationLocator struct { pcs map[uintptr]bool helpers map[string]bool lock *sync.Mutex } func (c *codeLocationLocator) addHelper(pc uintptr) { c.lock.Lock() defer c.lock.Unlock() if c.pcs[pc] { return } c.lock.Unlock() f := runtime.FuncForPC(pc) c.lock.Lock() if f == nil { return } c.helpers[f.Name()] = true c.pcs[pc] = true } func (c *codeLocationLocator) hasHelper(name string) bool { c.lock.Lock() defer c.lock.Unlock() return c.helpers[name] } func (c *codeLocationLocator) getCodeLocation(skip int) CodeLocation { pc := make([]uintptr, 40) n := runtime.Callers(skip+2, pc) if n == 0 { return CodeLocation{} } pc = pc[:n] frames := runtime.CallersFrames(pc) for { frame, more := frames.Next() if !c.hasHelper(frame.Function) { return CodeLocation{FileName: frame.File, LineNumber: frame.Line} } if !more { break } } return CodeLocation{} } var clLocator = &codeLocationLocator{ pcs: map[uintptr]bool{}, helpers: map[string]bool{}, lock: &sync.Mutex{}, } // MarkAsHelper is used by GinkgoHelper to mark the caller (appropriately offset by skip)as a helper. You can use this directly if you need to provide an optional `skip` to mark functions further up the call stack as helpers. func MarkAsHelper(optionalSkip ...int) { skip := 1 if len(optionalSkip) > 0 { skip += optionalSkip[0] } pc, _, _, ok := runtime.Caller(skip) if ok { clLocator.addHelper(pc) } } func NewCustomCodeLocation(message string) CodeLocation { return CodeLocation{ CustomMessage: message, } } func NewCodeLocation(skip int) CodeLocation { return clLocator.getCodeLocation(skip + 1) } func NewCodeLocationWithStackTrace(skip int) CodeLocation { cl := clLocator.getCodeLocation(skip + 1) cl.FullStackTrace = PruneStack(string(debug.Stack()), skip+1) return cl } // PruneStack removes references to functions that are internal to Ginkgo // and the Go runtime from a stack string and a certain number of stack entries // at the beginning of the stack. The stack string has the format // as returned by runtime/debug.Stack. The leading goroutine information is // optional and always removed if present. Beware that runtime/debug.Stack // adds itself as first entry, so typically skip must be >= 1 to remove that // entry. func PruneStack(fullStackTrace string, skip int) string { stack := strings.Split(fullStackTrace, "\n") // Ensure that the even entries are the method names and the // odd entries the source code information. if len(stack) > 0 && strings.HasPrefix(stack[0], "goroutine ") { // Ignore "goroutine 29 [running]:" line. stack = stack[1:] } // The "+1" is for skipping over the initial entry, which is // runtime/debug.Stack() itself. if len(stack) > 2*(skip+1) { stack = stack[2*(skip+1):] } prunedStack := []string{} if os.Getenv("GINKGO_PRUNE_STACK") == "FALSE" { prunedStack = stack } else { re := regexp.MustCompile(`\/ginkgo\/|\/pkg\/testing\/|\/pkg\/runtime\/`) for i := 0; i < len(stack)/2; i++ { // We filter out based on the source code file name. if !re.MatchString(stack[i*2+1]) { prunedStack = append(prunedStack, stack[i*2]) prunedStack = append(prunedStack, stack[i*2+1]) } } } return strings.Join(prunedStack, "\n") }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/deprecated_types.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/deprecated_types.go
package types import ( "strconv" "time" ) /* A set of deprecations to make the transition from v1 to v2 easier for users who have written custom reporters. */ type SuiteSummary = DeprecatedSuiteSummary type SetupSummary = DeprecatedSetupSummary type SpecSummary = DeprecatedSpecSummary type SpecMeasurement = DeprecatedSpecMeasurement type SpecComponentType = NodeType type SpecFailure = DeprecatedSpecFailure var ( SpecComponentTypeInvalid = NodeTypeInvalid SpecComponentTypeContainer = NodeTypeContainer SpecComponentTypeIt = NodeTypeIt SpecComponentTypeBeforeEach = NodeTypeBeforeEach SpecComponentTypeJustBeforeEach = NodeTypeJustBeforeEach SpecComponentTypeAfterEach = NodeTypeAfterEach SpecComponentTypeJustAfterEach = NodeTypeJustAfterEach SpecComponentTypeBeforeSuite = NodeTypeBeforeSuite SpecComponentTypeSynchronizedBeforeSuite = NodeTypeSynchronizedBeforeSuite SpecComponentTypeAfterSuite = NodeTypeAfterSuite SpecComponentTypeSynchronizedAfterSuite = NodeTypeSynchronizedAfterSuite ) type DeprecatedSuiteSummary struct { SuiteDescription string SuiteSucceeded bool SuiteID string NumberOfSpecsBeforeParallelization int NumberOfTotalSpecs int NumberOfSpecsThatWillBeRun int NumberOfPendingSpecs int NumberOfSkippedSpecs int NumberOfPassedSpecs int NumberOfFailedSpecs int NumberOfFlakedSpecs int RunTime time.Duration } type DeprecatedSetupSummary struct { ComponentType SpecComponentType CodeLocation CodeLocation State SpecState RunTime time.Duration Failure SpecFailure CapturedOutput string SuiteID string } type DeprecatedSpecSummary struct { ComponentTexts []string ComponentCodeLocations []CodeLocation State SpecState RunTime time.Duration Failure SpecFailure IsMeasurement bool NumberOfSamples int Measurements map[string]*DeprecatedSpecMeasurement CapturedOutput string SuiteID string } func (s DeprecatedSpecSummary) HasFailureState() bool { return s.State.Is(SpecStateFailureStates) } func (s DeprecatedSpecSummary) TimedOut() bool { return false } func (s DeprecatedSpecSummary) Panicked() bool { return s.State == SpecStatePanicked } func (s DeprecatedSpecSummary) Failed() bool { return s.State == SpecStateFailed } func (s DeprecatedSpecSummary) Passed() bool { return s.State == SpecStatePassed } func (s DeprecatedSpecSummary) Skipped() bool { return s.State == SpecStateSkipped } func (s DeprecatedSpecSummary) Pending() bool { return s.State == SpecStatePending } type DeprecatedSpecFailure struct { Message string Location CodeLocation ForwardedPanic string ComponentIndex int ComponentType SpecComponentType ComponentCodeLocation CodeLocation } type DeprecatedSpecMeasurement struct { Name string Info any Order int Results []float64 Smallest float64 Largest float64 Average float64 StdDeviation float64 SmallestLabel string LargestLabel string AverageLabel string Units string Precision int } func (s DeprecatedSpecMeasurement) PrecisionFmt() string { if s.Precision == 0 { return "%f" } str := strconv.Itoa(s.Precision) return "%." + str + "f" }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/enum_support.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/enum_support.go
package types import "encoding/json" type EnumSupport struct { toString map[uint]string toEnum map[string]uint maxEnum uint } func NewEnumSupport(toString map[uint]string) EnumSupport { toEnum, maxEnum := map[string]uint{}, uint(0) for k, v := range toString { toEnum[v] = k if maxEnum < k { maxEnum = k } } return EnumSupport{toString: toString, toEnum: toEnum, maxEnum: maxEnum} } func (es EnumSupport) String(e uint) string { if e > es.maxEnum { return es.toString[0] } return es.toString[e] } func (es EnumSupport) UnmarshJSON(b []byte) (uint, error) { var dec string if err := json.Unmarshal(b, &dec); err != nil { return 0, err } out := es.toEnum[dec] // if we miss we get 0 which is what we want anyway return out, nil } func (es EnumSupport) MarshJSON(e uint) ([]byte, error) { if e == 0 || e > es.maxEnum { return json.Marshal(nil) } return json.Marshal(es.toString[e]) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/file_filter.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/file_filter.go
package types import ( "regexp" "strconv" "strings" ) func ParseFileFilters(filters []string) (FileFilters, error) { ffs := FileFilters{} for _, filter := range filters { ff := FileFilter{} if filter == "" { return nil, GinkgoErrors.InvalidFileFilter(filter) } components := strings.Split(filter, ":") if !(len(components) == 1 || len(components) == 2) { return nil, GinkgoErrors.InvalidFileFilter(filter) } var err error ff.Filename, err = regexp.Compile(components[0]) if err != nil { return nil, err } if len(components) == 2 { lineFilters := strings.Split(components[1], ",") for _, lineFilter := range lineFilters { components := strings.Split(lineFilter, "-") if len(components) == 1 { line, err := strconv.Atoi(strings.TrimSpace(components[0])) if err != nil { return nil, GinkgoErrors.InvalidFileFilter(filter) } ff.LineFilters = append(ff.LineFilters, LineFilter{line, line + 1}) } else if len(components) == 2 { line1, err := strconv.Atoi(strings.TrimSpace(components[0])) if err != nil { return nil, GinkgoErrors.InvalidFileFilter(filter) } line2, err := strconv.Atoi(strings.TrimSpace(components[1])) if err != nil { return nil, GinkgoErrors.InvalidFileFilter(filter) } ff.LineFilters = append(ff.LineFilters, LineFilter{line1, line2}) } else { return nil, GinkgoErrors.InvalidFileFilter(filter) } } } ffs = append(ffs, ff) } return ffs, nil } type FileFilter struct { Filename *regexp.Regexp LineFilters LineFilters } func (f FileFilter) Matches(locations []CodeLocation) bool { for _, location := range locations { if f.Filename.MatchString(location.FileName) && f.LineFilters.Matches(location.LineNumber) { return true } } return false } type FileFilters []FileFilter func (ffs FileFilters) Matches(locations []CodeLocation) bool { for _, ff := range ffs { if ff.Matches(locations) { return true } } return false } type LineFilter struct { Min int Max int } func (lf LineFilter) Matches(line int) bool { return lf.Min <= line && line < lf.Max } type LineFilters []LineFilter func (lfs LineFilters) Matches(line int) bool { if len(lfs) == 0 { return true } for _, lf := range lfs { if lf.Matches(line) { return true } } return false }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/version.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/version.go
package types const VERSION = "2.25.1"
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/deprecation_support.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/deprecation_support.go
package types import ( "os" "strconv" "strings" "sync" "unicode" "github.com/onsi/ginkgo/v2/formatter" ) type Deprecation struct { Message string DocLink string Version string } type deprecations struct{} var Deprecations = deprecations{} func (d deprecations) CustomReporter() Deprecation { return Deprecation{ Message: "Support for custom reporters has been removed in V2. Please read the documentation linked to below for Ginkgo's new behavior and for a migration path:", DocLink: "removed-custom-reporters", Version: "1.16.0", } } func (d deprecations) Async() Deprecation { return Deprecation{ Message: "You are passing a Done channel to a test node to test asynchronous behavior. This is deprecated in Ginkgo V2. Your test will run synchronously and the timeout will be ignored.", DocLink: "removed-async-testing", Version: "1.16.0", } } func (d deprecations) Measure() Deprecation { return Deprecation{ Message: "Measure is deprecated and has been removed from Ginkgo V2. Any Measure tests in your spec will not run. Please migrate to gomega/gmeasure.", DocLink: "removed-measure", Version: "1.16.3", } } func (d deprecations) ParallelNode() Deprecation { return Deprecation{ Message: "GinkgoParallelNode is deprecated and will be removed in Ginkgo V2. Please use GinkgoParallelProcess instead.", DocLink: "renamed-ginkgoparallelnode", Version: "1.16.4", } } func (d deprecations) CurrentGinkgoTestDescription() Deprecation { return Deprecation{ Message: "CurrentGinkgoTestDescription() is deprecated in Ginkgo V2. Use CurrentSpecReport() instead.", DocLink: "changed-currentginkgotestdescription", Version: "1.16.0", } } func (d deprecations) Convert() Deprecation { return Deprecation{ Message: "The convert command is deprecated in Ginkgo V2", DocLink: "removed-ginkgo-convert", Version: "1.16.0", } } func (d deprecations) Blur() Deprecation { return Deprecation{ Message: "The blur command is deprecated in Ginkgo V2. Use 'ginkgo unfocus' instead.", Version: "1.16.0", } } func (d deprecations) Nodot() Deprecation { return Deprecation{ Message: "The nodot command is deprecated in Ginkgo V2. Please either dot-import Ginkgo or use the package identifier in your code to references objects and types provided by Ginkgo and Gomega.", DocLink: "removed-ginkgo-nodot", Version: "1.16.0", } } func (d deprecations) SuppressProgressReporting() Deprecation { return Deprecation{ Message: "Improvements to how reporters emit timeline information means that SuppressProgressReporting is no longer necessary and has been deprecated.", Version: "2.5.0", } } type DeprecationTracker struct { deprecations map[Deprecation][]CodeLocation lock *sync.Mutex } func NewDeprecationTracker() *DeprecationTracker { return &DeprecationTracker{ deprecations: map[Deprecation][]CodeLocation{}, lock: &sync.Mutex{}, } } func (d *DeprecationTracker) TrackDeprecation(deprecation Deprecation, cl ...CodeLocation) { ackVersion := os.Getenv("ACK_GINKGO_DEPRECATIONS") if deprecation.Version != "" && ackVersion != "" { ack := ParseSemVer(ackVersion) version := ParseSemVer(deprecation.Version) if ack.GreaterThanOrEqualTo(version) { return } } d.lock.Lock() defer d.lock.Unlock() if len(cl) == 1 { d.deprecations[deprecation] = append(d.deprecations[deprecation], cl[0]) } else { d.deprecations[deprecation] = []CodeLocation{} } } func (d *DeprecationTracker) DidTrackDeprecations() bool { d.lock.Lock() defer d.lock.Unlock() return len(d.deprecations) > 0 } func (d *DeprecationTracker) DeprecationsReport() string { d.lock.Lock() defer d.lock.Unlock() out := formatter.F("{{light-yellow}}You're using deprecated Ginkgo functionality:{{/}}\n") out += formatter.F("{{light-yellow}}============================================={{/}}\n") for deprecation, locations := range d.deprecations { out += formatter.Fi(1, "{{yellow}}"+deprecation.Message+"{{/}}\n") if deprecation.DocLink != "" { out += formatter.Fi(1, "{{bold}}Learn more at:{{/}} {{cyan}}{{underline}}https://onsi.github.io/ginkgo/MIGRATING_TO_V2#%s{{/}}\n", deprecation.DocLink) } for _, location := range locations { out += formatter.Fi(2, "{{gray}}%s{{/}}\n", location) } } out += formatter.F("\n{{gray}}To silence deprecations that can be silenced set the following environment variable:{{/}}\n") out += formatter.Fi(1, "{{gray}}ACK_GINKGO_DEPRECATIONS=%s{{/}}\n", VERSION) return out } type SemVer struct { Major int Minor int Patch int } func (s SemVer) GreaterThanOrEqualTo(o SemVer) bool { return (s.Major > o.Major) || (s.Major == o.Major && s.Minor > o.Minor) || (s.Major == o.Major && s.Minor == o.Minor && s.Patch >= o.Patch) } func ParseSemVer(semver string) SemVer { out := SemVer{} semver = strings.TrimFunc(semver, func(r rune) bool { return !(unicode.IsNumber(r) || r == '.') }) components := strings.Split(semver, ".") if len(components) > 0 { out.Major, _ = strconv.Atoi(components[0]) } if len(components) > 1 { out.Minor, _ = strconv.Atoi(components[1]) } if len(components) > 2 { out.Patch, _ = strconv.Atoi(components[2]) } return out }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/label_filter.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/types/label_filter.go
package types import ( "fmt" "regexp" "strings" ) var DEBUG_LABEL_FILTER_PARSING = false type LabelFilter func([]string) bool func matchLabelAction(label string) LabelFilter { expected := strings.ToLower(label) return func(labels []string) bool { for i := range labels { if strings.ToLower(labels[i]) == expected { return true } } return false } } func matchLabelRegexAction(regex *regexp.Regexp) LabelFilter { return func(labels []string) bool { for i := range labels { if regex.MatchString(labels[i]) { return true } } return false } } func notAction(filter LabelFilter) LabelFilter { return func(labels []string) bool { return !filter(labels) } } func andAction(a, b LabelFilter) LabelFilter { return func(labels []string) bool { return a(labels) && b(labels) } } func orAction(a, b LabelFilter) LabelFilter { return func(labels []string) bool { return a(labels) || b(labels) } } func labelSetFor(key string, labels []string) map[string]bool { key = strings.ToLower(strings.TrimSpace(key)) out := map[string]bool{} for _, label := range labels { components := strings.SplitN(label, ":", 2) if len(components) < 2 { continue } if key == strings.ToLower(strings.TrimSpace(components[0])) { out[strings.ToLower(strings.TrimSpace(components[1]))] = true } } return out } func isEmptyLabelSetAction(key string) LabelFilter { return func(labels []string) bool { return len(labelSetFor(key, labels)) == 0 } } func containsAnyLabelSetAction(key string, expectedValues []string) LabelFilter { return func(labels []string) bool { set := labelSetFor(key, labels) for _, value := range expectedValues { if set[value] { return true } } return false } } func containsAllLabelSetAction(key string, expectedValues []string) LabelFilter { return func(labels []string) bool { set := labelSetFor(key, labels) for _, value := range expectedValues { if !set[value] { return false } } return true } } func consistsOfLabelSetAction(key string, expectedValues []string) LabelFilter { return func(labels []string) bool { set := labelSetFor(key, labels) if len(set) != len(expectedValues) { return false } for _, value := range expectedValues { if !set[value] { return false } } return true } } func isSubsetOfLabelSetAction(key string, expectedValues []string) LabelFilter { expectedSet := map[string]bool{} for _, value := range expectedValues { expectedSet[value] = true } return func(labels []string) bool { set := labelSetFor(key, labels) for value := range set { if !expectedSet[value] { return false } } return true } } type lfToken uint const ( lfTokenInvalid lfToken = iota lfTokenRoot lfTokenOpenGroup lfTokenCloseGroup lfTokenNot lfTokenAnd lfTokenOr lfTokenRegexp lfTokenLabel lfTokenSetKey lfTokenSetOperation lfTokenSetArgument lfTokenEOF ) func (l lfToken) Precedence() int { switch l { case lfTokenRoot, lfTokenOpenGroup: return 0 case lfTokenOr: return 1 case lfTokenAnd: return 2 case lfTokenNot: return 3 case lfTokenSetOperation: return 4 } return -1 } func (l lfToken) String() string { switch l { case lfTokenRoot: return "ROOT" case lfTokenOpenGroup: return "(" case lfTokenCloseGroup: return ")" case lfTokenNot: return "!" case lfTokenAnd: return "&&" case lfTokenOr: return "||" case lfTokenRegexp: return "/regexp/" case lfTokenLabel: return "label" case lfTokenSetKey: return "set_key" case lfTokenSetOperation: return "set_operation" case lfTokenSetArgument: return "set_argument" case lfTokenEOF: return "EOF" } return "INVALID" } type treeNode struct { token lfToken location int value string parent *treeNode leftNode *treeNode rightNode *treeNode } func (tn *treeNode) setRightNode(node *treeNode) { tn.rightNode = node node.parent = tn } func (tn *treeNode) setLeftNode(node *treeNode) { tn.leftNode = node node.parent = tn } func (tn *treeNode) firstAncestorWithPrecedenceLEQ(precedence int) *treeNode { if tn.token.Precedence() <= precedence { return tn } return tn.parent.firstAncestorWithPrecedenceLEQ(precedence) } func (tn *treeNode) firstUnmatchedOpenNode() *treeNode { if tn.token == lfTokenOpenGroup { return tn } if tn.parent == nil { return nil } return tn.parent.firstUnmatchedOpenNode() } func (tn *treeNode) constructLabelFilter(input string) (LabelFilter, error) { switch tn.token { case lfTokenOpenGroup: return nil, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, tn.location, "Mismatched '(' - could not find matching ')'.") case lfTokenLabel: return matchLabelAction(tn.value), nil case lfTokenRegexp: re, err := regexp.Compile(tn.value) if err != nil { return nil, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, tn.location, fmt.Sprintf("RegExp compilation error: %s", err)) } return matchLabelRegexAction(re), nil case lfTokenSetOperation: tokenSetOperation := strings.ToLower(tn.value) if tokenSetOperation == "isempty" { return isEmptyLabelSetAction(tn.leftNode.value), nil } if tn.rightNode == nil { return nil, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, tn.location, fmt.Sprintf("Set operation '%s' is missing an argument.", tn.value)) } rawValues := strings.Split(tn.rightNode.value, ",") values := make([]string, len(rawValues)) for i := range rawValues { values[i] = strings.ToLower(strings.TrimSpace(rawValues[i])) if strings.ContainsAny(values[i], "&|!,()/") { return nil, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, tn.rightNode.location, fmt.Sprintf("Invalid label value '%s' in set operation argument.", values[i])) } else if values[i] == "" { return nil, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, tn.rightNode.location, "Empty label value in set operation argument.") } } switch tokenSetOperation { case "containsany": return containsAnyLabelSetAction(tn.leftNode.value, values), nil case "containsall": return containsAllLabelSetAction(tn.leftNode.value, values), nil case "consistsof": return consistsOfLabelSetAction(tn.leftNode.value, values), nil case "issubsetof": return isSubsetOfLabelSetAction(tn.leftNode.value, values), nil } } if tn.rightNode == nil { return nil, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, -1, "Unexpected EOF.") } rightLF, err := tn.rightNode.constructLabelFilter(input) if err != nil { return nil, err } switch tn.token { case lfTokenRoot, lfTokenCloseGroup: return rightLF, nil case lfTokenNot: return notAction(rightLF), nil } if tn.leftNode == nil { return nil, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, tn.location, fmt.Sprintf("Malformed tree - '%s' is missing left operand.", tn.token)) } leftLF, err := tn.leftNode.constructLabelFilter(input) if err != nil { return nil, err } switch tn.token { case lfTokenAnd: return andAction(leftLF, rightLF), nil case lfTokenOr: return orAction(leftLF, rightLF), nil } return nil, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, tn.location, fmt.Sprintf("Invalid token '%s'.", tn.token)) } func (tn *treeNode) tokenString() string { out := fmt.Sprintf("<%s", tn.token) if tn.value != "" { out += " | " + tn.value } out += ">" return out } func (tn *treeNode) toString(indent int) string { out := tn.tokenString() + "\n" if tn.leftNode != nil { out += fmt.Sprintf("%s |_(L)_%s", strings.Repeat(" ", indent), tn.leftNode.toString(indent+1)) } if tn.rightNode != nil { out += fmt.Sprintf("%s |_(R)_%s", strings.Repeat(" ", indent), tn.rightNode.toString(indent+1)) } return out } var validSetOperations = map[string]string{ "containsany": "containsAny", "containsall": "containsAll", "consistsof": "consistsOf", "issubsetof": "isSubsetOf", "isempty": "isEmpty", } func tokenize(input string) func() (*treeNode, error) { lastToken := lfTokenInvalid lastValue := "" runes, i := []rune(input), 0 peekIs := func(r rune) bool { if i+1 < len(runes) { return runes[i+1] == r } return false } consumeUntil := func(cutset string) (string, int) { j := i for ; j < len(runes); j++ { if strings.ContainsRune(cutset, runes[j]) { break } } return string(runes[i:j]), j - i } return func() (*treeNode, error) { for i < len(runes) && runes[i] == ' ' { i += 1 } if i >= len(runes) { return &treeNode{token: lfTokenEOF}, nil } node := &treeNode{location: i} defer func() { lastToken = node.token lastValue = node.value }() if lastToken == lfTokenSetKey { //we should get a valid set operation next value, n := consumeUntil(" )") if validSetOperations[strings.ToLower(value)] == "" { return &treeNode{}, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, i, fmt.Sprintf("Invalid set operation '%s'.", value)) } i += n node.token, node.value = lfTokenSetOperation, value return node, nil } if lastToken == lfTokenSetOperation { //we should get an argument next, if we aren't isempty var arg = "" origI := i if runes[i] == '{' { i += 1 value, n := consumeUntil("}") if i+n >= len(runes) { return &treeNode{}, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, i-1, "Missing closing '}' in set operation argument?") } i += n + 1 arg = value } else { value, n := consumeUntil("&|!,()/") i += n arg = strings.TrimSpace(value) } if strings.ToLower(lastValue) == "isempty" && arg != "" { return &treeNode{}, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, origI, fmt.Sprintf("isEmpty does not take arguments, was passed '%s'.", arg)) } if arg == "" && strings.ToLower(lastValue) != "isempty" { if i < len(runes) && runes[i] == '/' { return &treeNode{}, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, origI, "Set operations do not support regular expressions.") } else { return &treeNode{}, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, origI, fmt.Sprintf("Set operation '%s' requires an argument.", lastValue)) } } // note that we sent an empty SetArgument token if we are isempty node.token, node.value = lfTokenSetArgument, arg return node, nil } switch runes[i] { case '&': if !peekIs('&') { return &treeNode{}, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, i, "Invalid token '&'. Did you mean '&&'?") } i += 2 node.token = lfTokenAnd case '|': if !peekIs('|') { return &treeNode{}, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, i, "Invalid token '|'. Did you mean '||'?") } i += 2 node.token = lfTokenOr case '!': i += 1 node.token = lfTokenNot case ',': i += 1 node.token = lfTokenOr case '(': i += 1 node.token = lfTokenOpenGroup case ')': i += 1 node.token = lfTokenCloseGroup case '/': i += 1 value, n := consumeUntil("/") i += n + 1 node.token, node.value = lfTokenRegexp, value default: value, n := consumeUntil("&|!,()/:") i += n value = strings.TrimSpace(value) //are we the beginning of a set operation? if i < len(runes) && runes[i] == ':' { if peekIs(' ') { if value == "" { return &treeNode{}, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, i, "Missing set key.") } i += 1 //we are the beginning of a set operation node.token, node.value = lfTokenSetKey, value return node, nil } additionalValue, n := consumeUntil("&|!,()/") additionalValue = strings.TrimSpace(additionalValue) if additionalValue == ":" { return &treeNode{}, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, i, "Missing set operation.") } i += n value += additionalValue } valueToCheckForSetOperation := strings.ToLower(value) for setOperation := range validSetOperations { idx := strings.Index(valueToCheckForSetOperation, " "+setOperation) if idx > 0 { return &treeNode{}, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, i-n+idx+1, fmt.Sprintf("Looks like you are using the set operator '%s' but did not provide a set key. Did you forget the ':'?", validSetOperations[setOperation])) } } node.token, node.value = lfTokenLabel, strings.TrimSpace(value) } return node, nil } } func MustParseLabelFilter(input string) LabelFilter { filter, err := ParseLabelFilter(input) if err != nil { panic(err) } return filter } func ParseLabelFilter(input string) (LabelFilter, error) { if DEBUG_LABEL_FILTER_PARSING { fmt.Println("\n==============") fmt.Println("Input: ", input) fmt.Print("Tokens: ") } if input == "" { return func(_ []string) bool { return true }, nil } nextToken := tokenize(input) root := &treeNode{token: lfTokenRoot} current := root LOOP: for { node, err := nextToken() if err != nil { return nil, err } if DEBUG_LABEL_FILTER_PARSING { fmt.Print(node.tokenString() + " ") } switch node.token { case lfTokenEOF: break LOOP case lfTokenLabel, lfTokenRegexp, lfTokenSetKey: if current.rightNode != nil { return nil, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, node.location, "Found two adjacent labels. You need an operator between them.") } current.setRightNode(node) case lfTokenNot, lfTokenOpenGroup: if current.rightNode != nil { return nil, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, node.location, fmt.Sprintf("Invalid token '%s'.", node.token)) } current.setRightNode(node) current = node case lfTokenAnd, lfTokenOr: if current.rightNode == nil { return nil, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, node.location, fmt.Sprintf("Operator '%s' missing left hand operand.", node.token)) } nodeToStealFrom := current.firstAncestorWithPrecedenceLEQ(node.token.Precedence()) node.setLeftNode(nodeToStealFrom.rightNode) nodeToStealFrom.setRightNode(node) current = node case lfTokenSetOperation: if current.rightNode == nil { return nil, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, node.location, fmt.Sprintf("Set operation '%s' missing left hand operand.", node.value)) } node.setLeftNode(current.rightNode) current.setRightNode(node) current = node case lfTokenSetArgument: if current.rightNode != nil { return nil, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, node.location, fmt.Sprintf("Unexpected set argument '%s'.", node.token)) } current.setRightNode(node) case lfTokenCloseGroup: firstUnmatchedOpenNode := current.firstUnmatchedOpenNode() if firstUnmatchedOpenNode == nil { return nil, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, node.location, "Mismatched ')' - could not find matching '('.") } if firstUnmatchedOpenNode == current && current.rightNode == nil { return nil, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, node.location, "Found empty '()' group.") } firstUnmatchedOpenNode.token = lfTokenCloseGroup //signify the group is now closed current = firstUnmatchedOpenNode.parent default: return nil, GinkgoErrors.SyntaxErrorParsingLabelFilter(input, node.location, fmt.Sprintf("Unknown token '%s'.", node.token)) } } if DEBUG_LABEL_FILTER_PARSING { fmt.Printf("\n Tree:\n%s", root.toString(0)) } return root.constructLabelFilter(input) } func ValidateAndCleanupLabel(label string, cl CodeLocation) (string, error) { out := strings.TrimSpace(label) if out == "" { return "", GinkgoErrors.InvalidEmptyLabel(cl) } if strings.ContainsAny(out, "&|!,()/") { return "", GinkgoErrors.InvalidLabel(label, cl) } if out[0] == ':' { return "", GinkgoErrors.InvalidLabel(label, cl) } if strings.Contains(out, ":") { components := strings.SplitN(out, ":", 2) if len(components) < 2 || components[1] == "" { return "", GinkgoErrors.InvalidLabel(label, cl) } } return out, nil }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/reporters/json_report.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/reporters/json_report.go
package reporters import ( "encoding/json" "fmt" "os" "path" "github.com/onsi/ginkgo/v2/types" ) // GenerateJSONReport produces a JSON-formatted report at the passed in destination func GenerateJSONReport(report types.Report, destination string) error { if err := os.MkdirAll(path.Dir(destination), 0770); err != nil { return err } f, err := os.Create(destination) if err != nil { return err } defer f.Close() enc := json.NewEncoder(f) enc.SetIndent("", " ") err = enc.Encode([]types.Report{ report, }) if err != nil { return err } return nil } // MergeJSONReports produces a single JSON-formatted report at the passed in destination by merging the JSON-formatted reports provided in sources // It skips over reports that fail to decode but reports on them via the returned messages []string func MergeAndCleanupJSONReports(sources []string, destination string) ([]string, error) { messages := []string{} allReports := []types.Report{} for _, source := range sources { reports := []types.Report{} data, err := os.ReadFile(source) if err != nil { messages = append(messages, fmt.Sprintf("Could not open %s:\n%s", source, err.Error())) continue } err = json.Unmarshal(data, &reports) if err != nil { messages = append(messages, fmt.Sprintf("Could not decode %s:\n%s", source, err.Error())) continue } os.Remove(source) allReports = append(allReports, reports...) } if err := os.MkdirAll(path.Dir(destination), 0770); err != nil { return messages, err } f, err := os.Create(destination) if err != nil { return messages, err } defer f.Close() enc := json.NewEncoder(f) enc.SetIndent("", " ") err = enc.Encode(allReports) if err != nil { return messages, err } return messages, nil }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/reporters/deprecated_reporter.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/reporters/deprecated_reporter.go
package reporters import ( "github.com/onsi/ginkgo/v2/config" "github.com/onsi/ginkgo/v2/types" ) // Deprecated: DeprecatedReporter was how Ginkgo V1 provided support for CustomReporters // this has been removed in V2. // Please read the documentation at: // https://onsi.github.io/ginkgo/MIGRATING_TO_V2#removed-custom-reporters // for Ginkgo's new behavior and for a migration path. type DeprecatedReporter interface { SuiteWillBegin(config config.GinkgoConfigType, summary *types.SuiteSummary) BeforeSuiteDidRun(setupSummary *types.SetupSummary) SpecWillRun(specSummary *types.SpecSummary) SpecDidComplete(specSummary *types.SpecSummary) AfterSuiteDidRun(setupSummary *types.SetupSummary) SuiteDidEnd(summary *types.SuiteSummary) } // ReportViaDeprecatedReporter takes a V1 custom reporter and a V2 report and // calls the custom reporter's methods with appropriately transformed data from the V2 report. // // ReportViaDeprecatedReporter should be called in a `ReportAfterSuite()` // // Deprecated: ReportViaDeprecatedReporter method exists to help developer bridge between deprecated V1 functionality and the new // reporting support in V2. It will be removed in a future minor version of Ginkgo. func ReportViaDeprecatedReporter(reporter DeprecatedReporter, report types.Report) { conf := config.DeprecatedGinkgoConfigType{ RandomSeed: report.SuiteConfig.RandomSeed, RandomizeAllSpecs: report.SuiteConfig.RandomizeAllSpecs, FocusStrings: report.SuiteConfig.FocusStrings, SkipStrings: report.SuiteConfig.SkipStrings, FailOnPending: report.SuiteConfig.FailOnPending, FailFast: report.SuiteConfig.FailFast, FlakeAttempts: report.SuiteConfig.FlakeAttempts, EmitSpecProgress: false, DryRun: report.SuiteConfig.DryRun, ParallelNode: report.SuiteConfig.ParallelProcess, ParallelTotal: report.SuiteConfig.ParallelTotal, SyncHost: report.SuiteConfig.ParallelHost, StreamHost: report.SuiteConfig.ParallelHost, } summary := &types.DeprecatedSuiteSummary{ SuiteDescription: report.SuiteDescription, SuiteID: report.SuitePath, NumberOfSpecsBeforeParallelization: report.PreRunStats.TotalSpecs, NumberOfTotalSpecs: report.PreRunStats.TotalSpecs, NumberOfSpecsThatWillBeRun: report.PreRunStats.SpecsThatWillRun, } reporter.SuiteWillBegin(conf, summary) for _, spec := range report.SpecReports { switch spec.LeafNodeType { case types.NodeTypeBeforeSuite, types.NodeTypeSynchronizedBeforeSuite: setupSummary := &types.DeprecatedSetupSummary{ ComponentType: spec.LeafNodeType, CodeLocation: spec.LeafNodeLocation, State: spec.State, RunTime: spec.RunTime, Failure: failureFor(spec), CapturedOutput: spec.CombinedOutput(), SuiteID: report.SuitePath, } reporter.BeforeSuiteDidRun(setupSummary) case types.NodeTypeAfterSuite, types.NodeTypeSynchronizedAfterSuite: setupSummary := &types.DeprecatedSetupSummary{ ComponentType: spec.LeafNodeType, CodeLocation: spec.LeafNodeLocation, State: spec.State, RunTime: spec.RunTime, Failure: failureFor(spec), CapturedOutput: spec.CombinedOutput(), SuiteID: report.SuitePath, } reporter.AfterSuiteDidRun(setupSummary) case types.NodeTypeIt: componentTexts, componentCodeLocations := []string{}, []types.CodeLocation{} componentTexts = append(componentTexts, spec.ContainerHierarchyTexts...) componentCodeLocations = append(componentCodeLocations, spec.ContainerHierarchyLocations...) componentTexts = append(componentTexts, spec.LeafNodeText) componentCodeLocations = append(componentCodeLocations, spec.LeafNodeLocation) specSummary := &types.DeprecatedSpecSummary{ ComponentTexts: componentTexts, ComponentCodeLocations: componentCodeLocations, State: spec.State, RunTime: spec.RunTime, Failure: failureFor(spec), NumberOfSamples: spec.NumAttempts, CapturedOutput: spec.CombinedOutput(), SuiteID: report.SuitePath, } reporter.SpecWillRun(specSummary) reporter.SpecDidComplete(specSummary) switch spec.State { case types.SpecStatePending: summary.NumberOfPendingSpecs += 1 case types.SpecStateSkipped: summary.NumberOfSkippedSpecs += 1 case types.SpecStateFailed, types.SpecStatePanicked, types.SpecStateInterrupted: summary.NumberOfFailedSpecs += 1 case types.SpecStatePassed: summary.NumberOfPassedSpecs += 1 if spec.NumAttempts > 1 { summary.NumberOfFlakedSpecs += 1 } } } } summary.SuiteSucceeded = report.SuiteSucceeded summary.RunTime = report.RunTime reporter.SuiteDidEnd(summary) } func failureFor(spec types.SpecReport) types.DeprecatedSpecFailure { if spec.Failure.IsZero() { return types.DeprecatedSpecFailure{} } index := 0 switch spec.Failure.FailureNodeContext { case types.FailureNodeInContainer: index = spec.Failure.FailureNodeContainerIndex case types.FailureNodeAtTopLevel: index = -1 case types.FailureNodeIsLeafNode: index = len(spec.ContainerHierarchyTexts) - 1 if spec.LeafNodeText != "" { index += 1 } } return types.DeprecatedSpecFailure{ Message: spec.Failure.Message, Location: spec.Failure.Location, ForwardedPanic: spec.Failure.ForwardedPanic, ComponentIndex: index, ComponentType: spec.Failure.FailureNodeType, ComponentCodeLocation: spec.Failure.FailureNodeLocation, } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/reporters/reporter.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/reporters/reporter.go
package reporters import ( "github.com/onsi/ginkgo/v2/types" ) type Reporter interface { SuiteWillBegin(report types.Report) WillRun(report types.SpecReport) DidRun(report types.SpecReport) SuiteDidEnd(report types.Report) //Timeline emission EmitFailure(state types.SpecState, failure types.Failure) EmitProgressReport(progressReport types.ProgressReport) EmitReportEntry(entry types.ReportEntry) EmitSpecEvent(event types.SpecEvent) } type NoopReporter struct{} func (n NoopReporter) SuiteWillBegin(report types.Report) {} func (n NoopReporter) WillRun(report types.SpecReport) {} func (n NoopReporter) DidRun(report types.SpecReport) {} func (n NoopReporter) SuiteDidEnd(report types.Report) {} func (n NoopReporter) EmitFailure(state types.SpecState, failure types.Failure) {} func (n NoopReporter) EmitProgressReport(progressReport types.ProgressReport) {} func (n NoopReporter) EmitReportEntry(entry types.ReportEntry) {} func (n NoopReporter) EmitSpecEvent(event types.SpecEvent) {}
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/reporters/default_reporter.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/reporters/default_reporter.go
/* Ginkgo's Default Reporter A number of command line flags are available to tweak Ginkgo's default output. These are documented [here](http://onsi.github.io/ginkgo/#running_tests) */ package reporters import ( "fmt" "io" "runtime" "strings" "sync" "time" "github.com/onsi/ginkgo/v2/formatter" "github.com/onsi/ginkgo/v2/types" ) type DefaultReporter struct { conf types.ReporterConfig writer io.Writer // managing the emission stream lastCharWasNewline bool lastEmissionWasDelimiter bool // rendering specDenoter string retryDenoter string formatter formatter.Formatter runningInParallel bool lock *sync.Mutex } func NewDefaultReporterUnderTest(conf types.ReporterConfig, writer io.Writer) *DefaultReporter { reporter := NewDefaultReporter(conf, writer) reporter.formatter = formatter.New(formatter.ColorModePassthrough) return reporter } func NewDefaultReporter(conf types.ReporterConfig, writer io.Writer) *DefaultReporter { reporter := &DefaultReporter{ conf: conf, writer: writer, lastCharWasNewline: true, lastEmissionWasDelimiter: false, specDenoter: "•", retryDenoter: "↺", formatter: formatter.NewWithNoColorBool(conf.NoColor), lock: &sync.Mutex{}, } if runtime.GOOS == "windows" { reporter.specDenoter = "+" reporter.retryDenoter = "R" } return reporter } /* The Reporter Interface */ func (r *DefaultReporter) SuiteWillBegin(report types.Report) { if r.conf.Verbosity().Is(types.VerbosityLevelSuccinct) { r.emit(r.f("[%d] {{bold}}%s{{/}} ", report.SuiteConfig.RandomSeed, report.SuiteDescription)) if len(report.SuiteLabels) > 0 { r.emit(r.f("{{coral}}[%s]{{/}} ", strings.Join(report.SuiteLabels, ", "))) } if len(report.SuiteSemVerConstraints) > 0 { r.emit(r.f("{{coral}}[%s]{{/}} ", strings.Join(report.SuiteSemVerConstraints, ", "))) } r.emit(r.f("- %d/%d specs ", report.PreRunStats.SpecsThatWillRun, report.PreRunStats.TotalSpecs)) if report.SuiteConfig.ParallelTotal > 1 { r.emit(r.f("- %d procs ", report.SuiteConfig.ParallelTotal)) } } else { banner := r.f("Running Suite: %s - %s", report.SuiteDescription, report.SuitePath) r.emitBlock(banner) bannerWidth := len(banner) if len(report.SuiteLabels) > 0 { labels := strings.Join(report.SuiteLabels, ", ") r.emitBlock(r.f("{{coral}}[%s]{{/}} ", labels)) if len(labels)+2 > bannerWidth { bannerWidth = len(labels) + 2 } } if len(report.SuiteSemVerConstraints) > 0 { semVerConstraints := strings.Join(report.SuiteSemVerConstraints, ", ") r.emitBlock(r.f("{{coral}}[%s]{{/}} ", semVerConstraints)) if len(semVerConstraints)+2 > bannerWidth { bannerWidth = len(semVerConstraints) + 2 } } r.emitBlock(strings.Repeat("=", bannerWidth)) out := r.f("Random Seed: {{bold}}%d{{/}}", report.SuiteConfig.RandomSeed) if report.SuiteConfig.RandomizeAllSpecs { out += r.f(" - will randomize all specs") } r.emitBlock(out) r.emit("\n") r.emitBlock(r.f("Will run {{bold}}%d{{/}} of {{bold}}%d{{/}} specs", report.PreRunStats.SpecsThatWillRun, report.PreRunStats.TotalSpecs)) if report.SuiteConfig.ParallelTotal > 1 { r.emitBlock(r.f("Running in parallel across {{bold}}%d{{/}} processes", report.SuiteConfig.ParallelTotal)) } } } func (r *DefaultReporter) SuiteDidEnd(report types.Report) { failures := report.SpecReports.WithState(types.SpecStateFailureStates) if len(failures) > 0 { r.emitBlock("\n") if len(failures) > 1 { r.emitBlock(r.f("{{red}}{{bold}}Summarizing %d Failures:{{/}}", len(failures))) } else { r.emitBlock(r.f("{{red}}{{bold}}Summarizing 1 Failure:{{/}}")) } for _, specReport := range failures { highlightColor, heading := "{{red}}", "[FAIL]" switch specReport.State { case types.SpecStatePanicked: highlightColor, heading = "{{magenta}}", "[PANICKED!]" case types.SpecStateAborted: highlightColor, heading = "{{coral}}", "[ABORTED]" case types.SpecStateTimedout: highlightColor, heading = "{{orange}}", "[TIMEDOUT]" case types.SpecStateInterrupted: highlightColor, heading = "{{orange}}", "[INTERRUPTED]" } locationBlock := r.codeLocationBlock(specReport, highlightColor, false, true) r.emitBlock(r.fi(1, highlightColor+"%s{{/}} %s", heading, locationBlock)) } } //summarize the suite if r.conf.Verbosity().Is(types.VerbosityLevelSuccinct) && report.SuiteSucceeded { r.emit(r.f(" {{green}}SUCCESS!{{/}} %s ", report.RunTime)) return } r.emitBlock("\n") color, status := "{{green}}{{bold}}", "SUCCESS!" if !report.SuiteSucceeded { color, status = "{{red}}{{bold}}", "FAIL!" } specs := report.SpecReports.WithLeafNodeType(types.NodeTypeIt) //exclude any suite setup nodes r.emitBlock(r.f(color+"Ran %d of %d Specs in %.3f seconds{{/}}", specs.CountWithState(types.SpecStatePassed)+specs.CountWithState(types.SpecStateFailureStates), report.PreRunStats.TotalSpecs, report.RunTime.Seconds()), ) switch len(report.SpecialSuiteFailureReasons) { case 0: r.emit(r.f(color+"%s{{/}} -- ", status)) case 1: r.emit(r.f(color+"%s - %s{{/}} -- ", status, report.SpecialSuiteFailureReasons[0])) default: r.emitBlock(r.f(color+"%s - %s{{/}}\n", status, strings.Join(report.SpecialSuiteFailureReasons, ", "))) } if len(specs) == 0 && report.SpecReports.WithLeafNodeType(types.NodeTypeBeforeSuite|types.NodeTypeSynchronizedBeforeSuite).CountWithState(types.SpecStateFailureStates) > 0 { r.emit(r.f("{{cyan}}{{bold}}A BeforeSuite node failed so all tests were skipped.{{/}}\n")) } else { r.emit(r.f("{{green}}{{bold}}%d Passed{{/}} | ", specs.CountWithState(types.SpecStatePassed))) r.emit(r.f("{{red}}{{bold}}%d Failed{{/}} | ", specs.CountWithState(types.SpecStateFailureStates))) if specs.CountOfFlakedSpecs() > 0 { r.emit(r.f("{{light-yellow}}{{bold}}%d Flaked{{/}} | ", specs.CountOfFlakedSpecs())) } if specs.CountOfRepeatedSpecs() > 0 { r.emit(r.f("{{light-yellow}}{{bold}}%d Repeated{{/}} | ", specs.CountOfRepeatedSpecs())) } r.emit(r.f("{{yellow}}{{bold}}%d Pending{{/}} | ", specs.CountWithState(types.SpecStatePending))) r.emit(r.f("{{cyan}}{{bold}}%d Skipped{{/}}\n", specs.CountWithState(types.SpecStateSkipped))) } } func (r *DefaultReporter) WillRun(report types.SpecReport) { v := r.conf.Verbosity() if v.LT(types.VerbosityLevelVerbose) || report.State.Is(types.SpecStatePending|types.SpecStateSkipped) || report.RunningInParallel { return } r.emitDelimiter(0) r.emitBlock(r.f(r.codeLocationBlock(report, "{{/}}", v.Is(types.VerbosityLevelVeryVerbose), false))) } func (r *DefaultReporter) wrapTextBlock(sectionName string, fn func()) { r.emitBlock("\n") if r.conf.GithubOutput { r.emitBlock(r.fi(1, "::group::%s", sectionName)) } else { r.emitBlock(r.fi(1, "{{gray}}%s >>{{/}}", sectionName)) } fn() if r.conf.GithubOutput { r.emitBlock(r.fi(1, "::endgroup::")) } else { r.emitBlock(r.fi(1, "{{gray}}<< %s{{/}}", sectionName)) } } func (r *DefaultReporter) DidRun(report types.SpecReport) { v := r.conf.Verbosity() inParallel := report.RunningInParallel //should we completely omit this spec? if report.State.Is(types.SpecStateSkipped) && r.conf.SilenceSkips { return } header := r.specDenoter if report.LeafNodeType.Is(types.NodeTypesForSuiteLevelNodes) { header = fmt.Sprintf("[%s]", report.LeafNodeType) } highlightColor := r.highlightColorForState(report.State) // have we already been streaming the timeline? timelineHasBeenStreaming := v.GTE(types.VerbosityLevelVerbose) && !inParallel // should we show the timeline? var timeline types.Timeline showTimeline := !timelineHasBeenStreaming && (v.GTE(types.VerbosityLevelVerbose) || report.Failed()) if showTimeline { timeline = report.Timeline().WithoutHiddenReportEntries() keepVeryVerboseSpecEvents := v.Is(types.VerbosityLevelVeryVerbose) || (v.Is(types.VerbosityLevelVerbose) && r.conf.ShowNodeEvents) || (report.Failed() && r.conf.ShowNodeEvents) if !keepVeryVerboseSpecEvents { timeline = timeline.WithoutVeryVerboseSpecEvents() } if len(timeline) == 0 && report.CapturedGinkgoWriterOutput == "" { // the timeline is completely empty - don't show it showTimeline = false } if v.LT(types.VerbosityLevelVeryVerbose) && report.CapturedGinkgoWriterOutput == "" && len(timeline) > 0 { //if we aren't -vv and the timeline only has a single failure, don't show it as it will appear at the end of the report failure, isFailure := timeline[0].(types.Failure) if isFailure && (len(timeline) == 1 || (len(timeline) == 2 && failure.AdditionalFailure != nil)) { showTimeline = false } } } // should we have a separate section for always-visible reports? showSeparateVisibilityAlwaysReportsSection := !timelineHasBeenStreaming && !showTimeline && report.ReportEntries.HasVisibility(types.ReportEntryVisibilityAlways) // should we have a separate section for captured stdout/stderr showSeparateStdSection := inParallel && (report.CapturedStdOutErr != "") // given all that - do we have any actual content to show? or are we a single denoter in a stream? reportHasContent := v.Is(types.VerbosityLevelVeryVerbose) || showTimeline || showSeparateVisibilityAlwaysReportsSection || showSeparateStdSection || report.Failed() || (v.Is(types.VerbosityLevelVerbose) && !report.State.Is(types.SpecStateSkipped)) // should we show a runtime? includeRuntime := !report.State.Is(types.SpecStateSkipped|types.SpecStatePending) || (report.State.Is(types.SpecStateSkipped) && report.Failure.Message != "") // should we show the codelocation block? showCodeLocation := !timelineHasBeenStreaming || !report.State.Is(types.SpecStatePassed) switch report.State { case types.SpecStatePassed: if report.LeafNodeType.Is(types.NodeTypesForSuiteLevelNodes) && !reportHasContent { return } if report.LeafNodeType.Is(types.NodeTypesForSuiteLevelNodes) { header = fmt.Sprintf("%s PASSED", header) } if report.NumAttempts > 1 && report.MaxFlakeAttempts > 1 { header, reportHasContent = fmt.Sprintf("%s [FLAKEY TEST - TOOK %d ATTEMPTS TO PASS]", r.retryDenoter, report.NumAttempts), true } case types.SpecStatePending: header = "P" if v.GT(types.VerbosityLevelSuccinct) { header, reportHasContent = "P [PENDING]", true } case types.SpecStateSkipped: header = "S" if v.Is(types.VerbosityLevelVeryVerbose) || (v.Is(types.VerbosityLevelVerbose) && report.Failure.Message != "") { header, reportHasContent = "S [SKIPPED]", true } default: header = fmt.Sprintf("%s [%s]", header, r.humanReadableState(report.State)) if report.MaxMustPassRepeatedly > 1 { header = fmt.Sprintf("%s DURING REPETITION #%d", header, report.NumAttempts) } } // If we have no content to show, just emit the header and return if !reportHasContent { r.emit(r.f(highlightColor + header + "{{/}}")) if r.conf.ForceNewlines { r.emit("\n") } return } if includeRuntime { header = r.f("%s [%.3f seconds]", header, report.RunTime.Seconds()) } // Emit header if !timelineHasBeenStreaming { r.emitDelimiter(0) } r.emitBlock(r.f(highlightColor + header + "{{/}}")) if showCodeLocation { r.emitBlock(r.codeLocationBlock(report, highlightColor, v.Is(types.VerbosityLevelVeryVerbose), false)) } //Emit Stdout/Stderr Output if showSeparateStdSection { r.wrapTextBlock("Captured StdOut/StdErr Output", func() { r.emitBlock(r.fi(1, "%s", report.CapturedStdOutErr)) }) } if showSeparateVisibilityAlwaysReportsSection { r.wrapTextBlock("Report Entries", func() { for _, entry := range report.ReportEntries.WithVisibility(types.ReportEntryVisibilityAlways) { r.emitReportEntry(1, entry) } }) } if showTimeline { r.wrapTextBlock("Timeline", func() { r.emitTimeline(1, report, timeline) }) } // Emit Failure Message if !report.Failure.IsZero() && !v.Is(types.VerbosityLevelVeryVerbose) { r.emitBlock("\n") r.emitFailure(1, report.State, report.Failure, true) if len(report.AdditionalFailures) > 0 { r.emitBlock(r.fi(1, "\nThere were {{bold}}{{red}}additional failures{{/}} detected. To view them in detail run {{bold}}ginkgo -vv{{/}}")) } } r.emitDelimiter(0) } func (r *DefaultReporter) highlightColorForState(state types.SpecState) string { switch state { case types.SpecStatePassed: return "{{green}}" case types.SpecStatePending: return "{{yellow}}" case types.SpecStateSkipped: return "{{cyan}}" case types.SpecStateFailed: return "{{red}}" case types.SpecStateTimedout: return "{{orange}}" case types.SpecStatePanicked: return "{{magenta}}" case types.SpecStateInterrupted: return "{{orange}}" case types.SpecStateAborted: return "{{coral}}" default: return "{{gray}}" } } func (r *DefaultReporter) humanReadableState(state types.SpecState) string { return strings.ToUpper(state.String()) } func (r *DefaultReporter) emitTimeline(indent uint, report types.SpecReport, timeline types.Timeline) { isVeryVerbose := r.conf.Verbosity().Is(types.VerbosityLevelVeryVerbose) gw := report.CapturedGinkgoWriterOutput cursor := 0 for _, entry := range timeline { tl := entry.GetTimelineLocation() if tl.Offset < len(gw) { r.emit(r.fi(indent, "%s", gw[cursor:tl.Offset])) cursor = tl.Offset } else if cursor < len(gw) { r.emit(r.fi(indent, "%s", gw[cursor:])) cursor = len(gw) } switch x := entry.(type) { case types.Failure: if isVeryVerbose { r.emitFailure(indent, report.State, x, false) } else { r.emitShortFailure(indent, report.State, x) } case types.AdditionalFailure: if isVeryVerbose { r.emitFailure(indent, x.State, x.Failure, true) } else { r.emitShortFailure(indent, x.State, x.Failure) } case types.ReportEntry: r.emitReportEntry(indent, x) case types.ProgressReport: r.emitProgressReport(indent, false, x) case types.SpecEvent: if isVeryVerbose || !x.IsOnlyVisibleAtVeryVerbose() || r.conf.ShowNodeEvents { r.emitSpecEvent(indent, x, isVeryVerbose) } } } if cursor < len(gw) { r.emit(r.fi(indent, "%s", gw[cursor:])) } } func (r *DefaultReporter) EmitFailure(state types.SpecState, failure types.Failure) { if r.conf.Verbosity().Is(types.VerbosityLevelVerbose) { r.emitShortFailure(1, state, failure) } else if r.conf.Verbosity().Is(types.VerbosityLevelVeryVerbose) { r.emitFailure(1, state, failure, true) } } func (r *DefaultReporter) emitShortFailure(indent uint, state types.SpecState, failure types.Failure) { r.emitBlock(r.fi(indent, r.highlightColorForState(state)+"[%s]{{/}} in [%s] - %s {{gray}}@ %s{{/}}", r.humanReadableState(state), failure.FailureNodeType, failure.Location, failure.TimelineLocation.Time.Format(types.GINKGO_TIME_FORMAT), )) } func (r *DefaultReporter) emitFailure(indent uint, state types.SpecState, failure types.Failure, includeAdditionalFailure bool) { highlightColor := r.highlightColorForState(state) r.emitBlock(r.fi(indent, highlightColor+"[%s] %s{{/}}", r.humanReadableState(state), failure.Message)) if r.conf.GithubOutput { level := "error" if state.Is(types.SpecStateSkipped) { level = "notice" } r.emitBlock(r.fi(indent, "::%s file=%s,line=%d::%s %s", level, failure.Location.FileName, failure.Location.LineNumber, failure.FailureNodeType, failure.TimelineLocation.Time.Format(types.GINKGO_TIME_FORMAT))) } else { r.emitBlock(r.fi(indent, highlightColor+"In {{bold}}[%s]{{/}}"+highlightColor+" at: {{bold}}%s{{/}} {{gray}}@ %s{{/}}\n", failure.FailureNodeType, failure.Location, failure.TimelineLocation.Time.Format(types.GINKGO_TIME_FORMAT))) } if failure.ForwardedPanic != "" { r.emitBlock("\n") r.emitBlock(r.fi(indent, highlightColor+"%s{{/}}", failure.ForwardedPanic)) } if r.conf.FullTrace || failure.ForwardedPanic != "" { r.emitBlock("\n") r.emitBlock(r.fi(indent, highlightColor+"Full Stack Trace{{/}}")) r.emitBlock(r.fi(indent+1, "%s", failure.Location.FullStackTrace)) } if !failure.ProgressReport.IsZero() { r.emitBlock("\n") r.emitProgressReport(indent, false, failure.ProgressReport) } if failure.AdditionalFailure != nil && includeAdditionalFailure { r.emitBlock("\n") r.emitFailure(indent, failure.AdditionalFailure.State, failure.AdditionalFailure.Failure, true) } } func (r *DefaultReporter) EmitProgressReport(report types.ProgressReport) { r.emitDelimiter(1) if report.RunningInParallel { r.emit(r.fi(1, "{{coral}}Progress Report for Ginkgo Process #{{bold}}%d{{/}}\n", report.ParallelProcess)) } shouldEmitGW := report.RunningInParallel || r.conf.Verbosity().LT(types.VerbosityLevelVerbose) r.emitProgressReport(1, shouldEmitGW, report) r.emitDelimiter(1) } func (r *DefaultReporter) emitProgressReport(indent uint, emitGinkgoWriterOutput bool, report types.ProgressReport) { if report.Message != "" { r.emitBlock(r.fi(indent, report.Message+"\n")) indent += 1 } if report.LeafNodeText != "" { subjectIndent := indent if len(report.ContainerHierarchyTexts) > 0 { r.emit(r.fi(indent, r.cycleJoin(report.ContainerHierarchyTexts, " "))) r.emit(" ") subjectIndent = 0 } r.emit(r.fi(subjectIndent, "{{bold}}{{orange}}%s{{/}} (Spec Runtime: %s)\n", report.LeafNodeText, report.Time().Sub(report.SpecStartTime).Round(time.Millisecond))) r.emit(r.fi(indent+1, "{{gray}}%s{{/}}\n", report.LeafNodeLocation)) indent += 1 } if report.CurrentNodeType != types.NodeTypeInvalid { r.emit(r.fi(indent, "In {{bold}}{{orange}}[%s]{{/}}", report.CurrentNodeType)) if report.CurrentNodeText != "" && !report.CurrentNodeType.Is(types.NodeTypeIt) { r.emit(r.f(" {{bold}}{{orange}}%s{{/}}", report.CurrentNodeText)) } r.emit(r.f(" (Node Runtime: %s)\n", report.Time().Sub(report.CurrentNodeStartTime).Round(time.Millisecond))) r.emit(r.fi(indent+1, "{{gray}}%s{{/}}\n", report.CurrentNodeLocation)) indent += 1 } if report.CurrentStepText != "" { r.emit(r.fi(indent, "At {{bold}}{{orange}}[By Step] %s{{/}} (Step Runtime: %s)\n", report.CurrentStepText, report.Time().Sub(report.CurrentStepStartTime).Round(time.Millisecond))) r.emit(r.fi(indent+1, "{{gray}}%s{{/}}\n", report.CurrentStepLocation)) indent += 1 } if indent > 0 { indent -= 1 } if emitGinkgoWriterOutput && report.CapturedGinkgoWriterOutput != "" { r.emit("\n") r.emitBlock(r.fi(indent, "{{gray}}Begin Captured GinkgoWriter Output >>{{/}}")) limit, lines := 10, strings.Split(report.CapturedGinkgoWriterOutput, "\n") if len(lines) <= limit { r.emitBlock(r.fi(indent+1, "%s", report.CapturedGinkgoWriterOutput)) } else { r.emitBlock(r.fi(indent+1, "{{gray}}...{{/}}")) for _, line := range lines[len(lines)-limit-1:] { r.emitBlock(r.fi(indent+1, "%s", line)) } } r.emitBlock(r.fi(indent, "{{gray}}<< End Captured GinkgoWriter Output{{/}}")) } if !report.SpecGoroutine().IsZero() { r.emit("\n") r.emit(r.fi(indent, "{{bold}}{{underline}}Spec Goroutine{{/}}\n")) r.emitGoroutines(indent, report.SpecGoroutine()) } if len(report.AdditionalReports) > 0 { r.emit("\n") r.emitBlock(r.fi(indent, "{{gray}}Begin Additional Progress Reports >>{{/}}")) for i, additionalReport := range report.AdditionalReports { r.emit(r.fi(indent+1, additionalReport)) if i < len(report.AdditionalReports)-1 { r.emitBlock(r.fi(indent+1, "{{gray}}%s{{/}}", strings.Repeat("-", 10))) } } r.emitBlock(r.fi(indent, "{{gray}}<< End Additional Progress Reports{{/}}")) } highlightedGoroutines := report.HighlightedGoroutines() if len(highlightedGoroutines) > 0 { r.emit("\n") r.emit(r.fi(indent, "{{bold}}{{underline}}Goroutines of Interest{{/}}\n")) r.emitGoroutines(indent, highlightedGoroutines...) } otherGoroutines := report.OtherGoroutines() if len(otherGoroutines) > 0 { r.emit("\n") r.emit(r.fi(indent, "{{gray}}{{bold}}{{underline}}Other Goroutines{{/}}\n")) r.emitGoroutines(indent, otherGoroutines...) } } func (r *DefaultReporter) EmitReportEntry(entry types.ReportEntry) { if r.conf.Verbosity().LT(types.VerbosityLevelVerbose) || entry.Visibility == types.ReportEntryVisibilityNever { return } r.emitReportEntry(1, entry) } func (r *DefaultReporter) emitReportEntry(indent uint, entry types.ReportEntry) { r.emitBlock(r.fi(indent, "{{bold}}"+entry.Name+"{{gray}} "+fmt.Sprintf("- %s @ %s{{/}}", entry.Location, entry.Time.Format(types.GINKGO_TIME_FORMAT)))) if representation := entry.StringRepresentation(); representation != "" { r.emitBlock(r.fi(indent+1, representation)) } } func (r *DefaultReporter) EmitSpecEvent(event types.SpecEvent) { v := r.conf.Verbosity() if v.Is(types.VerbosityLevelVeryVerbose) || (v.Is(types.VerbosityLevelVerbose) && (r.conf.ShowNodeEvents || !event.IsOnlyVisibleAtVeryVerbose())) { r.emitSpecEvent(1, event, r.conf.Verbosity().Is(types.VerbosityLevelVeryVerbose)) } } func (r *DefaultReporter) emitSpecEvent(indent uint, event types.SpecEvent, includeLocation bool) { location := "" if includeLocation { location = fmt.Sprintf("- %s ", event.CodeLocation.String()) } switch event.SpecEventType { case types.SpecEventInvalid: return case types.SpecEventByStart: r.emitBlock(r.fi(indent, "{{bold}}STEP:{{/}} %s {{gray}}%s@ %s{{/}}", event.Message, location, event.TimelineLocation.Time.Format(types.GINKGO_TIME_FORMAT))) case types.SpecEventByEnd: r.emitBlock(r.fi(indent, "{{bold}}END STEP:{{/}} %s {{gray}}%s@ %s (%s){{/}}", event.Message, location, event.TimelineLocation.Time.Format(types.GINKGO_TIME_FORMAT), event.Duration.Round(time.Millisecond))) case types.SpecEventNodeStart: r.emitBlock(r.fi(indent, "> Enter {{bold}}[%s]{{/}} %s {{gray}}%s@ %s{{/}}", event.NodeType.String(), event.Message, location, event.TimelineLocation.Time.Format(types.GINKGO_TIME_FORMAT))) case types.SpecEventNodeEnd: r.emitBlock(r.fi(indent, "< Exit {{bold}}[%s]{{/}} %s {{gray}}%s@ %s (%s){{/}}", event.NodeType.String(), event.Message, location, event.TimelineLocation.Time.Format(types.GINKGO_TIME_FORMAT), event.Duration.Round(time.Millisecond))) case types.SpecEventSpecRepeat: r.emitBlock(r.fi(indent, "\n{{bold}}Attempt #%d {{green}}Passed{{/}}{{bold}}. Repeating %s{{/}} {{gray}}@ %s{{/}}\n\n", event.Attempt, r.retryDenoter, event.TimelineLocation.Time.Format(types.GINKGO_TIME_FORMAT))) case types.SpecEventSpecRetry: r.emitBlock(r.fi(indent, "\n{{bold}}Attempt #%d {{red}}Failed{{/}}{{bold}}. Retrying %s{{/}} {{gray}}@ %s{{/}}\n\n", event.Attempt, r.retryDenoter, event.TimelineLocation.Time.Format(types.GINKGO_TIME_FORMAT))) } } func (r *DefaultReporter) emitGoroutines(indent uint, goroutines ...types.Goroutine) { for idx, g := range goroutines { color := "{{gray}}" if g.HasHighlights() { color = "{{orange}}" } r.emit(r.fi(indent, color+"goroutine %d [%s]{{/}}\n", g.ID, g.State)) for _, fc := range g.Stack { if fc.Highlight { r.emit(r.fi(indent, color+"{{bold}}> %s{{/}}\n", fc.Function)) r.emit(r.fi(indent+2, color+"{{bold}}%s:%d{{/}}\n", fc.Filename, fc.Line)) r.emitSource(indent+3, fc) } else { r.emit(r.fi(indent+1, "{{gray}}%s{{/}}\n", fc.Function)) r.emit(r.fi(indent+2, "{{gray}}%s:%d{{/}}\n", fc.Filename, fc.Line)) } } if idx+1 < len(goroutines) { r.emit("\n") } } } func (r *DefaultReporter) emitSource(indent uint, fc types.FunctionCall) { lines := fc.Source if len(lines) == 0 { return } lTrim := 100000 for _, line := range lines { lTrimLine := len(line) - len(strings.TrimLeft(line, " \t")) if lTrimLine < lTrim && len(line) > 0 { lTrim = lTrimLine } } if lTrim == 100000 { lTrim = 0 } for idx, line := range lines { if len(line) > lTrim { line = line[lTrim:] } if idx == fc.SourceHighlight { r.emit(r.fi(indent, "{{bold}}{{orange}}> %s{{/}}\n", line)) } else { r.emit(r.fi(indent, "| %s\n", line)) } } } /* Emitting to the writer */ func (r *DefaultReporter) emit(s string) { r._emit(s, false, false) } func (r *DefaultReporter) emitBlock(s string) { r._emit(s, true, false) } func (r *DefaultReporter) emitDelimiter(indent uint) { r._emit(r.fi(indent, "{{gray}}%s{{/}}", strings.Repeat("-", 30)), true, true) } // a bit ugly - but we're trying to minimize locking on this hot codepath func (r *DefaultReporter) _emit(s string, block bool, isDelimiter bool) { if len(s) == 0 { return } r.lock.Lock() defer r.lock.Unlock() if isDelimiter && r.lastEmissionWasDelimiter { return } if block && !r.lastCharWasNewline { r.writer.Write([]byte("\n")) } r.lastCharWasNewline = (s[len(s)-1:] == "\n") r.writer.Write([]byte(s)) if block && !r.lastCharWasNewline { r.writer.Write([]byte("\n")) r.lastCharWasNewline = true } r.lastEmissionWasDelimiter = isDelimiter } /* Rendering text */ func (r *DefaultReporter) f(format string, args ...any) string { return r.formatter.F(format, args...) } func (r *DefaultReporter) fi(indentation uint, format string, args ...any) string { return r.formatter.Fi(indentation, format, args...) } func (r *DefaultReporter) cycleJoin(elements []string, joiner string) string { return r.formatter.CycleJoin(elements, joiner, []string{"{{/}}", "{{gray}}"}) } func (r *DefaultReporter) codeLocationBlock(report types.SpecReport, highlightColor string, veryVerbose bool, usePreciseFailureLocation bool) string { texts, locations, labels, semVerConstraints := []string{}, []types.CodeLocation{}, [][]string{}, [][]string{} texts, locations, labels, semVerConstraints = append(texts, report.ContainerHierarchyTexts...), append(locations, report.ContainerHierarchyLocations...), append(labels, report.ContainerHierarchyLabels...), append(semVerConstraints, report.ContainerHierarchySemVerConstraints...) if report.LeafNodeType.Is(types.NodeTypesForSuiteLevelNodes) { texts = append(texts, r.f("[%s] %s", report.LeafNodeType, report.LeafNodeText)) } else { texts = append(texts, r.f(report.LeafNodeText)) } labels = append(labels, report.LeafNodeLabels) semVerConstraints = append(semVerConstraints, report.LeafNodeSemVerConstraints) locations = append(locations, report.LeafNodeLocation) failureLocation := report.Failure.FailureNodeLocation if usePreciseFailureLocation { failureLocation = report.Failure.Location } highlightIndex := -1 switch report.Failure.FailureNodeContext { case types.FailureNodeAtTopLevel: texts = append([]string{fmt.Sprintf("TOP-LEVEL [%s]", report.Failure.FailureNodeType)}, texts...) locations = append([]types.CodeLocation{failureLocation}, locations...) labels = append([][]string{{}}, labels...) semVerConstraints = append([][]string{{}}, semVerConstraints...) highlightIndex = 0 case types.FailureNodeInContainer: i := report.Failure.FailureNodeContainerIndex texts[i] = fmt.Sprintf("%s [%s]", texts[i], report.Failure.FailureNodeType) locations[i] = failureLocation highlightIndex = i case types.FailureNodeIsLeafNode: i := len(texts) - 1 texts[i] = fmt.Sprintf("[%s] %s", report.LeafNodeType, report.LeafNodeText) locations[i] = failureLocation highlightIndex = i default: //there is no failure, so we highlight the leaf ndoe highlightIndex = len(texts) - 1 } out := "" if veryVerbose { for i := range texts { if i == highlightIndex { out += r.fi(uint(i), highlightColor+"{{bold}}%s{{/}}", texts[i]) } else { out += r.fi(uint(i), "%s", texts[i]) } if len(labels[i]) > 0 { out += r.f(" {{coral}}[%s]{{/}}", strings.Join(labels[i], ", ")) } if len(semVerConstraints[i]) > 0 { out += r.f(" {{coral}}[%s]{{/}}", strings.Join(semVerConstraints[i], ", ")) } out += "\n" out += r.fi(uint(i), "{{gray}}%s{{/}}\n", locations[i]) } } else { for i := range texts { style := "{{/}}" if i%2 == 1 { style = "{{gray}}" } if i == highlightIndex { style = highlightColor + "{{bold}}" } out += r.f(style+"%s", texts[i]) if i < len(texts)-1 { out += " " } else { out += r.f("{{/}}") } } flattenedLabels := report.Labels() if len(flattenedLabels) > 0 { out += r.f(" {{coral}}[%s]{{/}}", strings.Join(flattenedLabels, ", ")) } flattenedSemVerConstraints := report.SemVerConstraints() if len(flattenedSemVerConstraints) > 0 { out += r.f(" {{coral}}[%s]{{/}}", strings.Join(flattenedSemVerConstraints, ", ")) } out += "\n" if usePreciseFailureLocation { out += r.f("{{gray}}%s{{/}}", failureLocation) } else { leafLocation := locations[len(locations)-1] if (report.Failure.FailureNodeLocation != types.CodeLocation{}) && (report.Failure.FailureNodeLocation != leafLocation) { out += r.fi(1, highlightColor+"[%s]{{/}} {{gray}}%s{{/}}\n", report.Failure.FailureNodeType, report.Failure.FailureNodeLocation) out += r.fi(1, "{{gray}}[%s] %s{{/}}", report.LeafNodeType, leafLocation) } else { out += r.f("{{gray}}%s{{/}}", leafLocation) } } } return out }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/reporters/junit_report.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/reporters/junit_report.go
/* JUnit XML Reporter for Ginkgo For usage instructions: http://onsi.github.io/ginkgo/#generating_junit_xml_output The schema used for the generated JUnit xml file was adapted from https://llg.cubic.org/docs/junit/ */ package reporters import ( "encoding/xml" "fmt" "os" "path" "regexp" "strings" "github.com/onsi/ginkgo/v2/config" "github.com/onsi/ginkgo/v2/types" ) type JunitReportConfig struct { // Spec States for which no timeline should be emitted for system-err // set this to types.SpecStatePassed|types.SpecStateSkipped|types.SpecStatePending to only match failing specs OmitTimelinesForSpecState types.SpecState // Enable OmitFailureMessageAttr to prevent failure messages appearing in the "message" attribute of the Failure and Error tags OmitFailureMessageAttr bool //Enable OmitCapturedStdOutErr to prevent captured stdout/stderr appearing in system-out OmitCapturedStdOutErr bool // Enable OmitSpecLabels to prevent labels from appearing in the spec name OmitSpecLabels bool // Enable OmitSpecSemVerConstraints to prevent semantic version constraints from appearing in the spec name OmitSpecSemVerConstraints bool // Enable OmitLeafNodeType to prevent the spec leaf node type from appearing in the spec name OmitLeafNodeType bool // Enable OmitSuiteSetupNodes to prevent the creation of testcase entries for setup nodes OmitSuiteSetupNodes bool } type JUnitTestSuites struct { XMLName xml.Name `xml:"testsuites"` // Tests maps onto the total number of specs in all test suites (this includes any suite nodes such as BeforeSuite) Tests int `xml:"tests,attr"` // Disabled maps onto specs that are pending and/or skipped Disabled int `xml:"disabled,attr"` // Errors maps onto specs that panicked or were interrupted Errors int `xml:"errors,attr"` // Failures maps onto specs that failed Failures int `xml:"failures,attr"` // Time is the time in seconds to execute all test suites Time float64 `xml:"time,attr"` //The set of all test suites TestSuites []JUnitTestSuite `xml:"testsuite"` } type JUnitTestSuite struct { // Name maps onto the description of the test suite - maps onto Report.SuiteDescription Name string `xml:"name,attr"` // Package maps onto the absolute path to the test suite - maps onto Report.SuitePath Package string `xml:"package,attr"` // Tests maps onto the total number of specs in the test suite (this includes any suite nodes such as BeforeSuite) Tests int `xml:"tests,attr"` // Disabled maps onto specs that are pending Disabled int `xml:"disabled,attr"` // Skiped maps onto specs that are skipped Skipped int `xml:"skipped,attr"` // Errors maps onto specs that panicked or were interrupted Errors int `xml:"errors,attr"` // Failures maps onto specs that failed Failures int `xml:"failures,attr"` // Time is the time in seconds to execute all the test suite - maps onto Report.RunTime Time float64 `xml:"time,attr"` // Timestamp is the ISO 8601 formatted start-time of the suite - maps onto Report.StartTime Timestamp string `xml:"timestamp,attr"` //Properties captures the information stored in the rest of the Report type (including SuiteConfig) as key-value pairs Properties JUnitProperties `xml:"properties"` //TestCases capture the individual specs TestCases []JUnitTestCase `xml:"testcase"` } type JUnitProperties struct { Properties []JUnitProperty `xml:"property"` } func (jup JUnitProperties) WithName(name string) string { for _, property := range jup.Properties { if property.Name == name { return property.Value } } return "" } type JUnitProperty struct { Name string `xml:"name,attr"` Value string `xml:"value,attr"` } var ownerRE = regexp.MustCompile(`(?i)^owner:(.*)$`) type JUnitTestCase struct { // Name maps onto the full text of the spec - equivalent to "[SpecReport.LeafNodeType] SpecReport.FullText()" Name string `xml:"name,attr"` // Classname maps onto the name of the test suite - equivalent to Report.SuiteDescription Classname string `xml:"classname,attr"` // Status maps onto the string representation of SpecReport.State Status string `xml:"status,attr"` // Time is the time in seconds to execute the spec - maps onto SpecReport.RunTime Time float64 `xml:"time,attr"` // Owner is the owner the spec - is set if a label matching Label("owner:X") is provided. The last matching label is used as the owner, thereby allowing specs to override owners specified in container nodes. Owner string `xml:"owner,attr,omitempty"` //Skipped is populated with a message if the test was skipped or pending Skipped *JUnitSkipped `xml:"skipped,omitempty"` //Error is populated if the test panicked or was interrupted Error *JUnitError `xml:"error,omitempty"` //Failure is populated if the test failed Failure *JUnitFailure `xml:"failure,omitempty"` //SystemOut maps onto any captured stdout/stderr output - maps onto SpecReport.CapturedStdOutErr SystemOut string `xml:"system-out,omitempty"` //SystemOut maps onto any captured GinkgoWriter output - maps onto SpecReport.CapturedGinkgoWriterOutput SystemErr string `xml:"system-err,omitempty"` } type JUnitSkipped struct { // Message maps onto "pending" if the test was marked pending, "skipped" if the test was marked skipped, and "skipped - REASON" if the user called Skip(REASON) Message string `xml:"message,attr"` } type JUnitError struct { //Message maps onto the panic/exception thrown - equivalent to SpecReport.Failure.ForwardedPanic - or to "interrupted" Message string `xml:"message,attr"` //Type is one of "panicked" or "interrupted" Type string `xml:"type,attr"` //Description maps onto the captured stack trace for a panic, or the failure message for an interrupt which will include the dump of running goroutines Description string `xml:",chardata"` } type JUnitFailure struct { //Message maps onto the failure message - equivalent to SpecReport.Failure.Message Message string `xml:"message,attr"` //Type is "failed" Type string `xml:"type,attr"` //Description maps onto the location and stack trace of the failure Description string `xml:",chardata"` } func GenerateJUnitReport(report types.Report, dst string) error { return GenerateJUnitReportWithConfig(report, dst, JunitReportConfig{}) } func GenerateJUnitReportWithConfig(report types.Report, dst string, config JunitReportConfig) error { suite := JUnitTestSuite{ Name: report.SuiteDescription, Package: report.SuitePath, Time: report.RunTime.Seconds(), Timestamp: report.StartTime.Format("2006-01-02T15:04:05"), Properties: JUnitProperties{ Properties: []JUnitProperty{ {"SuiteSucceeded", fmt.Sprintf("%t", report.SuiteSucceeded)}, {"SuiteHasProgrammaticFocus", fmt.Sprintf("%t", report.SuiteHasProgrammaticFocus)}, {"SpecialSuiteFailureReason", strings.Join(report.SpecialSuiteFailureReasons, ",")}, {"SuiteLabels", fmt.Sprintf("[%s]", strings.Join(report.SuiteLabels, ","))}, {"SuiteSemVerConstraints", fmt.Sprintf("[%s]", strings.Join(report.SuiteSemVerConstraints, ","))}, {"RandomSeed", fmt.Sprintf("%d", report.SuiteConfig.RandomSeed)}, {"RandomizeAllSpecs", fmt.Sprintf("%t", report.SuiteConfig.RandomizeAllSpecs)}, {"LabelFilter", report.SuiteConfig.LabelFilter}, {"SemVerFilter", report.SuiteConfig.SemVerFilter}, {"FocusStrings", strings.Join(report.SuiteConfig.FocusStrings, ",")}, {"SkipStrings", strings.Join(report.SuiteConfig.SkipStrings, ",")}, {"FocusFiles", strings.Join(report.SuiteConfig.FocusFiles, ";")}, {"SkipFiles", strings.Join(report.SuiteConfig.SkipFiles, ";")}, {"FailOnPending", fmt.Sprintf("%t", report.SuiteConfig.FailOnPending)}, {"FailOnEmpty", fmt.Sprintf("%t", report.SuiteConfig.FailOnEmpty)}, {"FailFast", fmt.Sprintf("%t", report.SuiteConfig.FailFast)}, {"FlakeAttempts", fmt.Sprintf("%d", report.SuiteConfig.FlakeAttempts)}, {"DryRun", fmt.Sprintf("%t", report.SuiteConfig.DryRun)}, {"ParallelTotal", fmt.Sprintf("%d", report.SuiteConfig.ParallelTotal)}, {"OutputInterceptorMode", report.SuiteConfig.OutputInterceptorMode}, }, }, } for _, spec := range report.SpecReports { if config.OmitSuiteSetupNodes && spec.LeafNodeType != types.NodeTypeIt { continue } name := fmt.Sprintf("[%s]", spec.LeafNodeType) if config.OmitLeafNodeType { name = "" } if spec.FullText() != "" { name = name + " " + spec.FullText() } labels := spec.Labels() if len(labels) > 0 && !config.OmitSpecLabels { name = name + " [" + strings.Join(labels, ", ") + "]" } owner := "" for _, label := range labels { if matches := ownerRE.FindStringSubmatch(label); len(matches) == 2 { owner = matches[1] } } semVerConstraints := spec.SemVerConstraints() if len(semVerConstraints) > 0 && !config.OmitSpecSemVerConstraints { name = name + " [" + strings.Join(semVerConstraints, ", ") + "]" } name = strings.TrimSpace(name) test := JUnitTestCase{ Name: name, Classname: report.SuiteDescription, Status: spec.State.String(), Time: spec.RunTime.Seconds(), Owner: owner, } if !spec.State.Is(config.OmitTimelinesForSpecState) { test.SystemErr = systemErrForUnstructuredReporters(spec) } if !config.OmitCapturedStdOutErr { test.SystemOut = systemOutForUnstructuredReporters(spec) } suite.Tests += 1 switch spec.State { case types.SpecStateSkipped: message := "skipped" if spec.Failure.Message != "" { message += " - " + spec.Failure.Message } test.Skipped = &JUnitSkipped{Message: message} suite.Skipped += 1 case types.SpecStatePending: test.Skipped = &JUnitSkipped{Message: "pending"} suite.Disabled += 1 case types.SpecStateFailed: test.Failure = &JUnitFailure{ Message: spec.Failure.Message, Type: "failed", Description: failureDescriptionForUnstructuredReporters(spec), } if config.OmitFailureMessageAttr { test.Failure.Message = "" } suite.Failures += 1 case types.SpecStateTimedout: test.Failure = &JUnitFailure{ Message: spec.Failure.Message, Type: "timedout", Description: failureDescriptionForUnstructuredReporters(spec), } if config.OmitFailureMessageAttr { test.Failure.Message = "" } suite.Failures += 1 case types.SpecStateInterrupted: test.Error = &JUnitError{ Message: spec.Failure.Message, Type: "interrupted", Description: failureDescriptionForUnstructuredReporters(spec), } if config.OmitFailureMessageAttr { test.Error.Message = "" } suite.Errors += 1 case types.SpecStateAborted: test.Failure = &JUnitFailure{ Message: spec.Failure.Message, Type: "aborted", Description: failureDescriptionForUnstructuredReporters(spec), } if config.OmitFailureMessageAttr { test.Failure.Message = "" } suite.Errors += 1 case types.SpecStatePanicked: test.Error = &JUnitError{ Message: spec.Failure.ForwardedPanic, Type: "panicked", Description: failureDescriptionForUnstructuredReporters(spec), } if config.OmitFailureMessageAttr { test.Error.Message = "" } suite.Errors += 1 } suite.TestCases = append(suite.TestCases, test) } junitReport := JUnitTestSuites{ Tests: suite.Tests, Disabled: suite.Disabled + suite.Skipped, Errors: suite.Errors, Failures: suite.Failures, Time: suite.Time, TestSuites: []JUnitTestSuite{suite}, } if err := os.MkdirAll(path.Dir(dst), 0770); err != nil { return err } f, err := os.Create(dst) if err != nil { return err } f.WriteString(xml.Header) encoder := xml.NewEncoder(f) encoder.Indent(" ", " ") encoder.Encode(junitReport) return f.Close() } func MergeAndCleanupJUnitReports(sources []string, dst string) ([]string, error) { messages := []string{} mergedReport := JUnitTestSuites{} for _, source := range sources { report := JUnitTestSuites{} f, err := os.Open(source) if err != nil { messages = append(messages, fmt.Sprintf("Could not open %s:\n%s", source, err.Error())) continue } err = xml.NewDecoder(f).Decode(&report) _ = f.Close() if err != nil { messages = append(messages, fmt.Sprintf("Could not decode %s:\n%s", source, err.Error())) continue } os.Remove(source) mergedReport.Tests += report.Tests mergedReport.Disabled += report.Disabled mergedReport.Errors += report.Errors mergedReport.Failures += report.Failures mergedReport.Time += report.Time mergedReport.TestSuites = append(mergedReport.TestSuites, report.TestSuites...) } if err := os.MkdirAll(path.Dir(dst), 0770); err != nil { return messages, err } f, err := os.Create(dst) if err != nil { return messages, err } f.WriteString(xml.Header) encoder := xml.NewEncoder(f) encoder.Indent(" ", " ") encoder.Encode(mergedReport) return messages, f.Close() } func failureDescriptionForUnstructuredReporters(spec types.SpecReport) string { out := &strings.Builder{} NewDefaultReporter(types.ReporterConfig{NoColor: true, VeryVerbose: true}, out).emitFailure(0, spec.State, spec.Failure, true) if len(spec.AdditionalFailures) > 0 { out.WriteString("\nThere were additional failures detected after the initial failure. These are visible in the timeline\n") } return out.String() } func systemErrForUnstructuredReporters(spec types.SpecReport) string { return RenderTimeline(spec, true) } func RenderTimeline(spec types.SpecReport, noColor bool) string { out := &strings.Builder{} NewDefaultReporter(types.ReporterConfig{NoColor: noColor, VeryVerbose: true}, out).emitTimeline(0, spec, spec.Timeline()) return out.String() } func systemOutForUnstructuredReporters(spec types.SpecReport) string { return spec.CapturedStdOutErr } // Deprecated JUnitReporter (so folks can still compile their suites) type JUnitReporter struct{} func NewJUnitReporter(_ string) *JUnitReporter { return &JUnitReporter{} } func (reporter *JUnitReporter) SuiteWillBegin(_ config.GinkgoConfigType, _ *types.SuiteSummary) {} func (reporter *JUnitReporter) BeforeSuiteDidRun(_ *types.SetupSummary) {} func (reporter *JUnitReporter) SpecWillRun(_ *types.SpecSummary) {} func (reporter *JUnitReporter) SpecDidComplete(_ *types.SpecSummary) {} func (reporter *JUnitReporter) AfterSuiteDidRun(_ *types.SetupSummary) {} func (reporter *JUnitReporter) SuiteDidEnd(_ *types.SuiteSummary) {}
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/reporters/teamcity_report.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/reporters/teamcity_report.go
/* TeamCity Reporter for Ginkgo Makes use of TeamCity's support for Service Messages http://confluence.jetbrains.com/display/TCD7/Build+Script+Interaction+with+TeamCity#BuildScriptInteractionwithTeamCity-ReportingTests */ package reporters import ( "fmt" "os" "path" "strings" "github.com/onsi/ginkgo/v2/types" ) func tcEscape(s string) string { s = strings.ReplaceAll(s, "|", "||") s = strings.ReplaceAll(s, "'", "|'") s = strings.ReplaceAll(s, "\n", "|n") s = strings.ReplaceAll(s, "\r", "|r") s = strings.ReplaceAll(s, "[", "|[") s = strings.ReplaceAll(s, "]", "|]") return s } func GenerateTeamcityReport(report types.Report, dst string) error { if err := os.MkdirAll(path.Dir(dst), 0770); err != nil { return err } f, err := os.Create(dst) if err != nil { return err } name := report.SuiteDescription labels := report.SuiteLabels semVerConstraints := report.SuiteSemVerConstraints if len(labels) > 0 { name = name + " [" + strings.Join(labels, ", ") + "]" } if len(semVerConstraints) > 0 { name = name + " [" + strings.Join(semVerConstraints, ", ") + "]" } fmt.Fprintf(f, "##teamcity[testSuiteStarted name='%s']\n", tcEscape(name)) for _, spec := range report.SpecReports { name := fmt.Sprintf("[%s]", spec.LeafNodeType) if spec.FullText() != "" { name = name + " " + spec.FullText() } labels := spec.Labels() if len(labels) > 0 { name = name + " [" + strings.Join(labels, ", ") + "]" } semVerConstraints := spec.SemVerConstraints() if len(semVerConstraints) > 0 { name = name + " [" + strings.Join(semVerConstraints, ", ") + "]" } name = tcEscape(name) fmt.Fprintf(f, "##teamcity[testStarted name='%s']\n", name) switch spec.State { case types.SpecStatePending: fmt.Fprintf(f, "##teamcity[testIgnored name='%s' message='pending']\n", name) case types.SpecStateSkipped: message := "skipped" if spec.Failure.Message != "" { message += " - " + spec.Failure.Message } fmt.Fprintf(f, "##teamcity[testIgnored name='%s' message='%s']\n", name, tcEscape(message)) case types.SpecStateFailed: details := failureDescriptionForUnstructuredReporters(spec) fmt.Fprintf(f, "##teamcity[testFailed name='%s' message='failed - %s' details='%s']\n", name, tcEscape(spec.Failure.Message), tcEscape(details)) case types.SpecStatePanicked: details := failureDescriptionForUnstructuredReporters(spec) fmt.Fprintf(f, "##teamcity[testFailed name='%s' message='panicked - %s' details='%s']\n", name, tcEscape(spec.Failure.ForwardedPanic), tcEscape(details)) case types.SpecStateTimedout: details := failureDescriptionForUnstructuredReporters(spec) fmt.Fprintf(f, "##teamcity[testFailed name='%s' message='timedout - %s' details='%s']\n", name, tcEscape(spec.Failure.Message), tcEscape(details)) case types.SpecStateInterrupted: details := failureDescriptionForUnstructuredReporters(spec) fmt.Fprintf(f, "##teamcity[testFailed name='%s' message='interrupted - %s' details='%s']\n", name, tcEscape(spec.Failure.Message), tcEscape(details)) case types.SpecStateAborted: details := failureDescriptionForUnstructuredReporters(spec) fmt.Fprintf(f, "##teamcity[testFailed name='%s' message='aborted - %s' details='%s']\n", name, tcEscape(spec.Failure.Message), tcEscape(details)) } fmt.Fprintf(f, "##teamcity[testStdOut name='%s' out='%s']\n", name, tcEscape(systemOutForUnstructuredReporters(spec))) fmt.Fprintf(f, "##teamcity[testStdErr name='%s' out='%s']\n", name, tcEscape(systemErrForUnstructuredReporters(spec))) fmt.Fprintf(f, "##teamcity[testFinished name='%s' duration='%d']\n", name, int(spec.RunTime.Seconds()*1000.0)) } fmt.Fprintf(f, "##teamcity[testSuiteFinished name='%s']\n", tcEscape(report.SuiteDescription)) return f.Close() } func MergeAndCleanupTeamcityReports(sources []string, dst string) ([]string, error) { messages := []string{} merged := []byte{} for _, source := range sources { data, err := os.ReadFile(source) if err != nil { messages = append(messages, fmt.Sprintf("Could not open %s:\n%s", source, err.Error())) continue } os.Remove(source) merged = append(merged, data...) } return messages, os.WriteFile(dst, merged, 0666) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/tree.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/tree.go
package internal import "github.com/onsi/ginkgo/v2/types" type TreeNode struct { Node Node Parent *TreeNode Children TreeNodes } func (tn *TreeNode) AppendChild(child *TreeNode) { tn.Children = append(tn.Children, child) child.Parent = tn } func (tn *TreeNode) AncestorNodeChain() Nodes { if tn.Parent == nil || tn.Parent.Node.IsZero() { return Nodes{tn.Node} } return append(tn.Parent.AncestorNodeChain(), tn.Node) } type TreeNodes []*TreeNode func (tn TreeNodes) Nodes() Nodes { out := make(Nodes, len(tn)) for i := range tn { out[i] = tn[i].Node } return out } func (tn TreeNodes) WithID(id uint) *TreeNode { for i := range tn { if tn[i].Node.ID == id { return tn[i] } } return nil } func GenerateSpecsFromTreeRoot(tree *TreeNode) Specs { var walkTree func(nestingLevel int, lNodes Nodes, rNodes Nodes, trees TreeNodes) Specs walkTree = func(nestingLevel int, lNodes Nodes, rNodes Nodes, trees TreeNodes) Specs { tests := Specs{} nodes := make(Nodes, len(trees)) for i := range trees { nodes[i] = trees[i].Node nodes[i].NestingLevel = nestingLevel } for i := range nodes { if !nodes[i].NodeType.Is(types.NodeTypesForContainerAndIt) { continue } leftNodes, rightNodes := nodes.SplitAround(nodes[i]) leftNodes = leftNodes.WithoutType(types.NodeTypesForContainerAndIt) rightNodes = rightNodes.WithoutType(types.NodeTypesForContainerAndIt) leftNodes = lNodes.CopyAppend(leftNodes...) rightNodes = rightNodes.CopyAppend(rNodes...) if nodes[i].NodeType.Is(types.NodeTypeIt) { tests = append(tests, Spec{Nodes: leftNodes.CopyAppend(nodes[i]).CopyAppend(rightNodes...)}) } else { treeNode := trees.WithID(nodes[i].ID) tests = append(tests, walkTree(nestingLevel+1, leftNodes.CopyAppend(nodes[i]), rightNodes, treeNode.Children)...) } } return tests } return walkTree(0, Nodes{}, Nodes{}, tree.Children) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/progress_report.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/progress_report.go
package internal import ( "bufio" "bytes" "context" "fmt" "io" "os" "os/signal" "path/filepath" "runtime" "strconv" "strings" "time" "github.com/onsi/ginkgo/v2/types" ) var _SOURCE_CACHE = map[string][]string{} type ProgressSignalRegistrar func(func()) context.CancelFunc func RegisterForProgressSignal(handler func()) context.CancelFunc { signalChannel := make(chan os.Signal, 1) if len(PROGRESS_SIGNALS) > 0 { signal.Notify(signalChannel, PROGRESS_SIGNALS...) } ctx, cancel := context.WithCancel(context.Background()) go func() { for { select { case <-signalChannel: handler() case <-ctx.Done(): signal.Stop(signalChannel) return } } }() return cancel } type ProgressStepCursor struct { Text string CodeLocation types.CodeLocation StartTime time.Time } func NewProgressReport(isRunningInParallel bool, report types.SpecReport, currentNode Node, currentNodeStartTime time.Time, currentStep types.SpecEvent, gwOutput string, timelineLocation types.TimelineLocation, additionalReports []string, sourceRoots []string, includeAll bool) (types.ProgressReport, error) { pr := types.ProgressReport{ ParallelProcess: report.ParallelProcess, RunningInParallel: isRunningInParallel, ContainerHierarchyTexts: report.ContainerHierarchyTexts, LeafNodeText: report.LeafNodeText, LeafNodeLocation: report.LeafNodeLocation, SpecStartTime: report.StartTime, CurrentNodeType: currentNode.NodeType, CurrentNodeText: currentNode.Text, CurrentNodeLocation: currentNode.CodeLocation, CurrentNodeStartTime: currentNodeStartTime, CurrentStepText: currentStep.Message, CurrentStepLocation: currentStep.CodeLocation, CurrentStepStartTime: currentStep.TimelineLocation.Time, AdditionalReports: additionalReports, CapturedGinkgoWriterOutput: gwOutput, TimelineLocation: timelineLocation, } goroutines, err := extractRunningGoroutines() if err != nil { return pr, err } pr.Goroutines = goroutines // now we want to try to find goroutines of interest. these will be goroutines that have any function calls with code in packagesOfInterest: packagesOfInterest := map[string]bool{} packageFromFilename := func(filename string) string { return filepath.Dir(filename) } addPackageFor := func(filename string) { if filename != "" { packagesOfInterest[packageFromFilename(filename)] = true } } isPackageOfInterest := func(filename string) bool { stackPackage := packageFromFilename(filename) for packageOfInterest := range packagesOfInterest { if strings.HasPrefix(stackPackage, packageOfInterest) { return true } } return false } for _, location := range report.ContainerHierarchyLocations { addPackageFor(location.FileName) } addPackageFor(report.LeafNodeLocation.FileName) addPackageFor(currentNode.CodeLocation.FileName) addPackageFor(currentStep.CodeLocation.FileName) //First, we find the SpecGoroutine - this will be the goroutine that includes `runNode` specGoRoutineIdx := -1 runNodeFunctionCallIdx := -1 OUTER: for goroutineIdx, goroutine := range pr.Goroutines { for functionCallIdx, functionCall := range goroutine.Stack { if strings.Contains(functionCall.Function, "ginkgo/v2/internal.(*Suite).runNode.func") { specGoRoutineIdx = goroutineIdx runNodeFunctionCallIdx = functionCallIdx break OUTER } } } //Now, we find the first non-Ginkgo function call if specGoRoutineIdx > -1 { for runNodeFunctionCallIdx >= 0 { fn := goroutines[specGoRoutineIdx].Stack[runNodeFunctionCallIdx].Function file := goroutines[specGoRoutineIdx].Stack[runNodeFunctionCallIdx].Filename // these are all things that could potentially happen from within ginkgo if strings.Contains(fn, "ginkgo/v2/internal") || strings.Contains(fn, "reflect.Value") || strings.Contains(file, "ginkgo/table_dsl") || strings.Contains(file, "ginkgo/core_dsl") { runNodeFunctionCallIdx-- continue } if strings.Contains(goroutines[specGoRoutineIdx].Stack[runNodeFunctionCallIdx].Function, "ginkgo/table_dsl") { } //found it! lets add its package of interest addPackageFor(goroutines[specGoRoutineIdx].Stack[runNodeFunctionCallIdx].Filename) break } } ginkgoEntryPointIdx := -1 OUTER_GINKGO_ENTRY_POINT: for goroutineIdx, goroutine := range pr.Goroutines { for _, functionCall := range goroutine.Stack { if strings.Contains(functionCall.Function, "ginkgo/v2.RunSpecs") { ginkgoEntryPointIdx = goroutineIdx break OUTER_GINKGO_ENTRY_POINT } } } // Now we go through all goroutines and highlight any lines with packages in `packagesOfInterest` // Any goroutines with highlighted lines end up in the HighlightGoRoutines for goroutineIdx, goroutine := range pr.Goroutines { if goroutineIdx == ginkgoEntryPointIdx { continue } if goroutineIdx == specGoRoutineIdx { pr.Goroutines[goroutineIdx].IsSpecGoroutine = true } for functionCallIdx, functionCall := range goroutine.Stack { if isPackageOfInterest(functionCall.Filename) { goroutine.Stack[functionCallIdx].Highlight = true goroutine.Stack[functionCallIdx].Source, goroutine.Stack[functionCallIdx].SourceHighlight = fetchSource(functionCall.Filename, functionCall.Line, 2, sourceRoots) } } } if !includeAll { goroutines := []types.Goroutine{pr.SpecGoroutine()} goroutines = append(goroutines, pr.HighlightedGoroutines()...) pr.Goroutines = goroutines } return pr, nil } func extractRunningGoroutines() ([]types.Goroutine, error) { var stack []byte for size := 64 * 1024; ; size *= 2 { stack = make([]byte, size) if n := runtime.Stack(stack, true); n < size { stack = stack[:n] break } } r := bufio.NewReader(bytes.NewReader(stack)) out := []types.Goroutine{} idx := -1 for { line, err := r.ReadString('\n') if err == io.EOF { break } line = strings.TrimSuffix(line, "\n") //skip blank lines if line == "" { continue } //parse headers for new goroutine frames if strings.HasPrefix(line, "goroutine") { out = append(out, types.Goroutine{}) idx = len(out) - 1 line = strings.TrimPrefix(line, "goroutine ") line = strings.TrimSuffix(line, ":") fields := strings.SplitN(line, " ", 2) if len(fields) != 2 { return nil, types.GinkgoErrors.FailedToParseStackTrace(fmt.Sprintf("Invalid goroutine frame header: %s", line)) } out[idx].ID, err = strconv.ParseUint(fields[0], 10, 64) if err != nil { return nil, types.GinkgoErrors.FailedToParseStackTrace(fmt.Sprintf("Invalid goroutine ID: %s", fields[1])) } out[idx].State = strings.TrimSuffix(strings.TrimPrefix(fields[1], "["), "]") continue } //if we are here we must be at a function call entry in the stack functionCall := types.FunctionCall{ Function: strings.TrimPrefix(line, "created by "), // no need to track 'created by' } line, err = r.ReadString('\n') line = strings.TrimSuffix(line, "\n") if err == io.EOF { return nil, types.GinkgoErrors.FailedToParseStackTrace(fmt.Sprintf("Invalid function call: %s -- missing file name and line number", functionCall.Function)) } line = strings.TrimLeft(line, " \t") delimiterIdx := strings.LastIndex(line, ":") if delimiterIdx == -1 { return nil, types.GinkgoErrors.FailedToParseStackTrace(fmt.Sprintf("Invalid filename and line number: %s", line)) } functionCall.Filename = line[:delimiterIdx] line = strings.Split(line[delimiterIdx+1:], " ")[0] lineNumber, err := strconv.ParseInt(line, 10, 32) functionCall.Line = int(lineNumber) if err != nil { return nil, types.GinkgoErrors.FailedToParseStackTrace(fmt.Sprintf("Invalid function call line number: %s\n%s", line, err.Error())) } out[idx].Stack = append(out[idx].Stack, functionCall) } return out, nil } func fetchSource(filename string, lineNumber int, span int, configuredSourceRoots []string) ([]string, int) { if filename == "" { return []string{}, 0 } var lines []string var ok bool if lines, ok = _SOURCE_CACHE[filename]; !ok { sourceRoots := []string{""} sourceRoots = append(sourceRoots, configuredSourceRoots...) var data []byte var err error var found bool for _, root := range sourceRoots { data, err = os.ReadFile(filepath.Join(root, filename)) if err == nil { found = true break } } if !found { return []string{}, 0 } lines = strings.Split(string(data), "\n") _SOURCE_CACHE[filename] = lines } startIndex := lineNumber - span - 1 endIndex := startIndex + span + span + 1 if startIndex < 0 { startIndex = 0 } if endIndex > len(lines) { endIndex = len(lines) } highlightIndex := lineNumber - 1 - startIndex return lines[startIndex:endIndex], highlightIndex }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/progress_report_bsd.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/progress_report_bsd.go
//go:build freebsd || openbsd || netbsd || darwin || dragonfly // +build freebsd openbsd netbsd darwin dragonfly package internal import ( "os" "syscall" ) var PROGRESS_SIGNALS = []os.Signal{syscall.SIGINFO, syscall.SIGUSR1}
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/failer.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/failer.go
package internal import ( "fmt" "sync" "github.com/onsi/ginkgo/v2/types" ) type Failer struct { lock *sync.Mutex failure types.Failure state types.SpecState } func NewFailer() *Failer { return &Failer{ lock: &sync.Mutex{}, state: types.SpecStatePassed, } } func (f *Failer) GetState() types.SpecState { f.lock.Lock() defer f.lock.Unlock() return f.state } func (f *Failer) GetFailure() types.Failure { f.lock.Lock() defer f.lock.Unlock() return f.failure } func (f *Failer) Panic(location types.CodeLocation, forwardedPanic any) { f.lock.Lock() defer f.lock.Unlock() if f.state == types.SpecStatePassed { f.state = types.SpecStatePanicked f.failure = types.Failure{ Message: "Test Panicked", Location: location, ForwardedPanic: fmt.Sprintf("%v", forwardedPanic), } } } func (f *Failer) Fail(message string, location types.CodeLocation) { f.lock.Lock() defer f.lock.Unlock() if f.state == types.SpecStatePassed { f.state = types.SpecStateFailed f.failure = types.Failure{ Message: message, Location: location, } } } func (f *Failer) Skip(message string, location types.CodeLocation) { f.lock.Lock() defer f.lock.Unlock() if f.state == types.SpecStatePassed { f.state = types.SpecStateSkipped f.failure = types.Failure{ Message: message, Location: location, } } } func (f *Failer) AbortSuite(message string, location types.CodeLocation) { f.lock.Lock() defer f.lock.Unlock() if f.state == types.SpecStatePassed { f.state = types.SpecStateAborted f.failure = types.Failure{ Message: message, Location: location, } } } func (f *Failer) Drain() (types.SpecState, types.Failure) { f.lock.Lock() defer f.lock.Unlock() failure := f.failure outcome := f.state f.state = types.SpecStatePassed f.failure = types.Failure{} return outcome, failure }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/report_entry.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/report_entry.go
package internal import ( "time" "github.com/onsi/ginkgo/v2/types" ) type ReportEntry = types.ReportEntry func NewReportEntry(name string, cl types.CodeLocation, args ...any) (ReportEntry, error) { out := ReportEntry{ Visibility: types.ReportEntryVisibilityAlways, Name: name, Location: cl, Time: time.Now(), } var didSetValue = false for _, arg := range args { switch x := arg.(type) { case types.ReportEntryVisibility: out.Visibility = x case types.CodeLocation: out.Location = x case Offset: out.Location = types.NewCodeLocation(2 + int(x)) case time.Time: out.Time = x default: if didSetValue { return ReportEntry{}, types.GinkgoErrors.TooManyReportEntryValues(out.Location, arg) } out.Value = types.WrapEntryValue(arg) didSetValue = true } } return out, nil }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/around_node.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/around_node.go
package internal import ( "github.com/onsi/ginkgo/v2/types" ) func ComputeAroundNodes(specs Specs) Specs { out := Specs{} for _, spec := range specs { nodes := Nodes{} currentNestingLevel := 0 aroundNodes := types.AroundNodes{} nestingLevelIndices := []int{} for _, node := range spec.Nodes { switch node.NodeType { case types.NodeTypeContainer: currentNestingLevel = node.NestingLevel + 1 nestingLevelIndices = append(nestingLevelIndices, len(aroundNodes)) aroundNodes = aroundNodes.Append(node.AroundNodes...) nodes = append(nodes, node) default: if currentNestingLevel > node.NestingLevel { currentNestingLevel = node.NestingLevel aroundNodes = aroundNodes[:nestingLevelIndices[currentNestingLevel]] } node.AroundNodes = types.AroundNodes{}.Append(aroundNodes...).Append(node.AroundNodes...) nodes = append(nodes, node) } } spec.Nodes = nodes out = append(out, spec) } return out }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/node.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/node.go
package internal import ( "context" "fmt" "reflect" "sort" "sync" "time" "github.com/onsi/ginkgo/v2/types" ) var _global_node_id_counter = uint(0) var _global_id_mutex = &sync.Mutex{} func UniqueNodeID() uint { // There's a reace in the internal integration tests if we don't make // accessing _global_node_id_counter safe across goroutines. _global_id_mutex.Lock() defer _global_id_mutex.Unlock() _global_node_id_counter += 1 return _global_node_id_counter } type Node struct { ID uint NodeType types.NodeType Text string Body func(SpecContext) CodeLocation types.CodeLocation NestingLevel int HasContext bool SynchronizedBeforeSuiteProc1Body func(SpecContext) []byte SynchronizedBeforeSuiteProc1BodyHasContext bool SynchronizedBeforeSuiteAllProcsBody func(SpecContext, []byte) SynchronizedBeforeSuiteAllProcsBodyHasContext bool SynchronizedAfterSuiteAllProcsBody func(SpecContext) SynchronizedAfterSuiteAllProcsBodyHasContext bool SynchronizedAfterSuiteProc1Body func(SpecContext) SynchronizedAfterSuiteProc1BodyHasContext bool ReportEachBody func(SpecContext, types.SpecReport) ReportSuiteBody func(SpecContext, types.Report) MarkedFocus bool MarkedPending bool MarkedSerial bool MarkedOrdered bool MarkedContinueOnFailure bool MarkedOncePerOrdered bool FlakeAttempts int MustPassRepeatedly int Labels Labels SemVerConstraints SemVerConstraints PollProgressAfter time.Duration PollProgressInterval time.Duration NodeTimeout time.Duration SpecTimeout time.Duration GracePeriod time.Duration AroundNodes types.AroundNodes NodeIDWhereCleanupWasGenerated uint } // Decoration Types type focusType bool type pendingType bool type serialType bool type orderedType bool type continueOnFailureType bool type honorsOrderedType bool type suppressProgressReporting bool const Focus = focusType(true) const Pending = pendingType(true) const Serial = serialType(true) const Ordered = orderedType(true) const ContinueOnFailure = continueOnFailureType(true) const OncePerOrdered = honorsOrderedType(true) const SuppressProgressReporting = suppressProgressReporting(true) type FlakeAttempts uint type MustPassRepeatedly uint type Offset uint type Done chan<- any // Deprecated Done Channel for asynchronous testing type PollProgressInterval time.Duration type PollProgressAfter time.Duration type NodeTimeout time.Duration type SpecTimeout time.Duration type GracePeriod time.Duration type Labels []string func (l Labels) MatchesLabelFilter(query string) bool { return types.MustParseLabelFilter(query)(l) } type SemVerConstraints []string func (svc SemVerConstraints) MatchesSemVerFilter(version string) bool { return types.MustParseSemVerFilter(version)(svc) } func unionOf[S ~[]E, E comparable](slices ...S) S { out := S{} seen := map[E]bool{} for _, slice := range slices { for _, item := range slice { if !seen[item] { seen[item] = true out = append(out, item) } } } return out } func UnionOfLabels(labels ...Labels) Labels { return unionOf(labels...) } func UnionOfSemVerConstraints(semVerConstraints ...SemVerConstraints) SemVerConstraints { return unionOf(semVerConstraints...) } func PartitionDecorations(args ...any) ([]any, []any) { decorations := []any{} remainingArgs := []any{} for _, arg := range args { if isDecoration(arg) { decorations = append(decorations, arg) } else { remainingArgs = append(remainingArgs, arg) } } return decorations, remainingArgs } func isDecoration(arg any) bool { switch t := reflect.TypeOf(arg); { case t == nil: return false case t == reflect.TypeOf(Offset(0)): return true case t == reflect.TypeOf(types.CodeLocation{}): return true case t == reflect.TypeOf(Focus): return true case t == reflect.TypeOf(Pending): return true case t == reflect.TypeOf(Serial): return true case t == reflect.TypeOf(Ordered): return true case t == reflect.TypeOf(ContinueOnFailure): return true case t == reflect.TypeOf(OncePerOrdered): return true case t == reflect.TypeOf(SuppressProgressReporting): return true case t == reflect.TypeOf(FlakeAttempts(0)): return true case t == reflect.TypeOf(MustPassRepeatedly(0)): return true case t == reflect.TypeOf(Labels{}): return true case t == reflect.TypeOf(SemVerConstraints{}): return true case t == reflect.TypeOf(PollProgressInterval(0)): return true case t == reflect.TypeOf(PollProgressAfter(0)): return true case t == reflect.TypeOf(NodeTimeout(0)): return true case t == reflect.TypeOf(SpecTimeout(0)): return true case t == reflect.TypeOf(GracePeriod(0)): return true case t == reflect.TypeOf(types.AroundNodeDecorator{}): return true case t.Kind() == reflect.Slice && isSliceOfDecorations(arg): return true default: return false } } func isSliceOfDecorations(slice any) bool { vSlice := reflect.ValueOf(slice) if vSlice.Len() == 0 { return false } for i := 0; i < vSlice.Len(); i++ { if !isDecoration(vSlice.Index(i).Interface()) { return false } } return true } var contextType = reflect.TypeOf(new(context.Context)).Elem() var specContextType = reflect.TypeOf(new(SpecContext)).Elem() func NewNode(deprecationTracker *types.DeprecationTracker, nodeType types.NodeType, text string, args ...any) (Node, []error) { baseOffset := 2 node := Node{ ID: UniqueNodeID(), NodeType: nodeType, Text: text, Labels: Labels{}, SemVerConstraints: SemVerConstraints{}, CodeLocation: types.NewCodeLocation(baseOffset), NestingLevel: -1, PollProgressAfter: -1, PollProgressInterval: -1, GracePeriod: -1, } errors := []error{} appendError := func(err error) { if err != nil { errors = append(errors, err) } } args = unrollInterfaceSlice(args) remainingArgs := []any{} // First get the CodeLocation up-to-date for _, arg := range args { switch v := arg.(type) { case Offset: node.CodeLocation = types.NewCodeLocation(baseOffset + int(v)) case types.CodeLocation: node.CodeLocation = v default: remainingArgs = append(remainingArgs, arg) } } labelsSeen := map[string]bool{} semVerConstraintsSeen := map[string]bool{} trackedFunctionError := false args = remainingArgs remainingArgs = []any{} // now process the rest of the args for _, arg := range args { switch t := reflect.TypeOf(arg); { case t == reflect.TypeOf(float64(0)): break // ignore deprecated timeouts case t == reflect.TypeOf(Focus): node.MarkedFocus = bool(arg.(focusType)) if !nodeType.Is(types.NodeTypesForContainerAndIt) { appendError(types.GinkgoErrors.InvalidDecoratorForNodeType(node.CodeLocation, nodeType, "Focus")) } case t == reflect.TypeOf(Pending): node.MarkedPending = bool(arg.(pendingType)) if !nodeType.Is(types.NodeTypesForContainerAndIt) { appendError(types.GinkgoErrors.InvalidDecoratorForNodeType(node.CodeLocation, nodeType, "Pending")) } case t == reflect.TypeOf(Serial): node.MarkedSerial = bool(arg.(serialType)) if !labelsSeen["Serial"] { node.Labels = append(node.Labels, "Serial") } if !nodeType.Is(types.NodeTypesForContainerAndIt) { appendError(types.GinkgoErrors.InvalidDecoratorForNodeType(node.CodeLocation, nodeType, "Serial")) } case t == reflect.TypeOf(Ordered): node.MarkedOrdered = bool(arg.(orderedType)) if !nodeType.Is(types.NodeTypeContainer) { appendError(types.GinkgoErrors.InvalidDecoratorForNodeType(node.CodeLocation, nodeType, "Ordered")) } case t == reflect.TypeOf(ContinueOnFailure): node.MarkedContinueOnFailure = bool(arg.(continueOnFailureType)) if !nodeType.Is(types.NodeTypeContainer) { appendError(types.GinkgoErrors.InvalidDecoratorForNodeType(node.CodeLocation, nodeType, "ContinueOnFailure")) } case t == reflect.TypeOf(OncePerOrdered): node.MarkedOncePerOrdered = bool(arg.(honorsOrderedType)) if !nodeType.Is(types.NodeTypeBeforeEach | types.NodeTypeJustBeforeEach | types.NodeTypeAfterEach | types.NodeTypeJustAfterEach) { appendError(types.GinkgoErrors.InvalidDecoratorForNodeType(node.CodeLocation, nodeType, "OncePerOrdered")) } case t == reflect.TypeOf(SuppressProgressReporting): deprecationTracker.TrackDeprecation(types.Deprecations.SuppressProgressReporting()) case t == reflect.TypeOf(FlakeAttempts(0)): node.FlakeAttempts = int(arg.(FlakeAttempts)) if !nodeType.Is(types.NodeTypesForContainerAndIt) { appendError(types.GinkgoErrors.InvalidDecoratorForNodeType(node.CodeLocation, nodeType, "FlakeAttempts")) } case t == reflect.TypeOf(MustPassRepeatedly(0)): node.MustPassRepeatedly = int(arg.(MustPassRepeatedly)) if !nodeType.Is(types.NodeTypesForContainerAndIt) { appendError(types.GinkgoErrors.InvalidDecoratorForNodeType(node.CodeLocation, nodeType, "MustPassRepeatedly")) } case t == reflect.TypeOf(PollProgressAfter(0)): node.PollProgressAfter = time.Duration(arg.(PollProgressAfter)) if nodeType.Is(types.NodeTypeContainer) { appendError(types.GinkgoErrors.InvalidDecoratorForNodeType(node.CodeLocation, nodeType, "PollProgressAfter")) } case t == reflect.TypeOf(PollProgressInterval(0)): node.PollProgressInterval = time.Duration(arg.(PollProgressInterval)) if nodeType.Is(types.NodeTypeContainer) { appendError(types.GinkgoErrors.InvalidDecoratorForNodeType(node.CodeLocation, nodeType, "PollProgressInterval")) } case t == reflect.TypeOf(NodeTimeout(0)): node.NodeTimeout = time.Duration(arg.(NodeTimeout)) if nodeType.Is(types.NodeTypeContainer) { appendError(types.GinkgoErrors.InvalidDecoratorForNodeType(node.CodeLocation, nodeType, "NodeTimeout")) } case t == reflect.TypeOf(SpecTimeout(0)): node.SpecTimeout = time.Duration(arg.(SpecTimeout)) if !nodeType.Is(types.NodeTypeIt) { appendError(types.GinkgoErrors.InvalidDecoratorForNodeType(node.CodeLocation, nodeType, "SpecTimeout")) } case t == reflect.TypeOf(GracePeriod(0)): node.GracePeriod = time.Duration(arg.(GracePeriod)) if nodeType.Is(types.NodeTypeContainer) { appendError(types.GinkgoErrors.InvalidDecoratorForNodeType(node.CodeLocation, nodeType, "GracePeriod")) } case t == reflect.TypeOf(types.AroundNodeDecorator{}): node.AroundNodes = append(node.AroundNodes, arg.(types.AroundNodeDecorator)) case t == reflect.TypeOf(Labels{}): if !nodeType.Is(types.NodeTypesForContainerAndIt) { appendError(types.GinkgoErrors.InvalidDecoratorForNodeType(node.CodeLocation, nodeType, "Label")) } for _, label := range arg.(Labels) { if !labelsSeen[label] { labelsSeen[label] = true label, err := types.ValidateAndCleanupLabel(label, node.CodeLocation) node.Labels = append(node.Labels, label) appendError(err) } } case t == reflect.TypeOf(SemVerConstraints{}): if !nodeType.Is(types.NodeTypesForContainerAndIt) { appendError(types.GinkgoErrors.InvalidDecoratorForNodeType(node.CodeLocation, nodeType, "SemVerConstraint")) } for _, semVerConstraint := range arg.(SemVerConstraints) { if !semVerConstraintsSeen[semVerConstraint] { semVerConstraintsSeen[semVerConstraint] = true semVerConstraint, err := types.ValidateAndCleanupSemVerConstraint(semVerConstraint, node.CodeLocation) node.SemVerConstraints = append(node.SemVerConstraints, semVerConstraint) appendError(err) } } case t.Kind() == reflect.Func: if nodeType.Is(types.NodeTypeContainer) { if node.Body != nil { appendError(types.GinkgoErrors.MultipleBodyFunctions(node.CodeLocation, nodeType)) trackedFunctionError = true break } if t.NumOut() > 0 || t.NumIn() > 0 { appendError(types.GinkgoErrors.InvalidBodyTypeForContainer(t, node.CodeLocation, nodeType)) trackedFunctionError = true break } body := arg.(func()) node.Body = func(SpecContext) { body() } } else if nodeType.Is(types.NodeTypeReportBeforeEach | types.NodeTypeReportAfterEach) { if node.ReportEachBody == nil { if fn, ok := arg.(func(types.SpecReport)); ok { node.ReportEachBody = func(_ SpecContext, r types.SpecReport) { fn(r) } } else { node.ReportEachBody = arg.(func(SpecContext, types.SpecReport)) node.HasContext = true } } else { appendError(types.GinkgoErrors.MultipleBodyFunctions(node.CodeLocation, nodeType)) trackedFunctionError = true break } } else if nodeType.Is(types.NodeTypeReportBeforeSuite | types.NodeTypeReportAfterSuite) { if node.ReportSuiteBody == nil { if fn, ok := arg.(func(types.Report)); ok { node.ReportSuiteBody = func(_ SpecContext, r types.Report) { fn(r) } } else { node.ReportSuiteBody = arg.(func(SpecContext, types.Report)) node.HasContext = true } } else { appendError(types.GinkgoErrors.MultipleBodyFunctions(node.CodeLocation, nodeType)) trackedFunctionError = true break } } else if nodeType.Is(types.NodeTypeSynchronizedBeforeSuite) { if node.SynchronizedBeforeSuiteProc1Body != nil && node.SynchronizedBeforeSuiteAllProcsBody != nil { appendError(types.GinkgoErrors.MultipleBodyFunctions(node.CodeLocation, nodeType)) trackedFunctionError = true break } if node.SynchronizedBeforeSuiteProc1Body == nil { body, hasContext := extractSynchronizedBeforeSuiteProc1Body(arg) if body == nil { appendError(types.GinkgoErrors.InvalidBodyTypeForSynchronizedBeforeSuiteProc1(t, node.CodeLocation)) trackedFunctionError = true } node.SynchronizedBeforeSuiteProc1Body, node.SynchronizedBeforeSuiteProc1BodyHasContext = body, hasContext } else if node.SynchronizedBeforeSuiteAllProcsBody == nil { body, hasContext := extractSynchronizedBeforeSuiteAllProcsBody(arg) if body == nil { appendError(types.GinkgoErrors.InvalidBodyTypeForSynchronizedBeforeSuiteAllProcs(t, node.CodeLocation)) trackedFunctionError = true } node.SynchronizedBeforeSuiteAllProcsBody, node.SynchronizedBeforeSuiteAllProcsBodyHasContext = body, hasContext } } else if nodeType.Is(types.NodeTypeSynchronizedAfterSuite) { if node.SynchronizedAfterSuiteAllProcsBody != nil && node.SynchronizedAfterSuiteProc1Body != nil { appendError(types.GinkgoErrors.MultipleBodyFunctions(node.CodeLocation, nodeType)) trackedFunctionError = true break } body, hasContext := extractBodyFunction(deprecationTracker, node.CodeLocation, arg) if body == nil { appendError(types.GinkgoErrors.InvalidBodyType(t, node.CodeLocation, nodeType)) trackedFunctionError = true break } if node.SynchronizedAfterSuiteAllProcsBody == nil { node.SynchronizedAfterSuiteAllProcsBody, node.SynchronizedAfterSuiteAllProcsBodyHasContext = body, hasContext } else if node.SynchronizedAfterSuiteProc1Body == nil { node.SynchronizedAfterSuiteProc1Body, node.SynchronizedAfterSuiteProc1BodyHasContext = body, hasContext } } else { if node.Body != nil { appendError(types.GinkgoErrors.MultipleBodyFunctions(node.CodeLocation, nodeType)) trackedFunctionError = true break } node.Body, node.HasContext = extractBodyFunction(deprecationTracker, node.CodeLocation, arg) if node.Body == nil { appendError(types.GinkgoErrors.InvalidBodyType(t, node.CodeLocation, nodeType)) trackedFunctionError = true break } } default: remainingArgs = append(remainingArgs, arg) } } // validations if node.MarkedPending && node.MarkedFocus { appendError(types.GinkgoErrors.InvalidDeclarationOfFocusedAndPending(node.CodeLocation, nodeType)) } if node.MarkedContinueOnFailure && !node.MarkedOrdered { appendError(types.GinkgoErrors.InvalidContinueOnFailureDecoration(node.CodeLocation)) } hasContext := node.HasContext || node.SynchronizedAfterSuiteProc1BodyHasContext || node.SynchronizedAfterSuiteAllProcsBodyHasContext || node.SynchronizedBeforeSuiteProc1BodyHasContext || node.SynchronizedBeforeSuiteAllProcsBodyHasContext if !hasContext && (node.NodeTimeout > 0 || node.SpecTimeout > 0 || node.GracePeriod > 0) && len(errors) == 0 { appendError(types.GinkgoErrors.InvalidTimeoutOrGracePeriodForNonContextNode(node.CodeLocation, nodeType)) } if !node.NodeType.Is(types.NodeTypeReportBeforeEach|types.NodeTypeReportAfterEach|types.NodeTypeSynchronizedBeforeSuite|types.NodeTypeSynchronizedAfterSuite|types.NodeTypeReportBeforeSuite|types.NodeTypeReportAfterSuite) && node.Body == nil && !node.MarkedPending && !trackedFunctionError { appendError(types.GinkgoErrors.MissingBodyFunction(node.CodeLocation, nodeType)) } if node.NodeType.Is(types.NodeTypeSynchronizedBeforeSuite) && !trackedFunctionError && (node.SynchronizedBeforeSuiteProc1Body == nil || node.SynchronizedBeforeSuiteAllProcsBody == nil) { appendError(types.GinkgoErrors.MissingBodyFunction(node.CodeLocation, nodeType)) } if node.NodeType.Is(types.NodeTypeSynchronizedAfterSuite) && !trackedFunctionError && (node.SynchronizedAfterSuiteProc1Body == nil || node.SynchronizedAfterSuiteAllProcsBody == nil) { appendError(types.GinkgoErrors.MissingBodyFunction(node.CodeLocation, nodeType)) } for _, arg := range remainingArgs { appendError(types.GinkgoErrors.UnknownDecorator(node.CodeLocation, nodeType, arg)) } if node.FlakeAttempts > 0 && node.MustPassRepeatedly > 0 { appendError(types.GinkgoErrors.InvalidDeclarationOfFlakeAttemptsAndMustPassRepeatedly(node.CodeLocation, nodeType)) } if len(errors) > 0 { return Node{}, errors } return node, errors } var doneType = reflect.TypeOf(make(Done)) func extractBodyFunction(deprecationTracker *types.DeprecationTracker, cl types.CodeLocation, arg any) (func(SpecContext), bool) { t := reflect.TypeOf(arg) if t.NumOut() > 0 || t.NumIn() > 1 { return nil, false } if t.NumIn() == 1 { if t.In(0) == doneType { deprecationTracker.TrackDeprecation(types.Deprecations.Async(), cl) deprecatedAsyncBody := arg.(func(Done)) return func(SpecContext) { deprecatedAsyncBody(make(Done)) }, false } else if t.In(0).Implements(specContextType) { return arg.(func(SpecContext)), true } else if t.In(0).Implements(contextType) { body := arg.(func(context.Context)) return func(c SpecContext) { body(c) }, true } return nil, false } body := arg.(func()) return func(SpecContext) { body() }, false } var byteType = reflect.TypeOf([]byte{}) func extractSynchronizedBeforeSuiteProc1Body(arg any) (func(SpecContext) []byte, bool) { t := reflect.TypeOf(arg) v := reflect.ValueOf(arg) if t.NumOut() > 1 || t.NumIn() > 1 { return nil, false } else if t.NumOut() == 1 && t.Out(0) != byteType { return nil, false } else if t.NumIn() == 1 && !t.In(0).Implements(contextType) { return nil, false } hasContext := t.NumIn() == 1 return func(c SpecContext) []byte { var out []reflect.Value if hasContext { out = v.Call([]reflect.Value{reflect.ValueOf(c)}) } else { out = v.Call([]reflect.Value{}) } if len(out) == 1 { return (out[0].Interface()).([]byte) } else { return []byte{} } }, hasContext } func extractSynchronizedBeforeSuiteAllProcsBody(arg any) (func(SpecContext, []byte), bool) { t := reflect.TypeOf(arg) v := reflect.ValueOf(arg) hasContext, hasByte := false, false if t.NumOut() > 0 || t.NumIn() > 2 { return nil, false } else if t.NumIn() == 2 && t.In(0).Implements(contextType) && t.In(1) == byteType { hasContext, hasByte = true, true } else if t.NumIn() == 1 && t.In(0).Implements(contextType) { hasContext = true } else if t.NumIn() == 1 && t.In(0) == byteType { hasByte = true } else if t.NumIn() != 0 { return nil, false } return func(c SpecContext, b []byte) { in := []reflect.Value{} if hasContext { in = append(in, reflect.ValueOf(c)) } if hasByte { in = append(in, reflect.ValueOf(b)) } v.Call(in) }, hasContext } var errInterface = reflect.TypeOf((*error)(nil)).Elem() func NewCleanupNode(deprecationTracker *types.DeprecationTracker, fail func(string, types.CodeLocation), args ...any) (Node, []error) { decorations, remainingArgs := PartitionDecorations(args...) baseOffset := 2 cl := types.NewCodeLocation(baseOffset) finalArgs := []any{} for _, arg := range decorations { switch t := reflect.TypeOf(arg); { case t == reflect.TypeOf(Offset(0)): cl = types.NewCodeLocation(baseOffset + int(arg.(Offset))) case t == reflect.TypeOf(types.CodeLocation{}): cl = arg.(types.CodeLocation) default: finalArgs = append(finalArgs, arg) } } finalArgs = append(finalArgs, cl) if len(remainingArgs) == 0 { return Node{}, []error{types.GinkgoErrors.DeferCleanupInvalidFunction(cl)} } callback := reflect.ValueOf(remainingArgs[0]) if !(callback.Kind() == reflect.Func) { return Node{}, []error{types.GinkgoErrors.DeferCleanupInvalidFunction(cl)} } callArgs := []reflect.Value{} for _, arg := range remainingArgs[1:] { callArgs = append(callArgs, reflect.ValueOf(arg)) } hasContext := false t := callback.Type() if t.NumIn() > 0 { if t.In(0).Implements(specContextType) { hasContext = true } else if t.In(0).Implements(contextType) && (len(callArgs) == 0 || !callArgs[0].Type().Implements(contextType)) { hasContext = true } } handleFailure := func(out []reflect.Value) { if len(out) == 0 { return } last := out[len(out)-1] if last.Type().Implements(errInterface) && !last.IsNil() { fail(fmt.Sprintf("DeferCleanup callback returned error: %v", last), cl) } } if hasContext { finalArgs = append(finalArgs, func(c SpecContext) { out := callback.Call(append([]reflect.Value{reflect.ValueOf(c)}, callArgs...)) handleFailure(out) }) } else { finalArgs = append(finalArgs, func() { out := callback.Call(callArgs) handleFailure(out) }) } return NewNode(deprecationTracker, types.NodeTypeCleanupInvalid, "", finalArgs...) } func (n Node) IsZero() bool { return n.ID == 0 } /* Nodes */ type Nodes []Node func (n Nodes) Clone() Nodes { nodes := make(Nodes, len(n)) copy(nodes, n) return nodes } func (n Nodes) CopyAppend(nodes ...Node) Nodes { numN := len(n) out := make(Nodes, numN+len(nodes)) copy(out, n) for j, node := range nodes { out[numN+j] = node } return out } func (n Nodes) SplitAround(pivot Node) (Nodes, Nodes) { pivotIdx := len(n) for i := range n { if n[i].ID == pivot.ID { pivotIdx = i break } } left := n[:pivotIdx] right := Nodes{} if pivotIdx+1 < len(n) { right = n[pivotIdx+1:] } return left, right } func (n Nodes) FirstNodeWithType(nodeTypes types.NodeType) Node { for i := range n { if n[i].NodeType.Is(nodeTypes) { return n[i] } } return Node{} } func (n Nodes) WithType(nodeTypes types.NodeType) Nodes { count := 0 for i := range n { if n[i].NodeType.Is(nodeTypes) { count++ } } out, j := make(Nodes, count), 0 for i := range n { if n[i].NodeType.Is(nodeTypes) { out[j] = n[i] j++ } } return out } func (n Nodes) WithoutType(nodeTypes types.NodeType) Nodes { count := 0 for i := range n { if !n[i].NodeType.Is(nodeTypes) { count++ } } out, j := make(Nodes, count), 0 for i := range n { if !n[i].NodeType.Is(nodeTypes) { out[j] = n[i] j++ } } return out } func (n Nodes) WithoutNode(nodeToExclude Node) Nodes { idxToExclude := len(n) for i := range n { if n[i].ID == nodeToExclude.ID { idxToExclude = i break } } if idxToExclude == len(n) { return n } out, j := make(Nodes, len(n)-1), 0 for i := range n { if i == idxToExclude { continue } out[j] = n[i] j++ } return out } func (n Nodes) Filter(filter func(Node) bool) Nodes { trufa, count := make([]bool, len(n)), 0 for i := range n { if filter(n[i]) { trufa[i] = true count += 1 } } out, j := make(Nodes, count), 0 for i := range n { if trufa[i] { out[j] = n[i] j++ } } return out } func (n Nodes) FirstSatisfying(filter func(Node) bool) Node { for i := range n { if filter(n[i]) { return n[i] } } return Node{} } func (n Nodes) WithinNestingLevel(deepestNestingLevel int) Nodes { count := 0 for i := range n { if n[i].NestingLevel <= deepestNestingLevel { count++ } } out, j := make(Nodes, count), 0 for i := range n { if n[i].NestingLevel <= deepestNestingLevel { out[j] = n[i] j++ } } return out } func (n Nodes) SortedByDescendingNestingLevel() Nodes { out := make(Nodes, len(n)) copy(out, n) sort.SliceStable(out, func(i int, j int) bool { return out[i].NestingLevel > out[j].NestingLevel }) return out } func (n Nodes) SortedByAscendingNestingLevel() Nodes { out := make(Nodes, len(n)) copy(out, n) sort.SliceStable(out, func(i int, j int) bool { return out[i].NestingLevel < out[j].NestingLevel }) return out } func (n Nodes) FirstWithNestingLevel(level int) Node { for i := range n { if n[i].NestingLevel == level { return n[i] } } return Node{} } func (n Nodes) Reverse() Nodes { out := make(Nodes, len(n)) for i := range n { out[len(n)-1-i] = n[i] } return out } func (n Nodes) Texts() []string { out := make([]string, len(n)) for i := range n { out[i] = n[i].Text } return out } func (n Nodes) Labels() [][]string { out := make([][]string, len(n)) for i := range n { if n[i].Labels == nil { out[i] = []string{} } else { out[i] = []string(n[i].Labels) } } return out } func (n Nodes) UnionOfLabels() []string { out := []string{} seen := map[string]bool{} for i := range n { for _, label := range n[i].Labels { if !seen[label] { seen[label] = true out = append(out, label) } } } return out } func (n Nodes) SemVerConstraints() [][]string { out := make([][]string, len(n)) for i := range n { if n[i].SemVerConstraints == nil { out[i] = []string{} } else { out[i] = []string(n[i].SemVerConstraints) } } return out } func (n Nodes) UnionOfSemVerConstraints() []string { out := []string{} seen := map[string]bool{} for i := range n { for _, constraint := range n[i].SemVerConstraints { if !seen[constraint] { seen[constraint] = true out = append(out, constraint) } } } return out } func (n Nodes) CodeLocations() []types.CodeLocation { out := make([]types.CodeLocation, len(n)) for i := range n { out[i] = n[i].CodeLocation } return out } func (n Nodes) BestTextFor(node Node) string { if node.Text != "" { return node.Text } parentNestingLevel := node.NestingLevel - 1 for i := range n { if n[i].Text != "" && n[i].NestingLevel == parentNestingLevel { return n[i].Text } } return "" } func (n Nodes) ContainsNodeID(id uint) bool { for i := range n { if n[i].ID == id { return true } } return false } func (n Nodes) HasNodeMarkedPending() bool { for i := range n { if n[i].MarkedPending { return true } } return false } func (n Nodes) HasNodeMarkedFocus() bool { for i := range n { if n[i].MarkedFocus { return true } } return false } func (n Nodes) HasNodeMarkedSerial() bool { for i := range n { if n[i].MarkedSerial { return true } } return false } func (n Nodes) FirstNodeMarkedOrdered() Node { for i := range n { if n[i].MarkedOrdered { return n[i] } } return Node{} } func (n Nodes) IndexOfFirstNodeMarkedOrdered() int { for i := range n { if n[i].MarkedOrdered { return i } } return -1 } func (n Nodes) GetMaxFlakeAttempts() int { maxFlakeAttempts := 0 for i := range n { if n[i].FlakeAttempts > 0 { maxFlakeAttempts = n[i].FlakeAttempts } } return maxFlakeAttempts } func (n Nodes) GetMaxMustPassRepeatedly() int { maxMustPassRepeatedly := 0 for i := range n { if n[i].MustPassRepeatedly > 0 { maxMustPassRepeatedly = n[i].MustPassRepeatedly } } return maxMustPassRepeatedly } func unrollInterfaceSlice(args any) []any { v := reflect.ValueOf(args) if v.Kind() != reflect.Slice { return []any{args} } out := []any{} for i := 0; i < v.Len(); i++ { el := reflect.ValueOf(v.Index(i).Interface()) if el.Kind() == reflect.Slice && el.Type() != reflect.TypeOf(Labels{}) && el.Type() != reflect.TypeOf(SemVerConstraints{}) { out = append(out, unrollInterfaceSlice(el.Interface())...) } else { out = append(out, v.Index(i).Interface()) } } return out }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/group.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/group.go
package internal import ( "fmt" "time" "github.com/onsi/ginkgo/v2/types" ) type runOncePair struct { //nodeId should only run once... nodeID uint nodeType types.NodeType //...for specs in a hierarchy that includes this context containerID uint } func (pair runOncePair) isZero() bool { return pair.nodeID == 0 } func runOncePairForNode(node Node, containerID uint) runOncePair { return runOncePair{ nodeID: node.ID, nodeType: node.NodeType, containerID: containerID, } } type runOncePairs []runOncePair func runOncePairsForSpec(spec Spec) runOncePairs { pairs := runOncePairs{} containers := spec.Nodes.WithType(types.NodeTypeContainer) for _, node := range spec.Nodes { if node.NodeType.Is(types.NodeTypeBeforeAll | types.NodeTypeAfterAll) { pairs = append(pairs, runOncePairForNode(node, containers.FirstWithNestingLevel(node.NestingLevel-1).ID)) } else if node.NodeType.Is(types.NodeTypeBeforeEach|types.NodeTypeJustBeforeEach|types.NodeTypeAfterEach|types.NodeTypeJustAfterEach) && node.MarkedOncePerOrdered { passedIntoAnOrderedContainer := false firstOrderedContainerDeeperThanNode := containers.FirstSatisfying(func(container Node) bool { passedIntoAnOrderedContainer = passedIntoAnOrderedContainer || container.MarkedOrdered return container.NestingLevel >= node.NestingLevel && passedIntoAnOrderedContainer }) if firstOrderedContainerDeeperThanNode.IsZero() { continue } pairs = append(pairs, runOncePairForNode(node, firstOrderedContainerDeeperThanNode.ID)) } } return pairs } func (pairs runOncePairs) runOncePairFor(nodeID uint) runOncePair { for i := range pairs { if pairs[i].nodeID == nodeID { return pairs[i] } } return runOncePair{} } func (pairs runOncePairs) hasRunOncePair(pair runOncePair) bool { for i := range pairs { if pairs[i] == pair { return true } } return false } func (pairs runOncePairs) withType(nodeTypes types.NodeType) runOncePairs { count := 0 for i := range pairs { if pairs[i].nodeType.Is(nodeTypes) { count++ } } out, j := make(runOncePairs, count), 0 for i := range pairs { if pairs[i].nodeType.Is(nodeTypes) { out[j] = pairs[i] j++ } } return out } type group struct { suite *Suite specs Specs runOncePairs map[uint]runOncePairs runOnceTracker map[runOncePair]types.SpecState succeeded bool failedInARunOnceBefore bool continueOnFailure bool } func newGroup(suite *Suite) *group { return &group{ suite: suite, runOncePairs: map[uint]runOncePairs{}, runOnceTracker: map[runOncePair]types.SpecState{}, succeeded: true, failedInARunOnceBefore: false, continueOnFailure: false, } } func (g *group) initialReportForSpec(spec Spec) types.SpecReport { return types.SpecReport{ ContainerHierarchyTexts: spec.Nodes.WithType(types.NodeTypeContainer).Texts(), ContainerHierarchyLocations: spec.Nodes.WithType(types.NodeTypeContainer).CodeLocations(), ContainerHierarchyLabels: spec.Nodes.WithType(types.NodeTypeContainer).Labels(), ContainerHierarchySemVerConstraints: spec.Nodes.WithType(types.NodeTypeContainer).SemVerConstraints(), LeafNodeLocation: spec.FirstNodeWithType(types.NodeTypeIt).CodeLocation, LeafNodeType: types.NodeTypeIt, LeafNodeText: spec.FirstNodeWithType(types.NodeTypeIt).Text, LeafNodeLabels: []string(spec.FirstNodeWithType(types.NodeTypeIt).Labels), LeafNodeSemVerConstraints: []string(spec.FirstNodeWithType(types.NodeTypeIt).SemVerConstraints), ParallelProcess: g.suite.config.ParallelProcess, RunningInParallel: g.suite.isRunningInParallel(), IsSerial: spec.Nodes.HasNodeMarkedSerial(), IsInOrderedContainer: !spec.Nodes.FirstNodeMarkedOrdered().IsZero(), MaxFlakeAttempts: spec.Nodes.GetMaxFlakeAttempts(), MaxMustPassRepeatedly: spec.Nodes.GetMaxMustPassRepeatedly(), } } func (g *group) evaluateSkipStatus(spec Spec) (types.SpecState, types.Failure) { if spec.Nodes.HasNodeMarkedPending() { return types.SpecStatePending, types.Failure{} } if spec.Skip { return types.SpecStateSkipped, types.Failure{} } if g.suite.interruptHandler.Status().Interrupted() || g.suite.skipAll { return types.SpecStateSkipped, types.Failure{} } if !g.suite.deadline.IsZero() && g.suite.deadline.Before(time.Now()) { return types.SpecStateSkipped, types.Failure{} } if !g.succeeded && !g.continueOnFailure { return types.SpecStateSkipped, g.suite.failureForLeafNodeWithMessage(spec.FirstNodeWithType(types.NodeTypeIt), "Spec skipped because an earlier spec in an ordered container failed") } if g.failedInARunOnceBefore && g.continueOnFailure { return types.SpecStateSkipped, g.suite.failureForLeafNodeWithMessage(spec.FirstNodeWithType(types.NodeTypeIt), "Spec skipped because a BeforeAll node failed") } beforeOncePairs := g.runOncePairs[spec.SubjectID()].withType(types.NodeTypeBeforeAll | types.NodeTypeBeforeEach | types.NodeTypeJustBeforeEach) for _, pair := range beforeOncePairs { if g.runOnceTracker[pair].Is(types.SpecStateSkipped) { return types.SpecStateSkipped, g.suite.failureForLeafNodeWithMessage(spec.FirstNodeWithType(types.NodeTypeIt), fmt.Sprintf("Spec skipped because Skip() was called in %s", pair.nodeType)) } } if g.suite.config.DryRun { return types.SpecStatePassed, types.Failure{} } return g.suite.currentSpecReport.State, g.suite.currentSpecReport.Failure } func (g *group) isLastSpecWithPair(specID uint, pair runOncePair) bool { lastSpecID := uint(0) for idx := range g.specs { if g.specs[idx].Skip { continue } sID := g.specs[idx].SubjectID() if g.runOncePairs[sID].hasRunOncePair(pair) { lastSpecID = sID } } return lastSpecID == specID } func (g *group) attemptSpec(isFinalAttempt bool, spec Spec) bool { failedInARunOnceBefore := false pairs := g.runOncePairs[spec.SubjectID()] nodes := spec.Nodes.WithType(types.NodeTypeBeforeAll) nodes = append(nodes, spec.Nodes.WithType(types.NodeTypeBeforeEach)...).SortedByAscendingNestingLevel() nodes = append(nodes, spec.Nodes.WithType(types.NodeTypeJustBeforeEach).SortedByAscendingNestingLevel()...) nodes = append(nodes, spec.Nodes.FirstNodeWithType(types.NodeTypeIt)) terminatingNode, terminatingPair := Node{}, runOncePair{} deadline := time.Time{} if spec.SpecTimeout() > 0 { deadline = time.Now().Add(spec.SpecTimeout()) } for _, node := range nodes { oncePair := pairs.runOncePairFor(node.ID) if !oncePair.isZero() && g.runOnceTracker[oncePair].Is(types.SpecStatePassed) { continue } g.suite.currentSpecReport.State, g.suite.currentSpecReport.Failure = g.suite.runNode(node, deadline, spec.Nodes.BestTextFor(node)) g.suite.currentSpecReport.RunTime = time.Since(g.suite.currentSpecReport.StartTime) if !oncePair.isZero() { g.runOnceTracker[oncePair] = g.suite.currentSpecReport.State } if g.suite.currentSpecReport.State != types.SpecStatePassed { terminatingNode, terminatingPair = node, oncePair failedInARunOnceBefore = !terminatingPair.isZero() break } } afterNodeWasRun := map[uint]bool{} includeDeferCleanups := false for { nodes := spec.Nodes.WithType(types.NodeTypeAfterEach) nodes = append(nodes, spec.Nodes.WithType(types.NodeTypeAfterAll)...).SortedByDescendingNestingLevel() nodes = append(spec.Nodes.WithType(types.NodeTypeJustAfterEach).SortedByDescendingNestingLevel(), nodes...) if !terminatingNode.IsZero() { nodes = nodes.WithinNestingLevel(terminatingNode.NestingLevel) } if includeDeferCleanups { nodes = append(nodes, g.suite.cleanupNodes.WithType(types.NodeTypeCleanupAfterEach).Reverse()...) nodes = append(nodes, g.suite.cleanupNodes.WithType(types.NodeTypeCleanupAfterAll).Reverse()...) } nodes = nodes.Filter(func(node Node) bool { if afterNodeWasRun[node.ID] { //this node has already been run on this attempt, don't rerun it return false } var pair runOncePair switch node.NodeType { case types.NodeTypeCleanupAfterEach, types.NodeTypeCleanupAfterAll: // check if we were generated in an AfterNode that has already run if afterNodeWasRun[node.NodeIDWhereCleanupWasGenerated] { return true // we were, so we should definitely run this cleanup now } // looks like this cleanup nodes was generated by a before node or it. // the run-once status of a cleanup node is governed by the run-once status of its generator pair = pairs.runOncePairFor(node.NodeIDWhereCleanupWasGenerated) default: pair = pairs.runOncePairFor(node.ID) } if pair.isZero() { // this node is not governed by any run-once policy, we should run it return true } // it's our last chance to run if we're the last spec for our oncePair isLastSpecWithPair := g.isLastSpecWithPair(spec.SubjectID(), pair) switch g.suite.currentSpecReport.State { case types.SpecStatePassed: //this attempt is passing... return isLastSpecWithPair //...we should run-once if we'this is our last chance case types.SpecStateSkipped: //the spec was skipped by the user... if isLastSpecWithPair { return true //...we're the last spec, so we should run the AfterNode } if !terminatingPair.isZero() && terminatingNode.NestingLevel == node.NestingLevel { return true //...or, a run-once node at our nesting level was skipped which means this is our last chance to run } case types.SpecStateFailed, types.SpecStatePanicked, types.SpecStateTimedout: // the spec has failed... if isFinalAttempt { if g.continueOnFailure { return isLastSpecWithPair || failedInARunOnceBefore //...we're configured to continue on failures - so we should only run if we're the last spec for this pair or if we failed in a runOnceBefore (which means we _are_ the last spec to run) } else { return true //...this was the last attempt and continueOnFailure is false therefore we are the last spec to run and so the AfterNode should run } } if !terminatingPair.isZero() { // ...and it failed in a run-once. which will be running again if node.NodeType.Is(types.NodeTypeCleanupAfterEach | types.NodeTypeCleanupAfterAll) { return terminatingNode.ID == node.NodeIDWhereCleanupWasGenerated // we should run this node if we're a clean-up generated by it } else { return terminatingNode.NestingLevel == node.NestingLevel // ...or if we're at the same nesting level } } case types.SpecStateInterrupted, types.SpecStateAborted: // ...we've been interrupted and/or aborted return true //...that means the test run is over and we should clean up the stack. Run the AfterNode } return false }) if len(nodes) == 0 && includeDeferCleanups { break } for _, node := range nodes { afterNodeWasRun[node.ID] = true state, failure := g.suite.runNode(node, deadline, spec.Nodes.BestTextFor(node)) g.suite.currentSpecReport.RunTime = time.Since(g.suite.currentSpecReport.StartTime) if g.suite.currentSpecReport.State == types.SpecStatePassed || state == types.SpecStateAborted { g.suite.currentSpecReport.State = state g.suite.currentSpecReport.Failure = failure } else if state.Is(types.SpecStateFailureStates) { g.suite.currentSpecReport.AdditionalFailures = append(g.suite.currentSpecReport.AdditionalFailures, types.AdditionalFailure{State: state, Failure: failure}) } } includeDeferCleanups = true } return failedInARunOnceBefore } func (g *group) run(specs Specs) { g.specs = specs g.continueOnFailure = specs[0].Nodes.FirstNodeMarkedOrdered().MarkedContinueOnFailure for _, spec := range g.specs { g.runOncePairs[spec.SubjectID()] = runOncePairsForSpec(spec) } for _, spec := range g.specs { g.suite.selectiveLock.Lock() g.suite.currentSpecReport = g.initialReportForSpec(spec) g.suite.selectiveLock.Unlock() g.suite.currentSpecReport.State, g.suite.currentSpecReport.Failure = g.evaluateSkipStatus(spec) g.suite.reporter.WillRun(g.suite.currentSpecReport) g.suite.reportEach(spec, types.NodeTypeReportBeforeEach) skip := g.suite.config.DryRun || g.suite.currentSpecReport.State.Is(types.SpecStateFailureStates|types.SpecStateSkipped|types.SpecStatePending) g.suite.currentSpecReport.StartTime = time.Now() failedInARunOnceBefore := false if !skip { var maxAttempts = 1 if g.suite.config.MustPassRepeatedly > 0 { maxAttempts = g.suite.config.MustPassRepeatedly g.suite.currentSpecReport.MaxMustPassRepeatedly = maxAttempts } else if g.suite.currentSpecReport.MaxMustPassRepeatedly > 0 { maxAttempts = max(1, spec.MustPassRepeatedly()) } else if g.suite.config.FlakeAttempts > 0 { maxAttempts = g.suite.config.FlakeAttempts g.suite.currentSpecReport.MaxFlakeAttempts = maxAttempts } else if g.suite.currentSpecReport.MaxFlakeAttempts > 0 { maxAttempts = max(1, spec.FlakeAttempts()) } for attempt := 0; attempt < maxAttempts; attempt++ { g.suite.currentSpecReport.NumAttempts = attempt + 1 g.suite.writer.Truncate() g.suite.outputInterceptor.StartInterceptingOutput() if attempt > 0 { if g.suite.currentSpecReport.MaxMustPassRepeatedly > 0 { g.suite.handleSpecEvent(types.SpecEvent{SpecEventType: types.SpecEventSpecRepeat, Attempt: attempt}) } if g.suite.currentSpecReport.MaxFlakeAttempts > 0 { g.suite.handleSpecEvent(types.SpecEvent{SpecEventType: types.SpecEventSpecRetry, Attempt: attempt}) } } failedInARunOnceBefore = g.attemptSpec(attempt == maxAttempts-1, spec) g.suite.currentSpecReport.EndTime = time.Now() g.suite.currentSpecReport.RunTime = g.suite.currentSpecReport.EndTime.Sub(g.suite.currentSpecReport.StartTime) g.suite.currentSpecReport.CapturedGinkgoWriterOutput += string(g.suite.writer.Bytes()) g.suite.currentSpecReport.CapturedStdOutErr += g.suite.outputInterceptor.StopInterceptingAndReturnOutput() if g.suite.currentSpecReport.MaxMustPassRepeatedly > 0 { if g.suite.currentSpecReport.State.Is(types.SpecStateFailureStates | types.SpecStateSkipped) { break } } if g.suite.currentSpecReport.MaxFlakeAttempts > 0 { if g.suite.currentSpecReport.State.Is(types.SpecStatePassed | types.SpecStateSkipped | types.SpecStateAborted | types.SpecStateInterrupted) { break } else if attempt < maxAttempts-1 { af := types.AdditionalFailure{State: g.suite.currentSpecReport.State, Failure: g.suite.currentSpecReport.Failure} af.Failure.Message = fmt.Sprintf("Failure recorded during attempt %d:\n%s", attempt+1, af.Failure.Message) g.suite.currentSpecReport.AdditionalFailures = append(g.suite.currentSpecReport.AdditionalFailures, af) } } } } g.suite.reportEach(spec, types.NodeTypeReportAfterEach) g.suite.processCurrentSpecReport() if g.suite.currentSpecReport.State.Is(types.SpecStateFailureStates) { g.succeeded = false g.failedInARunOnceBefore = g.failedInARunOnceBefore || failedInARunOnceBefore } g.suite.selectiveLock.Lock() g.suite.currentSpecReport = types.SpecReport{} g.suite.selectiveLock.Unlock() } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/spec.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/spec.go
package internal import ( "strings" "time" "github.com/onsi/ginkgo/v2/types" ) type Spec struct { Nodes Nodes Skip bool } func (s Spec) SubjectID() uint { return s.Nodes.FirstNodeWithType(types.NodeTypeIt).ID } func (s Spec) Text() string { texts := []string{} for i := range s.Nodes { if s.Nodes[i].Text != "" { texts = append(texts, s.Nodes[i].Text) } } return strings.Join(texts, " ") } func (s Spec) FirstNodeWithType(nodeTypes types.NodeType) Node { return s.Nodes.FirstNodeWithType(nodeTypes) } func (s Spec) FlakeAttempts() int { flakeAttempts := 0 for i := range s.Nodes { if s.Nodes[i].FlakeAttempts > 0 { flakeAttempts = s.Nodes[i].FlakeAttempts } } return flakeAttempts } func (s Spec) MustPassRepeatedly() int { mustPassRepeatedly := 0 for i := range s.Nodes { if s.Nodes[i].MustPassRepeatedly > 0 { mustPassRepeatedly = s.Nodes[i].MustPassRepeatedly } } return mustPassRepeatedly } func (s Spec) SpecTimeout() time.Duration { return s.FirstNodeWithType(types.NodeTypeIt).SpecTimeout } type Specs []Spec func (s Specs) HasAnySpecsMarkedPending() bool { for i := range s { if s[i].Nodes.HasNodeMarkedPending() { return true } } return false } func (s Specs) CountWithoutSkip() int { n := 0 for i := range s { if !s[i].Skip { n += 1 } } return n } func (s Specs) AtIndices(indices SpecIndices) Specs { out := make(Specs, len(indices)) for i, idx := range indices { out[i] = s[idx] } return out }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/progress_report_wasm.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/progress_report_wasm.go
//go:build wasm package internal import ( "os" "syscall" ) var PROGRESS_SIGNALS = []os.Signal{syscall.SIGUSR1}
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/ordering.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/ordering.go
package internal import ( "math/rand" "sort" "github.com/onsi/ginkgo/v2/types" ) type SortableSpecs struct { Specs Specs Indexes []int } func NewSortableSpecs(specs Specs) *SortableSpecs { indexes := make([]int, len(specs)) for i := range specs { indexes[i] = i } return &SortableSpecs{ Specs: specs, Indexes: indexes, } } func (s *SortableSpecs) Len() int { return len(s.Indexes) } func (s *SortableSpecs) Swap(i, j int) { s.Indexes[i], s.Indexes[j] = s.Indexes[j], s.Indexes[i] } func (s *SortableSpecs) Less(i, j int) bool { a, b := s.Specs[s.Indexes[i]], s.Specs[s.Indexes[j]] aNodes, bNodes := a.Nodes.WithType(types.NodeTypesForContainerAndIt), b.Nodes.WithType(types.NodeTypesForContainerAndIt) firstOrderedAIdx, firstOrderedBIdx := aNodes.IndexOfFirstNodeMarkedOrdered(), bNodes.IndexOfFirstNodeMarkedOrdered() if firstOrderedAIdx > -1 && firstOrderedBIdx > -1 && aNodes[firstOrderedAIdx].ID == bNodes[firstOrderedBIdx].ID { // strictly preserve order within an ordered containers. ID will track this as IDs are generated monotonically return aNodes.FirstNodeWithType(types.NodeTypeIt).ID < bNodes.FirstNodeWithType(types.NodeTypeIt).ID } // if either spec is in an ordered container - only use the nodes up to the outermost ordered container if firstOrderedAIdx > -1 { aNodes = aNodes[:firstOrderedAIdx+1] } if firstOrderedBIdx > -1 { bNodes = bNodes[:firstOrderedBIdx+1] } for i := 0; i < len(aNodes) && i < len(bNodes); i++ { aCL, bCL := aNodes[i].CodeLocation, bNodes[i].CodeLocation if aCL.FileName != bCL.FileName { return aCL.FileName < bCL.FileName } if aCL.LineNumber != bCL.LineNumber { return aCL.LineNumber < bCL.LineNumber } } // either everything is equal or we have different lengths of CLs if len(aNodes) != len(bNodes) { return len(aNodes) < len(bNodes) } // ok, now we are sure everything was equal. so we use the spec text to break ties for i := 0; i < len(aNodes); i++ { if aNodes[i].Text != bNodes[i].Text { return aNodes[i].Text < bNodes[i].Text } } // ok, all those texts were equal. we'll use the ID of the most deeply nested node as a last resort return aNodes[len(aNodes)-1].ID < bNodes[len(bNodes)-1].ID } type GroupedSpecIndices []SpecIndices type SpecIndices []int func OrderSpecs(specs Specs, suiteConfig types.SuiteConfig) (GroupedSpecIndices, GroupedSpecIndices) { /* Ginkgo has sophisticated support for randomizing specs. Specs are guaranteed to have the same order for a given seed across test runs. By default only top-level containers and specs are shuffled - this makes for a more intuitive debugging experience - specs within a given container run in the order they appear in the file. Developers can set -randomizeAllSpecs to shuffle _all_ specs. In addition, spec containers can be marked as Ordered. Specs within an Ordered container are never shuffled. Finally, specs and spec containers can be marked as Serial. When running in parallel, serial specs run on Process #1 _after_ all other processes have finished. */ // Seed a new random source based on thee configured random seed. r := rand.New(rand.NewSource(suiteConfig.RandomSeed)) // first, we sort the entire suite to ensure a deterministic order. the sort is performed by filename, then line number, and then spec text. this ensures every parallel process has the exact same spec order and is only necessary to cover the edge case where the user iterates over a map to generate specs. sortableSpecs := NewSortableSpecs(specs) sort.Sort(sortableSpecs) // then we break things into execution groups // a group represents a single unit of execution and is a collection of SpecIndices // usually a group is just a single spec, however ordered containers must be preserved as a single group executionGroupIDs := []uint{} executionGroups := map[uint]SpecIndices{} for _, idx := range sortableSpecs.Indexes { spec := specs[idx] groupNode := spec.Nodes.FirstNodeMarkedOrdered() if groupNode.IsZero() { groupNode = spec.Nodes.FirstNodeWithType(types.NodeTypeIt) } executionGroups[groupNode.ID] = append(executionGroups[groupNode.ID], idx) if len(executionGroups[groupNode.ID]) == 1 { executionGroupIDs = append(executionGroupIDs, groupNode.ID) } } // now, we only shuffle all the execution groups if we're randomizing all specs, otherwise // we shuffle outermost containers. so we need to form shufflable groupings of GroupIDs shufflableGroupingIDs := []uint{} shufflableGroupingIDToGroupIDs := map[uint][]uint{} // for each execution group we're going to have to pick a node to represent how the // execution group is grouped for shuffling: nodeTypesToShuffle := types.NodeTypesForContainerAndIt if suiteConfig.RandomizeAllSpecs { nodeTypesToShuffle = types.NodeTypeIt } //so, for each execution group: for _, groupID := range executionGroupIDs { // pick out a representative spec representativeSpec := specs[executionGroups[groupID][0]] // and grab the node on the spec that will represent which shufflable group this execution group belongs tu shufflableGroupingNode := representativeSpec.Nodes.FirstNodeWithType(nodeTypesToShuffle) //add the execution group to its shufflable group shufflableGroupingIDToGroupIDs[shufflableGroupingNode.ID] = append(shufflableGroupingIDToGroupIDs[shufflableGroupingNode.ID], groupID) //and if it's the first one in if len(shufflableGroupingIDToGroupIDs[shufflableGroupingNode.ID]) == 1 { // record the shuffleable group ID shufflableGroupingIDs = append(shufflableGroupingIDs, shufflableGroupingNode.ID) } } // now we permute the sorted shufflable grouping IDs and build the ordered Groups orderedGroups := GroupedSpecIndices{} permutation := r.Perm(len(shufflableGroupingIDs)) for _, j := range permutation { //let's get the execution group IDs for this shufflable group: executionGroupIDsForJ := shufflableGroupingIDToGroupIDs[shufflableGroupingIDs[j]] // and we'll add their associated specindices to the orderedGroups slice: for _, executionGroupID := range executionGroupIDsForJ { orderedGroups = append(orderedGroups, executionGroups[executionGroupID]) } } // If we're running in series, we're done. if suiteConfig.ParallelTotal == 1 { return orderedGroups, GroupedSpecIndices{} } // We're running in parallel so we need to partition the ordered groups into a parallelizable set and a serialized set. // The parallelizable groups will run across all Ginkgo processes... // ...the serial groups will only run on Process #1 after all other processes have exited. parallelizableGroups, serialGroups := GroupedSpecIndices{}, GroupedSpecIndices{} for _, specIndices := range orderedGroups { if specs[specIndices[0]].Nodes.HasNodeMarkedSerial() { serialGroups = append(serialGroups, specIndices) } else { parallelizableGroups = append(parallelizableGroups, specIndices) } } return parallelizableGroups, serialGroups }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/output_interceptor_wasm.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/output_interceptor_wasm.go
//go:build wasm package internal func NewOutputInterceptor() OutputInterceptor { return &NoopOutputInterceptor{} }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/writer.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/writer.go
package internal import ( "bytes" "fmt" "io" "sync" "github.com/go-logr/logr" "github.com/go-logr/logr/funcr" ) type WriterMode uint const ( WriterModeStreamAndBuffer WriterMode = iota WriterModeBufferOnly ) type WriterInterface interface { io.Writer Truncate() Bytes() []byte Len() int } // Writer implements WriterInterface and GinkgoWriterInterface type Writer struct { buffer *bytes.Buffer outWriter io.Writer lock *sync.Mutex mode WriterMode streamIndent []byte indentNext bool teeWriters []io.Writer } func NewWriter(outWriter io.Writer) *Writer { return &Writer{ buffer: &bytes.Buffer{}, lock: &sync.Mutex{}, outWriter: outWriter, mode: WriterModeStreamAndBuffer, streamIndent: []byte(" "), indentNext: true, } } func (w *Writer) SetMode(mode WriterMode) { w.lock.Lock() defer w.lock.Unlock() w.mode = mode } func (w *Writer) Len() int { w.lock.Lock() defer w.lock.Unlock() return w.buffer.Len() } var newline = []byte("\n") func (w *Writer) Write(b []byte) (n int, err error) { w.lock.Lock() defer w.lock.Unlock() for _, teeWriter := range w.teeWriters { teeWriter.Write(b) } if w.mode == WriterModeStreamAndBuffer { line, remaining, found := []byte{}, b, false for len(remaining) > 0 { line, remaining, found = bytes.Cut(remaining, newline) if len(line) > 0 { if w.indentNext { w.outWriter.Write(w.streamIndent) w.indentNext = false } w.outWriter.Write(line) } if found { w.outWriter.Write(newline) w.indentNext = true } } } return w.buffer.Write(b) } func (w *Writer) Truncate() { w.lock.Lock() defer w.lock.Unlock() w.buffer.Reset() } func (w *Writer) Bytes() []byte { w.lock.Lock() defer w.lock.Unlock() b := w.buffer.Bytes() copied := make([]byte, len(b)) copy(copied, b) return copied } // GinkgoWriterInterface func (w *Writer) TeeTo(writer io.Writer) { w.lock.Lock() defer w.lock.Unlock() w.teeWriters = append(w.teeWriters, writer) } func (w *Writer) ClearTeeWriters() { w.lock.Lock() defer w.lock.Unlock() w.teeWriters = []io.Writer{} } func (w *Writer) Print(a ...any) { fmt.Fprint(w, a...) } func (w *Writer) Printf(format string, a ...any) { fmt.Fprintf(w, format, a...) } func (w *Writer) Println(a ...any) { fmt.Fprintln(w, a...) } func GinkgoLogrFunc(writer *Writer) logr.Logger { return funcr.New(func(prefix, args string) { if prefix == "" { writer.Printf("%s\n", args) } else { writer.Printf("%s %s\n", prefix, args) } }, funcr.Options{}) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/counter.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/counter.go
package internal func MakeIncrementingIndexCounter() func() (int, error) { idx := -1 return func() (int, error) { idx += 1 return idx, nil } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/output_interceptor.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/output_interceptor.go
package internal import ( "bytes" "io" "os" "time" ) const BAILOUT_TIME = 1 * time.Second const BAILOUT_MESSAGE = `Ginkgo detected an issue while intercepting output. When running in parallel, Ginkgo captures stdout and stderr output and attaches it to the running spec. It looks like that process is getting stuck for this suite. This usually happens if you, or a library you are using, spin up an external process and set cmd.Stdout = os.Stdout and/or cmd.Stderr = os.Stderr. This causes the external process to keep Ginkgo's output interceptor pipe open and causes output interception to hang. Ginkgo has detected this and shortcircuited the capture process. The specs will continue running after this message however output from the external process that caused this issue will not be captured. You have several options to fix this. In preferred order they are: 1. Pass GinkgoWriter instead of os.Stdout or os.Stderr to your process. 2. Ensure your process exits before the current spec completes. If your process is long-lived and must cross spec boundaries, this option won't work for you. 3. Pause Ginkgo's output interceptor before starting your process and then resume it after. Use PauseOutputInterception() and ResumeOutputInterception() to do this. 4. Set --output-interceptor-mode=none when running your Ginkgo suite. This will turn off all output interception but allow specs to run in parallel without this issue. You may miss important output if you do this including output from Go's race detector. More details on issue #851 - https://github.com/onsi/ginkgo/issues/851 ` /* The OutputInterceptor is used by to intercept and capture all stdin and stderr output during a test run. */ type OutputInterceptor interface { StartInterceptingOutput() StartInterceptingOutputAndForwardTo(io.Writer) StopInterceptingAndReturnOutput() string PauseIntercepting() ResumeIntercepting() Shutdown() } type NoopOutputInterceptor struct{} func (interceptor NoopOutputInterceptor) StartInterceptingOutput() {} func (interceptor NoopOutputInterceptor) StartInterceptingOutputAndForwardTo(io.Writer) {} func (interceptor NoopOutputInterceptor) StopInterceptingAndReturnOutput() string { return "" } func (interceptor NoopOutputInterceptor) PauseIntercepting() {} func (interceptor NoopOutputInterceptor) ResumeIntercepting() {} func (interceptor NoopOutputInterceptor) Shutdown() {} type pipePair struct { reader *os.File writer *os.File } func startPipeFactory(pipeChannel chan pipePair, shutdown chan any) { for { //make the next pipe... pair := pipePair{} pair.reader, pair.writer, _ = os.Pipe() select { //...and provide it to the next consumer (they are responsible for closing the files) case pipeChannel <- pair: continue //...or close the files if we were told to shutdown case <-shutdown: pair.reader.Close() pair.writer.Close() return } } } type interceptorImplementation interface { CreateStdoutStderrClones() (*os.File, *os.File) ConnectPipeToStdoutStderr(*os.File) RestoreStdoutStderrFromClones(*os.File, *os.File) ShutdownClones(*os.File, *os.File) } type genericOutputInterceptor struct { intercepting bool stdoutClone *os.File stderrClone *os.File pipe pipePair shutdown chan any emergencyBailout chan any pipeChannel chan pipePair interceptedContent chan string forwardTo io.Writer accumulatedOutput string implementation interceptorImplementation } func (interceptor *genericOutputInterceptor) StartInterceptingOutput() { interceptor.StartInterceptingOutputAndForwardTo(io.Discard) } func (interceptor *genericOutputInterceptor) StartInterceptingOutputAndForwardTo(w io.Writer) { if interceptor.intercepting { return } interceptor.accumulatedOutput = "" interceptor.forwardTo = w interceptor.ResumeIntercepting() } func (interceptor *genericOutputInterceptor) StopInterceptingAndReturnOutput() string { if interceptor.intercepting { interceptor.PauseIntercepting() } return interceptor.accumulatedOutput } func (interceptor *genericOutputInterceptor) ResumeIntercepting() { if interceptor.intercepting { return } interceptor.intercepting = true if interceptor.stdoutClone == nil { interceptor.stdoutClone, interceptor.stderrClone = interceptor.implementation.CreateStdoutStderrClones() interceptor.shutdown = make(chan any) go startPipeFactory(interceptor.pipeChannel, interceptor.shutdown) } // Now we make a pipe, we'll use this to redirect the input to the 1 and 2 file descriptors (this is how everything else in the world is string to log to stdout and stderr) // we get the pipe from our pipe factory. it runs in the background so we can request the next pipe while the spec being intercepted is running interceptor.pipe = <-interceptor.pipeChannel interceptor.emergencyBailout = make(chan any) //Spin up a goroutine to copy data from the pipe into a buffer, this is how we capture any output the user is emitting go func() { buffer := &bytes.Buffer{} destination := io.MultiWriter(buffer, interceptor.forwardTo) copyFinished := make(chan any) reader := interceptor.pipe.reader go func() { io.Copy(destination, reader) reader.Close() // close the read end of the pipe so we don't leak a file descriptor close(copyFinished) }() select { case <-copyFinished: interceptor.interceptedContent <- buffer.String() case <-interceptor.emergencyBailout: interceptor.interceptedContent <- "" } }() interceptor.implementation.ConnectPipeToStdoutStderr(interceptor.pipe.writer) } func (interceptor *genericOutputInterceptor) PauseIntercepting() { if !interceptor.intercepting { return } // first we have to close the write end of the pipe. To do this we have to close all file descriptors pointing // to the write end. So that would be the pipewriter itself, and FD #1 and FD #2 if we've Dup2'd them interceptor.pipe.writer.Close() // the pipewriter itself // we also need to stop intercepting. we do that by reconnecting the stdout and stderr file descriptions back to their respective #1 and #2 file descriptors; // this also closes #1 and #2 before it points that their original stdout and stderr file descriptions interceptor.implementation.RestoreStdoutStderrFromClones(interceptor.stdoutClone, interceptor.stderrClone) var content string select { case content = <-interceptor.interceptedContent: case <-time.After(BAILOUT_TIME): /* By closing all the pipe writer's file descriptors associated with the pipe writer's file description the io.Copy reading from the reader should eventually receive an EOF and exit. **However**, if the user has spun up an external process and passed in os.Stdout/os.Stderr to cmd.Stdout/cmd.Stderr then the external process will have a file descriptor pointing to the pipe writer's file description and it will not close until the external process exits. That would leave us hanging here waiting for the io.Copy to close forever. Instead we invoke this emergency escape valve. This returns whatever content we've got but leaves the io.Copy running. This ensures the external process can continue writing without hanging at the cost of leaking a goroutine and file descriptor (those these will be cleaned up when the process exits). We tack on a message to notify the user that they've hit this edgecase and encourage them to address it. */ close(interceptor.emergencyBailout) content = <-interceptor.interceptedContent + BAILOUT_MESSAGE } interceptor.accumulatedOutput += content interceptor.intercepting = false } func (interceptor *genericOutputInterceptor) Shutdown() { interceptor.PauseIntercepting() if interceptor.stdoutClone != nil { close(interceptor.shutdown) interceptor.implementation.ShutdownClones(interceptor.stdoutClone, interceptor.stderrClone) interceptor.stdoutClone = nil interceptor.stderrClone = nil } } /* This is used on windows builds but included here so it can be explicitly tested on unix systems too */ func NewOSGlobalReassigningOutputInterceptor() OutputInterceptor { return &genericOutputInterceptor{ interceptedContent: make(chan string), pipeChannel: make(chan pipePair), shutdown: make(chan any), implementation: &osGlobalReassigningOutputInterceptorImpl{}, } } type osGlobalReassigningOutputInterceptorImpl struct{} func (impl *osGlobalReassigningOutputInterceptorImpl) CreateStdoutStderrClones() (*os.File, *os.File) { return os.Stdout, os.Stderr } func (impl *osGlobalReassigningOutputInterceptorImpl) ConnectPipeToStdoutStderr(pipeWriter *os.File) { os.Stdout = pipeWriter os.Stderr = pipeWriter } func (impl *osGlobalReassigningOutputInterceptorImpl) RestoreStdoutStderrFromClones(stdoutClone *os.File, stderrClone *os.File) { os.Stdout = stdoutClone os.Stderr = stderrClone } func (impl *osGlobalReassigningOutputInterceptorImpl) ShutdownClones(_ *os.File, _ *os.File) { //noop }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/progress_report_unix.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/progress_report_unix.go
//go:build linux || solaris // +build linux solaris package internal import ( "os" "syscall" ) var PROGRESS_SIGNALS = []os.Signal{syscall.SIGUSR1}
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/progress_reporter_manager.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/progress_reporter_manager.go
package internal import ( "context" "sort" "strings" "sync" "github.com/onsi/ginkgo/v2/types" ) type ProgressReporterManager struct { lock *sync.Mutex progressReporters map[int]func() string prCounter int } func NewProgressReporterManager() *ProgressReporterManager { return &ProgressReporterManager{ progressReporters: map[int]func() string{}, lock: &sync.Mutex{}, } } func (prm *ProgressReporterManager) AttachProgressReporter(reporter func() string) func() { prm.lock.Lock() defer prm.lock.Unlock() prm.prCounter += 1 prCounter := prm.prCounter prm.progressReporters[prCounter] = reporter return func() { prm.lock.Lock() defer prm.lock.Unlock() delete(prm.progressReporters, prCounter) } } func (prm *ProgressReporterManager) QueryProgressReporters(ctx context.Context, failer *Failer) []string { prm.lock.Lock() keys := []int{} for key := range prm.progressReporters { keys = append(keys, key) } sort.Ints(keys) reporters := []func() string{} for _, key := range keys { reporters = append(reporters, prm.progressReporters[key]) } prm.lock.Unlock() if len(reporters) == 0 { return nil } out := []string{} for _, reporter := range reporters { reportC := make(chan string, 1) go func() { defer func() { e := recover() if e != nil { failer.Panic(types.NewCodeLocationWithStackTrace(1), e) reportC <- "failed to query attached progress reporter" } }() reportC <- reporter() }() var report string select { case report = <-reportC: case <-ctx.Done(): return out } if strings.TrimSpace(report) != "" { out = append(out, report) } } return out }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/spec_context.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/spec_context.go
package internal import ( "context" "reflect" "github.com/onsi/ginkgo/v2/types" ) type SpecContext interface { context.Context SpecReport() types.SpecReport AttachProgressReporter(func() string) func() WrappedContext() context.Context } type specContext struct { context.Context *ProgressReporterManager cancel context.CancelCauseFunc suite *Suite } /* SpecContext includes a reference to `suite` and embeds itself in itself as a "GINKGO_SPEC_CONTEXT" value. This allows users to create child Contexts without having down-stream consumers (e.g. Gomega) lose access to the SpecContext and its methods. This allows us to build extensions on top of Ginkgo that simply take an all-encompassing context. Note that while SpecContext is used to enforce deadlines by Ginkgo it is not configured as a context.WithDeadline. Instead, Ginkgo owns responsibility for cancelling the context when the deadline elapses. This is because Ginkgo needs finer control over when the context is canceled. Specifically, Ginkgo needs to generate a ProgressReport before it cancels the context to ensure progress is captured where the spec is currently running. The only way to avoid a race here is to manually control the cancellation. */ func NewSpecContext(suite *Suite) *specContext { ctx, cancel := context.WithCancelCause(context.Background()) sc := &specContext{ cancel: cancel, suite: suite, ProgressReporterManager: NewProgressReporterManager(), } ctx = context.WithValue(ctx, "GINKGO_SPEC_CONTEXT", sc) //yes, yes, the go docs say don't use a string for a key... but we'd rather avoid a circular dependency between Gomega and Ginkgo sc.Context = ctx //thank goodness for garbage collectors that can handle circular dependencies return sc } func (sc *specContext) SpecReport() types.SpecReport { return sc.suite.CurrentSpecReport() } func (sc *specContext) WrappedContext() context.Context { return sc.Context } /* The user is allowed to wrap `SpecContext` in a new context.Context when using AroundNodes. But body functions expect SpecContext. We support this by taking their context.Context and returning a SpecContext that wraps it. */ func wrapContextChain(ctx context.Context) SpecContext { if ctx == nil { return nil } if reflect.TypeOf(ctx) == reflect.TypeOf(&specContext{}) { return ctx.(*specContext) } else if sc, ok := ctx.Value("GINKGO_SPEC_CONTEXT").(*specContext); ok { return &specContext{ Context: ctx, ProgressReporterManager: sc.ProgressReporterManager, cancel: sc.cancel, suite: sc.suite, } } return nil }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/output_interceptor_win.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/output_interceptor_win.go
// +build windows package internal func NewOutputInterceptor() OutputInterceptor { return NewOSGlobalReassigningOutputInterceptor() }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/focus.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/focus.go
package internal import ( "regexp" "strings" "github.com/onsi/ginkgo/v2/types" ) /* If a container marked as focus has a descendant that is also marked as focus, Ginkgo's policy is to unmark the container's focus. This gives developers a more intuitive experience when debugging specs. It is common to focus a container to just run a subset of specs, then identify the specific specs within the container to focus - this policy allows the developer to simply focus those specific specs and not need to go back and turn the focus off of the container: As a common example, consider: FDescribe("something to debug", function() { It("works", function() {...}) It("works", function() {...}) FIt("doesn't work", function() {...}) It("works", function() {...}) }) here the developer's intent is to focus in on the `"doesn't work"` spec and not to run the adjacent specs in the focused `"something to debug"` container. The nested policy applied by this function enables this behavior. */ func ApplyNestedFocusPolicyToTree(tree *TreeNode) { var walkTree func(tree *TreeNode) bool walkTree = func(tree *TreeNode) bool { if tree.Node.MarkedPending { return false } hasFocusedDescendant := false for _, child := range tree.Children { childHasFocus := walkTree(child) hasFocusedDescendant = hasFocusedDescendant || childHasFocus } tree.Node.MarkedFocus = tree.Node.MarkedFocus && !hasFocusedDescendant return tree.Node.MarkedFocus || hasFocusedDescendant } walkTree(tree) } /* Ginkgo supports focussing specs using `FIt`, `FDescribe`, etc. - this is called "programmatic focus" It also supports focussing specs using regular expressions on the command line (`-focus=`, `-skip=`) that match against spec text and file filters (`-focus-files=`, `-skip-files=`) that match against code locations for nodes in specs. When both programmatic and file filters are provided their results are ANDed together. If multiple kinds of filters are provided, the file filters run first followed by the regex filters. This function sets the `Skip` property on specs by applying Ginkgo's focus policy: - If there are no CLI arguments and no programmatic focus, do nothing. - If a spec somewhere has programmatic focus skip any specs that have no programmatic focus. - If there are CLI arguments parse them and skip any specs that either don't match the focus filters or do match the skip filters. *Note:* specs with pending nodes are Skipped when created by NewSpec. */ func ApplyFocusToSpecs(specs Specs, description string, suiteLabels Labels, suiteSemVerConstraints SemVerConstraints, suiteConfig types.SuiteConfig) (Specs, bool) { focusString := strings.Join(suiteConfig.FocusStrings, "|") skipString := strings.Join(suiteConfig.SkipStrings, "|") type SkipCheck func(spec Spec) bool // by default, skip any specs marked pending skipChecks := []SkipCheck{func(spec Spec) bool { return spec.Nodes.HasNodeMarkedPending() }} hasProgrammaticFocus := false for _, spec := range specs { if spec.Nodes.HasNodeMarkedFocus() && !spec.Nodes.HasNodeMarkedPending() { hasProgrammaticFocus = true break } } if hasProgrammaticFocus { skipChecks = append(skipChecks, func(spec Spec) bool { return !spec.Nodes.HasNodeMarkedFocus() }) } if suiteConfig.LabelFilter != "" { labelFilter, _ := types.ParseLabelFilter(suiteConfig.LabelFilter) skipChecks = append(skipChecks, func(spec Spec) bool { return !labelFilter(UnionOfLabels(suiteLabels, spec.Nodes.UnionOfLabels())) }) } if suiteConfig.SemVerFilter != "" { semVerFilter, _ := types.ParseSemVerFilter(suiteConfig.SemVerFilter) skipChecks = append(skipChecks, func(spec Spec) bool { return !semVerFilter(UnionOfSemVerConstraints(suiteSemVerConstraints, spec.Nodes.UnionOfSemVerConstraints())) }) } if len(suiteConfig.FocusFiles) > 0 { focusFilters, _ := types.ParseFileFilters(suiteConfig.FocusFiles) skipChecks = append(skipChecks, func(spec Spec) bool { return !focusFilters.Matches(spec.Nodes.CodeLocations()) }) } if len(suiteConfig.SkipFiles) > 0 { skipFilters, _ := types.ParseFileFilters(suiteConfig.SkipFiles) skipChecks = append(skipChecks, func(spec Spec) bool { return skipFilters.Matches(spec.Nodes.CodeLocations()) }) } if focusString != "" { // skip specs that don't match the focus string re := regexp.MustCompile(focusString) skipChecks = append(skipChecks, func(spec Spec) bool { return !re.MatchString(description + " " + spec.Text()) }) } if skipString != "" { // skip specs that match the skip string re := regexp.MustCompile(skipString) skipChecks = append(skipChecks, func(spec Spec) bool { return re.MatchString(description + " " + spec.Text()) }) } // skip specs if shouldSkip() is true. note that we do nothing if shouldSkip() is false to avoid overwriting skip status established by the node's pending status processedSpecs := Specs{} for _, spec := range specs { for _, skipCheck := range skipChecks { if skipCheck(spec) { spec.Skip = true break } } processedSpecs = append(processedSpecs, spec) } return processedSpecs, hasProgrammaticFocus }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/suite.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/suite.go
package internal import ( "context" "fmt" "sync" "time" "github.com/onsi/ginkgo/v2/internal/interrupt_handler" "github.com/onsi/ginkgo/v2/internal/parallel_support" "github.com/onsi/ginkgo/v2/reporters" "github.com/onsi/ginkgo/v2/types" ) type Phase uint const ( PhaseBuildTopLevel Phase = iota PhaseBuildTree PhaseRun ) const ProgressReporterDeadline = 5 * time.Second type Suite struct { tree *TreeNode topLevelContainers Nodes *ProgressReporterManager phase Phase suiteNodes Nodes cleanupNodes Nodes aroundNodes types.AroundNodes failer *Failer reporter reporters.Reporter writer WriterInterface outputInterceptor OutputInterceptor interruptHandler interrupt_handler.InterruptHandlerInterface config types.SuiteConfig deadline time.Time skipAll bool report types.Report currentSpecReport types.SpecReport currentNode Node currentNodeStartTime time.Time currentSpecContext *specContext currentByStep types.SpecEvent timelineOrder int /* We don't need to lock around all operations. Just those that *could* happen concurrently. Suite, generally, only runs one node at a time - and so the possibiity for races is small. In fact, the presence of a race usually indicates the user has launched a goroutine that has leaked past the node it was launched in. However, there are some operations that can happen concurrently: - AddReportEntry and CurrentSpecReport can be accessed at any point by the user - including in goroutines that outlive the node intentionally (see, e.g. #1020). They both form a self-contained read-write pair and so a lock in them is sufficent. - generateProgressReport can be invoked at any point in time by an interrupt or a progres poll. Moreover, it requires access to currentSpecReport, currentNode, currentNodeStartTime, and progressStepCursor. To make it threadsafe we need to lock around generateProgressReport when we read those variables _and_ everywhere those variables are *written*. In general we don't need to worry about all possible field writes to these variables as what `generateProgressReport` does with these variables is fairly selective (hence the name of the lock). Specifically, we dont' need to lock around state and failure message changes on `currentSpecReport` - just the setting of the variable itself. */ selectiveLock *sync.Mutex client parallel_support.Client } func NewSuite() *Suite { return &Suite{ tree: &TreeNode{}, phase: PhaseBuildTopLevel, ProgressReporterManager: NewProgressReporterManager(), selectiveLock: &sync.Mutex{}, } } func (suite *Suite) Clone() (*Suite, error) { if suite.phase != PhaseBuildTopLevel { return nil, fmt.Errorf("cannot clone suite after tree has been built") } return &Suite{ tree: &TreeNode{}, phase: PhaseBuildTopLevel, ProgressReporterManager: NewProgressReporterManager(), topLevelContainers: suite.topLevelContainers.Clone(), suiteNodes: suite.suiteNodes.Clone(), aroundNodes: suite.aroundNodes.Clone(), selectiveLock: &sync.Mutex{}, }, nil } func (suite *Suite) BuildTree() error { // During PhaseBuildTopLevel, the top level containers are stored in suite.topLevelCotainers and entered // We now enter PhaseBuildTree where these top level containers are entered and added to the spec tree suite.phase = PhaseBuildTree for _, topLevelContainer := range suite.topLevelContainers { err := suite.PushNode(topLevelContainer) if err != nil { return err } } return nil } func (suite *Suite) Run(description string, suiteLabels Labels, suiteSemVerConstraints SemVerConstraints, suiteAroundNodes types.AroundNodes, suitePath string, failer *Failer, reporter reporters.Reporter, writer WriterInterface, outputInterceptor OutputInterceptor, interruptHandler interrupt_handler.InterruptHandlerInterface, client parallel_support.Client, progressSignalRegistrar ProgressSignalRegistrar, suiteConfig types.SuiteConfig) (bool, bool) { if suite.phase != PhaseBuildTree { panic("cannot run before building the tree = call suite.BuildTree() first") } ApplyNestedFocusPolicyToTree(suite.tree) specs := GenerateSpecsFromTreeRoot(suite.tree) specs, hasProgrammaticFocus := ApplyFocusToSpecs(specs, description, suiteLabels, suiteSemVerConstraints, suiteConfig) specs = ComputeAroundNodes(specs) suite.phase = PhaseRun suite.client = client suite.failer = failer suite.reporter = reporter suite.writer = writer suite.outputInterceptor = outputInterceptor suite.interruptHandler = interruptHandler suite.config = suiteConfig suite.aroundNodes = suiteAroundNodes if suite.config.Timeout > 0 { suite.deadline = time.Now().Add(suite.config.Timeout) } cancelProgressHandler := progressSignalRegistrar(suite.handleProgressSignal) success := suite.runSpecs(description, suiteLabels, suiteSemVerConstraints, suitePath, hasProgrammaticFocus, specs) cancelProgressHandler() return success, hasProgrammaticFocus } func (suite *Suite) InRunPhase() bool { return suite.phase == PhaseRun } /* Tree Construction methods PushNode is used during PhaseBuildTopLevel and PhaseBuildTree */ func (suite *Suite) PushNode(node Node) error { if node.NodeType.Is(types.NodeTypeCleanupInvalid | types.NodeTypeCleanupAfterEach | types.NodeTypeCleanupAfterAll | types.NodeTypeCleanupAfterSuite) { return suite.pushCleanupNode(node) } if node.NodeType.Is(types.NodeTypeBeforeSuite | types.NodeTypeAfterSuite | types.NodeTypeSynchronizedBeforeSuite | types.NodeTypeSynchronizedAfterSuite | types.NodeTypeBeforeSuite | types.NodeTypeReportBeforeSuite | types.NodeTypeReportAfterSuite) { return suite.pushSuiteNode(node) } if suite.phase == PhaseRun { return types.GinkgoErrors.PushingNodeInRunPhase(node.NodeType, node.CodeLocation) } if node.MarkedSerial { firstOrderedNode := suite.tree.AncestorNodeChain().FirstNodeMarkedOrdered() if !firstOrderedNode.IsZero() && !firstOrderedNode.MarkedSerial { return types.GinkgoErrors.InvalidSerialNodeInNonSerialOrderedContainer(node.CodeLocation, node.NodeType) } } if node.NodeType.Is(types.NodeTypeBeforeAll | types.NodeTypeAfterAll) { firstOrderedNode := suite.tree.AncestorNodeChain().FirstNodeMarkedOrdered() if firstOrderedNode.IsZero() { return types.GinkgoErrors.SetupNodeNotInOrderedContainer(node.CodeLocation, node.NodeType) } } if node.MarkedContinueOnFailure { firstOrderedNode := suite.tree.AncestorNodeChain().FirstNodeMarkedOrdered() if !firstOrderedNode.IsZero() { return types.GinkgoErrors.InvalidContinueOnFailureDecoration(node.CodeLocation) } } if node.NodeType == types.NodeTypeContainer { // During PhaseBuildTopLevel we only track the top level containers without entering them // We only enter the top level container nodes during PhaseBuildTree // // This ensures the tree is only constructed after `go spec` has called `flag.Parse()` and gives // the user an opportunity to load suiteConfiguration information in the `TestX` go spec hook just before `RunSpecs` // is invoked. This makes the lifecycle easier to reason about and solves issues like #693. if suite.phase == PhaseBuildTopLevel { suite.topLevelContainers = append(suite.topLevelContainers, node) return nil } if suite.phase == PhaseBuildTree { parentTree := suite.tree suite.tree = &TreeNode{Node: node} parentTree.AppendChild(suite.tree) err := func() (err error) { defer func() { if e := recover(); e != nil { err = types.GinkgoErrors.CaughtPanicDuringABuildPhase(e, node.CodeLocation) } }() node.Body(nil) return err }() suite.tree = parentTree return err } } else { suite.tree.AppendChild(&TreeNode{Node: node}) return nil } return nil } func (suite *Suite) pushSuiteNode(node Node) error { if suite.phase == PhaseBuildTree { return types.GinkgoErrors.SuiteNodeInNestedContext(node.NodeType, node.CodeLocation) } if suite.phase == PhaseRun { return types.GinkgoErrors.SuiteNodeDuringRunPhase(node.NodeType, node.CodeLocation) } switch node.NodeType { case types.NodeTypeBeforeSuite, types.NodeTypeSynchronizedBeforeSuite: existingBefores := suite.suiteNodes.WithType(types.NodeTypeBeforeSuite | types.NodeTypeSynchronizedBeforeSuite) if len(existingBefores) > 0 { return types.GinkgoErrors.MultipleBeforeSuiteNodes(node.NodeType, node.CodeLocation, existingBefores[0].NodeType, existingBefores[0].CodeLocation) } case types.NodeTypeAfterSuite, types.NodeTypeSynchronizedAfterSuite: existingAfters := suite.suiteNodes.WithType(types.NodeTypeAfterSuite | types.NodeTypeSynchronizedAfterSuite) if len(existingAfters) > 0 { return types.GinkgoErrors.MultipleAfterSuiteNodes(node.NodeType, node.CodeLocation, existingAfters[0].NodeType, existingAfters[0].CodeLocation) } } suite.suiteNodes = append(suite.suiteNodes, node) return nil } func (suite *Suite) pushCleanupNode(node Node) error { if suite.phase != PhaseRun || suite.currentNode.IsZero() { return types.GinkgoErrors.PushingCleanupNodeDuringTreeConstruction(node.CodeLocation) } switch suite.currentNode.NodeType { case types.NodeTypeBeforeSuite, types.NodeTypeSynchronizedBeforeSuite, types.NodeTypeAfterSuite, types.NodeTypeSynchronizedAfterSuite: node.NodeType = types.NodeTypeCleanupAfterSuite case types.NodeTypeBeforeAll, types.NodeTypeAfterAll: node.NodeType = types.NodeTypeCleanupAfterAll case types.NodeTypeReportBeforeEach, types.NodeTypeReportAfterEach, types.NodeTypeReportBeforeSuite, types.NodeTypeReportAfterSuite: return types.GinkgoErrors.PushingCleanupInReportingNode(node.CodeLocation, suite.currentNode.NodeType) case types.NodeTypeCleanupInvalid, types.NodeTypeCleanupAfterEach, types.NodeTypeCleanupAfterAll, types.NodeTypeCleanupAfterSuite: return types.GinkgoErrors.PushingCleanupInCleanupNode(node.CodeLocation) default: node.NodeType = types.NodeTypeCleanupAfterEach } node.NodeIDWhereCleanupWasGenerated = suite.currentNode.ID node.NestingLevel = suite.currentNode.NestingLevel node.AroundNodes = types.AroundNodes{}.Append(suite.currentNode.AroundNodes...).Append(node.AroundNodes...) suite.selectiveLock.Lock() suite.cleanupNodes = append(suite.cleanupNodes, node) suite.selectiveLock.Unlock() return nil } func (suite *Suite) generateTimelineLocation() types.TimelineLocation { suite.selectiveLock.Lock() defer suite.selectiveLock.Unlock() suite.timelineOrder += 1 return types.TimelineLocation{ Offset: len(suite.currentSpecReport.CapturedGinkgoWriterOutput) + suite.writer.Len(), Order: suite.timelineOrder, Time: time.Now(), } } func (suite *Suite) handleSpecEvent(event types.SpecEvent) types.SpecEvent { event.TimelineLocation = suite.generateTimelineLocation() suite.selectiveLock.Lock() suite.currentSpecReport.SpecEvents = append(suite.currentSpecReport.SpecEvents, event) suite.selectiveLock.Unlock() suite.reporter.EmitSpecEvent(event) return event } func (suite *Suite) handleSpecEventEnd(eventType types.SpecEventType, startEvent types.SpecEvent) { event := startEvent event.SpecEventType = eventType event.TimelineLocation = suite.generateTimelineLocation() event.Duration = event.TimelineLocation.Time.Sub(startEvent.TimelineLocation.Time) suite.selectiveLock.Lock() suite.currentSpecReport.SpecEvents = append(suite.currentSpecReport.SpecEvents, event) suite.selectiveLock.Unlock() suite.reporter.EmitSpecEvent(event) } func (suite *Suite) By(text string, callback ...func()) error { cl := types.NewCodeLocation(2) if suite.phase != PhaseRun { return types.GinkgoErrors.ByNotDuringRunPhase(cl) } event := suite.handleSpecEvent(types.SpecEvent{ SpecEventType: types.SpecEventByStart, CodeLocation: cl, Message: text, }) suite.selectiveLock.Lock() suite.currentByStep = event suite.selectiveLock.Unlock() if len(callback) == 1 { defer func() { suite.selectiveLock.Lock() suite.currentByStep = types.SpecEvent{} suite.selectiveLock.Unlock() suite.handleSpecEventEnd(types.SpecEventByEnd, event) }() callback[0]() } else if len(callback) > 1 { panic("just one callback per By, please") } return nil } /* Spec Running methods - used during PhaseRun */ func (suite *Suite) CurrentSpecReport() types.SpecReport { suite.selectiveLock.Lock() defer suite.selectiveLock.Unlock() report := suite.currentSpecReport if suite.writer != nil { report.CapturedGinkgoWriterOutput = string(suite.writer.Bytes()) } report.ReportEntries = make([]ReportEntry, len(report.ReportEntries)) copy(report.ReportEntries, suite.currentSpecReport.ReportEntries) return report } // Only valid in the preview context. In general suite.report only includes // the specs run by _this_ node - it is only at the end of the suite that // the parallel reports are aggregated. However in the preview context we run // in series and func (suite *Suite) GetPreviewReport() types.Report { suite.selectiveLock.Lock() defer suite.selectiveLock.Unlock() return suite.report } func (suite *Suite) AddReportEntry(entry ReportEntry) error { if suite.phase != PhaseRun { return types.GinkgoErrors.AddReportEntryNotDuringRunPhase(entry.Location) } entry.TimelineLocation = suite.generateTimelineLocation() entry.Time = entry.TimelineLocation.Time suite.selectiveLock.Lock() suite.currentSpecReport.ReportEntries = append(suite.currentSpecReport.ReportEntries, entry) suite.selectiveLock.Unlock() suite.reporter.EmitReportEntry(entry) return nil } func (suite *Suite) generateProgressReport(fullReport bool) types.ProgressReport { timelineLocation := suite.generateTimelineLocation() suite.selectiveLock.Lock() defer suite.selectiveLock.Unlock() deadline, cancel := context.WithTimeout(context.Background(), ProgressReporterDeadline) defer cancel() var additionalReports []string if suite.currentSpecContext != nil { additionalReports = append(additionalReports, suite.currentSpecContext.QueryProgressReporters(deadline, suite.failer)...) } additionalReports = append(additionalReports, suite.QueryProgressReporters(deadline, suite.failer)...) gwOutput := suite.currentSpecReport.CapturedGinkgoWriterOutput + string(suite.writer.Bytes()) pr, err := NewProgressReport(suite.isRunningInParallel(), suite.currentSpecReport, suite.currentNode, suite.currentNodeStartTime, suite.currentByStep, gwOutput, timelineLocation, additionalReports, suite.config.SourceRoots, fullReport) if err != nil { fmt.Printf("{{red}}Failed to generate progress report:{{/}}\n%s\n", err.Error()) } return pr } func (suite *Suite) handleProgressSignal() { report := suite.generateProgressReport(false) report.Message = "{{bold}}You've requested a progress report:{{/}}" suite.emitProgressReport(report) } func (suite *Suite) emitProgressReport(report types.ProgressReport) { suite.selectiveLock.Lock() suite.currentSpecReport.ProgressReports = append(suite.currentSpecReport.ProgressReports, report.WithoutCapturedGinkgoWriterOutput()) suite.selectiveLock.Unlock() suite.reporter.EmitProgressReport(report) if suite.isRunningInParallel() { err := suite.client.PostEmitProgressReport(report) if err != nil { fmt.Println(err.Error()) } } } func (suite *Suite) isRunningInParallel() bool { return suite.config.ParallelTotal > 1 } func (suite *Suite) processCurrentSpecReport() { suite.reporter.DidRun(suite.currentSpecReport) if suite.isRunningInParallel() { suite.client.PostDidRun(suite.currentSpecReport) } suite.report.SpecReports = append(suite.report.SpecReports, suite.currentSpecReport) if suite.currentSpecReport.State.Is(types.SpecStateFailureStates) { suite.report.SuiteSucceeded = false if suite.config.FailFast || suite.currentSpecReport.State.Is(types.SpecStateAborted) { suite.skipAll = true if suite.isRunningInParallel() { suite.client.PostAbort() } } } } func (suite *Suite) runSpecs(description string, suiteLabels Labels, suiteSemVerConstraints SemVerConstraints, suitePath string, hasProgrammaticFocus bool, specs Specs) bool { numSpecsThatWillBeRun := specs.CountWithoutSkip() suite.report = types.Report{ SuitePath: suitePath, SuiteDescription: description, SuiteLabels: suiteLabels, SuiteSemVerConstraints: suiteSemVerConstraints, SuiteConfig: suite.config, SuiteHasProgrammaticFocus: hasProgrammaticFocus, PreRunStats: types.PreRunStats{ TotalSpecs: len(specs), SpecsThatWillRun: numSpecsThatWillBeRun, }, StartTime: time.Now(), } suite.reporter.SuiteWillBegin(suite.report) if suite.isRunningInParallel() { suite.client.PostSuiteWillBegin(suite.report) } suite.report.SuiteSucceeded = true suite.runReportSuiteNodesIfNeedBe(types.NodeTypeReportBeforeSuite) ranBeforeSuite := suite.report.SuiteSucceeded if suite.report.SuiteSucceeded { suite.runBeforeSuite(numSpecsThatWillBeRun) } if suite.report.SuiteSucceeded { groupedSpecIndices, serialGroupedSpecIndices := OrderSpecs(specs, suite.config) nextIndex := MakeIncrementingIndexCounter() if suite.isRunningInParallel() { nextIndex = suite.client.FetchNextCounter } for { groupedSpecIdx, err := nextIndex() if err != nil { suite.report.SpecialSuiteFailureReasons = append(suite.report.SpecialSuiteFailureReasons, fmt.Sprintf("Failed to iterate over specs:\n%s", err.Error())) suite.report.SuiteSucceeded = false break } if groupedSpecIdx >= len(groupedSpecIndices) { if suite.config.ParallelProcess == 1 && len(serialGroupedSpecIndices) > 0 { groupedSpecIndices, serialGroupedSpecIndices, nextIndex = serialGroupedSpecIndices, GroupedSpecIndices{}, MakeIncrementingIndexCounter() suite.client.BlockUntilNonprimaryProcsHaveFinished() continue } break } // the complexity for running groups of specs is very high because of Ordered containers and FlakeAttempts // we encapsulate that complexity in the notion of a Group that can run // Group is really just an extension of suite so it gets passed a suite and has access to all its internals // Note that group is stateful and intended for single use! newGroup(suite).run(specs.AtIndices(groupedSpecIndices[groupedSpecIdx])) } if suite.config.FailOnPending && specs.HasAnySpecsMarkedPending() { suite.report.SpecialSuiteFailureReasons = append(suite.report.SpecialSuiteFailureReasons, "Detected pending specs and --fail-on-pending is set") suite.report.SuiteSucceeded = false } if suite.config.FailOnEmpty && specs.CountWithoutSkip() == 0 { suite.report.SpecialSuiteFailureReasons = append(suite.report.SpecialSuiteFailureReasons, "Detected no specs ran and --fail-on-empty is set") suite.report.SuiteSucceeded = false } } if ranBeforeSuite { suite.runAfterSuiteCleanup(numSpecsThatWillBeRun) } interruptStatus := suite.interruptHandler.Status() if interruptStatus.Interrupted() { suite.report.SpecialSuiteFailureReasons = append(suite.report.SpecialSuiteFailureReasons, interruptStatus.Cause.String()) suite.report.SuiteSucceeded = false } suite.report.EndTime = time.Now() suite.report.RunTime = suite.report.EndTime.Sub(suite.report.StartTime) if !suite.deadline.IsZero() && suite.report.EndTime.After(suite.deadline) { suite.report.SpecialSuiteFailureReasons = append(suite.report.SpecialSuiteFailureReasons, "Suite Timeout Elapsed") suite.report.SuiteSucceeded = false } suite.runReportSuiteNodesIfNeedBe(types.NodeTypeReportAfterSuite) suite.reporter.SuiteDidEnd(suite.report) if suite.isRunningInParallel() { suite.client.PostSuiteDidEnd(suite.report) } return suite.report.SuiteSucceeded } func (suite *Suite) runBeforeSuite(numSpecsThatWillBeRun int) { beforeSuiteNode := suite.suiteNodes.FirstNodeWithType(types.NodeTypeBeforeSuite | types.NodeTypeSynchronizedBeforeSuite) if !beforeSuiteNode.IsZero() && numSpecsThatWillBeRun > 0 { suite.selectiveLock.Lock() suite.currentSpecReport = types.SpecReport{ LeafNodeType: beforeSuiteNode.NodeType, LeafNodeLocation: beforeSuiteNode.CodeLocation, ParallelProcess: suite.config.ParallelProcess, RunningInParallel: suite.isRunningInParallel(), } suite.selectiveLock.Unlock() suite.reporter.WillRun(suite.currentSpecReport) suite.runSuiteNode(beforeSuiteNode) if suite.currentSpecReport.State.Is(types.SpecStateSkipped) { suite.report.SpecialSuiteFailureReasons = append(suite.report.SpecialSuiteFailureReasons, "Suite skipped in BeforeSuite") suite.skipAll = true } suite.processCurrentSpecReport() } } func (suite *Suite) runAfterSuiteCleanup(numSpecsThatWillBeRun int) { afterSuiteNode := suite.suiteNodes.FirstNodeWithType(types.NodeTypeAfterSuite | types.NodeTypeSynchronizedAfterSuite) if !afterSuiteNode.IsZero() && numSpecsThatWillBeRun > 0 { suite.selectiveLock.Lock() suite.currentSpecReport = types.SpecReport{ LeafNodeType: afterSuiteNode.NodeType, LeafNodeLocation: afterSuiteNode.CodeLocation, ParallelProcess: suite.config.ParallelProcess, RunningInParallel: suite.isRunningInParallel(), } suite.selectiveLock.Unlock() suite.reporter.WillRun(suite.currentSpecReport) suite.runSuiteNode(afterSuiteNode) suite.processCurrentSpecReport() } afterSuiteCleanup := suite.cleanupNodes.WithType(types.NodeTypeCleanupAfterSuite).Reverse() if len(afterSuiteCleanup) > 0 { for _, cleanupNode := range afterSuiteCleanup { suite.selectiveLock.Lock() suite.currentSpecReport = types.SpecReport{ LeafNodeType: cleanupNode.NodeType, LeafNodeLocation: cleanupNode.CodeLocation, ParallelProcess: suite.config.ParallelProcess, RunningInParallel: suite.isRunningInParallel(), } suite.selectiveLock.Unlock() suite.reporter.WillRun(suite.currentSpecReport) suite.runSuiteNode(cleanupNode) suite.processCurrentSpecReport() } } } func (suite *Suite) reportEach(spec Spec, nodeType types.NodeType) { nodes := spec.Nodes.WithType(nodeType) if nodeType == types.NodeTypeReportAfterEach { nodes = nodes.SortedByDescendingNestingLevel() } if nodeType == types.NodeTypeReportBeforeEach { nodes = nodes.SortedByAscendingNestingLevel() } if len(nodes) == 0 { return } for i := range nodes { suite.writer.Truncate() suite.outputInterceptor.StartInterceptingOutput() report := suite.currentSpecReport nodes[i].Body = func(ctx SpecContext) { nodes[i].ReportEachBody(ctx, report) } state, failure := suite.runNode(nodes[i], time.Time{}, spec.Nodes.BestTextFor(nodes[i])) // If the spec is not in a failure state (i.e. it's Passed/Skipped/Pending) and the reporter has failed, override the state. // Also, if the reporter is every aborted - always override the state to propagate the abort if (!suite.currentSpecReport.State.Is(types.SpecStateFailureStates) && state.Is(types.SpecStateFailureStates)) || state.Is(types.SpecStateAborted) { suite.currentSpecReport.State = state suite.currentSpecReport.Failure = failure } suite.currentSpecReport.CapturedGinkgoWriterOutput += string(suite.writer.Bytes()) suite.currentSpecReport.CapturedStdOutErr += suite.outputInterceptor.StopInterceptingAndReturnOutput() } } func (suite *Suite) runSuiteNode(node Node) { if suite.config.DryRun { suite.currentSpecReport.State = types.SpecStatePassed return } suite.writer.Truncate() suite.outputInterceptor.StartInterceptingOutput() suite.currentSpecReport.StartTime = time.Now() var err error switch node.NodeType { case types.NodeTypeBeforeSuite, types.NodeTypeAfterSuite: suite.currentSpecReport.State, suite.currentSpecReport.Failure = suite.runNode(node, time.Time{}, "") case types.NodeTypeCleanupAfterSuite: if suite.config.ParallelTotal > 1 && suite.config.ParallelProcess == 1 { err = suite.client.BlockUntilNonprimaryProcsHaveFinished() } if err == nil { suite.currentSpecReport.State, suite.currentSpecReport.Failure = suite.runNode(node, time.Time{}, "") } case types.NodeTypeSynchronizedBeforeSuite: var data []byte var runAllProcs bool if suite.config.ParallelProcess == 1 { if suite.config.ParallelTotal > 1 { suite.outputInterceptor.StopInterceptingAndReturnOutput() suite.outputInterceptor.StartInterceptingOutputAndForwardTo(suite.client) } node.Body = func(c SpecContext) { data = node.SynchronizedBeforeSuiteProc1Body(c) } node.HasContext = node.SynchronizedBeforeSuiteProc1BodyHasContext suite.currentSpecReport.State, suite.currentSpecReport.Failure = suite.runNode(node, time.Time{}, "") if suite.config.ParallelTotal > 1 { suite.currentSpecReport.CapturedStdOutErr += suite.outputInterceptor.StopInterceptingAndReturnOutput() suite.outputInterceptor.StartInterceptingOutput() if suite.currentSpecReport.State.Is(types.SpecStatePassed) { err = suite.client.PostSynchronizedBeforeSuiteCompleted(types.SpecStatePassed, data) } else { err = suite.client.PostSynchronizedBeforeSuiteCompleted(suite.currentSpecReport.State, nil) } } runAllProcs = suite.currentSpecReport.State.Is(types.SpecStatePassed) && err == nil } else { var proc1State types.SpecState proc1State, data, err = suite.client.BlockUntilSynchronizedBeforeSuiteData() switch proc1State { case types.SpecStatePassed: runAllProcs = true case types.SpecStateFailed, types.SpecStatePanicked, types.SpecStateTimedout: err = types.GinkgoErrors.SynchronizedBeforeSuiteFailedOnProc1() case types.SpecStateInterrupted, types.SpecStateAborted, types.SpecStateSkipped: suite.currentSpecReport.State = proc1State } } if runAllProcs { node.Body = func(c SpecContext) { node.SynchronizedBeforeSuiteAllProcsBody(c, data) } node.HasContext = node.SynchronizedBeforeSuiteAllProcsBodyHasContext suite.currentSpecReport.State, suite.currentSpecReport.Failure = suite.runNode(node, time.Time{}, "") } case types.NodeTypeSynchronizedAfterSuite: node.Body = node.SynchronizedAfterSuiteAllProcsBody node.HasContext = node.SynchronizedAfterSuiteAllProcsBodyHasContext suite.currentSpecReport.State, suite.currentSpecReport.Failure = suite.runNode(node, time.Time{}, "") if suite.config.ParallelProcess == 1 { if suite.config.ParallelTotal > 1 { err = suite.client.BlockUntilNonprimaryProcsHaveFinished() } if err == nil { if suite.config.ParallelTotal > 1 { suite.currentSpecReport.CapturedStdOutErr += suite.outputInterceptor.StopInterceptingAndReturnOutput() suite.outputInterceptor.StartInterceptingOutputAndForwardTo(suite.client) } node.Body = node.SynchronizedAfterSuiteProc1Body node.HasContext = node.SynchronizedAfterSuiteProc1BodyHasContext state, failure := suite.runNode(node, time.Time{}, "") if suite.currentSpecReport.State.Is(types.SpecStatePassed) { suite.currentSpecReport.State, suite.currentSpecReport.Failure = state, failure } } } } if err != nil && !suite.currentSpecReport.State.Is(types.SpecStateFailureStates) { suite.currentSpecReport.State, suite.currentSpecReport.Failure = types.SpecStateFailed, suite.failureForLeafNodeWithMessage(node, err.Error()) suite.reporter.EmitFailure(suite.currentSpecReport.State, suite.currentSpecReport.Failure) } suite.currentSpecReport.EndTime = time.Now() suite.currentSpecReport.RunTime = suite.currentSpecReport.EndTime.Sub(suite.currentSpecReport.StartTime) suite.currentSpecReport.CapturedGinkgoWriterOutput = string(suite.writer.Bytes()) suite.currentSpecReport.CapturedStdOutErr += suite.outputInterceptor.StopInterceptingAndReturnOutput() } func (suite *Suite) runReportSuiteNodesIfNeedBe(nodeType types.NodeType) { nodes := suite.suiteNodes.WithType(nodeType) // only run ReportAfterSuite on proc 1 if nodeType.Is(types.NodeTypeReportAfterSuite) && suite.config.ParallelProcess != 1 { return } // if we're running ReportBeforeSuite on proc > 1 - we should wait until proc 1 has completed if nodeType.Is(types.NodeTypeReportBeforeSuite) && suite.config.ParallelProcess != 1 && len(nodes) > 0 { state, err := suite.client.BlockUntilReportBeforeSuiteCompleted() if err != nil || state.Is(types.SpecStateFailed) { suite.report.SuiteSucceeded = false } return } for _, node := range nodes { suite.selectiveLock.Lock() suite.currentSpecReport = types.SpecReport{ LeafNodeType: node.NodeType, LeafNodeLocation: node.CodeLocation, LeafNodeText: node.Text, ParallelProcess: suite.config.ParallelProcess, RunningInParallel: suite.isRunningInParallel(), } suite.selectiveLock.Unlock() suite.reporter.WillRun(suite.currentSpecReport) suite.runReportSuiteNode(node, suite.report) suite.processCurrentSpecReport() } // if we're running ReportBeforeSuite and we're running in parallel - we shuld tell the other procs that we're done if nodeType.Is(types.NodeTypeReportBeforeSuite) && suite.isRunningInParallel() && len(nodes) > 0 { if suite.report.SuiteSucceeded { suite.client.PostReportBeforeSuiteCompleted(types.SpecStatePassed) } else { suite.client.PostReportBeforeSuiteCompleted(types.SpecStateFailed) } } } func (suite *Suite) runReportSuiteNode(node Node, report types.Report) { suite.writer.Truncate() suite.outputInterceptor.StartInterceptingOutput() suite.currentSpecReport.StartTime = time.Now() // if we're running a ReportAfterSuite in parallel (on proc 1) we (a) wait until other procs have exited and // (b) always fetch the latest report as prior ReportAfterSuites will contribute to it if node.NodeType.Is(types.NodeTypeReportAfterSuite) && suite.isRunningInParallel() { aggregatedReport, err := suite.client.BlockUntilAggregatedNonprimaryProcsReport() if err != nil { suite.currentSpecReport.State, suite.currentSpecReport.Failure = types.SpecStateFailed, suite.failureForLeafNodeWithMessage(node, err.Error()) suite.reporter.EmitFailure(suite.currentSpecReport.State, suite.currentSpecReport.Failure) return } report = report.Add(aggregatedReport) } node.Body = func(ctx SpecContext) { node.ReportSuiteBody(ctx, report) } suite.currentSpecReport.State, suite.currentSpecReport.Failure = suite.runNode(node, time.Time{}, "") suite.currentSpecReport.EndTime = time.Now() suite.currentSpecReport.RunTime = suite.currentSpecReport.EndTime.Sub(suite.currentSpecReport.StartTime) suite.currentSpecReport.CapturedGinkgoWriterOutput = string(suite.writer.Bytes()) suite.currentSpecReport.CapturedStdOutErr = suite.outputInterceptor.StopInterceptingAndReturnOutput() } func (suite *Suite) runNode(node Node, specDeadline time.Time, text string) (types.SpecState, types.Failure) { if node.NodeType.Is(types.NodeTypeCleanupAfterEach | types.NodeTypeCleanupAfterAll | types.NodeTypeCleanupAfterSuite) { suite.cleanupNodes = suite.cleanupNodes.WithoutNode(node) } interruptStatus := suite.interruptHandler.Status() if interruptStatus.Level == interrupt_handler.InterruptLevelBailOut { return types.SpecStateSkipped, types.Failure{} } if interruptStatus.Level == interrupt_handler.InterruptLevelReportOnly && !node.NodeType.Is(types.NodeTypesAllowedDuringReportInterrupt) { return types.SpecStateSkipped, types.Failure{} } if interruptStatus.Level == interrupt_handler.InterruptLevelCleanupAndReport && !node.NodeType.Is(types.NodeTypesAllowedDuringReportInterrupt|types.NodeTypesAllowedDuringCleanupInterrupt) { return types.SpecStateSkipped, types.Failure{} } suite.selectiveLock.Lock() suite.currentNode = node suite.currentNodeStartTime = time.Now() suite.currentByStep = types.SpecEvent{} suite.selectiveLock.Unlock() defer func() { suite.selectiveLock.Lock() suite.currentNode = Node{} suite.currentNodeStartTime = time.Time{} suite.selectiveLock.Unlock() }() if text == "" { text = "TOP-LEVEL" } event := suite.handleSpecEvent(types.SpecEvent{ SpecEventType: types.SpecEventNodeStart, NodeType: node.NodeType, Message: text, CodeLocation: node.CodeLocation, }) defer func() { suite.handleSpecEventEnd(types.SpecEventNodeEnd, event) }() var failure types.Failure failure.FailureNodeType, failure.FailureNodeLocation = node.NodeType, node.CodeLocation if node.NodeType.Is(types.NodeTypeIt) || node.NodeType.Is(types.NodeTypesForSuiteLevelNodes) { failure.FailureNodeContext = types.FailureNodeIsLeafNode } else if node.NestingLevel <= 0 { failure.FailureNodeContext = types.FailureNodeAtTopLevel } else { failure.FailureNodeContext, failure.FailureNodeContainerIndex = types.FailureNodeInContainer, node.NestingLevel-1 } var outcome types.SpecState
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
true
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/progress_report_win.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/progress_report_win.go
//go:build windows // +build windows package internal import "os" var PROGRESS_SIGNALS = []os.Signal{}
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/output_interceptor_unix.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/output_interceptor_unix.go
//go:build freebsd || openbsd || netbsd || dragonfly || darwin || linux || solaris // +build freebsd openbsd netbsd dragonfly darwin linux solaris package internal import ( "os" "golang.org/x/sys/unix" ) func NewOutputInterceptor() OutputInterceptor { return &genericOutputInterceptor{ interceptedContent: make(chan string), pipeChannel: make(chan pipePair), shutdown: make(chan any), implementation: &dupSyscallOutputInterceptorImpl{}, } } type dupSyscallOutputInterceptorImpl struct{} func (impl *dupSyscallOutputInterceptorImpl) CreateStdoutStderrClones() (*os.File, *os.File) { // To clone stdout and stderr we: // First, create two clone file descriptors that point to the stdout and stderr file descriptions stdoutCloneFD, _ := unix.Dup(1) stderrCloneFD, _ := unix.Dup(2) // Important, set the fds to FD_CLOEXEC to prevent them leaking into childs // https://github.com/onsi/ginkgo/issues/1191 flags, err := unix.FcntlInt(uintptr(stdoutCloneFD), unix.F_GETFD, 0) if err == nil { unix.FcntlInt(uintptr(stdoutCloneFD), unix.F_SETFD, flags|unix.FD_CLOEXEC) } flags, err = unix.FcntlInt(uintptr(stderrCloneFD), unix.F_GETFD, 0) if err == nil { unix.FcntlInt(uintptr(stderrCloneFD), unix.F_SETFD, flags|unix.FD_CLOEXEC) } // And then wrap the clone file descriptors in files. // One benefit of this (that we don't use yet) is that we can actually write // to these files to emit output to the console even though we're intercepting output stdoutClone := os.NewFile(uintptr(stdoutCloneFD), "stdout-clone") stderrClone := os.NewFile(uintptr(stderrCloneFD), "stderr-clone") //these clones remain alive throughout the lifecycle of the suite and don't need to be recreated //this speeds things up a bit, actually. return stdoutClone, stderrClone } func (impl *dupSyscallOutputInterceptorImpl) ConnectPipeToStdoutStderr(pipeWriter *os.File) { // To redirect output to our pipe we need to point the 1 and 2 file descriptors (which is how the world tries to log things) // to the write end of the pipe. // We do this with Dup2 (possibly Dup3 on some architectures) to have file descriptors 1 and 2 point to the same file description as the pipeWriter // This effectively shunts data written to stdout and stderr to the write end of our pipe unix.Dup2(int(pipeWriter.Fd()), 1) unix.Dup2(int(pipeWriter.Fd()), 2) } func (impl *dupSyscallOutputInterceptorImpl) RestoreStdoutStderrFromClones(stdoutClone *os.File, stderrClone *os.File) { // To restore stdour/stderr from the clones we have the 1 and 2 file descriptors // point to the original file descriptions that we saved off in the clones. // This has the added benefit of closing the connection between these descriptors and the write end of the pipe // which is important to cause the io.Copy on the pipe.Reader to end. unix.Dup2(int(stdoutClone.Fd()), 1) unix.Dup2(int(stderrClone.Fd()), 2) } func (impl *dupSyscallOutputInterceptorImpl) ShutdownClones(stdoutClone *os.File, stderrClone *os.File) { // We're done with the clones so we can close them to clean up after ourselves stdoutClone.Close() stderrClone.Close() }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/interrupt_handler/interrupt_handler.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/interrupt_handler/interrupt_handler.go
package interrupt_handler import ( "os" "os/signal" "sync" "syscall" "time" "github.com/onsi/ginkgo/v2/internal/parallel_support" ) var ABORT_POLLING_INTERVAL = 500 * time.Millisecond type InterruptCause uint const ( InterruptCauseInvalid InterruptCause = iota InterruptCauseSignal InterruptCauseAbortByOtherProcess ) type InterruptLevel uint const ( InterruptLevelUninterrupted InterruptLevel = iota InterruptLevelCleanupAndReport InterruptLevelReportOnly InterruptLevelBailOut ) func (ic InterruptCause) String() string { switch ic { case InterruptCauseSignal: return "Interrupted by User" case InterruptCauseAbortByOtherProcess: return "Interrupted by Other Ginkgo Process" } return "INVALID_INTERRUPT_CAUSE" } type InterruptStatus struct { Channel chan any Level InterruptLevel Cause InterruptCause } func (s InterruptStatus) Interrupted() bool { return s.Level != InterruptLevelUninterrupted } func (s InterruptStatus) Message() string { return s.Cause.String() } func (s InterruptStatus) ShouldIncludeProgressReport() bool { return s.Cause != InterruptCauseAbortByOtherProcess } type InterruptHandlerInterface interface { Status() InterruptStatus } type InterruptHandler struct { c chan any lock *sync.Mutex level InterruptLevel cause InterruptCause client parallel_support.Client stop chan any signals []os.Signal requestAbortCheck chan any } func NewInterruptHandler(client parallel_support.Client, signals ...os.Signal) *InterruptHandler { if len(signals) == 0 { signals = []os.Signal{os.Interrupt, syscall.SIGTERM} } handler := &InterruptHandler{ c: make(chan any), lock: &sync.Mutex{}, stop: make(chan any), requestAbortCheck: make(chan any), client: client, signals: signals, } handler.registerForInterrupts() return handler } func (handler *InterruptHandler) Stop() { close(handler.stop) } func (handler *InterruptHandler) registerForInterrupts() { // os signal handling signalChannel := make(chan os.Signal, 1) signal.Notify(signalChannel, handler.signals...) // cross-process abort handling var abortChannel chan any if handler.client != nil { abortChannel = make(chan any) go func() { pollTicker := time.NewTicker(ABORT_POLLING_INTERVAL) for { select { case <-pollTicker.C: if handler.client.ShouldAbort() { close(abortChannel) pollTicker.Stop() return } case <-handler.requestAbortCheck: if handler.client.ShouldAbort() { close(abortChannel) pollTicker.Stop() return } case <-handler.stop: pollTicker.Stop() return } } }() } go func(abortChannel chan any) { var interruptCause InterruptCause for { select { case <-signalChannel: interruptCause = InterruptCauseSignal case <-abortChannel: interruptCause = InterruptCauseAbortByOtherProcess case <-handler.stop: signal.Stop(signalChannel) return } abortChannel = nil handler.lock.Lock() oldLevel := handler.level handler.cause = interruptCause if handler.level == InterruptLevelUninterrupted { handler.level = InterruptLevelCleanupAndReport } else if handler.level == InterruptLevelCleanupAndReport { handler.level = InterruptLevelReportOnly } else if handler.level == InterruptLevelReportOnly { handler.level = InterruptLevelBailOut } if handler.level != oldLevel { close(handler.c) handler.c = make(chan any) } handler.lock.Unlock() } }(abortChannel) } func (handler *InterruptHandler) Status() InterruptStatus { handler.lock.Lock() status := InterruptStatus{ Level: handler.level, Channel: handler.c, Cause: handler.cause, } handler.lock.Unlock() if handler.client != nil && handler.client.ShouldAbort() && !status.Interrupted() { close(handler.requestAbortCheck) <-status.Channel return handler.Status() } return status }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/interrupt_handler/sigquit_swallower_windows.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/interrupt_handler/sigquit_swallower_windows.go
//go:build windows // +build windows package interrupt_handler func SwallowSigQuit() { //noop }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/interrupt_handler/sigquit_swallower_unix.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/interrupt_handler/sigquit_swallower_unix.go
//go:build freebsd || openbsd || netbsd || dragonfly || darwin || linux || solaris // +build freebsd openbsd netbsd dragonfly darwin linux solaris package interrupt_handler import ( "os" "os/signal" "syscall" ) func SwallowSigQuit() { c := make(chan os.Signal, 1024) signal.Notify(c, syscall.SIGQUIT) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/global/init.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/global/init.go
package global import ( "github.com/onsi/ginkgo/v2/internal" ) var Suite *internal.Suite var Failer *internal.Failer var backupSuite *internal.Suite func init() { InitializeGlobals() } func InitializeGlobals() { Failer = internal.NewFailer() Suite = internal.NewSuite() } func PushClone() error { var err error backupSuite, err = Suite.Clone() return err } func PopClone() { Suite = backupSuite }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/parallel_support/http_client.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/parallel_support/http_client.go
package parallel_support import ( "bytes" "encoding/json" "fmt" "io" "net/http" "time" "github.com/onsi/ginkgo/v2/types" ) type httpClient struct { serverHost string } func newHttpClient(serverHost string) *httpClient { return &httpClient{ serverHost: serverHost, } } func (client *httpClient) Connect() bool { resp, err := http.Get(client.serverHost + "/up") if err != nil { return false } resp.Body.Close() return resp.StatusCode == http.StatusOK } func (client *httpClient) Close() error { return nil } func (client *httpClient) post(path string, data any) error { var body io.Reader if data != nil { encoded, err := json.Marshal(data) if err != nil { return err } body = bytes.NewBuffer(encoded) } resp, err := http.Post(client.serverHost+path, "application/json", body) if err != nil { return err } defer resp.Body.Close() if resp.StatusCode != http.StatusOK { return fmt.Errorf("received unexpected status code %d", resp.StatusCode) } return nil } func (client *httpClient) poll(path string, data any) error { for { resp, err := http.Get(client.serverHost + path) if err != nil { return err } if resp.StatusCode == http.StatusTooEarly { resp.Body.Close() time.Sleep(POLLING_INTERVAL) continue } defer resp.Body.Close() if resp.StatusCode == http.StatusGone { return ErrorGone } if resp.StatusCode == http.StatusFailedDependency { return ErrorFailed } if resp.StatusCode != http.StatusOK { return fmt.Errorf("received unexpected status code %d", resp.StatusCode) } if data != nil { return json.NewDecoder(resp.Body).Decode(data) } return nil } } func (client *httpClient) PostSuiteWillBegin(report types.Report) error { return client.post("/suite-will-begin", report) } func (client *httpClient) PostDidRun(report types.SpecReport) error { return client.post("/did-run", report) } func (client *httpClient) PostSuiteDidEnd(report types.Report) error { return client.post("/suite-did-end", report) } func (client *httpClient) PostEmitProgressReport(report types.ProgressReport) error { return client.post("/progress-report", report) } func (client *httpClient) PostReportBeforeSuiteCompleted(state types.SpecState) error { return client.post("/report-before-suite-completed", state) } func (client *httpClient) BlockUntilReportBeforeSuiteCompleted() (types.SpecState, error) { var state types.SpecState err := client.poll("/report-before-suite-state", &state) if err == ErrorGone { return types.SpecStateFailed, nil } return state, err } func (client *httpClient) PostSynchronizedBeforeSuiteCompleted(state types.SpecState, data []byte) error { beforeSuiteState := BeforeSuiteState{ State: state, Data: data, } return client.post("/before-suite-completed", beforeSuiteState) } func (client *httpClient) BlockUntilSynchronizedBeforeSuiteData() (types.SpecState, []byte, error) { var beforeSuiteState BeforeSuiteState err := client.poll("/before-suite-state", &beforeSuiteState) if err == ErrorGone { return types.SpecStateInvalid, nil, types.GinkgoErrors.SynchronizedBeforeSuiteDisappearedOnProc1() } return beforeSuiteState.State, beforeSuiteState.Data, err } func (client *httpClient) BlockUntilNonprimaryProcsHaveFinished() error { return client.poll("/have-nonprimary-procs-finished", nil) } func (client *httpClient) BlockUntilAggregatedNonprimaryProcsReport() (types.Report, error) { var report types.Report err := client.poll("/aggregated-nonprimary-procs-report", &report) if err == ErrorGone { return types.Report{}, types.GinkgoErrors.AggregatedReportUnavailableDueToNodeDisappearing() } return report, err } func (client *httpClient) FetchNextCounter() (int, error) { var counter ParallelIndexCounter err := client.poll("/counter", &counter) return counter.Index, err } func (client *httpClient) PostAbort() error { return client.post("/abort", nil) } func (client *httpClient) ShouldAbort() bool { err := client.poll("/abort", nil) return err == ErrorGone } func (client *httpClient) Write(p []byte) (int, error) { resp, err := http.Post(client.serverHost+"/emit-output", "text/plain;charset=UTF-8 ", bytes.NewReader(p)) resp.Body.Close() if resp.StatusCode != http.StatusOK { return 0, fmt.Errorf("failed to emit output") } return len(p), err }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/parallel_support/http_server.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/parallel_support/http_server.go
/* The remote package provides the pieces to allow Ginkgo test suites to report to remote listeners. This is used, primarily, to enable streaming parallel test output but has, in principal, broader applications (e.g. streaming test output to a browser). */ package parallel_support import ( "encoding/json" "io" "net" "net/http" "github.com/onsi/ginkgo/v2/reporters" "github.com/onsi/ginkgo/v2/types" ) /* httpServer spins up on an automatically selected port and listens for communication from the forwarding reporter. It then forwards that communication to attached reporters. */ type httpServer struct { listener net.Listener handler *ServerHandler } // Create a new server, automatically selecting a port func newHttpServer(parallelTotal int, reporter reporters.Reporter) (*httpServer, error) { listener, err := net.Listen("tcp", "127.0.0.1:0") if err != nil { return nil, err } return &httpServer{ listener: listener, handler: newServerHandler(parallelTotal, reporter), }, nil } // Start the server. You don't need to `go s.Start()`, just `s.Start()` func (server *httpServer) Start() { httpServer := &http.Server{} mux := http.NewServeMux() httpServer.Handler = mux //streaming endpoints mux.HandleFunc("/suite-will-begin", server.specSuiteWillBegin) mux.HandleFunc("/did-run", server.didRun) mux.HandleFunc("/suite-did-end", server.specSuiteDidEnd) mux.HandleFunc("/emit-output", server.emitOutput) mux.HandleFunc("/progress-report", server.emitProgressReport) //synchronization endpoints mux.HandleFunc("/report-before-suite-completed", server.handleReportBeforeSuiteCompleted) mux.HandleFunc("/report-before-suite-state", server.handleReportBeforeSuiteState) mux.HandleFunc("/before-suite-completed", server.handleBeforeSuiteCompleted) mux.HandleFunc("/before-suite-state", server.handleBeforeSuiteState) mux.HandleFunc("/have-nonprimary-procs-finished", server.handleHaveNonprimaryProcsFinished) mux.HandleFunc("/aggregated-nonprimary-procs-report", server.handleAggregatedNonprimaryProcsReport) mux.HandleFunc("/counter", server.handleCounter) mux.HandleFunc("/up", server.handleUp) mux.HandleFunc("/abort", server.handleAbort) go httpServer.Serve(server.listener) } // Stop the server func (server *httpServer) Close() { server.listener.Close() } // The address the server can be reached it. Pass this into the `ForwardingReporter`. func (server *httpServer) Address() string { return "http://" + server.listener.Addr().String() } func (server *httpServer) GetSuiteDone() chan any { return server.handler.done } func (server *httpServer) GetOutputDestination() io.Writer { return server.handler.outputDestination } func (server *httpServer) SetOutputDestination(w io.Writer) { server.handler.outputDestination = w } func (server *httpServer) RegisterAlive(node int, alive func() bool) { server.handler.registerAlive(node, alive) } // // Streaming Endpoints // // The server will forward all received messages to Ginkgo reporters registered with `RegisterReporters` func (server *httpServer) decode(writer http.ResponseWriter, request *http.Request, object any) bool { defer request.Body.Close() if json.NewDecoder(request.Body).Decode(object) != nil { writer.WriteHeader(http.StatusBadRequest) return false } return true } func (server *httpServer) handleError(err error, writer http.ResponseWriter) bool { if err == nil { return false } switch err { case ErrorEarly: writer.WriteHeader(http.StatusTooEarly) case ErrorGone: writer.WriteHeader(http.StatusGone) case ErrorFailed: writer.WriteHeader(http.StatusFailedDependency) default: writer.WriteHeader(http.StatusInternalServerError) } return true } func (server *httpServer) specSuiteWillBegin(writer http.ResponseWriter, request *http.Request) { var report types.Report if !server.decode(writer, request, &report) { return } server.handleError(server.handler.SpecSuiteWillBegin(report, voidReceiver), writer) } func (server *httpServer) didRun(writer http.ResponseWriter, request *http.Request) { var report types.SpecReport if !server.decode(writer, request, &report) { return } server.handleError(server.handler.DidRun(report, voidReceiver), writer) } func (server *httpServer) specSuiteDidEnd(writer http.ResponseWriter, request *http.Request) { var report types.Report if !server.decode(writer, request, &report) { return } server.handleError(server.handler.SpecSuiteDidEnd(report, voidReceiver), writer) } func (server *httpServer) emitOutput(writer http.ResponseWriter, request *http.Request) { output, err := io.ReadAll(request.Body) if err != nil { writer.WriteHeader(http.StatusInternalServerError) return } var n int server.handleError(server.handler.EmitOutput(output, &n), writer) } func (server *httpServer) emitProgressReport(writer http.ResponseWriter, request *http.Request) { var report types.ProgressReport if !server.decode(writer, request, &report) { return } server.handleError(server.handler.EmitProgressReport(report, voidReceiver), writer) } func (server *httpServer) handleReportBeforeSuiteCompleted(writer http.ResponseWriter, request *http.Request) { var state types.SpecState if !server.decode(writer, request, &state) { return } server.handleError(server.handler.ReportBeforeSuiteCompleted(state, voidReceiver), writer) } func (server *httpServer) handleReportBeforeSuiteState(writer http.ResponseWriter, request *http.Request) { var state types.SpecState if server.handleError(server.handler.ReportBeforeSuiteState(voidSender, &state), writer) { return } json.NewEncoder(writer).Encode(state) } func (server *httpServer) handleBeforeSuiteCompleted(writer http.ResponseWriter, request *http.Request) { var beforeSuiteState BeforeSuiteState if !server.decode(writer, request, &beforeSuiteState) { return } server.handleError(server.handler.BeforeSuiteCompleted(beforeSuiteState, voidReceiver), writer) } func (server *httpServer) handleBeforeSuiteState(writer http.ResponseWriter, request *http.Request) { var beforeSuiteState BeforeSuiteState if server.handleError(server.handler.BeforeSuiteState(voidSender, &beforeSuiteState), writer) { return } json.NewEncoder(writer).Encode(beforeSuiteState) } func (server *httpServer) handleHaveNonprimaryProcsFinished(writer http.ResponseWriter, request *http.Request) { if server.handleError(server.handler.HaveNonprimaryProcsFinished(voidSender, voidReceiver), writer) { return } writer.WriteHeader(http.StatusOK) } func (server *httpServer) handleAggregatedNonprimaryProcsReport(writer http.ResponseWriter, request *http.Request) { var aggregatedReport types.Report if server.handleError(server.handler.AggregatedNonprimaryProcsReport(voidSender, &aggregatedReport), writer) { return } json.NewEncoder(writer).Encode(aggregatedReport) } func (server *httpServer) handleCounter(writer http.ResponseWriter, request *http.Request) { var n int if server.handleError(server.handler.Counter(voidSender, &n), writer) { return } json.NewEncoder(writer).Encode(ParallelIndexCounter{Index: n}) } func (server *httpServer) handleUp(writer http.ResponseWriter, request *http.Request) { writer.WriteHeader(http.StatusOK) } func (server *httpServer) handleAbort(writer http.ResponseWriter, request *http.Request) { if request.Method == "GET" { var shouldAbort bool server.handler.ShouldAbort(voidSender, &shouldAbort) if shouldAbort { writer.WriteHeader(http.StatusGone) } else { writer.WriteHeader(http.StatusOK) } } else { server.handler.Abort(voidSender, voidReceiver) } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/parallel_support/rpc_client.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/parallel_support/rpc_client.go
package parallel_support import ( "net/rpc" "time" "github.com/onsi/ginkgo/v2/types" ) type rpcClient struct { serverHost string client *rpc.Client } func newRPCClient(serverHost string) *rpcClient { return &rpcClient{ serverHost: serverHost, } } func (client *rpcClient) Connect() bool { var err error if client.client != nil { return true } client.client, err = rpc.DialHTTPPath("tcp", client.serverHost, "/") if err != nil { client.client = nil return false } return true } func (client *rpcClient) Close() error { return client.client.Close() } func (client *rpcClient) poll(method string, data any) error { for { err := client.client.Call(method, voidSender, data) if err == nil { return nil } switch err.Error() { case ErrorEarly.Error(): time.Sleep(POLLING_INTERVAL) case ErrorGone.Error(): return ErrorGone case ErrorFailed.Error(): return ErrorFailed default: return err } } } func (client *rpcClient) PostSuiteWillBegin(report types.Report) error { return client.client.Call("Server.SpecSuiteWillBegin", report, voidReceiver) } func (client *rpcClient) PostDidRun(report types.SpecReport) error { return client.client.Call("Server.DidRun", report, voidReceiver) } func (client *rpcClient) PostSuiteDidEnd(report types.Report) error { return client.client.Call("Server.SpecSuiteDidEnd", report, voidReceiver) } func (client *rpcClient) Write(p []byte) (int, error) { var n int err := client.client.Call("Server.EmitOutput", p, &n) return n, err } func (client *rpcClient) PostEmitProgressReport(report types.ProgressReport) error { return client.client.Call("Server.EmitProgressReport", report, voidReceiver) } func (client *rpcClient) PostReportBeforeSuiteCompleted(state types.SpecState) error { return client.client.Call("Server.ReportBeforeSuiteCompleted", state, voidReceiver) } func (client *rpcClient) BlockUntilReportBeforeSuiteCompleted() (types.SpecState, error) { var state types.SpecState err := client.poll("Server.ReportBeforeSuiteState", &state) if err == ErrorGone { return types.SpecStateFailed, nil } return state, err } func (client *rpcClient) PostSynchronizedBeforeSuiteCompleted(state types.SpecState, data []byte) error { beforeSuiteState := BeforeSuiteState{ State: state, Data: data, } return client.client.Call("Server.BeforeSuiteCompleted", beforeSuiteState, voidReceiver) } func (client *rpcClient) BlockUntilSynchronizedBeforeSuiteData() (types.SpecState, []byte, error) { var beforeSuiteState BeforeSuiteState err := client.poll("Server.BeforeSuiteState", &beforeSuiteState) if err == ErrorGone { return types.SpecStateInvalid, nil, types.GinkgoErrors.SynchronizedBeforeSuiteDisappearedOnProc1() } return beforeSuiteState.State, beforeSuiteState.Data, err } func (client *rpcClient) BlockUntilNonprimaryProcsHaveFinished() error { return client.poll("Server.HaveNonprimaryProcsFinished", voidReceiver) } func (client *rpcClient) BlockUntilAggregatedNonprimaryProcsReport() (types.Report, error) { var report types.Report err := client.poll("Server.AggregatedNonprimaryProcsReport", &report) if err == ErrorGone { return types.Report{}, types.GinkgoErrors.AggregatedReportUnavailableDueToNodeDisappearing() } return report, err } func (client *rpcClient) FetchNextCounter() (int, error) { var counter int err := client.client.Call("Server.Counter", voidSender, &counter) return counter, err } func (client *rpcClient) PostAbort() error { return client.client.Call("Server.Abort", voidSender, voidReceiver) } func (client *rpcClient) ShouldAbort() bool { var shouldAbort bool client.client.Call("Server.ShouldAbort", voidSender, &shouldAbort) return shouldAbort }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/parallel_support/client_server.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/parallel_support/client_server.go
package parallel_support import ( "fmt" "io" "os" "time" "github.com/onsi/ginkgo/v2/reporters" "github.com/onsi/ginkgo/v2/types" ) type BeforeSuiteState struct { Data []byte State types.SpecState } type ParallelIndexCounter struct { Index int } var ErrorGone = fmt.Errorf("gone") var ErrorFailed = fmt.Errorf("failed") var ErrorEarly = fmt.Errorf("early") var POLLING_INTERVAL = 50 * time.Millisecond type Server interface { Start() Close() Address() string RegisterAlive(node int, alive func() bool) GetSuiteDone() chan any GetOutputDestination() io.Writer SetOutputDestination(io.Writer) } type Client interface { Connect() bool Close() error PostSuiteWillBegin(report types.Report) error PostDidRun(report types.SpecReport) error PostSuiteDidEnd(report types.Report) error PostReportBeforeSuiteCompleted(state types.SpecState) error BlockUntilReportBeforeSuiteCompleted() (types.SpecState, error) PostSynchronizedBeforeSuiteCompleted(state types.SpecState, data []byte) error BlockUntilSynchronizedBeforeSuiteData() (types.SpecState, []byte, error) BlockUntilNonprimaryProcsHaveFinished() error BlockUntilAggregatedNonprimaryProcsReport() (types.Report, error) FetchNextCounter() (int, error) PostAbort() error ShouldAbort() bool PostEmitProgressReport(report types.ProgressReport) error Write(p []byte) (int, error) } func NewServer(parallelTotal int, reporter reporters.Reporter) (Server, error) { if os.Getenv("GINKGO_PARALLEL_PROTOCOL") == "HTTP" { return newHttpServer(parallelTotal, reporter) } else { return newRPCServer(parallelTotal, reporter) } } func NewClient(serverHost string) Client { if os.Getenv("GINKGO_PARALLEL_PROTOCOL") == "HTTP" { return newHttpClient(serverHost) } else { return newRPCClient(serverHost) } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/parallel_support/server_handler.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/parallel_support/server_handler.go
package parallel_support import ( "io" "os" "sync" "github.com/onsi/ginkgo/v2/reporters" "github.com/onsi/ginkgo/v2/types" ) type Void struct{} var voidReceiver *Void = &Void{} var voidSender Void // ServerHandler is an RPC-compatible handler that is shared between the http server and the rpc server. // It handles all the business logic to avoid duplication between the two servers type ServerHandler struct { done chan any outputDestination io.Writer reporter reporters.Reporter alives []func() bool lock *sync.Mutex beforeSuiteState BeforeSuiteState reportBeforeSuiteState types.SpecState parallelTotal int counter int counterLock *sync.Mutex shouldAbort bool numSuiteDidBegins int numSuiteDidEnds int aggregatedReport types.Report reportHoldingArea []types.SpecReport } func newServerHandler(parallelTotal int, reporter reporters.Reporter) *ServerHandler { return &ServerHandler{ reporter: reporter, lock: &sync.Mutex{}, counterLock: &sync.Mutex{}, alives: make([]func() bool, parallelTotal), beforeSuiteState: BeforeSuiteState{Data: nil, State: types.SpecStateInvalid}, parallelTotal: parallelTotal, outputDestination: os.Stdout, done: make(chan any), } } func (handler *ServerHandler) SpecSuiteWillBegin(report types.Report, _ *Void) error { handler.lock.Lock() defer handler.lock.Unlock() handler.numSuiteDidBegins += 1 // all summaries are identical, so it's fine to simply emit the last one of these if handler.numSuiteDidBegins == handler.parallelTotal { handler.reporter.SuiteWillBegin(report) for _, summary := range handler.reportHoldingArea { handler.reporter.WillRun(summary) handler.reporter.DidRun(summary) } handler.reportHoldingArea = nil } return nil } func (handler *ServerHandler) DidRun(report types.SpecReport, _ *Void) error { handler.lock.Lock() defer handler.lock.Unlock() if handler.numSuiteDidBegins == handler.parallelTotal { handler.reporter.WillRun(report) handler.reporter.DidRun(report) } else { handler.reportHoldingArea = append(handler.reportHoldingArea, report) } return nil } func (handler *ServerHandler) SpecSuiteDidEnd(report types.Report, _ *Void) error { handler.lock.Lock() defer handler.lock.Unlock() handler.numSuiteDidEnds += 1 if handler.numSuiteDidEnds == 1 { handler.aggregatedReport = report } else { handler.aggregatedReport = handler.aggregatedReport.Add(report) } if handler.numSuiteDidEnds == handler.parallelTotal { handler.reporter.SuiteDidEnd(handler.aggregatedReport) close(handler.done) } return nil } func (handler *ServerHandler) EmitOutput(output []byte, n *int) error { var err error *n, err = handler.outputDestination.Write(output) return err } func (handler *ServerHandler) EmitProgressReport(report types.ProgressReport, _ *Void) error { handler.lock.Lock() defer handler.lock.Unlock() handler.reporter.EmitProgressReport(report) return nil } func (handler *ServerHandler) registerAlive(proc int, alive func() bool) { handler.lock.Lock() defer handler.lock.Unlock() handler.alives[proc-1] = alive } func (handler *ServerHandler) procIsAlive(proc int) bool { handler.lock.Lock() defer handler.lock.Unlock() alive := handler.alives[proc-1] if alive == nil { return true } return alive() } func (handler *ServerHandler) haveNonprimaryProcsFinished() bool { for i := 2; i <= handler.parallelTotal; i++ { if handler.procIsAlive(i) { return false } } return true } func (handler *ServerHandler) ReportBeforeSuiteCompleted(reportBeforeSuiteState types.SpecState, _ *Void) error { handler.lock.Lock() defer handler.lock.Unlock() handler.reportBeforeSuiteState = reportBeforeSuiteState return nil } func (handler *ServerHandler) ReportBeforeSuiteState(_ Void, reportBeforeSuiteState *types.SpecState) error { proc1IsAlive := handler.procIsAlive(1) handler.lock.Lock() defer handler.lock.Unlock() if handler.reportBeforeSuiteState == types.SpecStateInvalid { if proc1IsAlive { return ErrorEarly } else { return ErrorGone } } *reportBeforeSuiteState = handler.reportBeforeSuiteState return nil } func (handler *ServerHandler) BeforeSuiteCompleted(beforeSuiteState BeforeSuiteState, _ *Void) error { handler.lock.Lock() defer handler.lock.Unlock() handler.beforeSuiteState = beforeSuiteState return nil } func (handler *ServerHandler) BeforeSuiteState(_ Void, beforeSuiteState *BeforeSuiteState) error { proc1IsAlive := handler.procIsAlive(1) handler.lock.Lock() defer handler.lock.Unlock() if handler.beforeSuiteState.State == types.SpecStateInvalid { if proc1IsAlive { return ErrorEarly } else { return ErrorGone } } *beforeSuiteState = handler.beforeSuiteState return nil } func (handler *ServerHandler) HaveNonprimaryProcsFinished(_ Void, _ *Void) error { if handler.haveNonprimaryProcsFinished() { return nil } else { return ErrorEarly } } func (handler *ServerHandler) AggregatedNonprimaryProcsReport(_ Void, report *types.Report) error { if handler.haveNonprimaryProcsFinished() { handler.lock.Lock() defer handler.lock.Unlock() if handler.numSuiteDidEnds == handler.parallelTotal-1 { *report = handler.aggregatedReport return nil } else { return ErrorGone } } else { return ErrorEarly } } func (handler *ServerHandler) Counter(_ Void, counter *int) error { handler.counterLock.Lock() defer handler.counterLock.Unlock() *counter = handler.counter handler.counter++ return nil } func (handler *ServerHandler) Abort(_ Void, _ *Void) error { handler.lock.Lock() defer handler.lock.Unlock() handler.shouldAbort = true return nil } func (handler *ServerHandler) ShouldAbort(_ Void, shouldAbort *bool) error { handler.lock.Lock() defer handler.lock.Unlock() *shouldAbort = handler.shouldAbort return nil }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/parallel_support/rpc_server.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/parallel_support/rpc_server.go
/* The remote package provides the pieces to allow Ginkgo test suites to report to remote listeners. This is used, primarily, to enable streaming parallel test output but has, in principal, broader applications (e.g. streaming test output to a browser). */ package parallel_support import ( "io" "net" "net/http" "net/rpc" "github.com/onsi/ginkgo/v2/reporters" ) /* RPCServer spins up on an automatically selected port and listens for communication from the forwarding reporter. It then forwards that communication to attached reporters. */ type RPCServer struct { listener net.Listener handler *ServerHandler } // Create a new server, automatically selecting a port func newRPCServer(parallelTotal int, reporter reporters.Reporter) (*RPCServer, error) { listener, err := net.Listen("tcp", "127.0.0.1:0") if err != nil { return nil, err } return &RPCServer{ listener: listener, handler: newServerHandler(parallelTotal, reporter), }, nil } // Start the server. You don't need to `go s.Start()`, just `s.Start()` func (server *RPCServer) Start() { rpcServer := rpc.NewServer() rpcServer.RegisterName("Server", server.handler) //register the handler's methods as the server httpServer := &http.Server{} httpServer.Handler = rpcServer go httpServer.Serve(server.listener) } // Stop the server func (server *RPCServer) Close() { server.listener.Close() } // The address the server can be reached it. Pass this into the `ForwardingReporter`. func (server *RPCServer) Address() string { return server.listener.Addr().String() } func (server *RPCServer) GetSuiteDone() chan any { return server.handler.done } func (server *RPCServer) GetOutputDestination() io.Writer { return server.handler.outputDestination } func (server *RPCServer) SetOutputDestination(w io.Writer) { server.handler.outputDestination = w } func (server *RPCServer) RegisterAlive(node int, alive func() bool) { server.handler.registerAlive(node, alive) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/testingtproxy/testing_t_proxy.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/internal/testingtproxy/testing_t_proxy.go
package testingtproxy import ( "context" "fmt" "io" "os" "github.com/onsi/ginkgo/v2/formatter" "github.com/onsi/ginkgo/v2/internal" "github.com/onsi/ginkgo/v2/reporters" "github.com/onsi/ginkgo/v2/types" ) type failFunc func(message string, callerSkip ...int) type skipFunc func(message string, callerSkip ...int) type cleanupFunc func(args ...any) type reportFunc func() types.SpecReport type addReportEntryFunc func(names string, args ...any) type ginkgoWriterInterface interface { io.Writer Print(a ...any) Printf(format string, a ...any) Println(a ...any) } type ginkgoRecoverFunc func() type attachProgressReporterFunc func(func() string) func() func New(writer ginkgoWriterInterface, fail failFunc, skip skipFunc, cleanup cleanupFunc, report reportFunc, addReportEntry addReportEntryFunc, ginkgoRecover ginkgoRecoverFunc, attachProgressReporter attachProgressReporterFunc, randomSeed int64, parallelProcess int, parallelTotal int, noColor bool, offset int) *ginkgoTestingTProxy { return &ginkgoTestingTProxy{ fail: fail, offset: offset, writer: writer, skip: skip, cleanup: cleanup, report: report, addReportEntry: addReportEntry, ginkgoRecover: ginkgoRecover, attachProgressReporter: attachProgressReporter, randomSeed: randomSeed, parallelProcess: parallelProcess, parallelTotal: parallelTotal, f: formatter.NewWithNoColorBool(noColor), } } type ginkgoTestingTProxy struct { fail failFunc skip skipFunc cleanup cleanupFunc report reportFunc offset int writer ginkgoWriterInterface addReportEntry addReportEntryFunc ginkgoRecover ginkgoRecoverFunc attachProgressReporter attachProgressReporterFunc randomSeed int64 parallelProcess int parallelTotal int f formatter.Formatter } // basic testing.T support func (t *ginkgoTestingTProxy) Cleanup(f func()) { t.cleanup(f, internal.Offset(1)) } func (t *ginkgoTestingTProxy) Setenv(key, value string) { originalValue, exists := os.LookupEnv(key) if exists { t.cleanup(os.Setenv, key, originalValue, internal.Offset(1)) } else { t.cleanup(os.Unsetenv, key, internal.Offset(1)) } err := os.Setenv(key, value) if err != nil { t.fail(fmt.Sprintf("Failed to set environment variable: %v", err), 1) } } func (t *ginkgoTestingTProxy) Chdir(dir string) { currentDir, err := os.Getwd() if err != nil { t.fail(fmt.Sprintf("Failed to get current directory: %v", err), 1) } t.cleanup(os.Chdir, currentDir, internal.Offset(1)) err = os.Chdir(dir) if err != nil { t.fail(fmt.Sprintf("Failed to change directory: %v", err), 1) } } func (t *ginkgoTestingTProxy) Context() context.Context { ctx, cancel := context.WithCancel(context.Background()) t.cleanup(cancel, internal.Offset(1)) return ctx } func (t *ginkgoTestingTProxy) Error(args ...any) { t.fail(fmt.Sprintln(args...), t.offset) } func (t *ginkgoTestingTProxy) Errorf(format string, args ...any) { t.fail(fmt.Sprintf(format, args...), t.offset) } func (t *ginkgoTestingTProxy) Fail() { t.fail("failed", t.offset) } func (t *ginkgoTestingTProxy) FailNow() { t.fail("failed", t.offset) } func (t *ginkgoTestingTProxy) Failed() bool { return t.report().Failed() } func (t *ginkgoTestingTProxy) Fatal(args ...any) { t.fail(fmt.Sprintln(args...), t.offset) } func (t *ginkgoTestingTProxy) Fatalf(format string, args ...any) { t.fail(fmt.Sprintf(format, args...), t.offset) } func (t *ginkgoTestingTProxy) Helper() { types.MarkAsHelper(1) } func (t *ginkgoTestingTProxy) Log(args ...any) { fmt.Fprintln(t.writer, args...) } func (t *ginkgoTestingTProxy) Logf(format string, args ...any) { t.Log(fmt.Sprintf(format, args...)) } func (t *ginkgoTestingTProxy) Name() string { return t.report().FullText() } func (t *ginkgoTestingTProxy) Parallel() { // No-op } func (t *ginkgoTestingTProxy) Skip(args ...any) { t.skip(fmt.Sprintln(args...), t.offset) } func (t *ginkgoTestingTProxy) SkipNow() { t.skip("skip", t.offset) } func (t *ginkgoTestingTProxy) Skipf(format string, args ...any) { t.skip(fmt.Sprintf(format, args...), t.offset) } func (t *ginkgoTestingTProxy) Skipped() bool { return t.report().State.Is(types.SpecStateSkipped) } func (t *ginkgoTestingTProxy) TempDir() string { tmpDir, err := os.MkdirTemp("", "ginkgo") if err != nil { t.fail(fmt.Sprintf("Failed to create temporary directory: %v", err), 1) return "" } t.cleanup(os.RemoveAll, tmpDir) return tmpDir } // FullGinkgoTInterface func (t *ginkgoTestingTProxy) AddReportEntryVisibilityAlways(name string, args ...any) { finalArgs := []any{internal.Offset(1), types.ReportEntryVisibilityAlways} t.addReportEntry(name, append(finalArgs, args...)...) } func (t *ginkgoTestingTProxy) AddReportEntryVisibilityFailureOrVerbose(name string, args ...any) { finalArgs := []any{internal.Offset(1), types.ReportEntryVisibilityFailureOrVerbose} t.addReportEntry(name, append(finalArgs, args...)...) } func (t *ginkgoTestingTProxy) AddReportEntryVisibilityNever(name string, args ...any) { finalArgs := []any{internal.Offset(1), types.ReportEntryVisibilityNever} t.addReportEntry(name, append(finalArgs, args...)...) } func (t *ginkgoTestingTProxy) Print(a ...any) { t.writer.Print(a...) } func (t *ginkgoTestingTProxy) Printf(format string, a ...any) { t.writer.Printf(format, a...) } func (t *ginkgoTestingTProxy) Println(a ...any) { t.writer.Println(a...) } func (t *ginkgoTestingTProxy) F(format string, args ...any) string { return t.f.F(format, args...) } func (t *ginkgoTestingTProxy) Fi(indentation uint, format string, args ...any) string { return t.f.Fi(indentation, format, args...) } func (t *ginkgoTestingTProxy) Fiw(indentation uint, maxWidth uint, format string, args ...any) string { return t.f.Fiw(indentation, maxWidth, format, args...) } func (t *ginkgoTestingTProxy) RenderTimeline() string { return reporters.RenderTimeline(t.report(), false) } func (t *ginkgoTestingTProxy) GinkgoRecover() { t.ginkgoRecover() } func (t *ginkgoTestingTProxy) DeferCleanup(args ...any) { finalArgs := []any{internal.Offset(1)} t.cleanup(append(finalArgs, args...)...) } func (t *ginkgoTestingTProxy) RandomSeed() int64 { return t.randomSeed } func (t *ginkgoTestingTProxy) ParallelProcess() int { return t.parallelProcess } func (t *ginkgoTestingTProxy) ParallelTotal() int { return t.parallelTotal } func (t *ginkgoTestingTProxy) AttachProgressReporter(f func() string) func() { return t.attachProgressReporter(f) } func (t *ginkgoTestingTProxy) Output() io.Writer { return t.writer } func (t *ginkgoTestingTProxy) Attr(key, value string) { t.addReportEntry(key, value, internal.Offset(1), types.ReportEntryVisibilityFailureOrVerbose) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/config/deprecated.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/onsi/ginkgo/v2/config/deprecated.go
package config // GinkgoConfigType has been deprecated and its equivalent now lives in // the types package. You can no longer access Ginkgo configuration from the config // package. Instead use the DSL's GinkgoConfiguration() function to get copies of the // current configuration // // GinkgoConfigType is still here so custom V1 reporters do not result in a compilation error // It will be removed in a future minor release of Ginkgo type GinkgoConfigType = DeprecatedGinkgoConfigType type DeprecatedGinkgoConfigType struct { RandomSeed int64 RandomizeAllSpecs bool RegexScansFilePath bool FocusStrings []string SkipStrings []string SkipMeasurements bool FailOnPending bool FailFast bool FlakeAttempts int EmitSpecProgress bool DryRun bool DebugParallel bool ParallelNode int ParallelTotal int SyncHost string StreamHost string } // DefaultReporterConfigType has been deprecated and its equivalent now lives in // the types package. You can no longer access Ginkgo configuration from the config // package. Instead use the DSL's GinkgoConfiguration() function to get copies of the // current configuration // // DefaultReporterConfigType is still here so custom V1 reporters do not result in a compilation error // It will be removed in a future minor release of Ginkgo type DefaultReporterConfigType = DeprecatedDefaultReporterConfigType type DeprecatedDefaultReporterConfigType struct { NoColor bool SlowSpecThreshold float64 NoisyPendings bool NoisySkippings bool Succinct bool Verbose bool FullTrace bool ReportPassed bool ReportFile string } // Sadly there is no way to gracefully deprecate access to these global config variables. // Users who need access to Ginkgo's configuration should use the DSL's GinkgoConfiguration() method // These new unwieldy type names exist to give users a hint when they try to compile and the compilation fails type GinkgoConfigIsNoLongerAccessibleFromTheConfigPackageUseTheDSLsGinkgoConfigurationFunctionInstead struct{} // Sadly there is no way to gracefully deprecate access to these global config variables. // Users who need access to Ginkgo's configuration should use the DSL's GinkgoConfiguration() method // These new unwieldy type names exist to give users a hint when they try to compile and the compilation fails var GinkgoConfig = GinkgoConfigIsNoLongerAccessibleFromTheConfigPackageUseTheDSLsGinkgoConfigurationFunctionInstead{} // Sadly there is no way to gracefully deprecate access to these global config variables. // Users who need access to Ginkgo's configuration should use the DSL's GinkgoConfiguration() method // These new unwieldy type names exist to give users a hint when they try to compile and the compilation fails type DefaultReporterConfigIsNoLongerAccessibleFromTheConfigPackageUseTheDSLsGinkgoConfigurationFunctionInstead struct{} // Sadly there is no way to gracefully deprecate access to these global config variables. // Users who need access to Ginkgo's configuration should use the DSL's GinkgoConfiguration() method // These new unwieldy type names exist to give users a hint when they try to compile and the compilation fails var DefaultReporterConfig = DefaultReporterConfigIsNoLongerAccessibleFromTheConfigPackageUseTheDSLsGinkgoConfigurationFunctionInstead{}
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/mattermost/xml-roundtrip-validator/validator.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/mattermost/xml-roundtrip-validator/validator.go
package validator import ( "bytes" "encoding/xml" "errors" "fmt" "io" ) // XMLRoundtripError is returned when a round-trip token doesn't match the original type XMLRoundtripError struct { Expected, Observed xml.Token Overflow []byte } func (err XMLRoundtripError) Error() string { if len(err.Overflow) == 0 { return fmt.Sprintf("roundtrip error: expected %v, observed %v", err.Expected, err.Observed) } return fmt.Sprintf("roundtrip error: unexpected overflow after token: %s", err.Overflow) } // XMLValidationError is returned when validating an XML document fails type XMLValidationError struct { Start, End, Line, Column int64 err error } func (err XMLValidationError) Error() string { return fmt.Sprintf("validator: in token starting at %d:%d: %s", err.Line, err.Column, err.err.Error()) } func (err XMLValidationError) Unwrap() error { return err.err } // Validate makes sure the given XML bytes survive round trips through encoding/xml without mutations func Validate(xmlReader io.Reader) error { xmlBuffer := &bytes.Buffer{} xmlReader = &byteReader{io.TeeReader(xmlReader, xmlBuffer)} decoder := xml.NewDecoder(xmlReader) decoder.Strict = false decoder.CharsetReader = func(charset string, input io.Reader) (io.Reader, error) { return input, nil } offset := int64(0) for { token, err := decoder.RawToken() if errors.Is(err, io.EOF) { return nil } else if err != nil { return err } if err := CheckToken(token); err != nil { xmlBytes := xmlBuffer.Bytes() line := bytes.Count(xmlBytes[0:offset], []byte{'\n'}) + 1 lineStart := int64(bytes.LastIndexByte(xmlBytes[0:offset], '\n')) + 1 column := offset - lineStart + 1 return XMLValidationError{ Start: offset, End: decoder.InputOffset(), Line: int64(line), Column: column, err: err, } } offset = decoder.InputOffset() } } // ValidateAll is like Validate, but instead of returning after the first error, // it accumulates errors and validates the entire document func ValidateAll(xmlReader io.Reader) []error { xmlBuffer := &bytes.Buffer{} xmlReader = io.TeeReader(xmlReader, xmlBuffer) errs := []error{} offset := int64(0) line := int64(1) column := int64(1) for { err := Validate(xmlReader) if err == nil { // reached the end with no additional errors break } validationError := XMLValidationError{} if errors.As(err, &validationError) { // validation errors contain line numbers and offsets, but // these offsets are based on the offset where Validate // was called, so they need to be adjusted to accordingly validationError.Start += offset validationError.End += offset if validationError.Line == 1 { validationError.Column += column - 1 } validationError.Line += line - 1 errs = append(errs, validationError) xmlBytes := xmlBuffer.Bytes() offset += int64(len(xmlBytes)) newLines := int64(bytes.Count(xmlBytes, []byte("\n"))) line += newLines if newLines > 0 { column = int64(len(xmlBytes) - bytes.LastIndex(xmlBytes, []byte("\n"))) } else { column += int64(len(xmlBytes)) } xmlBuffer.Reset() } else { // this was not a validation error, but likely // completely unparseable XML instead; no point // in trying to continue errs = append(errs, err) break } } return errs } // bufio implements a ByteReader but we explicitly don't want any buffering type byteReader struct { r io.Reader } func (r *byteReader) ReadByte() (byte, error) { var p [1]byte n, err := r.r.Read(p[:]) // The doc for the io.ByteReader interface states: // If ReadByte returns an error, no input byte was consumed, and the returned byte value is undefined. // So if a byte is actually extracted from the reader, and we want to return it, we mustn't return the error. if n > 0 { // this byteReader is only used in the context of the Validate() function, // we deliberately choose to completely ignore the error in this case. // return the byte extracted from the reader return p[0], nil } return 0, err } func (r *byteReader) Read(p []byte) (int, error) { return r.r.Read(p) } // CheckToken computes a round trip for a given xml.Token and returns an // error if the newly calculated token differs from the original func CheckToken(before xml.Token) error { buffer := &bytes.Buffer{} encoder := xml.NewEncoder(buffer) switch t := before.(type) { // nolint:gocritic case xml.EndElement: // xml.Encoder expects matching StartElements for all EndElements if err := encoder.EncodeToken(xml.StartElement{Name: t.Name}); err != nil { return err } } if err := encoder.EncodeToken(before); err != nil { return err } if err := encoder.Flush(); err != nil { return err } encoded := buffer.Bytes() decoder := xml.NewDecoder(bytes.NewReader(encoded)) decoder.CharsetReader = func(charset string, input io.Reader) (io.Reader, error) { return input, nil } switch before.(type) { // nolint:gocritic case xml.EndElement: if _, err := decoder.RawToken(); err != nil { return err } } after, err := decoder.RawToken() if err != nil { return err } if !tokenEquals(before, after) { return XMLRoundtripError{before, after, nil} } offset := decoder.InputOffset() if offset != int64(len(encoded)) { // this is likely unreachable, but just in case return XMLRoundtripError{before, after, encoded[offset:]} } return nil } func tokenEquals(before, after xml.Token) bool { switch t1 := before.(type) { case xml.CharData: t2, ok := after.(xml.CharData) if !ok { return false } return bytes.Equal(t1, t2) case xml.Comment: t2, ok := after.(xml.Comment) if !ok { return false } return bytes.Equal(t1, t2) case xml.Directive: t2, ok := after.(xml.Directive) if !ok { return false } return bytes.Equal(t1, t2) case xml.EndElement: t2, ok := after.(xml.EndElement) if !ok { return false } // local name should equal; namespace prefixes get erased return t1.Name.Local == t2.Name.Local && t2.Name.Space == "" case xml.ProcInst: t2, ok := after.(xml.ProcInst) if !ok { return false } return t1.Target == t2.Target && bytes.Equal(t1.Inst, t2.Inst) case xml.StartElement: t2, ok := after.(xml.StartElement) if !ok { return false } // encoding/xml messes up namespace prefixes on both tag and attribute names; // they need adjusting to make the comparison possible fixNamespacePrefixes(&t1, &t2) if t1.Name != t2.Name { return false } if len(t1.Attr) != len(t2.Attr) { return false } // after the call to fixNamespacePrefixes, all attributes should match; // ordering is preserved for i, attr := range t1.Attr { if attr != t2.Attr[i] { return false } } return true } return false } func fixNamespacePrefixes(before, after *xml.StartElement) { // if the after token has more attributes than the before token, // the round trip likely introduced new xmlns attributes if len(after.Attr) > len(before.Attr) { // handle erased tag prefixes; the corresponding xmlns attribute is always the first one if (before.Name.Space != "" && after.Name.Space == "" && after.Attr[0].Name == xml.Name{Local: "xmlns"}) { after.Name.Space = after.Attr[0].Value after.Attr = after.Attr[1:] } // handle attribute prefixes; the xmlns attribute always comes immediately before the prefixed attribute for len(after.Attr) > len(before.Attr) && len(after.Attr) > 1 { var xmlns *xml.Attr i := 1 for ; i < len(after.Attr); i++ { if after.Attr[i-1].Name.Space == "xmlns" && after.Attr[i-1].Name.Local == after.Attr[i].Name.Space { xmlns = &after.Attr[i-1] break } } if xmlns == nil { break } prefix := xmlns.Name.Local space := xmlns.Value copy(after.Attr[i-1:], after.Attr[i:]) after.Attr = after.Attr[:len(after.Attr)-1] for j := range after.Attr { if after.Attr[j].Name.Space == prefix { after.Attr[j].Name.Space = space } } } } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/system.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/system.go
// Licensed to Elasticsearch B.V. under one or more contributor // license agreements. See the NOTICE file distributed with // this work for additional information regarding copyright // ownership. Elasticsearch B.V. licenses this file to you 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 sysinfo import ( "runtime" "github.com/elastic/go-sysinfo/internal/registry" "github.com/elastic/go-sysinfo/types" // Register host and process providers. _ "github.com/elastic/go-sysinfo/providers/aix" _ "github.com/elastic/go-sysinfo/providers/darwin" _ "github.com/elastic/go-sysinfo/providers/linux" _ "github.com/elastic/go-sysinfo/providers/windows" ) type ProviderOption func(*registry.ProviderOptions) // WithHostFS returns a provider with a custom HostFS root path, // enabling use of the library from within a container, or an alternate root path on linux. // For example, WithHostFS("/hostfs") can be used when /hostfs points to the root filesystem of the container host. // For full functionality, the alternate hostfs should have: // - /proc // - /var // - /etc func WithHostFS(hostfs string) ProviderOption { return func(po *registry.ProviderOptions) { po.Hostfs = hostfs } } // Go returns information about the Go runtime. func Go() types.GoInfo { return types.GoInfo{ OS: runtime.GOOS, Arch: runtime.GOARCH, MaxProcs: runtime.GOMAXPROCS(0), Version: runtime.Version(), } } func applyOptsAndReturnProvider(opts ...ProviderOption) registry.ProviderOptions { options := registry.ProviderOptions{} for _, opt := range opts { opt(&options) } return options } // setupProcessProvider returns a ProcessProvider. // Most of the exported functions here deal with processes, // so this just gets wrapped by all the external functions func setupProcessProvider(opts ...ProviderOption) (registry.ProcessProvider, error) { provider := registry.GetProcessProvider(applyOptsAndReturnProvider(opts...)) if provider == nil { return nil, types.ErrNotImplemented } return provider, nil } // Host returns information about host on which this process is running. If // host information collection is not implemented for this platform then // types.ErrNotImplemented is returned. // On Darwin (macOS) a types.ErrNotImplemented is returned with cgo disabled. func Host(opts ...ProviderOption) (types.Host, error) { provider := registry.GetHostProvider(applyOptsAndReturnProvider(opts...)) if provider == nil { return nil, types.ErrNotImplemented } return provider.Host() } // Process returns a types.Process object representing the process associated // with the given PID. The types.Process object can be used to query information // about the process. If process information collection is not implemented for // this platform then types.ErrNotImplemented is returned. func Process(pid int, opts ...ProviderOption) (types.Process, error) { provider, err := setupProcessProvider(opts...) if err != nil { return nil, err } return provider.Process(pid) } // Processes return a list of all processes. If process information collection // is not implemented for this platform then types.ErrNotImplemented is // returned. func Processes(opts ...ProviderOption) ([]types.Process, error) { provider, err := setupProcessProvider(opts...) if err != nil { return nil, err } return provider.Processes() } // Self return a types.Process object representing this process. If process // information collection is not implemented for this platform then // types.ErrNotImplemented is returned. func Self(opts ...ProviderOption) (types.Process, error) { provider, err := setupProcessProvider(opts...) if err != nil { return nil, err } return provider.Self() }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/types/errors.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/types/errors.go
// Licensed to Elasticsearch B.V. under one or more contributor // license agreements. See the NOTICE file distributed with // this work for additional information regarding copyright // ownership. Elasticsearch B.V. licenses this file to you 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 types import "errors" // ErrNotImplemented represents an error for a function that is not implemented on a particular platform. var ErrNotImplemented = errors.New("unimplemented")
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/types/process.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/types/process.go
// Licensed to Elasticsearch B.V. under one or more contributor // license agreements. See the NOTICE file distributed with // this work for additional information regarding copyright // ownership. Elasticsearch B.V. licenses this file to you 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 types import "time" // Process is the main wrapper for gathering information on a process type Process interface { CPUTimer // Info returns process info. // It may return partial information if the provider // implementation is unable to collect all the necessary data. Info() (ProcessInfo, error) Memory() (MemoryInfo, error) User() (UserInfo, error) Parent() (Process, error) PID() int } // ProcessInfo contains basic stats about a process type ProcessInfo struct { Name string `json:"name"` PID int `json:"pid"` PPID int `json:"ppid"` CWD string `json:"cwd"` Exe string `json:"exe"` Args []string `json:"args"` StartTime time.Time `json:"start_time"` } // UserInfo contains information about the UID and GID // values of a process. type UserInfo struct { // UID is the user ID. // On Linux and Darwin (macOS) this is the real user ID. // On Windows, this is the security identifier (SID) of the // user account of the process access token. UID string `json:"uid"` // On Linux and Darwin (macOS) this is the effective user ID. // On Windows, this is empty. EUID string `json:"euid"` // On Linux and Darwin (macOS) this is the saved user ID. // On Windows, this is empty. SUID string `json:"suid"` // GID is the primary group ID. // On Linux and Darwin (macOS) this is the real group ID. // On Windows, this is the security identifier (SID) of the // primary group of the process access token. GID string `json:"gid"` // On Linux and Darwin (macOS) this is the effective group ID. // On Windows, this is empty. EGID string `json:"egid"` // On Linux and Darwin (macOS) this is the saved group ID. // On Windows, this is empty. SGID string `json:"sgid"` } // Environment is the interface that wraps the Environment method. // Environment returns variables for a process type Environment interface { Environment() (map[string]string, error) } // OpenHandleEnumerator is the interface that wraps the OpenHandles method. // OpenHandles lists the open file handles. type OpenHandleEnumerator interface { OpenHandles() ([]string, error) } // OpenHandleCounter is the interface that wraps the OpenHandleCount method. // OpenHandleCount returns the number of open file handles. type OpenHandleCounter interface { OpenHandleCount() (int, error) } // CPUTimer is the interface that wraps the CPUTime method. // CPUTime returns CPU time info type CPUTimer interface { // CPUTime returns a CPUTimes structure for // the host or some process. // // The User and System fields are guaranteed // to be populated for all platforms, and // for both hosts and processes. // This may return types.ErrNotImplemented // if the provider cannot implement collection of this data. CPUTime() (CPUTimes, error) } // CPUTimes contains CPU timing stats for a process type CPUTimes struct { User time.Duration `json:"user"` System time.Duration `json:"system"` Idle time.Duration `json:"idle,omitempty"` IOWait time.Duration `json:"iowait,omitempty"` IRQ time.Duration `json:"irq,omitempty"` Nice time.Duration `json:"nice,omitempty"` SoftIRQ time.Duration `json:"soft_irq,omitempty"` Steal time.Duration `json:"steal,omitempty"` } // Total returns the total CPU time func (cpu CPUTimes) Total() time.Duration { return cpu.User + cpu.System + cpu.Idle + cpu.IOWait + cpu.IRQ + cpu.Nice + cpu.SoftIRQ + cpu.Steal } // MemoryInfo contains memory stats for a process type MemoryInfo struct { Resident uint64 `json:"resident_bytes"` Virtual uint64 `json:"virtual_bytes"` Metrics map[string]uint64 `json:"raw,omitempty"` // Other memory related metrics. } // SeccompInfo contains seccomp info for a process type SeccompInfo struct { Mode string `json:"mode"` NoNewPrivs *bool `json:"no_new_privs,omitempty"` // Added in kernel 4.10. } // CapabilityInfo contains capability set info. type CapabilityInfo struct { Inheritable []string `json:"inheritable"` Permitted []string `json:"permitted"` Effective []string `json:"effective"` Bounding []string `json:"bounding"` Ambient []string `json:"ambient"` } // Capabilities is the interface that wraps the Capabilities method. // Capabilities returns capabilities for a process type Capabilities interface { Capabilities() (*CapabilityInfo, error) } // Seccomp is the interface that wraps the Seccomp method. // Seccomp returns seccomp info on Linux type Seccomp interface { Seccomp() (*SeccompInfo, error) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/types/go.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/types/go.go
// Licensed to Elasticsearch B.V. under one or more contributor // license agreements. See the NOTICE file distributed with // this work for additional information regarding copyright // ownership. Elasticsearch B.V. licenses this file to you 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 types // GoInfo contains info about the go runtime type GoInfo struct { OS string `json:"os"` Arch string `json:"arch"` MaxProcs int `json:"max_procs"` Version string `json:"version"` }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/types/host.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/types/host.go
// Licensed to Elasticsearch B.V. under one or more contributor // license agreements. See the NOTICE file distributed with // this work for additional information regarding copyright // ownership. Elasticsearch B.V. licenses this file to you 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 types import ( "context" "time" ) // Host is the interface that wraps methods for returning Host stats // It may return partial information if the provider // implementation is unable to collect all of the necessary data. type Host interface { CPUTimer Info() HostInfo Memory() (*HostMemoryInfo, error) // FQDNWithContext returns the fully-qualified domain name of the host. FQDNWithContext(ctx context.Context) (string, error) // FQDN calls FQDNWithContext with a background context. // Deprecated: Use FQDNWithContext instead. FQDN() (string, error) } // NetworkCounters represents network stats from /proc/net type NetworkCounters interface { NetworkCounters() (*NetworkCountersInfo, error) } // SNMP represents the data from /proc/net/snmp // Note that according to RFC 2012,TCP.MaxConn, if present, is a signed value and should be cast to int64 type SNMP struct { IP map[string]uint64 `json:"ip" netstat:"Ip"` ICMP map[string]uint64 `json:"icmp" netstat:"Icmp"` ICMPMsg map[string]uint64 `json:"icmp_msg" netstat:"IcmpMsg"` TCP map[string]uint64 `json:"tcp" netstat:"Tcp"` UDP map[string]uint64 `json:"udp" netstat:"Udp"` UDPLite map[string]uint64 `json:"udp_lite" netstat:"UdpLite"` } // Netstat represents the data from /proc/net/netstat type Netstat struct { TCPExt map[string]uint64 `json:"tcp_ext" netstat:"TcpExt"` IPExt map[string]uint64 `json:"ip_ext" netstat:"IpExt"` } // NetworkCountersInfo represents available network counters from /proc/net type NetworkCountersInfo struct { SNMP SNMP `json:"snmp"` Netstat Netstat `json:"netstat"` } // VMStat is the interface wrapper for platforms that support /proc/vmstat. type VMStat interface { VMStat() (*VMStatInfo, error) } // HostInfo contains basic host information. type HostInfo struct { Architecture string `json:"architecture"` // Process hardware architecture (e.g. x86_64, arm, ppc, mips). NativeArchitecture string `json:"native_architecture"` // Native OS hardware architecture (e.g. x86_64, arm, ppc, mips). BootTime time.Time `json:"boot_time"` // Host boot time. Containerized *bool `json:"containerized,omitempty"` // Is the process containerized. Hostname string `json:"name"` // Hostname. IPs []string `json:"ip,omitempty"` // List of all IPs. KernelVersion string `json:"kernel_version"` // Kernel version. MACs []string `json:"mac"` // List of MAC addresses. OS *OSInfo `json:"os"` // OS information. Timezone string `json:"timezone"` // System timezone. TimezoneOffsetSec int `json:"timezone_offset_sec"` // Timezone offset (seconds from UTC). UniqueID string `json:"id,omitempty"` // Unique ID of the host (optional). } // Uptime returns the system uptime func (host HostInfo) Uptime() time.Duration { return time.Since(host.BootTime) } // OSInfo contains basic OS information type OSInfo struct { Type string `json:"type"` // OS Type (one of linux, macos, unix, windows). Family string `json:"family"` // OS Family (e.g. redhat, debian, freebsd, windows). Platform string `json:"platform"` // OS platform (e.g. centos, ubuntu, windows). Name string `json:"name"` // OS Name (e.g. Mac OS X, CentOS). Version string `json:"version"` // OS version (e.g. 10.12.6). Major int `json:"major"` // Major release version. Minor int `json:"minor"` // Minor release version. Patch int `json:"patch"` // Patch release version. Build string `json:"build,omitempty"` // Build (e.g. 16G1114). Codename string `json:"codename,omitempty"` // OS codename (e.g. jessie). } // LoadAverage is the interface that wraps the LoadAverage method. // LoadAverage returns load info on the host type LoadAverage interface { LoadAverage() (*LoadAverageInfo, error) } // LoadAverageInfo contains load statistics type LoadAverageInfo struct { One float64 `json:"one_min"` Five float64 `json:"five_min"` Fifteen float64 `json:"fifteen_min"` } // HostMemoryInfo (all values are specified in bytes). type HostMemoryInfo struct { Total uint64 `json:"total_bytes"` // Total physical memory. Used uint64 `json:"used_bytes"` // Total - Free Available uint64 `json:"available_bytes"` // Amount of memory available without swapping. Free uint64 `json:"free_bytes"` // Amount of memory not used by the system. VirtualTotal uint64 `json:"virtual_total_bytes"` // Total virtual memory. VirtualUsed uint64 `json:"virtual_used_bytes"` // VirtualTotal - VirtualFree VirtualFree uint64 `json:"virtual_free_bytes"` // Virtual memory that is not used. Metrics map[string]uint64 `json:"raw,omitempty"` // Other memory related metrics. } // VMStatInfo contains parsed info from /proc/vmstat. // This procfs file has expanded much over the years // with different kernel versions. If we don't have a field in vmstat, // the field in the struct will just be blank. The comments represent kernel versions. type VMStatInfo struct { NrFreePages uint64 `json:"nr_free_pages"` // (since Linux 2.6.31) NrAllocBatch uint64 `json:"nr_alloc_batch"` // (since Linux 3.12) NrInactiveAnon uint64 `json:"nr_inactive_anon"` // (since Linux 2.6.28) NrActiveAnon uint64 `json:"nr_active_anon"` // (since Linux 2.6.28) NrInactiveFile uint64 `json:"nr_inactive_file"` // (since Linux 2.6.28) NrActiveFile uint64 `json:"nr_active_file"` // (since Linux 2.6.28) NrUnevictable uint64 `json:"nr_unevictable"` // (since Linux 2.6.28) NrMlock uint64 `json:"nr_mlock"` // (since Linux 2.6.28) NrAnonPages uint64 `json:"nr_anon_pages"` // (since Linux 2.6.18) NrMapped uint64 `json:"nr_mapped"` // (since Linux 2.6.0) NrFilePages uint64 `json:"nr_file_pages"` // (since Linux 2.6.18) NrDirty uint64 `json:"nr_dirty"` // (since Linux 2.6.0) NrWriteback uint64 `json:"nr_writeback"` // (since Linux 2.6.0) NrSlabReclaimable uint64 `json:"nr_slab_reclaimable"` // (since Linux 2.6.19) NrSlabUnreclaimable uint64 `json:"nr_slab_unreclaimable"` // (since Linux 2.6.19) NrPageTablePages uint64 `json:"nr_page_table_pages"` // (since Linux 2.6.0) NrKernelStack uint64 `json:"nr_kernel_stack"` // (since Linux 2.6.32) Amount of memory allocated to kernel stacks. NrUnstable uint64 `json:"nr_unstable"` // (since Linux 2.6.0) NrBounce uint64 `json:"nr_bounce"` // (since Linux 2.6.12) NrVmscanWrite uint64 `json:"nr_vmscan_write"` // (since Linux 2.6.19) NrVmscanImmediateReclaim uint64 `json:"nr_vmscan_immediate_reclaim"` // (since Linux 3.2) NrWritebackTemp uint64 `json:"nr_writeback_temp"` // (since Linux 2.6.26) NrIsolatedAnon uint64 `json:"nr_isolated_anon"` // (since Linux 2.6.32) NrIsolatedFile uint64 `json:"nr_isolated_file"` // (since Linux 2.6.32) NrShmem uint64 `json:"nr_shmem"` // (since Linux 2.6.32) Pages used by shmem and tmpfs(5). NrDirtied uint64 `json:"nr_dirtied"` // (since Linux 2.6.37) NrWritten uint64 `json:"nr_written"` // (since Linux 2.6.37) NrPagesScanned uint64 `json:"nr_pages_scanned"` // (since Linux 3.17) NumaHit uint64 `json:"numa_hit"` // (since Linux 2.6.18) NumaMiss uint64 `json:"numa_miss"` // (since Linux 2.6.18) NumaForeign uint64 `json:"numa_foreign"` // (since Linux 2.6.18) NumaInterleave uint64 `json:"numa_interleave"` // (since Linux 2.6.18) NumaLocal uint64 `json:"numa_local"` // (since Linux 2.6.18) NumaOther uint64 `json:"numa_other"` // (since Linux 2.6.18) WorkingsetRefault uint64 `json:"workingset_refault"` // (since Linux 3.15) WorkingsetActivate uint64 `json:"workingset_activate"` // (since Linux 3.15) WorkingsetNodereclaim uint64 `json:"workingset_nodereclaim"` // (since Linux 3.15) NrAnonTransparentHugepages uint64 `json:"nr_anon_transparent_hugepages"` // (since Linux 2.6.38) NrFreeCma uint64 `json:"nr_free_cma"` // (since Linux 3.7) Number of free CMA (Contiguous Memory Allocator) pages. NrDirtyThreshold uint64 `json:"nr_dirty_threshold"` // (since Linux 2.6.37) NrDirtyBackgroundThreshold uint64 `json:"nr_dirty_background_threshold"` // (since Linux 2.6.37) Pgpgin uint64 `json:"pgpgin"` // (since Linux 2.6.0) Pgpgout uint64 `json:"pgpgout"` // (since Linux 2.6.0) Pswpin uint64 `json:"pswpin"` // (since Linux 2.6.0) Pswpout uint64 `json:"pswpout"` // (since Linux 2.6.0) PgallocDma uint64 `json:"pgalloc_dma"` // (since Linux 2.6.5) PgallocDma32 uint64 `json:"pgalloc_dma32"` // (since Linux 2.6.16) PgallocNormal uint64 `json:"pgalloc_normal"` // (since Linux 2.6.5) PgallocHigh uint64 `json:"pgalloc_high"` // (since Linux 2.6.5) PgallocMovable uint64 `json:"pgalloc_movable"` // (since Linux 2.6.23) Pgfree uint64 `json:"pgfree"` // (since Linux 2.6.0) Pgactivate uint64 `json:"pgactivate"` // (since Linux 2.6.0) Pgdeactivate uint64 `json:"pgdeactivate"` // (since Linux 2.6.0) Pgfault uint64 `json:"pgfault"` // (since Linux 2.6.0) Pgmajfault uint64 `json:"pgmajfault"` // (since Linux 2.6.0) PgrefillDma uint64 `json:"pgrefill_dma"` // (since Linux 2.6.5) PgrefillDma32 uint64 `json:"pgrefill_dma32"` // (since Linux 2.6.16) PgrefillNormal uint64 `json:"pgrefill_normal"` // (since Linux 2.6.5) PgrefillHigh uint64 `json:"pgrefill_high"` // (since Linux 2.6.5) PgrefillMovable uint64 `json:"pgrefill_movable"` // (since Linux 2.6.23) PgstealKswapdDma uint64 `json:"pgsteal_kswapd_dma"` // (since Linux 3.4) PgstealKswapdDma32 uint64 `json:"pgsteal_kswapd_dma32"` // (since Linux 3.4) PgstealKswapdNormal uint64 `json:"pgsteal_kswapd_normal"` // (since Linux 3.4) PgstealKswapdHigh uint64 `json:"pgsteal_kswapd_high"` // (since Linux 3.4) PgstealKswapdMovable uint64 `json:"pgsteal_kswapd_movable"` // (since Linux 3.4) PgstealDirectDma uint64 `json:"pgsteal_direct_dma"` PgstealDirectDma32 uint64 `json:"pgsteal_direct_dma32"` // (since Linux 3.4) PgstealDirectNormal uint64 `json:"pgsteal_direct_normal"` // (since Linux 3.4) PgstealDirectHigh uint64 `json:"pgsteal_direct_high"` // (since Linux 3.4) PgstealDirectMovable uint64 `json:"pgsteal_direct_movable"` // (since Linux 2.6.23) PgscanKswapdDma uint64 `json:"pgscan_kswapd_dma"` PgscanKswapdDma32 uint64 `json:"pgscan_kswapd_dma32"` // (since Linux 2.6.16) PgscanKswapdNormal uint64 `json:"pgscan_kswapd_normal"` // (since Linux 2.6.5) PgscanKswapdHigh uint64 `json:"pgscan_kswapd_high"` PgscanKswapdMovable uint64 `json:"pgscan_kswapd_movable"` // (since Linux 2.6.23) PgscanDirectDma uint64 `json:"pgscan_direct_dma"` // PgscanDirectDma32 uint64 `json:"pgscan_direct_dma32"` // (since Linux 2.6.16) PgscanDirectNormal uint64 `json:"pgscan_direct_normal"` PgscanDirectHigh uint64 `json:"pgscan_direct_high"` PgscanDirectMovable uint64 `json:"pgscan_direct_movable"` // (since Linux 2.6.23) PgscanDirectThrottle uint64 `json:"pgscan_direct_throttle"` // (since Linux 3.6) ZoneReclaimFailed uint64 `json:"zone_reclaim_failed"` // (since linux 2.6.31) Pginodesteal uint64 `json:"pginodesteal"` // (since linux 2.6.0) SlabsScanned uint64 `json:"slabs_scanned"` // (since linux 2.6.5) KswapdInodesteal uint64 `json:"kswapd_inodesteal"` // (since linux 2.6.0) KswapdLowWmarkHitQuickly uint64 `json:"kswapd_low_wmark_hit_quickly"` // (since 2.6.33) KswapdHighWmarkHitQuickly uint64 `json:"kswapd_high_wmark_hit_quickly"` // (since 2.6.33) Pageoutrun uint64 `json:"pageoutrun"` // (since Linux 2.6.0) Allocstall uint64 `json:"allocstall"` // (since Linux 2.6.0) Pgrotated uint64 `json:"pgrotated"` // (since Linux 2.6.0) DropPagecache uint64 `json:"drop_pagecache"` // (since Linux 3.15) DropSlab uint64 `json:"drop_slab"` // (since Linux 3.15) NumaPteUpdates uint64 `json:"numa_pte_updates"` // (since Linux 3.8) NumaHugePteUpdates uint64 `json:"numa_huge_pte_updates"` // (since Linux 3.13) NumaHintFaults uint64 `json:"numa_hint_faults"` // (since Linux 3.8) NumaHintFaultsLocal uint64 `json:"numa_hint_faults_local"` // (since Linux 3.8) NumaPagesMigrated uint64 `json:"numa_pages_migrated"` // (since Linux 3.8) PgmigrateSuccess uint64 `json:"pgmigrate_success"` // (since Linux 3.8) PgmigrateFail uint64 `json:"pgmigrate_fail"` // (since Linux 3.8) CompactMigrateScanned uint64 `json:"compact_migrate_scanned"` // (since Linux 3.8) CompactFreeScanned uint64 `json:"compact_free_scanned"` // (since Linux 3.8) CompactIsolated uint64 `json:"compact_isolated"` // (since Linux 3.8) CompactStall uint64 `json:"compact_stall"` // (since Linux 2.6.35) See the kernel source file Documentation/admin-guide/mm/transhuge.rst. CompactFail uint64 `json:"compact_fail"` // (since Linux 2.6.35) See the kernel source file Documentation/admin-guide/mm/transhuge.rst. CompactSuccess uint64 `json:"compact_success"` // (since Linux 2.6.35) See the kernel source file Documentation/admin-guide/mm/transhuge.rst. HtlbBuddyAllocSuccess uint64 `json:"htlb_buddy_alloc_success"` // (since Linux 2.6.26) HtlbBuddyAllocFail uint64 `json:"htlb_buddy_alloc_fail"` // (since Linux 2.6.26) UnevictablePgsCulled uint64 `json:"unevictable_pgs_culled"` // (since Linux 2.6.28) UnevictablePgsScanned uint64 `json:"unevictable_pgs_scanned"` // (since Linux 2.6.28) UnevictablePgsRescued uint64 `json:"unevictable_pgs_rescued"` // (since Linux 2.6.28) UnevictablePgsMlocked uint64 `json:"unevictable_pgs_mlocked"` // (since Linux 2.6.28) UnevictablePgsMunlocked uint64 `json:"unevictable_pgs_munlocked"` // (since Linux 2.6.28) UnevictablePgsCleared uint64 `json:"unevictable_pgs_cleared"` // (since Linux 2.6.28) UnevictablePgsStranded uint64 `json:"unevictable_pgs_stranded"` // (since Linux 2.6.28) ThpFaultAlloc uint64 `json:"thp_fault_alloc"` // (since Linux 2.6.39) See the kernel source file Documentation/admin-guide/mm/transhuge.rst. ThpFaultFallback uint64 `json:"thp_fault_fallback"` // (since Linux 2.6.39) See the kernel source file Documentation/admin-guide/mm/transhuge.rst. ThpCollapseAlloc uint64 `json:"thp_collapse_alloc"` // (since Linux 2.6.39) See the kernel source file Documentation/admin-guide/mm/transhuge.rst. ThpCollapseAllocFailed uint64 `json:"thp_collapse_alloc_failed"` // (since Linux 2.6.39) See the kernel source file Documentation/admin-guide/mm/transhuge.rst. ThpSplit uint64 `json:"thp_split"` // (since Linux 2.6.39) See the kernel source file Documentation/admin-guide/mm/transhuge.rst. ThpZeroPageAlloc uint64 `json:"thp_zero_page_alloc"` // (since Linux 3.8) See the kernel source file Documentation/admin-guide/mm/transhuge.rst. ThpZeroPageAllocFailed uint64 `json:"thp_zero_page_alloc_failed"` // (since Linux 3.8) See the kernel source file Documentation/admin-guide/mm/transhuge.rst. BalloonInflate uint64 `json:"balloon_inflate"` // (since Linux 3.18) BalloonDeflate uint64 `json:"balloon_deflate"` // (since Linux 3.18) BalloonMigrate uint64 `json:"balloon_migrate"` // (since Linux 3.18) NrTlbRemoteFlush uint64 `json:"nr_tlb_remote_flush"` // (since Linux 3.12) NrTlbRemoteFlushReceived uint64 `json:"nr_tlb_remote_flush_received"` // (since Linux 3.12) NrTlbLocalFlushAll uint64 `json:"nr_tlb_local_flush_all"` // (since Linux 3.12) NrTlbLocalFlushOne uint64 `json:"nr_tlb_local_flush_one"` // (since Linux 3.12) VmacacheFindCalls uint64 `json:"vmacache_find_calls"` // (since Linux 3.16) VmacacheFindHits uint64 `json:"vmacache_find_hits"` // (since Linux 3.16) VmacacheFullFlushes uint64 `json:"vmacache_full_flushes"` // (since Linux 3.19) // the following fields are not documented in `man 5 proc` as of 4.15 NrZoneInactiveAnon uint64 `json:"nr_zone_inactive_anon"` NrZoneActiveAnon uint64 `json:"nr_zone_active_anon"` NrZoneInactiveFile uint64 `json:"nr_zone_inactive_file"` NrZoneActiveFile uint64 `json:"nr_zone_active_file"` NrZoneUnevictable uint64 `json:"nr_zone_unevictable"` NrZoneWritePending uint64 `json:"nr_zone_write_pending"` NrZspages uint64 `json:"nr_zspages"` NrShmemHugepages uint64 `json:"nr_shmem_hugepages"` NrShmemPmdmapped uint64 `json:"nr_shmem_pmdmapped"` AllocstallDma uint64 `json:"allocstall_dma"` AllocstallDma32 uint64 `json:"allocstall_dma32"` AllocstallNormal uint64 `json:"allocstall_normal"` AllocstallMovable uint64 `json:"allocstall_movable"` PgskipDma uint64 `json:"pgskip_dma"` PgskipDma32 uint64 `json:"pgskip_dma32"` PgskipNormal uint64 `json:"pgskip_normal"` PgskipMovable uint64 `json:"pgskip_movable"` Pglazyfree uint64 `json:"pglazyfree"` Pglazyfreed uint64 `json:"pglazyfreed"` Pgrefill uint64 `json:"pgrefill"` PgstealKswapd uint64 `json:"pgsteal_kswapd"` PgstealDirect uint64 `json:"pgsteal_direct"` PgscanKswapd uint64 `json:"pgscan_kswapd"` PgscanDirect uint64 `json:"pgscan_direct"` OomKill uint64 `json:"oom_kill"` CompactDaemonWake uint64 `json:"compact_daemon_wake"` CompactDaemonMigrateScanned uint64 `json:"compact_daemon_migrate_scanned"` CompactDaemonFreeScanned uint64 `json:"compact_daemon_free_scanned"` ThpFileAlloc uint64 `json:"thp_file_alloc"` ThpFileMapped uint64 `json:"thp_file_mapped"` ThpSplitPage uint64 `json:"thp_split_page"` ThpSplitPageFailed uint64 `json:"thp_split_page_failed"` ThpDeferredSplitPage uint64 `json:"thp_deferred_split_page"` ThpSplitPmd uint64 `json:"thp_split_pmd"` ThpSplitPud uint64 `json:"thp_split_pud"` ThpSwpout uint64 `json:"thp_swpout"` ThpSwpoutFallback uint64 `json:"thp_swpout_fallback"` SwapRa uint64 `json:"swap_ra"` SwapRaHit uint64 `json:"swap_ra_hit"` }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/providers/aix/process_aix_ppc64.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/providers/aix/process_aix_ppc64.go
// Licensed to Elasticsearch B.V. under one or more contributor // license agreements. See the NOTICE file distributed with // this work for additional information regarding copyright // ownership. Elasticsearch B.V. licenses this file to you 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. //go:build aix && ppc64 && cgo package aix /* #cgo LDFLAGS: -L/usr/lib -lperfstat #include <libperfstat.h> #include <procinfo.h> #include <sys/proc.h> */ import "C" import ( "bytes" "encoding/binary" "errors" "fmt" "io" "io/ioutil" "os" "path/filepath" "strconv" "strings" "syscall" "time" "unsafe" "github.com/elastic/go-sysinfo/types" ) // Processes returns a list of all actives processes. func (aixSystem) Processes() ([]types.Process, error) { // Retrieve processes using /proc instead of calling // getprocs which will also retrieve kernel threads. files, err := os.ReadDir("/proc") if err != nil { return nil, fmt.Errorf("error while reading /proc: %w", err) } processes := make([]types.Process, 0, len(files)) for _, f := range files { // Check that the file is a correct process directory. // /proc also contains special files (/proc/version) and threads // directories (/proc/pid directory but without any "as" file) if _, err := os.Stat("/proc/" + f.Name() + "/as"); err == nil { pid, _ := strconv.Atoi(f.Name()) processes = append(processes, &process{pid: pid}) } } return processes, nil } // Process returns the process designed by PID. func (aixSystem) Process(pid int) (types.Process, error) { p := process{pid: pid} return &p, nil } // Self returns the current process. func (s aixSystem) Self() (types.Process, error) { return s.Process(os.Getpid()) } type process struct { pid int info *types.ProcessInfo env map[string]string } // PID returns the PID of a process. func (p *process) PID() int { return p.pid } // Parent returns the parent of a process. func (p *process) Parent() (types.Process, error) { info, err := p.Info() if err != nil { return nil, err } return &process{pid: info.PPID}, nil } // Info returns all information about the process. func (p *process) Info() (types.ProcessInfo, error) { if p.info != nil { return *p.info, nil } p.info = &types.ProcessInfo{ PID: p.pid, } // Retrieve PPID and StartTime info := C.struct_procsinfo64{} cpid := C.pid_t(p.pid) num, err := C.getprocs(unsafe.Pointer(&info), C.sizeof_struct_procsinfo64, nil, 0, &cpid, 1) if num != 1 { err = syscall.ESRCH } if err != nil { return types.ProcessInfo{}, fmt.Errorf("error while calling getprocs: %w", err) } p.info.PPID = int(info.pi_ppid) // pi_start is the time in second since the process have started. p.info.StartTime = time.Unix(0, int64(uint64(info.pi_start)*1000*uint64(time.Millisecond))) // Retrieve arguments and executable name // If buffer is not large enough, args are truncated buf := make([]byte, 8192) var args []string if _, err := C.getargs(unsafe.Pointer(&info), C.sizeof_struct_procsinfo64, (*C.char)(&buf[0]), 8192); err != nil { return types.ProcessInfo{}, fmt.Errorf("error while calling getargs: %w", err) } bbuf := bytes.NewBuffer(buf) for { arg, err := bbuf.ReadBytes(0) if err == io.EOF || arg[0] == 0 { break } if err != nil { return types.ProcessInfo{}, fmt.Errorf("error while reading arguments: %w", err) } args = append(args, string(chop(arg))) } // For some special programs, getargs might return an empty buffer. if len(args) == 0 { args = append(args, "") } // The first element of the arguments list is the executable path. // There are some exceptions which don't have an executable path // but rather a special name directly in args[0]. if strings.Contains(args[0], "sshd: ") { // ssh connections can be named "sshd: root@pts/11". // If we are using filepath.Base, the result will only // be 11 because of the last "/". p.info.Name = args[0] } else { p.info.Name = filepath.Base(args[0]) } // The process was launched using its absolute path, so we can retrieve // the executable path from its "name". if filepath.IsAbs(args[0]) { p.info.Exe = filepath.Clean(args[0]) } else { // TODO: improve this case. The executable full path can still // be retrieve in some cases. Look at os/executable_path.go // in the stdlib. // For the moment, let's "exe" be the same as "name" p.info.Exe = p.info.Name } p.info.Args = args // Get CWD cwd, err := os.Readlink("/proc/" + strconv.Itoa(p.pid) + "/cwd") if err != nil { if !os.IsNotExist(err) { return types.ProcessInfo{}, fmt.Errorf("error while reading /proc/%s/cwd: %w", strconv.Itoa(p.pid), err) } } p.info.CWD = strings.TrimSuffix(cwd, "/") return *p.info, nil } // Environment returns the environment of a process. func (p *process) Environment() (map[string]string, error) { if p.env != nil { return p.env, nil } p.env = map[string]string{} /* If buffer is not large enough, args are truncated */ buf := make([]byte, 8192) info := C.struct_procsinfo64{} info.pi_pid = C.pid_t(p.pid) if _, err := C.getevars(unsafe.Pointer(&info), C.sizeof_struct_procsinfo64, (*C.char)(&buf[0]), 8192); err != nil { return nil, fmt.Errorf("error while calling getevars: %w", err) } bbuf := bytes.NewBuffer(buf) delim := []byte{61} // "=" for { line, err := bbuf.ReadBytes(0) if err == io.EOF || line[0] == 0 { break } if err != nil { return nil, fmt.Errorf("error while calling getevars: %w", err) } pair := bytes.SplitN(chop(line), delim, 2) if len(pair) != 2 { return nil, errors.New("error reading process environment") } p.env[string(pair[0])] = string(pair[1]) } return p.env, nil } // User returns the user IDs of a process. func (p *process) User() (types.UserInfo, error) { var prcred prcred if err := p.decodeProcfsFile("cred", &prcred); err != nil { return types.UserInfo{}, err } return types.UserInfo{ UID: strconv.Itoa(int(prcred.Ruid)), EUID: strconv.Itoa(int(prcred.Euid)), SUID: strconv.Itoa(int(prcred.Suid)), GID: strconv.Itoa(int(prcred.Rgid)), EGID: strconv.Itoa(int(prcred.Egid)), SGID: strconv.Itoa(int(prcred.Sgid)), }, nil } // Memory returns the current memory usage of a process. func (p *process) Memory() (types.MemoryInfo, error) { var mem types.MemoryInfo pagesize := uint64(os.Getpagesize()) info := C.struct_procsinfo64{} cpid := C.pid_t(p.pid) num, err := C.getprocs(unsafe.Pointer(&info), C.sizeof_struct_procsinfo64, nil, 0, &cpid, 1) if num != 1 { err = syscall.ESRCH } if err != nil { return types.MemoryInfo{}, fmt.Errorf("error while calling getprocs: %w", err) } mem.Resident = uint64(info.pi_drss+info.pi_trss) * pagesize mem.Virtual = uint64(info.pi_dvm) * pagesize return mem, nil } // CPUTime returns the current CPU usage of a process. func (p *process) CPUTime() (types.CPUTimes, error) { var pstatus pstatus if err := p.decodeProcfsFile("status", &pstatus); err != nil { return types.CPUTimes{}, err } return types.CPUTimes{ User: time.Duration(pstatus.Utime.Sec*1e9 + int64(pstatus.Utime.Nsec)), System: time.Duration(pstatus.Stime.Sec*1e9 + int64(pstatus.Stime.Nsec)), }, nil } func (p *process) decodeProcfsFile(name string, data interface{}) error { fileName := "/proc/" + strconv.Itoa(p.pid) + "/" + name file, err := os.Open(fileName) if err != nil { return fmt.Errorf("error while opening %s: %w", fileName, err) } defer file.Close() if err := binary.Read(file, binary.BigEndian, data); err != nil { return fmt.Errorf("error while decoding %s: %w", fileName, err) } return nil } func chop(buf []byte) []byte { return buf[0 : len(buf)-1] }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/providers/aix/boottime_aix_ppc64.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/providers/aix/boottime_aix_ppc64.go
// Licensed to Elasticsearch B.V. under one or more contributor // license agreements. See the NOTICE file distributed with // this work for additional information regarding copyright // ownership. Elasticsearch B.V. licenses this file to you 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. //go:build aix && ppc64 package aix import ( "encoding/binary" "fmt" "os" "time" ) // utmp can't be used by "encoding/binary" if generated by cgo, // some pads will be missing. type utmp struct { User [256]uint8 Id [14]uint8 Line [64]uint8 XPad1 int16 Pid int32 Type int16 XPad2 int16 Time int64 Termination int16 Exit int16 Host [256]uint8 Xdblwordpad int32 XreservedA [2]int32 XreservedV [6]int32 } const ( typeBootTime = 2 ) // BootTime returns the time at which the machine was started, truncated to the nearest second func BootTime() (time.Time, error) { return bootTime("/etc/utmp") } func bootTime(filename string) (time.Time, error) { // Get boot time from /etc/utmp file, err := os.Open(filename) if err != nil { return time.Time{}, fmt.Errorf("failed to get host uptime: cannot open /etc/utmp: %w", err) } defer file.Close() for { var utmp utmp if err := binary.Read(file, binary.BigEndian, &utmp); err != nil { break } if utmp.Type == typeBootTime { return time.Unix(utmp.Time, 0), nil } } return time.Time{}, fmt.Errorf("failed to get host uptime: no utmp record: %w", err) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/providers/aix/os_aix_ppc64.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/providers/aix/os_aix_ppc64.go
// Licensed to Elasticsearch B.V. under one or more contributor // license agreements. See the NOTICE file distributed with // this work for additional information regarding copyright // ownership. Elasticsearch B.V. licenses this file to you 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. //go:build aix && ppc64 && cgo package aix import ( "fmt" "os" "strconv" "strings" "github.com/elastic/go-sysinfo/types" ) // OperatingSystem returns information of the host operating system func OperatingSystem() (*types.OSInfo, error) { return getOSInfo() } func getOSInfo() (*types.OSInfo, error) { major, minor, err := getKernelVersion() if err != nil { return nil, err } // Retrieve build version from "/proc/version". procVersion, err := os.ReadFile("/proc/version") if err != nil { return nil, fmt.Errorf("failed to get OS info: cannot open /proc/version: %w", err) } build := strings.SplitN(string(procVersion), "\n", 4)[2] return &types.OSInfo{ Type: "unix", Family: "aix", Platform: "aix", Name: "aix", Version: strconv.Itoa(major) + "." + strconv.Itoa(minor), Major: major, Minor: minor, Patch: 0, // No patch version Build: build, }, nil }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/providers/aix/ztypes_aix_ppc64.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/providers/aix/ztypes_aix_ppc64.go
// Licensed to Elasticsearch B.V. under one or more contributor // license agreements. See the NOTICE file distributed with // this work for additional information regarding copyright // ownership. Elasticsearch B.V. licenses this file to you 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. // Code generated by cmd/cgo -godefs; DO NOT EDIT. // cgo -godefs defs_aix.go //go:build aix && ppc64 package aix type prcred struct { Euid uint64 Ruid uint64 Suid uint64 Egid uint64 Rgid uint64 Sgid uint64 X_pad [8]uint64 X_pad1 uint32 Ngroups uint32 Groups [1]uint64 } type pstatus struct { Flag uint32 Flag2 uint32 Flags uint32 Nlwp uint32 Stat uint8 Dmodel uint8 X_pad1 [6]uint8 Sigpend prSigset Brkbase uint64 Brksize uint64 Stkbase uint64 Stksize uint64 Pid uint64 Ppid uint64 Pgid uint64 Sid uint64 Utime prTimestruc64 Stime prTimestruc64 Cutime prTimestruc64 Cstime prTimestruc64 Sigtrace prSigset Flttrace fltset Sysentry_offset uint32 Sysexit_offset uint32 X_pad [8]uint64 Lwp lwpstatus } type prTimestruc64 struct { Sec int64 Nsec int32 X__pad uint32 } type prSigset struct { Set [4]uint64 } type fltset struct { Set [4]uint64 } type lwpstatus struct { Lwpid uint64 Flags uint32 X_pad1 [1]uint8 State uint8 Cursig uint16 Why uint16 What uint16 Policy uint32 Clname [8]uint8 Lwppend prSigset Lwphold prSigset Info prSiginfo64 Altstack prStack64 Action prSigaction64 X_pad2 uint32 Syscall uint16 Nsysarg uint16 Sysarg [8]uint64 Errno int32 Ptid uint32 X_pad [9]uint64 Reg prgregset Fpreg prfpregset Family pfamily } type prSiginfo64 struct { Signo int32 Errno int32 Code int32 Imm int32 Status int32 X__pad1 uint32 Uid uint64 Pid uint64 Addr uint64 Band int64 Value [8]byte X__pad [4]uint32 } type prStack64 struct { Sp uint64 Size uint64 Flags int32 X__pad [5]int32 } type prSigaction64 struct { Union [8]byte Mask prSigset Flags int32 X__pad [5]int32 } type prgregset struct { X__iar uint64 X__msr uint64 X__cr uint64 X__lr uint64 X__ctr uint64 X__xer uint64 X__fpscr uint64 X__fpscrx uint64 X__gpr [32]uint64 X__pad1 [8]uint64 } type prfpregset struct { X__fpr [32]float64 } type pfamily struct { Extoff uint64 Extsize uint64 Pad [14]uint64 }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/providers/aix/host_aix_ppc64.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/providers/aix/host_aix_ppc64.go
// Licensed to Elasticsearch B.V. under one or more contributor // license agreements. See the NOTICE file distributed with // this work for additional information regarding copyright // ownership. Elasticsearch B.V. licenses this file to you 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. //go:build aix && ppc64 && cgo package aix /* #cgo LDFLAGS: -L/usr/lib -lperfstat #include <libperfstat.h> #include <procinfo.h> #include <sys/proc.h> */ import "C" import ( "context" "errors" "fmt" "os" "time" "github.com/elastic/go-sysinfo/internal/registry" "github.com/elastic/go-sysinfo/providers/shared" "github.com/elastic/go-sysinfo/types" ) //go:generate sh -c "go tool cgo -godefs defs_aix.go | sed 's/*byte/uint64/g' > ztypes_aix_ppc64.go" // As cgo will return some psinfo's fields with *byte, binary.Read will refuse this type. func init() { registry.Register(aixSystem{}) } type aixSystem struct{} // Host returns a new AIX host. func (aixSystem) Host() (types.Host, error) { return newHost() } type host struct { info types.HostInfo } // Architecture returns the architecture of the host func Architecture() (string, error) { return "ppc", nil } // Info returns the host details. func (h *host) Info() types.HostInfo { return h.info } // Info returns the current CPU usage of the host. func (*host) CPUTime() (types.CPUTimes, error) { clock := uint64(C.sysconf(C._SC_CLK_TCK)) tick2nsec := func(val uint64) uint64 { return val * 1e9 / clock } cpudata := C.perfstat_cpu_total_t{} if _, err := C.perfstat_cpu_total(nil, &cpudata, C.sizeof_perfstat_cpu_total_t, 1); err != nil { return types.CPUTimes{}, fmt.Errorf("error while callin perfstat_cpu_total: %w", err) } return types.CPUTimes{ User: time.Duration(tick2nsec(uint64(cpudata.user))), System: time.Duration(tick2nsec(uint64(cpudata.sys))), Idle: time.Duration(tick2nsec(uint64(cpudata.idle))), IOWait: time.Duration(tick2nsec(uint64(cpudata.wait))), }, nil } // Memory returns the current memory usage of the host. func (*host) Memory() (*types.HostMemoryInfo, error) { var mem types.HostMemoryInfo pagesize := uint64(os.Getpagesize()) meminfo := C.perfstat_memory_total_t{} _, err := C.perfstat_memory_total(nil, &meminfo, C.sizeof_perfstat_memory_total_t, 1) if err != nil { return nil, fmt.Errorf("perfstat_memory_total failed: %w", err) } mem.Total = uint64(meminfo.real_total) * pagesize mem.Free = uint64(meminfo.real_free) * pagesize mem.Used = uint64(meminfo.real_inuse) * pagesize // There is no real equivalent to memory available in AIX. mem.Available = mem.Free mem.VirtualTotal = uint64(meminfo.virt_total) * pagesize mem.VirtualFree = mem.Free + uint64(meminfo.pgsp_free)*pagesize mem.VirtualUsed = mem.VirtualTotal - mem.VirtualFree mem.Metrics = map[string]uint64{ "bytes_coalesced": uint64(meminfo.bytes_coalesced), "bytes_coalesced_mempool": uint64(meminfo.bytes_coalesced_mempool), "real_pinned": uint64(meminfo.real_pinned) * pagesize, "pgins": uint64(meminfo.pgins), "pgouts": uint64(meminfo.pgouts), "pgsp_free": uint64(meminfo.pgsp_free) * pagesize, "pgsp_rsvd": uint64(meminfo.pgsp_rsvd) * pagesize, } return &mem, nil } func (h *host) FQDNWithContext(ctx context.Context) (string, error) { return shared.FQDNWithContext(ctx) } func (h *host) FQDN() (string, error) { return h.FQDNWithContext(context.Background()) } func newHost() (*host, error) { h := &host{} r := &reader{} r.architecture(h) r.bootTime(h) r.hostname(h) r.network(h) r.kernelVersion(h) r.os(h) r.time(h) r.uniqueID(h) return h, r.Err() } type reader struct { errs []error } func (r *reader) addErr(err error) bool { if err != nil { if !errors.Is(err, types.ErrNotImplemented) { r.errs = append(r.errs, err) } return true } return false } func (r *reader) Err() error { if len(r.errs) > 0 { return errors.Join(r.errs...) } return nil } func (r *reader) architecture(h *host) { v, err := Architecture() if r.addErr(err) { return } h.info.Architecture = v } func (r *reader) bootTime(h *host) { v, err := BootTime() if r.addErr(err) { return } h.info.BootTime = v } func (r *reader) hostname(h *host) { v, err := os.Hostname() if r.addErr(err) { return } h.info.Hostname = v } func (r *reader) network(h *host) { ips, macs, err := shared.Network() if r.addErr(err) { return } h.info.IPs = ips h.info.MACs = macs } func (r *reader) kernelVersion(h *host) { v, err := KernelVersion() if r.addErr(err) { return } h.info.KernelVersion = v } func (r *reader) os(h *host) { v, err := OperatingSystem() if r.addErr(err) { return } h.info.OS = v } func (*reader) time(h *host) { h.info.Timezone, h.info.TimezoneOffsetSec = time.Now().Zone() } func (r *reader) uniqueID(h *host) { v, err := MachineID() if r.addErr(err) { return } h.info.UniqueID = v }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/providers/aix/machineid_aix_ppc64.go
cmd/vsphere-xcopy-volume-populator/vendor/github.com/elastic/go-sysinfo/providers/aix/machineid_aix_ppc64.go
// Licensed to Elasticsearch B.V. under one or more contributor // license agreements. See the NOTICE file distributed with // this work for additional information regarding copyright // ownership. Elasticsearch B.V. licenses this file to you 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. //go:build aix && ppc64 && cgo package aix /* #include <sys/utsname.h> */ import "C" import "fmt" // MachineID returns the id of the machine func MachineID() (string, error) { name := C.struct_utsname{} if _, err := C.uname(&name); err != nil { return "", fmt.Errorf("machine id: %w", err) } return C.GoString(&name.machine[0]), nil }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false