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/vendor/github.com/onsi/ginkgo/formatter/formatter.go
vendor/github.com/onsi/ginkgo/formatter/formatter.go
package formatter import ( "fmt" "regexp" "strings" ) const COLS = 80 type ColorMode uint8 const ( ColorModeNone ColorMode = iota ColorModeTerminal ColorModePassthrough ) var SingletonFormatter = New(ColorModeTerminal) func F(format string, args ...interface{}) string { return SingletonFormatter.F(format, args...) } func Fi(indentation uint, format string, args ...interface{}) string { return SingletonFormatter.Fi(indentation, format, args...) } func Fiw(indentation uint, maxWidth uint, format string, args ...interface{}) 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 { f := Formatter{ ColorMode: colorMode, colors: map[string]string{ "/": "\x1b[0m", "bold": "\x1b[1m", "underline": "\x1b[4m", "red": "\x1b[38;5;9m", "orange": "\x1b[38;5;214m", "coral": "\x1b[38;5;204m", "magenta": "\x1b[38;5;13m", "green": "\x1b[38;5;10m", "dark-green": "\x1b[38;5;28m", "yellow": "\x1b[38;5;11m", "light-yellow": "\x1b[38;5;228m", "cyan": "\x1b[38;5;14m", "gray": "\x1b[38;5;243m", "light-gray": "\x1b[38;5;246m", "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 ...interface{}) string { return f.Fi(0, format, args...) } func (f Formatter) Fi(indentation uint, format string, args ...interface{}) string { return f.Fiw(indentation, 0, format, args...) } func (f Formatter) Fiw(indentation uint, maxWidth uint, format string, args ...interface{}) string { out := fmt.Sprintf(f.style(format), 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 } outWords := []string{} length := uint(0) words := strings.Split(line, " ") for _, word := range words { wordLength := f.length(word) if length+wordLength <= maxWidth { length += wordLength 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/vendor/github.com/onsi/ginkgo/extensions/table/table.go
vendor/github.com/onsi/ginkgo/extensions/table/table.go
/* Table provides a simple DSL for Ginkgo-native Table-Driven Tests The godoc documentation describes Table's API. More comprehensive documentation (with examples!) is available at http://onsi.github.io/ginkgo#table-driven-tests */ package table import ( "fmt" "reflect" "github.com/onsi/ginkgo/internal/codelocation" "github.com/onsi/ginkgo/internal/global" "github.com/onsi/ginkgo/types" ) /* DescribeTable describes a table-driven test. For example: DescribeTable("a simple table", func(x int, y int, expected bool) { Ω(x > y).Should(Equal(expected)) }, Entry("x > y", 1, 0, true), Entry("x == y", 0, 0, false), Entry("x < y", 0, 1, false), ) The first argument to `DescribeTable` is a string description. The second argument is a function that will be run for each table entry. Your assertions go here - the function is equivalent to a Ginkgo It. The subsequent arguments must be of type `TableEntry`. We recommend using the `Entry` convenience constructors. The `Entry` constructor takes a string description followed by an arbitrary set of parameters. These parameters are passed into your function. Under the hood, `DescribeTable` simply generates a new Ginkgo `Describe`. Each `Entry` is turned into an `It` within the `Describe`. It's important to understand that the `Describe`s and `It`s are generated at evaluation time (i.e. when Ginkgo constructs the tree of tests and before the tests run). Individual Entries can be focused (with FEntry) or marked pending (with PEntry or XEntry). In addition, the entire table can be focused or marked pending with FDescribeTable and PDescribeTable/XDescribeTable. A description function can be passed to Entry in place of the description. The function is then fed with the entry parameters to generate the description of the It corresponding to that particular Entry. For example: describe := func(desc string) func(int, int, bool) string { return func(x, y int, expected bool) string { return fmt.Sprintf("%s x=%d y=%d expected:%t", desc, x, y, expected) } } DescribeTable("a simple table", func(x int, y int, expected bool) { Ω(x > y).Should(Equal(expected)) }, Entry(describe("x > y"), 1, 0, true), Entry(describe("x == y"), 0, 0, false), Entry(describe("x < y"), 0, 1, false), ) */ func DescribeTable(description string, itBody interface{}, entries ...TableEntry) bool { describeTable(description, itBody, entries, types.FlagTypeNone) return true } /* You can focus a table with `FDescribeTable`. This is equivalent to `FDescribe`. */ func FDescribeTable(description string, itBody interface{}, entries ...TableEntry) bool { describeTable(description, itBody, entries, types.FlagTypeFocused) return true } /* You can mark a table as pending with `PDescribeTable`. This is equivalent to `PDescribe`. */ func PDescribeTable(description string, itBody interface{}, entries ...TableEntry) bool { describeTable(description, itBody, entries, types.FlagTypePending) return true } /* You can mark a table as pending with `XDescribeTable`. This is equivalent to `XDescribe`. */ func XDescribeTable(description string, itBody interface{}, entries ...TableEntry) bool { describeTable(description, itBody, entries, types.FlagTypePending) return true } func describeTable(description string, itBody interface{}, entries []TableEntry, flag types.FlagType) { itBodyValue := reflect.ValueOf(itBody) if itBodyValue.Kind() != reflect.Func { panic(fmt.Sprintf("DescribeTable expects a function, got %#v", itBody)) } global.Suite.PushContainerNode( description, func() { for _, entry := range entries { entry.generateIt(itBodyValue) } }, flag, codelocation.New(2), ) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/extensions/table/table_entry.go
vendor/github.com/onsi/ginkgo/extensions/table/table_entry.go
package table import ( "fmt" "reflect" "github.com/onsi/ginkgo/internal/codelocation" "github.com/onsi/ginkgo/internal/global" "github.com/onsi/ginkgo/types" ) /* TableEntry represents an entry in a table test. You generally use the `Entry` constructor. */ type TableEntry struct { Description interface{} Parameters []interface{} Pending bool Focused bool codeLocation types.CodeLocation } func (t TableEntry) generateIt(itBody reflect.Value) { var description string descriptionValue := reflect.ValueOf(t.Description) switch descriptionValue.Kind() { case reflect.String: description = descriptionValue.String() case reflect.Func: values := castParameters(descriptionValue, t.Parameters) res := descriptionValue.Call(values) if len(res) != 1 { panic(fmt.Sprintf("The describe function should return only a value, returned %d", len(res))) } if res[0].Kind() != reflect.String { panic(fmt.Sprintf("The describe function should return a string, returned %#v", res[0])) } description = res[0].String() default: panic(fmt.Sprintf("Description can either be a string or a function, got %#v", descriptionValue)) } if t.Pending { global.Suite.PushItNode(description, func() {}, types.FlagTypePending, t.codeLocation, 0) return } values := castParameters(itBody, t.Parameters) body := func() { itBody.Call(values) } if t.Focused { global.Suite.PushItNode(description, body, types.FlagTypeFocused, t.codeLocation, global.DefaultTimeout) } else { global.Suite.PushItNode(description, body, types.FlagTypeNone, t.codeLocation, global.DefaultTimeout) } } func castParameters(function reflect.Value, parameters []interface{}) []reflect.Value { res := make([]reflect.Value, len(parameters)) funcType := function.Type() for i, param := range parameters { if param == nil { inType := funcType.In(i) res[i] = reflect.Zero(inType) } else { res[i] = reflect.ValueOf(param) } } return res } /* Entry constructs a TableEntry. The first argument is a required description (this becomes the content of the generated Ginkgo `It`). Subsequent parameters are saved off and sent to the callback passed in to `DescribeTable`. Each Entry ends up generating an individual Ginkgo It. */ func Entry(description interface{}, parameters ...interface{}) TableEntry { return TableEntry{ Description: description, Parameters: parameters, Pending: false, Focused: false, codeLocation: codelocation.New(1), } } /* You can focus a particular entry with FEntry. This is equivalent to FIt. */ func FEntry(description interface{}, parameters ...interface{}) TableEntry { return TableEntry{ Description: description, Parameters: parameters, Pending: false, Focused: true, codeLocation: codelocation.New(1), } } /* You can mark a particular entry as pending with PEntry. This is equivalent to PIt. */ func PEntry(description interface{}, parameters ...interface{}) TableEntry { return TableEntry{ Description: description, Parameters: parameters, Pending: true, Focused: false, codeLocation: codelocation.New(1), } } /* You can mark a particular entry as pending with XEntry. This is equivalent to XIt. */ func XEntry(description interface{}, parameters ...interface{}) TableEntry { return TableEntry{ Description: description, Parameters: parameters, Pending: true, Focused: false, codeLocation: codelocation.New(1), } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/types/types.go
vendor/github.com/onsi/ginkgo/types/types.go
package types import ( "strconv" "time" ) const GINKGO_FOCUS_EXIT_CODE = 197 /* SuiteSummary represents the a summary of the test suite and is passed to both Reporter.SpecSuiteWillBegin Reporter.SpecSuiteDidEnd this is unfortunate as these two methods should receive different objects. When running in parallel each node does not deterministically know how many specs it will end up running. Unfortunately making such a change would break backward compatibility. Until Ginkgo 2.0 comes out we will continue to reuse this struct but populate unknown fields with -1. */ type SuiteSummary struct { SuiteDescription string SuiteSucceeded bool SuiteID string NumberOfSpecsBeforeParallelization int NumberOfTotalSpecs int NumberOfSpecsThatWillBeRun int NumberOfPendingSpecs int NumberOfSkippedSpecs int NumberOfPassedSpecs int NumberOfFailedSpecs int // Flaked specs are those that failed initially, but then passed on a // subsequent try. NumberOfFlakedSpecs int RunTime time.Duration } type SpecSummary struct { ComponentTexts []string ComponentCodeLocations []CodeLocation State SpecState RunTime time.Duration Failure SpecFailure IsMeasurement bool NumberOfSamples int Measurements map[string]*SpecMeasurement CapturedOutput string SuiteID string } func (s SpecSummary) HasFailureState() bool { return s.State.IsFailure() } func (s SpecSummary) TimedOut() bool { return s.State == SpecStateTimedOut } func (s SpecSummary) Panicked() bool { return s.State == SpecStatePanicked } func (s SpecSummary) Failed() bool { return s.State == SpecStateFailed } func (s SpecSummary) Passed() bool { return s.State == SpecStatePassed } func (s SpecSummary) Skipped() bool { return s.State == SpecStateSkipped } func (s SpecSummary) Pending() bool { return s.State == SpecStatePending } type SetupSummary struct { ComponentType SpecComponentType CodeLocation CodeLocation State SpecState RunTime time.Duration Failure SpecFailure CapturedOutput string SuiteID string } type SpecFailure struct { Message string Location CodeLocation ForwardedPanic string ComponentIndex int ComponentType SpecComponentType ComponentCodeLocation CodeLocation } type SpecMeasurement struct { Name string Info interface{} Order int Results []float64 Smallest float64 Largest float64 Average float64 StdDeviation float64 SmallestLabel string LargestLabel string AverageLabel string Units string Precision int } func (s SpecMeasurement) PrecisionFmt() string { if s.Precision == 0 { return "%f" } str := strconv.Itoa(s.Precision) return "%." + str + "f" } type SpecState uint const ( SpecStateInvalid SpecState = iota SpecStatePending SpecStateSkipped SpecStatePassed SpecStateFailed SpecStatePanicked SpecStateTimedOut ) func (state SpecState) IsFailure() bool { return state == SpecStateTimedOut || state == SpecStatePanicked || state == SpecStateFailed } type SpecComponentType uint const ( SpecComponentTypeInvalid SpecComponentType = iota SpecComponentTypeContainer SpecComponentTypeBeforeSuite SpecComponentTypeAfterSuite SpecComponentTypeBeforeEach SpecComponentTypeJustBeforeEach SpecComponentTypeJustAfterEach SpecComponentTypeAfterEach SpecComponentTypeIt SpecComponentTypeMeasure ) type FlagType uint const ( FlagTypeNone FlagType = iota FlagTypeFocused FlagTypePending )
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/types/code_location.go
vendor/github.com/onsi/ginkgo/types/code_location.go
package types import ( "fmt" ) type CodeLocation struct { FileName string LineNumber int FullStackTrace string } func (codeLocation CodeLocation) String() string { return fmt.Sprintf("%s:%d", codeLocation.FileName, codeLocation.LineNumber) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/types/deprecation_support.go
vendor/github.com/onsi/ginkgo/types/deprecation_support.go
package types import ( "os" "strconv" "strings" "unicode" "github.com/onsi/ginkgo/config" "github.com/onsi/ginkgo/formatter" ) type Deprecation struct { Message string DocLink string Version string } type deprecations struct{} var Deprecations = deprecations{} func (d deprecations) CustomReporter() Deprecation { return Deprecation{ Message: "You are using a custom reporter. Support for custom reporters will likely be removed in V2. Most users were using them to generate junit or teamcity reports and this functionality will be merged into the core reporter. In addition, Ginkgo 2.0 will support emitting a JSON-formatted report that users can then manipulate to generate custom reports.\n\n{{red}}{{bold}}If this change will be impactful to you please leave a comment on {{cyan}}{{underline}}https://github.com/onsi/ginkgo/issues/711{{/}}", DocLink: "removed-custom-reporters", Version: "1.16.0", } } func (d deprecations) V1Reporter() Deprecation { return Deprecation{ Message: "You are using a V1 Ginkgo Reporter. Please update your custom reporter to the new V2 Reporter interface.", DocLink: "changed-reporter-interface", 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 will be removed in Ginkgo V2. 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.5", } } 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", } } type DeprecationTracker struct { deprecations map[Deprecation][]CodeLocation } func NewDeprecationTracker() *DeprecationTracker { return &DeprecationTracker{ deprecations: map[Deprecation][]CodeLocation{}, } } 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 } } if len(cl) == 1 { d.deprecations[deprecation] = append(d.deprecations[deprecation], cl[0]) } else { d.deprecations[deprecation] = []CodeLocation{} } } func (d *DeprecationTracker) DidTrackDeprecations() bool { return len(d.deprecations) > 0 } func (d *DeprecationTracker) DeprecationsReport() string { out := formatter.F("\n{{light-yellow}}You're using deprecated Ginkgo functionality:{{/}}\n") out += formatter.F("{{light-yellow}}============================================={{/}}\n") out += formatter.F("{{bold}}{{green}}Ginkgo 2.0{{/}} is under active development and will introduce several new features, improvements, and a small handful of breaking changes.\n") out += formatter.F("A release candidate for 2.0 is now available and 2.0 should GA in Fall 2021. {{bold}}Please give the RC a try and send us feedback!{{/}}\n") out += formatter.F(" - To learn more, view the migration guide at {{cyan}}{{underline}}https://github.com/onsi/ginkgo/blob/ver2/docs/MIGRATING_TO_V2.md{{/}}\n") out += formatter.F(" - For instructions on using the Release Candidate visit {{cyan}}{{underline}}https://github.com/onsi/ginkgo/blob/ver2/docs/MIGRATING_TO_V2.md#using-the-beta{{/}}\n") out += formatter.F(" - To comment, chime in at {{cyan}}{{underline}}https://github.com/onsi/ginkgo/issues/711{{/}}\n\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://github.com/onsi/ginkgo/blob/ver2/docs/MIGRATING_TO_V2.md#%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", config.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/vendor/github.com/onsi/ginkgo/types/synchronization.go
vendor/github.com/onsi/ginkgo/types/synchronization.go
package types import ( "encoding/json" ) type RemoteBeforeSuiteState int const ( RemoteBeforeSuiteStateInvalid RemoteBeforeSuiteState = iota RemoteBeforeSuiteStatePending RemoteBeforeSuiteStatePassed RemoteBeforeSuiteStateFailed RemoteBeforeSuiteStateDisappeared ) type RemoteBeforeSuiteData struct { Data []byte State RemoteBeforeSuiteState } func (r RemoteBeforeSuiteData) ToJSON() []byte { data, _ := json.Marshal(r) return data } type RemoteAfterSuiteData struct { CanRun bool }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/reporters/teamcity_reporter.go
vendor/github.com/onsi/ginkgo/reporters/teamcity_reporter.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" "io" "strings" "github.com/onsi/ginkgo/config" "github.com/onsi/ginkgo/types" ) const ( messageId = "##teamcity" ) type TeamCityReporter struct { writer io.Writer testSuiteName string ReporterConfig config.DefaultReporterConfigType } func NewTeamCityReporter(writer io.Writer) *TeamCityReporter { return &TeamCityReporter{ writer: writer, } } func (reporter *TeamCityReporter) SpecSuiteWillBegin(config config.GinkgoConfigType, summary *types.SuiteSummary) { reporter.testSuiteName = escape(summary.SuiteDescription) fmt.Fprintf(reporter.writer, "%s[testSuiteStarted name='%s']\n", messageId, reporter.testSuiteName) } func (reporter *TeamCityReporter) BeforeSuiteDidRun(setupSummary *types.SetupSummary) { reporter.handleSetupSummary("BeforeSuite", setupSummary) } func (reporter *TeamCityReporter) AfterSuiteDidRun(setupSummary *types.SetupSummary) { reporter.handleSetupSummary("AfterSuite", setupSummary) } func (reporter *TeamCityReporter) handleSetupSummary(name string, setupSummary *types.SetupSummary) { if setupSummary.State != types.SpecStatePassed { testName := escape(name) fmt.Fprintf(reporter.writer, "%s[testStarted name='%s']\n", messageId, testName) message := reporter.failureMessage(setupSummary.Failure) details := reporter.failureDetails(setupSummary.Failure) fmt.Fprintf(reporter.writer, "%s[testFailed name='%s' message='%s' details='%s']\n", messageId, testName, message, details) durationInMilliseconds := setupSummary.RunTime.Seconds() * 1000 fmt.Fprintf(reporter.writer, "%s[testFinished name='%s' duration='%v']\n", messageId, testName, durationInMilliseconds) } } func (reporter *TeamCityReporter) SpecWillRun(specSummary *types.SpecSummary) { testName := escape(strings.Join(specSummary.ComponentTexts[1:], " ")) fmt.Fprintf(reporter.writer, "%s[testStarted name='%s']\n", messageId, testName) } func (reporter *TeamCityReporter) SpecDidComplete(specSummary *types.SpecSummary) { testName := escape(strings.Join(specSummary.ComponentTexts[1:], " ")) if reporter.ReporterConfig.ReportPassed && specSummary.State == types.SpecStatePassed { details := escape(specSummary.CapturedOutput) fmt.Fprintf(reporter.writer, "%s[testPassed name='%s' details='%s']\n", messageId, testName, details) } if specSummary.State == types.SpecStateFailed || specSummary.State == types.SpecStateTimedOut || specSummary.State == types.SpecStatePanicked { message := reporter.failureMessage(specSummary.Failure) details := reporter.failureDetails(specSummary.Failure) fmt.Fprintf(reporter.writer, "%s[testFailed name='%s' message='%s' details='%s']\n", messageId, testName, message, details) } if specSummary.State == types.SpecStateSkipped || specSummary.State == types.SpecStatePending { fmt.Fprintf(reporter.writer, "%s[testIgnored name='%s']\n", messageId, testName) } durationInMilliseconds := specSummary.RunTime.Seconds() * 1000 fmt.Fprintf(reporter.writer, "%s[testFinished name='%s' duration='%v']\n", messageId, testName, durationInMilliseconds) } func (reporter *TeamCityReporter) SpecSuiteDidEnd(summary *types.SuiteSummary) { fmt.Fprintf(reporter.writer, "%s[testSuiteFinished name='%s']\n", messageId, reporter.testSuiteName) } func (reporter *TeamCityReporter) failureMessage(failure types.SpecFailure) string { return escape(failure.ComponentCodeLocation.String()) } func (reporter *TeamCityReporter) failureDetails(failure types.SpecFailure) string { return escape(fmt.Sprintf("%s\n%s", failure.Message, failure.Location.String())) } func escape(output string) string { output = strings.Replace(output, "|", "||", -1) output = strings.Replace(output, "'", "|'", -1) output = strings.Replace(output, "\n", "|n", -1) output = strings.Replace(output, "\r", "|r", -1) output = strings.Replace(output, "[", "|[", -1) output = strings.Replace(output, "]", "|]", -1) return output }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/reporters/fake_reporter.go
vendor/github.com/onsi/ginkgo/reporters/fake_reporter.go
package reporters import ( "github.com/onsi/ginkgo/config" "github.com/onsi/ginkgo/types" ) //FakeReporter is useful for testing purposes type FakeReporter struct { Config config.GinkgoConfigType BeginSummary *types.SuiteSummary BeforeSuiteSummary *types.SetupSummary SpecWillRunSummaries []*types.SpecSummary SpecSummaries []*types.SpecSummary AfterSuiteSummary *types.SetupSummary EndSummary *types.SuiteSummary SpecWillRunStub func(specSummary *types.SpecSummary) SpecDidCompleteStub func(specSummary *types.SpecSummary) } func NewFakeReporter() *FakeReporter { return &FakeReporter{ SpecWillRunSummaries: make([]*types.SpecSummary, 0), SpecSummaries: make([]*types.SpecSummary, 0), } } func (fakeR *FakeReporter) SpecSuiteWillBegin(config config.GinkgoConfigType, summary *types.SuiteSummary) { fakeR.Config = config fakeR.BeginSummary = summary } func (fakeR *FakeReporter) BeforeSuiteDidRun(setupSummary *types.SetupSummary) { fakeR.BeforeSuiteSummary = setupSummary } func (fakeR *FakeReporter) SpecWillRun(specSummary *types.SpecSummary) { if fakeR.SpecWillRunStub != nil { fakeR.SpecWillRunStub(specSummary) } fakeR.SpecWillRunSummaries = append(fakeR.SpecWillRunSummaries, specSummary) } func (fakeR *FakeReporter) SpecDidComplete(specSummary *types.SpecSummary) { if fakeR.SpecDidCompleteStub != nil { fakeR.SpecDidCompleteStub(specSummary) } fakeR.SpecSummaries = append(fakeR.SpecSummaries, specSummary) } func (fakeR *FakeReporter) AfterSuiteDidRun(setupSummary *types.SetupSummary) { fakeR.AfterSuiteSummary = setupSummary } func (fakeR *FakeReporter) SpecSuiteDidEnd(summary *types.SuiteSummary) { fakeR.EndSummary = summary }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/reporters/reporter.go
vendor/github.com/onsi/ginkgo/reporters/reporter.go
package reporters import ( "github.com/onsi/ginkgo/config" "github.com/onsi/ginkgo/types" ) type Reporter interface { SpecSuiteWillBegin(config config.GinkgoConfigType, summary *types.SuiteSummary) BeforeSuiteDidRun(setupSummary *types.SetupSummary) SpecWillRun(specSummary *types.SpecSummary) SpecDidComplete(specSummary *types.SpecSummary) AfterSuiteDidRun(setupSummary *types.SetupSummary) SpecSuiteDidEnd(summary *types.SuiteSummary) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/reporters/default_reporter.go
vendor/github.com/onsi/ginkgo/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 ( "github.com/onsi/ginkgo/config" "github.com/onsi/ginkgo/reporters/stenographer" "github.com/onsi/ginkgo/types" ) type DefaultReporter struct { config config.DefaultReporterConfigType stenographer stenographer.Stenographer specSummaries []*types.SpecSummary } func NewDefaultReporter(config config.DefaultReporterConfigType, stenographer stenographer.Stenographer) *DefaultReporter { return &DefaultReporter{ config: config, stenographer: stenographer, } } func (reporter *DefaultReporter) SpecSuiteWillBegin(config config.GinkgoConfigType, summary *types.SuiteSummary) { reporter.stenographer.AnnounceSuite(summary.SuiteDescription, config.RandomSeed, config.RandomizeAllSpecs, reporter.config.Succinct) if config.ParallelTotal > 1 { reporter.stenographer.AnnounceParallelRun(config.ParallelNode, config.ParallelTotal, reporter.config.Succinct) } else { reporter.stenographer.AnnounceNumberOfSpecs(summary.NumberOfSpecsThatWillBeRun, summary.NumberOfTotalSpecs, reporter.config.Succinct) } } func (reporter *DefaultReporter) BeforeSuiteDidRun(setupSummary *types.SetupSummary) { if setupSummary.State != types.SpecStatePassed { reporter.stenographer.AnnounceBeforeSuiteFailure(setupSummary, reporter.config.Succinct, reporter.config.FullTrace) } } func (reporter *DefaultReporter) AfterSuiteDidRun(setupSummary *types.SetupSummary) { if setupSummary.State != types.SpecStatePassed { reporter.stenographer.AnnounceAfterSuiteFailure(setupSummary, reporter.config.Succinct, reporter.config.FullTrace) } } func (reporter *DefaultReporter) SpecWillRun(specSummary *types.SpecSummary) { if reporter.config.Verbose && !reporter.config.Succinct && specSummary.State != types.SpecStatePending && specSummary.State != types.SpecStateSkipped { reporter.stenographer.AnnounceSpecWillRun(specSummary) } } func (reporter *DefaultReporter) SpecDidComplete(specSummary *types.SpecSummary) { switch specSummary.State { case types.SpecStatePassed: if specSummary.IsMeasurement { reporter.stenographer.AnnounceSuccessfulMeasurement(specSummary, reporter.config.Succinct) } else if specSummary.RunTime.Seconds() >= reporter.config.SlowSpecThreshold { reporter.stenographer.AnnounceSuccessfulSlowSpec(specSummary, reporter.config.Succinct) } else { reporter.stenographer.AnnounceSuccessfulSpec(specSummary) if reporter.config.ReportPassed { reporter.stenographer.AnnounceCapturedOutput(specSummary.CapturedOutput) } } case types.SpecStatePending: reporter.stenographer.AnnouncePendingSpec(specSummary, reporter.config.NoisyPendings && !reporter.config.Succinct) case types.SpecStateSkipped: reporter.stenographer.AnnounceSkippedSpec(specSummary, reporter.config.Succinct || !reporter.config.NoisySkippings, reporter.config.FullTrace) case types.SpecStateTimedOut: reporter.stenographer.AnnounceSpecTimedOut(specSummary, reporter.config.Succinct, reporter.config.FullTrace) case types.SpecStatePanicked: reporter.stenographer.AnnounceSpecPanicked(specSummary, reporter.config.Succinct, reporter.config.FullTrace) case types.SpecStateFailed: reporter.stenographer.AnnounceSpecFailed(specSummary, reporter.config.Succinct, reporter.config.FullTrace) } reporter.specSummaries = append(reporter.specSummaries, specSummary) } func (reporter *DefaultReporter) SpecSuiteDidEnd(summary *types.SuiteSummary) { reporter.stenographer.SummarizeFailures(reporter.specSummaries) reporter.stenographer.AnnounceSpecRunCompletion(summary, reporter.config.Succinct) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/reporters/junit_reporter.go
vendor/github.com/onsi/ginkgo/reporters/junit_reporter.go
/* JUnit XML Reporter for Ginkgo For usage instructions: http://onsi.github.io/ginkgo/#generating_junit_xml_output */ package reporters import ( "encoding/xml" "fmt" "math" "os" "path/filepath" "strings" "github.com/onsi/ginkgo/config" "github.com/onsi/ginkgo/types" ) type JUnitTestSuite struct { XMLName xml.Name `xml:"testsuite"` TestCases []JUnitTestCase `xml:"testcase"` Name string `xml:"name,attr"` Tests int `xml:"tests,attr"` Failures int `xml:"failures,attr"` Errors int `xml:"errors,attr"` Time float64 `xml:"time,attr"` } type JUnitTestCase struct { Name string `xml:"name,attr"` ClassName string `xml:"classname,attr"` FailureMessage *JUnitFailureMessage `xml:"failure,omitempty"` Skipped *JUnitSkipped `xml:"skipped,omitempty"` Time float64 `xml:"time,attr"` SystemOut string `xml:"system-out,omitempty"` } type JUnitFailureMessage struct { Type string `xml:"type,attr"` Message string `xml:",chardata"` } type JUnitSkipped struct { Message string `xml:",chardata"` } type JUnitReporter struct { suite JUnitTestSuite filename string testSuiteName string ReporterConfig config.DefaultReporterConfigType } //NewJUnitReporter creates a new JUnit XML reporter. The XML will be stored in the passed in filename. func NewJUnitReporter(filename string) *JUnitReporter { return &JUnitReporter{ filename: filename, } } func (reporter *JUnitReporter) SpecSuiteWillBegin(ginkgoConfig config.GinkgoConfigType, summary *types.SuiteSummary) { reporter.suite = JUnitTestSuite{ Name: summary.SuiteDescription, TestCases: []JUnitTestCase{}, } reporter.testSuiteName = summary.SuiteDescription reporter.ReporterConfig = config.DefaultReporterConfig } func (reporter *JUnitReporter) SpecWillRun(specSummary *types.SpecSummary) { } func (reporter *JUnitReporter) BeforeSuiteDidRun(setupSummary *types.SetupSummary) { reporter.handleSetupSummary("BeforeSuite", setupSummary) } func (reporter *JUnitReporter) AfterSuiteDidRun(setupSummary *types.SetupSummary) { reporter.handleSetupSummary("AfterSuite", setupSummary) } func failureMessage(failure types.SpecFailure) string { return fmt.Sprintf("%s\n%s\n%s", failure.ComponentCodeLocation.String(), failure.Message, failure.Location.String()) } func (reporter *JUnitReporter) handleSetupSummary(name string, setupSummary *types.SetupSummary) { if setupSummary.State != types.SpecStatePassed { testCase := JUnitTestCase{ Name: name, ClassName: reporter.testSuiteName, } testCase.FailureMessage = &JUnitFailureMessage{ Type: reporter.failureTypeForState(setupSummary.State), Message: failureMessage(setupSummary.Failure), } testCase.SystemOut = setupSummary.CapturedOutput testCase.Time = setupSummary.RunTime.Seconds() reporter.suite.TestCases = append(reporter.suite.TestCases, testCase) } } func (reporter *JUnitReporter) SpecDidComplete(specSummary *types.SpecSummary) { testCase := JUnitTestCase{ Name: strings.Join(specSummary.ComponentTexts[1:], " "), ClassName: reporter.testSuiteName, } if reporter.ReporterConfig.ReportPassed && specSummary.State == types.SpecStatePassed { testCase.SystemOut = specSummary.CapturedOutput } if specSummary.State == types.SpecStateFailed || specSummary.State == types.SpecStateTimedOut || specSummary.State == types.SpecStatePanicked { testCase.FailureMessage = &JUnitFailureMessage{ Type: reporter.failureTypeForState(specSummary.State), Message: failureMessage(specSummary.Failure), } if specSummary.State == types.SpecStatePanicked { testCase.FailureMessage.Message += fmt.Sprintf("\n\nPanic: %s\n\nFull stack:\n%s", specSummary.Failure.ForwardedPanic, specSummary.Failure.Location.FullStackTrace) } testCase.SystemOut = specSummary.CapturedOutput } if specSummary.State == types.SpecStateSkipped || specSummary.State == types.SpecStatePending { testCase.Skipped = &JUnitSkipped{} if specSummary.Failure.Message != "" { testCase.Skipped.Message = failureMessage(specSummary.Failure) } } testCase.Time = specSummary.RunTime.Seconds() reporter.suite.TestCases = append(reporter.suite.TestCases, testCase) } func (reporter *JUnitReporter) SpecSuiteDidEnd(summary *types.SuiteSummary) { reporter.suite.Tests = summary.NumberOfSpecsThatWillBeRun reporter.suite.Time = math.Trunc(summary.RunTime.Seconds()*1000) / 1000 reporter.suite.Failures = summary.NumberOfFailedSpecs reporter.suite.Errors = 0 if reporter.ReporterConfig.ReportFile != "" { reporter.filename = reporter.ReporterConfig.ReportFile fmt.Printf("\nJUnit path was configured: %s\n", reporter.filename) } filePath, _ := filepath.Abs(reporter.filename) dirPath := filepath.Dir(filePath) err := os.MkdirAll(dirPath, os.ModePerm) if err != nil { fmt.Printf("\nFailed to create JUnit directory: %s\n\t%s", filePath, err.Error()) } file, err := os.Create(filePath) if err != nil { fmt.Fprintf(os.Stderr, "Failed to create JUnit report file: %s\n\t%s", filePath, err.Error()) } defer file.Close() file.WriteString(xml.Header) encoder := xml.NewEncoder(file) encoder.Indent(" ", " ") err = encoder.Encode(reporter.suite) if err == nil { fmt.Fprintf(os.Stdout, "\nJUnit report was created: %s\n", filePath) } else { fmt.Fprintf(os.Stderr,"\nFailed to generate JUnit report data:\n\t%s", err.Error()) } } func (reporter *JUnitReporter) failureTypeForState(state types.SpecState) string { switch state { case types.SpecStateFailed: return "Failure" case types.SpecStateTimedOut: return "Timeout" case types.SpecStatePanicked: return "Panic" default: return "" } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/reporters/stenographer/stenographer.go
vendor/github.com/onsi/ginkgo/reporters/stenographer/stenographer.go
/* The stenographer is used by Ginkgo's reporters to generate output. Move along, nothing to see here. */ package stenographer import ( "fmt" "io" "runtime" "strings" "github.com/onsi/ginkgo/types" ) const defaultStyle = "\x1b[0m" const boldStyle = "\x1b[1m" const redColor = "\x1b[91m" const greenColor = "\x1b[32m" const yellowColor = "\x1b[33m" const cyanColor = "\x1b[36m" const grayColor = "\x1b[90m" const lightGrayColor = "\x1b[37m" type cursorStateType int const ( cursorStateTop cursorStateType = iota cursorStateStreaming cursorStateMidBlock cursorStateEndBlock ) type Stenographer interface { AnnounceSuite(description string, randomSeed int64, randomizingAll bool, succinct bool) AnnounceAggregatedParallelRun(nodes int, succinct bool) AnnounceParallelRun(node int, nodes int, succinct bool) AnnounceTotalNumberOfSpecs(total int, succinct bool) AnnounceNumberOfSpecs(specsToRun int, total int, succinct bool) AnnounceSpecRunCompletion(summary *types.SuiteSummary, succinct bool) AnnounceSpecWillRun(spec *types.SpecSummary) AnnounceBeforeSuiteFailure(summary *types.SetupSummary, succinct bool, fullTrace bool) AnnounceAfterSuiteFailure(summary *types.SetupSummary, succinct bool, fullTrace bool) AnnounceCapturedOutput(output string) AnnounceSuccessfulSpec(spec *types.SpecSummary) AnnounceSuccessfulSlowSpec(spec *types.SpecSummary, succinct bool) AnnounceSuccessfulMeasurement(spec *types.SpecSummary, succinct bool) AnnouncePendingSpec(spec *types.SpecSummary, noisy bool) AnnounceSkippedSpec(spec *types.SpecSummary, succinct bool, fullTrace bool) AnnounceSpecTimedOut(spec *types.SpecSummary, succinct bool, fullTrace bool) AnnounceSpecPanicked(spec *types.SpecSummary, succinct bool, fullTrace bool) AnnounceSpecFailed(spec *types.SpecSummary, succinct bool, fullTrace bool) SummarizeFailures(summaries []*types.SpecSummary) } func New(color bool, enableFlakes bool, writer io.Writer) Stenographer { denoter := "•" if runtime.GOOS == "windows" { denoter = "+" } return &consoleStenographer{ color: color, denoter: denoter, cursorState: cursorStateTop, enableFlakes: enableFlakes, w: writer, } } type consoleStenographer struct { color bool denoter string cursorState cursorStateType enableFlakes bool w io.Writer } var alternatingColors = []string{defaultStyle, grayColor} func (s *consoleStenographer) AnnounceSuite(description string, randomSeed int64, randomizingAll bool, succinct bool) { if succinct { s.print(0, "[%d] %s ", randomSeed, s.colorize(boldStyle, description)) return } s.printBanner(fmt.Sprintf("Running Suite: %s", description), "=") s.print(0, "Random Seed: %s", s.colorize(boldStyle, "%d", randomSeed)) if randomizingAll { s.print(0, " - Will randomize all specs") } s.printNewLine() } func (s *consoleStenographer) AnnounceParallelRun(node int, nodes int, succinct bool) { if succinct { s.print(0, "- node #%d ", node) return } s.println(0, "Parallel test node %s/%s.", s.colorize(boldStyle, "%d", node), s.colorize(boldStyle, "%d", nodes), ) s.printNewLine() } func (s *consoleStenographer) AnnounceAggregatedParallelRun(nodes int, succinct bool) { if succinct { s.print(0, "- %d nodes ", nodes) return } s.println(0, "Running in parallel across %s nodes", s.colorize(boldStyle, "%d", nodes), ) s.printNewLine() } func (s *consoleStenographer) AnnounceNumberOfSpecs(specsToRun int, total int, succinct bool) { if succinct { s.print(0, "- %d/%d specs ", specsToRun, total) s.stream() return } s.println(0, "Will run %s of %s specs", s.colorize(boldStyle, "%d", specsToRun), s.colorize(boldStyle, "%d", total), ) s.printNewLine() } func (s *consoleStenographer) AnnounceTotalNumberOfSpecs(total int, succinct bool) { if succinct { s.print(0, "- %d specs ", total) s.stream() return } s.println(0, "Will run %s specs", s.colorize(boldStyle, "%d", total), ) s.printNewLine() } func (s *consoleStenographer) AnnounceSpecRunCompletion(summary *types.SuiteSummary, succinct bool) { if succinct && summary.SuiteSucceeded { s.print(0, " %s %s ", s.colorize(greenColor, "SUCCESS!"), summary.RunTime) return } s.printNewLine() color := greenColor if !summary.SuiteSucceeded { color = redColor } s.println(0, s.colorize(boldStyle+color, "Ran %d of %d Specs in %.3f seconds", summary.NumberOfSpecsThatWillBeRun, summary.NumberOfTotalSpecs, summary.RunTime.Seconds())) status := "" if summary.SuiteSucceeded { status = s.colorize(boldStyle+greenColor, "SUCCESS!") } else { status = s.colorize(boldStyle+redColor, "FAIL!") } flakes := "" if s.enableFlakes { flakes = " | " + s.colorize(yellowColor+boldStyle, "%d Flaked", summary.NumberOfFlakedSpecs) } s.print(0, "%s -- %s | %s | %s | %s\n", status, s.colorize(greenColor+boldStyle, "%d Passed", summary.NumberOfPassedSpecs), s.colorize(redColor+boldStyle, "%d Failed", summary.NumberOfFailedSpecs)+flakes, s.colorize(yellowColor+boldStyle, "%d Pending", summary.NumberOfPendingSpecs), s.colorize(cyanColor+boldStyle, "%d Skipped", summary.NumberOfSkippedSpecs), ) } func (s *consoleStenographer) AnnounceSpecWillRun(spec *types.SpecSummary) { s.startBlock() for i, text := range spec.ComponentTexts[1 : len(spec.ComponentTexts)-1] { s.print(0, s.colorize(alternatingColors[i%2], text)+" ") } indentation := 0 if len(spec.ComponentTexts) > 2 { indentation = 1 s.printNewLine() } index := len(spec.ComponentTexts) - 1 s.print(indentation, s.colorize(boldStyle, spec.ComponentTexts[index])) s.printNewLine() s.print(indentation, s.colorize(lightGrayColor, spec.ComponentCodeLocations[index].String())) s.printNewLine() s.midBlock() } func (s *consoleStenographer) AnnounceBeforeSuiteFailure(summary *types.SetupSummary, succinct bool, fullTrace bool) { s.announceSetupFailure("BeforeSuite", summary, succinct, fullTrace) } func (s *consoleStenographer) AnnounceAfterSuiteFailure(summary *types.SetupSummary, succinct bool, fullTrace bool) { s.announceSetupFailure("AfterSuite", summary, succinct, fullTrace) } func (s *consoleStenographer) announceSetupFailure(name string, summary *types.SetupSummary, succinct bool, fullTrace bool) { s.startBlock() var message string switch summary.State { case types.SpecStateFailed: message = "Failure" case types.SpecStatePanicked: message = "Panic" case types.SpecStateTimedOut: message = "Timeout" } s.println(0, s.colorize(redColor+boldStyle, "%s [%.3f seconds]", message, summary.RunTime.Seconds())) indentation := s.printCodeLocationBlock([]string{name}, []types.CodeLocation{summary.CodeLocation}, summary.ComponentType, 0, summary.State, true) s.printNewLine() s.printFailure(indentation, summary.State, summary.Failure, fullTrace) s.endBlock() } func (s *consoleStenographer) AnnounceCapturedOutput(output string) { if output == "" { return } s.startBlock() s.println(0, output) s.midBlock() } func (s *consoleStenographer) AnnounceSuccessfulSpec(spec *types.SpecSummary) { s.print(0, s.colorize(greenColor, s.denoter)) s.stream() } func (s *consoleStenographer) AnnounceSuccessfulSlowSpec(spec *types.SpecSummary, succinct bool) { s.printBlockWithMessage( s.colorize(greenColor, "%s [SLOW TEST:%.3f seconds]", s.denoter, spec.RunTime.Seconds()), "", spec, succinct, ) } func (s *consoleStenographer) AnnounceSuccessfulMeasurement(spec *types.SpecSummary, succinct bool) { s.printBlockWithMessage( s.colorize(greenColor, "%s [MEASUREMENT]", s.denoter), s.measurementReport(spec, succinct), spec, succinct, ) } func (s *consoleStenographer) AnnouncePendingSpec(spec *types.SpecSummary, noisy bool) { if noisy { s.printBlockWithMessage( s.colorize(yellowColor, "P [PENDING]"), "", spec, false, ) } else { s.print(0, s.colorize(yellowColor, "P")) s.stream() } } func (s *consoleStenographer) AnnounceSkippedSpec(spec *types.SpecSummary, succinct bool, fullTrace bool) { // Skips at runtime will have a non-empty spec.Failure. All others should be succinct. if succinct || spec.Failure == (types.SpecFailure{}) { s.print(0, s.colorize(cyanColor, "S")) s.stream() } else { s.startBlock() s.println(0, s.colorize(cyanColor+boldStyle, "S [SKIPPING]%s [%.3f seconds]", s.failureContext(spec.Failure.ComponentType), spec.RunTime.Seconds())) indentation := s.printCodeLocationBlock(spec.ComponentTexts, spec.ComponentCodeLocations, spec.Failure.ComponentType, spec.Failure.ComponentIndex, spec.State, succinct) s.printNewLine() s.printSkip(indentation, spec.Failure) s.endBlock() } } func (s *consoleStenographer) AnnounceSpecTimedOut(spec *types.SpecSummary, succinct bool, fullTrace bool) { s.printSpecFailure(fmt.Sprintf("%s... Timeout", s.denoter), spec, succinct, fullTrace) } func (s *consoleStenographer) AnnounceSpecPanicked(spec *types.SpecSummary, succinct bool, fullTrace bool) { s.printSpecFailure(fmt.Sprintf("%s! Panic", s.denoter), spec, succinct, fullTrace) } func (s *consoleStenographer) AnnounceSpecFailed(spec *types.SpecSummary, succinct bool, fullTrace bool) { s.printSpecFailure(fmt.Sprintf("%s Failure", s.denoter), spec, succinct, fullTrace) } func (s *consoleStenographer) SummarizeFailures(summaries []*types.SpecSummary) { failingSpecs := []*types.SpecSummary{} for _, summary := range summaries { if summary.HasFailureState() { failingSpecs = append(failingSpecs, summary) } } if len(failingSpecs) == 0 { return } s.printNewLine() s.printNewLine() plural := "s" if len(failingSpecs) == 1 { plural = "" } s.println(0, s.colorize(redColor+boldStyle, "Summarizing %d Failure%s:", len(failingSpecs), plural)) for _, summary := range failingSpecs { s.printNewLine() if summary.HasFailureState() { if summary.TimedOut() { s.print(0, s.colorize(redColor+boldStyle, "[Timeout...] ")) } else if summary.Panicked() { s.print(0, s.colorize(redColor+boldStyle, "[Panic!] ")) } else if summary.Failed() { s.print(0, s.colorize(redColor+boldStyle, "[Fail] ")) } s.printSpecContext(summary.ComponentTexts, summary.ComponentCodeLocations, summary.Failure.ComponentType, summary.Failure.ComponentIndex, summary.State, true) s.printNewLine() s.println(0, s.colorize(lightGrayColor, summary.Failure.Location.String())) } } } func (s *consoleStenographer) startBlock() { if s.cursorState == cursorStateStreaming { s.printNewLine() s.printDelimiter() } else if s.cursorState == cursorStateMidBlock { s.printNewLine() } } func (s *consoleStenographer) midBlock() { s.cursorState = cursorStateMidBlock } func (s *consoleStenographer) endBlock() { s.printDelimiter() s.cursorState = cursorStateEndBlock } func (s *consoleStenographer) stream() { s.cursorState = cursorStateStreaming } func (s *consoleStenographer) printBlockWithMessage(header string, message string, spec *types.SpecSummary, succinct bool) { s.startBlock() s.println(0, header) indentation := s.printCodeLocationBlock(spec.ComponentTexts, spec.ComponentCodeLocations, types.SpecComponentTypeInvalid, 0, spec.State, succinct) if message != "" { s.printNewLine() s.println(indentation, message) } s.endBlock() } func (s *consoleStenographer) printSpecFailure(message string, spec *types.SpecSummary, succinct bool, fullTrace bool) { s.startBlock() s.println(0, s.colorize(redColor+boldStyle, "%s%s [%.3f seconds]", message, s.failureContext(spec.Failure.ComponentType), spec.RunTime.Seconds())) indentation := s.printCodeLocationBlock(spec.ComponentTexts, spec.ComponentCodeLocations, spec.Failure.ComponentType, spec.Failure.ComponentIndex, spec.State, succinct) s.printNewLine() s.printFailure(indentation, spec.State, spec.Failure, fullTrace) s.endBlock() } func (s *consoleStenographer) failureContext(failedComponentType types.SpecComponentType) string { switch failedComponentType { case types.SpecComponentTypeBeforeSuite: return " in Suite Setup (BeforeSuite)" case types.SpecComponentTypeAfterSuite: return " in Suite Teardown (AfterSuite)" case types.SpecComponentTypeBeforeEach: return " in Spec Setup (BeforeEach)" case types.SpecComponentTypeJustBeforeEach: return " in Spec Setup (JustBeforeEach)" case types.SpecComponentTypeAfterEach: return " in Spec Teardown (AfterEach)" } return "" } func (s *consoleStenographer) printSkip(indentation int, spec types.SpecFailure) { s.println(indentation, s.colorize(cyanColor, spec.Message)) s.printNewLine() s.println(indentation, spec.Location.String()) } func (s *consoleStenographer) printFailure(indentation int, state types.SpecState, failure types.SpecFailure, fullTrace bool) { if state == types.SpecStatePanicked { s.println(indentation, s.colorize(redColor+boldStyle, failure.Message)) s.println(indentation, s.colorize(redColor, failure.ForwardedPanic)) s.println(indentation, failure.Location.String()) s.printNewLine() s.println(indentation, s.colorize(redColor, "Full Stack Trace")) s.println(indentation, failure.Location.FullStackTrace) } else { s.println(indentation, s.colorize(redColor, failure.Message)) s.printNewLine() s.println(indentation, failure.Location.String()) if fullTrace { s.printNewLine() s.println(indentation, s.colorize(redColor, "Full Stack Trace")) s.println(indentation, failure.Location.FullStackTrace) } } } func (s *consoleStenographer) printSpecContext(componentTexts []string, componentCodeLocations []types.CodeLocation, failedComponentType types.SpecComponentType, failedComponentIndex int, state types.SpecState, succinct bool) int { startIndex := 1 indentation := 0 if len(componentTexts) == 1 { startIndex = 0 } for i := startIndex; i < len(componentTexts); i++ { if (state.IsFailure() || state == types.SpecStateSkipped) && i == failedComponentIndex { color := redColor if state == types.SpecStateSkipped { color = cyanColor } blockType := "" switch failedComponentType { case types.SpecComponentTypeBeforeSuite: blockType = "BeforeSuite" case types.SpecComponentTypeAfterSuite: blockType = "AfterSuite" case types.SpecComponentTypeBeforeEach: blockType = "BeforeEach" case types.SpecComponentTypeJustBeforeEach: blockType = "JustBeforeEach" case types.SpecComponentTypeAfterEach: blockType = "AfterEach" case types.SpecComponentTypeIt: blockType = "It" case types.SpecComponentTypeMeasure: blockType = "Measurement" } if succinct { s.print(0, s.colorize(color+boldStyle, "[%s] %s ", blockType, componentTexts[i])) } else { s.println(indentation, s.colorize(color+boldStyle, "%s [%s]", componentTexts[i], blockType)) s.println(indentation, s.colorize(grayColor, "%s", componentCodeLocations[i])) } } else { if succinct { s.print(0, s.colorize(alternatingColors[i%2], "%s ", componentTexts[i])) } else { s.println(indentation, componentTexts[i]) s.println(indentation, s.colorize(grayColor, "%s", componentCodeLocations[i])) } } indentation++ } return indentation } func (s *consoleStenographer) printCodeLocationBlock(componentTexts []string, componentCodeLocations []types.CodeLocation, failedComponentType types.SpecComponentType, failedComponentIndex int, state types.SpecState, succinct bool) int { indentation := s.printSpecContext(componentTexts, componentCodeLocations, failedComponentType, failedComponentIndex, state, succinct) if succinct { if len(componentTexts) > 0 { s.printNewLine() s.print(0, s.colorize(lightGrayColor, "%s", componentCodeLocations[len(componentCodeLocations)-1])) } s.printNewLine() indentation = 1 } else { indentation-- } return indentation } func (s *consoleStenographer) orderedMeasurementKeys(measurements map[string]*types.SpecMeasurement) []string { orderedKeys := make([]string, len(measurements)) for key, measurement := range measurements { orderedKeys[measurement.Order] = key } return orderedKeys } func (s *consoleStenographer) measurementReport(spec *types.SpecSummary, succinct bool) string { if len(spec.Measurements) == 0 { return "Found no measurements" } message := []string{} orderedKeys := s.orderedMeasurementKeys(spec.Measurements) if succinct { message = append(message, fmt.Sprintf("%s samples:", s.colorize(boldStyle, "%d", spec.NumberOfSamples))) for _, key := range orderedKeys { measurement := spec.Measurements[key] message = append(message, fmt.Sprintf(" %s - %s: %s%s, %s: %s%s ± %s%s, %s: %s%s", s.colorize(boldStyle, "%s", measurement.Name), measurement.SmallestLabel, s.colorize(greenColor, measurement.PrecisionFmt(), measurement.Smallest), measurement.Units, measurement.AverageLabel, s.colorize(cyanColor, measurement.PrecisionFmt(), measurement.Average), measurement.Units, s.colorize(cyanColor, measurement.PrecisionFmt(), measurement.StdDeviation), measurement.Units, measurement.LargestLabel, s.colorize(redColor, measurement.PrecisionFmt(), measurement.Largest), measurement.Units, )) } } else { message = append(message, fmt.Sprintf("Ran %s samples:", s.colorize(boldStyle, "%d", spec.NumberOfSamples))) for _, key := range orderedKeys { measurement := spec.Measurements[key] info := "" if measurement.Info != nil { message = append(message, fmt.Sprintf("%v", measurement.Info)) } message = append(message, fmt.Sprintf("%s:\n%s %s: %s%s\n %s: %s%s\n %s: %s%s ± %s%s", s.colorize(boldStyle, "%s", measurement.Name), info, measurement.SmallestLabel, s.colorize(greenColor, measurement.PrecisionFmt(), measurement.Smallest), measurement.Units, measurement.LargestLabel, s.colorize(redColor, measurement.PrecisionFmt(), measurement.Largest), measurement.Units, measurement.AverageLabel, s.colorize(cyanColor, measurement.PrecisionFmt(), measurement.Average), measurement.Units, s.colorize(cyanColor, measurement.PrecisionFmt(), measurement.StdDeviation), measurement.Units, )) } } return strings.Join(message, "\n") }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/reporters/stenographer/fake_stenographer.go
vendor/github.com/onsi/ginkgo/reporters/stenographer/fake_stenographer.go
package stenographer import ( "sync" "github.com/onsi/ginkgo/types" ) func NewFakeStenographerCall(method string, args ...interface{}) FakeStenographerCall { return FakeStenographerCall{ Method: method, Args: args, } } type FakeStenographer struct { calls []FakeStenographerCall lock *sync.Mutex } type FakeStenographerCall struct { Method string Args []interface{} } func NewFakeStenographer() *FakeStenographer { stenographer := &FakeStenographer{ lock: &sync.Mutex{}, } stenographer.Reset() return stenographer } func (stenographer *FakeStenographer) Calls() []FakeStenographerCall { stenographer.lock.Lock() defer stenographer.lock.Unlock() return stenographer.calls } func (stenographer *FakeStenographer) Reset() { stenographer.lock.Lock() defer stenographer.lock.Unlock() stenographer.calls = make([]FakeStenographerCall, 0) } func (stenographer *FakeStenographer) CallsTo(method string) []FakeStenographerCall { stenographer.lock.Lock() defer stenographer.lock.Unlock() results := make([]FakeStenographerCall, 0) for _, call := range stenographer.calls { if call.Method == method { results = append(results, call) } } return results } func (stenographer *FakeStenographer) registerCall(method string, args ...interface{}) { stenographer.lock.Lock() defer stenographer.lock.Unlock() stenographer.calls = append(stenographer.calls, NewFakeStenographerCall(method, args...)) } func (stenographer *FakeStenographer) AnnounceSuite(description string, randomSeed int64, randomizingAll bool, succinct bool) { stenographer.registerCall("AnnounceSuite", description, randomSeed, randomizingAll, succinct) } func (stenographer *FakeStenographer) AnnounceAggregatedParallelRun(nodes int, succinct bool) { stenographer.registerCall("AnnounceAggregatedParallelRun", nodes, succinct) } func (stenographer *FakeStenographer) AnnounceParallelRun(node int, nodes int, succinct bool) { stenographer.registerCall("AnnounceParallelRun", node, nodes, succinct) } func (stenographer *FakeStenographer) AnnounceNumberOfSpecs(specsToRun int, total int, succinct bool) { stenographer.registerCall("AnnounceNumberOfSpecs", specsToRun, total, succinct) } func (stenographer *FakeStenographer) AnnounceTotalNumberOfSpecs(total int, succinct bool) { stenographer.registerCall("AnnounceTotalNumberOfSpecs", total, succinct) } func (stenographer *FakeStenographer) AnnounceSpecRunCompletion(summary *types.SuiteSummary, succinct bool) { stenographer.registerCall("AnnounceSpecRunCompletion", summary, succinct) } func (stenographer *FakeStenographer) AnnounceSpecWillRun(spec *types.SpecSummary) { stenographer.registerCall("AnnounceSpecWillRun", spec) } func (stenographer *FakeStenographer) AnnounceBeforeSuiteFailure(summary *types.SetupSummary, succinct bool, fullTrace bool) { stenographer.registerCall("AnnounceBeforeSuiteFailure", summary, succinct, fullTrace) } func (stenographer *FakeStenographer) AnnounceAfterSuiteFailure(summary *types.SetupSummary, succinct bool, fullTrace bool) { stenographer.registerCall("AnnounceAfterSuiteFailure", summary, succinct, fullTrace) } func (stenographer *FakeStenographer) AnnounceCapturedOutput(output string) { stenographer.registerCall("AnnounceCapturedOutput", output) } func (stenographer *FakeStenographer) AnnounceSuccessfulSpec(spec *types.SpecSummary) { stenographer.registerCall("AnnounceSuccessfulSpec", spec) } func (stenographer *FakeStenographer) AnnounceSuccessfulSlowSpec(spec *types.SpecSummary, succinct bool) { stenographer.registerCall("AnnounceSuccessfulSlowSpec", spec, succinct) } func (stenographer *FakeStenographer) AnnounceSuccessfulMeasurement(spec *types.SpecSummary, succinct bool) { stenographer.registerCall("AnnounceSuccessfulMeasurement", spec, succinct) } func (stenographer *FakeStenographer) AnnouncePendingSpec(spec *types.SpecSummary, noisy bool) { stenographer.registerCall("AnnouncePendingSpec", spec, noisy) } func (stenographer *FakeStenographer) AnnounceSkippedSpec(spec *types.SpecSummary, succinct bool, fullTrace bool) { stenographer.registerCall("AnnounceSkippedSpec", spec, succinct, fullTrace) } func (stenographer *FakeStenographer) AnnounceSpecTimedOut(spec *types.SpecSummary, succinct bool, fullTrace bool) { stenographer.registerCall("AnnounceSpecTimedOut", spec, succinct, fullTrace) } func (stenographer *FakeStenographer) AnnounceSpecPanicked(spec *types.SpecSummary, succinct bool, fullTrace bool) { stenographer.registerCall("AnnounceSpecPanicked", spec, succinct, fullTrace) } func (stenographer *FakeStenographer) AnnounceSpecFailed(spec *types.SpecSummary, succinct bool, fullTrace bool) { stenographer.registerCall("AnnounceSpecFailed", spec, succinct, fullTrace) } func (stenographer *FakeStenographer) SummarizeFailures(summaries []*types.SpecSummary) { stenographer.registerCall("SummarizeFailures", summaries) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/reporters/stenographer/console_logging.go
vendor/github.com/onsi/ginkgo/reporters/stenographer/console_logging.go
package stenographer import ( "fmt" "strings" ) func (s *consoleStenographer) colorize(colorCode string, format string, args ...interface{}) string { var out string if len(args) > 0 { out = fmt.Sprintf(format, args...) } else { out = format } if s.color { return fmt.Sprintf("%s%s%s", colorCode, out, defaultStyle) } else { return out } } func (s *consoleStenographer) printBanner(text string, bannerCharacter string) { fmt.Fprintln(s.w, text) fmt.Fprintln(s.w, strings.Repeat(bannerCharacter, len(text))) } func (s *consoleStenographer) printNewLine() { fmt.Fprintln(s.w, "") } func (s *consoleStenographer) printDelimiter() { fmt.Fprintln(s.w, s.colorize(grayColor, "%s", strings.Repeat("-", 30))) } func (s *consoleStenographer) print(indentation int, format string, args ...interface{}) { fmt.Fprint(s.w, s.indent(indentation, format, args...)) } func (s *consoleStenographer) println(indentation int, format string, args ...interface{}) { fmt.Fprintln(s.w, s.indent(indentation, format, args...)) } func (s *consoleStenographer) indent(indentation int, format string, args ...interface{}) string { var text string if len(args) > 0 { text = fmt.Sprintf(format, args...) } else { text = format } stringArray := strings.Split(text, "\n") padding := "" if indentation >= 0 { padding = strings.Repeat(" ", indentation) } for i, s := range stringArray { stringArray[i] = fmt.Sprintf("%s%s", padding, s) } return strings.Join(stringArray, "\n") }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/reporters/stenographer/support/go-colorable/colorable_windows.go
vendor/github.com/onsi/ginkgo/reporters/stenographer/support/go-colorable/colorable_windows.go
package colorable import ( "bytes" "fmt" "io" "math" "os" "strconv" "strings" "syscall" "unsafe" "github.com/onsi/ginkgo/reporters/stenographer/support/go-isatty" ) const ( foregroundBlue = 0x1 foregroundGreen = 0x2 foregroundRed = 0x4 foregroundIntensity = 0x8 foregroundMask = (foregroundRed | foregroundBlue | foregroundGreen | foregroundIntensity) backgroundBlue = 0x10 backgroundGreen = 0x20 backgroundRed = 0x40 backgroundIntensity = 0x80 backgroundMask = (backgroundRed | backgroundBlue | backgroundGreen | backgroundIntensity) ) type wchar uint16 type short int16 type dword uint32 type word uint16 type coord struct { x short y short } type smallRect struct { left short top short right short bottom short } type consoleScreenBufferInfo struct { size coord cursorPosition coord attributes word window smallRect maximumWindowSize coord } var ( kernel32 = syscall.NewLazyDLL("kernel32.dll") procGetConsoleScreenBufferInfo = kernel32.NewProc("GetConsoleScreenBufferInfo") procSetConsoleTextAttribute = kernel32.NewProc("SetConsoleTextAttribute") procSetConsoleCursorPosition = kernel32.NewProc("SetConsoleCursorPosition") procFillConsoleOutputCharacter = kernel32.NewProc("FillConsoleOutputCharacterW") procFillConsoleOutputAttribute = kernel32.NewProc("FillConsoleOutputAttribute") ) type Writer struct { out io.Writer handle syscall.Handle lastbuf bytes.Buffer oldattr word } func NewColorable(file *os.File) io.Writer { if file == nil { panic("nil passed instead of *os.File to NewColorable()") } if isatty.IsTerminal(file.Fd()) { var csbi consoleScreenBufferInfo handle := syscall.Handle(file.Fd()) procGetConsoleScreenBufferInfo.Call(uintptr(handle), uintptr(unsafe.Pointer(&csbi))) return &Writer{out: file, handle: handle, oldattr: csbi.attributes} } else { return file } } func NewColorableStdout() io.Writer { return NewColorable(os.Stdout) } func NewColorableStderr() io.Writer { return NewColorable(os.Stderr) } var color256 = map[int]int{ 0: 0x000000, 1: 0x800000, 2: 0x008000, 3: 0x808000, 4: 0x000080, 5: 0x800080, 6: 0x008080, 7: 0xc0c0c0, 8: 0x808080, 9: 0xff0000, 10: 0x00ff00, 11: 0xffff00, 12: 0x0000ff, 13: 0xff00ff, 14: 0x00ffff, 15: 0xffffff, 16: 0x000000, 17: 0x00005f, 18: 0x000087, 19: 0x0000af, 20: 0x0000d7, 21: 0x0000ff, 22: 0x005f00, 23: 0x005f5f, 24: 0x005f87, 25: 0x005faf, 26: 0x005fd7, 27: 0x005fff, 28: 0x008700, 29: 0x00875f, 30: 0x008787, 31: 0x0087af, 32: 0x0087d7, 33: 0x0087ff, 34: 0x00af00, 35: 0x00af5f, 36: 0x00af87, 37: 0x00afaf, 38: 0x00afd7, 39: 0x00afff, 40: 0x00d700, 41: 0x00d75f, 42: 0x00d787, 43: 0x00d7af, 44: 0x00d7d7, 45: 0x00d7ff, 46: 0x00ff00, 47: 0x00ff5f, 48: 0x00ff87, 49: 0x00ffaf, 50: 0x00ffd7, 51: 0x00ffff, 52: 0x5f0000, 53: 0x5f005f, 54: 0x5f0087, 55: 0x5f00af, 56: 0x5f00d7, 57: 0x5f00ff, 58: 0x5f5f00, 59: 0x5f5f5f, 60: 0x5f5f87, 61: 0x5f5faf, 62: 0x5f5fd7, 63: 0x5f5fff, 64: 0x5f8700, 65: 0x5f875f, 66: 0x5f8787, 67: 0x5f87af, 68: 0x5f87d7, 69: 0x5f87ff, 70: 0x5faf00, 71: 0x5faf5f, 72: 0x5faf87, 73: 0x5fafaf, 74: 0x5fafd7, 75: 0x5fafff, 76: 0x5fd700, 77: 0x5fd75f, 78: 0x5fd787, 79: 0x5fd7af, 80: 0x5fd7d7, 81: 0x5fd7ff, 82: 0x5fff00, 83: 0x5fff5f, 84: 0x5fff87, 85: 0x5fffaf, 86: 0x5fffd7, 87: 0x5fffff, 88: 0x870000, 89: 0x87005f, 90: 0x870087, 91: 0x8700af, 92: 0x8700d7, 93: 0x8700ff, 94: 0x875f00, 95: 0x875f5f, 96: 0x875f87, 97: 0x875faf, 98: 0x875fd7, 99: 0x875fff, 100: 0x878700, 101: 0x87875f, 102: 0x878787, 103: 0x8787af, 104: 0x8787d7, 105: 0x8787ff, 106: 0x87af00, 107: 0x87af5f, 108: 0x87af87, 109: 0x87afaf, 110: 0x87afd7, 111: 0x87afff, 112: 0x87d700, 113: 0x87d75f, 114: 0x87d787, 115: 0x87d7af, 116: 0x87d7d7, 117: 0x87d7ff, 118: 0x87ff00, 119: 0x87ff5f, 120: 0x87ff87, 121: 0x87ffaf, 122: 0x87ffd7, 123: 0x87ffff, 124: 0xaf0000, 125: 0xaf005f, 126: 0xaf0087, 127: 0xaf00af, 128: 0xaf00d7, 129: 0xaf00ff, 130: 0xaf5f00, 131: 0xaf5f5f, 132: 0xaf5f87, 133: 0xaf5faf, 134: 0xaf5fd7, 135: 0xaf5fff, 136: 0xaf8700, 137: 0xaf875f, 138: 0xaf8787, 139: 0xaf87af, 140: 0xaf87d7, 141: 0xaf87ff, 142: 0xafaf00, 143: 0xafaf5f, 144: 0xafaf87, 145: 0xafafaf, 146: 0xafafd7, 147: 0xafafff, 148: 0xafd700, 149: 0xafd75f, 150: 0xafd787, 151: 0xafd7af, 152: 0xafd7d7, 153: 0xafd7ff, 154: 0xafff00, 155: 0xafff5f, 156: 0xafff87, 157: 0xafffaf, 158: 0xafffd7, 159: 0xafffff, 160: 0xd70000, 161: 0xd7005f, 162: 0xd70087, 163: 0xd700af, 164: 0xd700d7, 165: 0xd700ff, 166: 0xd75f00, 167: 0xd75f5f, 168: 0xd75f87, 169: 0xd75faf, 170: 0xd75fd7, 171: 0xd75fff, 172: 0xd78700, 173: 0xd7875f, 174: 0xd78787, 175: 0xd787af, 176: 0xd787d7, 177: 0xd787ff, 178: 0xd7af00, 179: 0xd7af5f, 180: 0xd7af87, 181: 0xd7afaf, 182: 0xd7afd7, 183: 0xd7afff, 184: 0xd7d700, 185: 0xd7d75f, 186: 0xd7d787, 187: 0xd7d7af, 188: 0xd7d7d7, 189: 0xd7d7ff, 190: 0xd7ff00, 191: 0xd7ff5f, 192: 0xd7ff87, 193: 0xd7ffaf, 194: 0xd7ffd7, 195: 0xd7ffff, 196: 0xff0000, 197: 0xff005f, 198: 0xff0087, 199: 0xff00af, 200: 0xff00d7, 201: 0xff00ff, 202: 0xff5f00, 203: 0xff5f5f, 204: 0xff5f87, 205: 0xff5faf, 206: 0xff5fd7, 207: 0xff5fff, 208: 0xff8700, 209: 0xff875f, 210: 0xff8787, 211: 0xff87af, 212: 0xff87d7, 213: 0xff87ff, 214: 0xffaf00, 215: 0xffaf5f, 216: 0xffaf87, 217: 0xffafaf, 218: 0xffafd7, 219: 0xffafff, 220: 0xffd700, 221: 0xffd75f, 222: 0xffd787, 223: 0xffd7af, 224: 0xffd7d7, 225: 0xffd7ff, 226: 0xffff00, 227: 0xffff5f, 228: 0xffff87, 229: 0xffffaf, 230: 0xffffd7, 231: 0xffffff, 232: 0x080808, 233: 0x121212, 234: 0x1c1c1c, 235: 0x262626, 236: 0x303030, 237: 0x3a3a3a, 238: 0x444444, 239: 0x4e4e4e, 240: 0x585858, 241: 0x626262, 242: 0x6c6c6c, 243: 0x767676, 244: 0x808080, 245: 0x8a8a8a, 246: 0x949494, 247: 0x9e9e9e, 248: 0xa8a8a8, 249: 0xb2b2b2, 250: 0xbcbcbc, 251: 0xc6c6c6, 252: 0xd0d0d0, 253: 0xdadada, 254: 0xe4e4e4, 255: 0xeeeeee, } func (w *Writer) Write(data []byte) (n int, err error) { var csbi consoleScreenBufferInfo procGetConsoleScreenBufferInfo.Call(uintptr(w.handle), uintptr(unsafe.Pointer(&csbi))) er := bytes.NewBuffer(data) loop: for { r1, _, err := procGetConsoleScreenBufferInfo.Call(uintptr(w.handle), uintptr(unsafe.Pointer(&csbi))) if r1 == 0 { break loop } c1, _, err := er.ReadRune() if err != nil { break loop } if c1 != 0x1b { fmt.Fprint(w.out, string(c1)) continue } c2, _, err := er.ReadRune() if err != nil { w.lastbuf.WriteRune(c1) break loop } if c2 != 0x5b { w.lastbuf.WriteRune(c1) w.lastbuf.WriteRune(c2) continue } var buf bytes.Buffer var m rune for { c, _, err := er.ReadRune() if err != nil { w.lastbuf.WriteRune(c1) w.lastbuf.WriteRune(c2) w.lastbuf.Write(buf.Bytes()) break loop } if ('a' <= c && c <= 'z') || ('A' <= c && c <= 'Z') || c == '@' { m = c break } buf.Write([]byte(string(c))) } var csbi consoleScreenBufferInfo switch m { case 'A': n, err = strconv.Atoi(buf.String()) if err != nil { continue } procGetConsoleScreenBufferInfo.Call(uintptr(w.handle), uintptr(unsafe.Pointer(&csbi))) csbi.cursorPosition.y -= short(n) procSetConsoleCursorPosition.Call(uintptr(w.handle), *(*uintptr)(unsafe.Pointer(&csbi.cursorPosition))) case 'B': n, err = strconv.Atoi(buf.String()) if err != nil { continue } procGetConsoleScreenBufferInfo.Call(uintptr(w.handle), uintptr(unsafe.Pointer(&csbi))) csbi.cursorPosition.y += short(n) procSetConsoleCursorPosition.Call(uintptr(w.handle), *(*uintptr)(unsafe.Pointer(&csbi.cursorPosition))) case 'C': n, err = strconv.Atoi(buf.String()) if err != nil { continue } procGetConsoleScreenBufferInfo.Call(uintptr(w.handle), uintptr(unsafe.Pointer(&csbi))) csbi.cursorPosition.x -= short(n) procSetConsoleCursorPosition.Call(uintptr(w.handle), *(*uintptr)(unsafe.Pointer(&csbi.cursorPosition))) case 'D': n, err = strconv.Atoi(buf.String()) if err != nil { continue } if n, err = strconv.Atoi(buf.String()); err == nil { var csbi consoleScreenBufferInfo procGetConsoleScreenBufferInfo.Call(uintptr(w.handle), uintptr(unsafe.Pointer(&csbi))) csbi.cursorPosition.x += short(n) procSetConsoleCursorPosition.Call(uintptr(w.handle), *(*uintptr)(unsafe.Pointer(&csbi.cursorPosition))) } case 'E': n, err = strconv.Atoi(buf.String()) if err != nil { continue } procGetConsoleScreenBufferInfo.Call(uintptr(w.handle), uintptr(unsafe.Pointer(&csbi))) csbi.cursorPosition.x = 0 csbi.cursorPosition.y += short(n) procSetConsoleCursorPosition.Call(uintptr(w.handle), *(*uintptr)(unsafe.Pointer(&csbi.cursorPosition))) case 'F': n, err = strconv.Atoi(buf.String()) if err != nil { continue } procGetConsoleScreenBufferInfo.Call(uintptr(w.handle), uintptr(unsafe.Pointer(&csbi))) csbi.cursorPosition.x = 0 csbi.cursorPosition.y -= short(n) procSetConsoleCursorPosition.Call(uintptr(w.handle), *(*uintptr)(unsafe.Pointer(&csbi.cursorPosition))) case 'G': n, err = strconv.Atoi(buf.String()) if err != nil { continue } procGetConsoleScreenBufferInfo.Call(uintptr(w.handle), uintptr(unsafe.Pointer(&csbi))) csbi.cursorPosition.x = short(n) procSetConsoleCursorPosition.Call(uintptr(w.handle), *(*uintptr)(unsafe.Pointer(&csbi.cursorPosition))) case 'H': token := strings.Split(buf.String(), ";") if len(token) != 2 { continue } n1, err := strconv.Atoi(token[0]) if err != nil { continue } n2, err := strconv.Atoi(token[1]) if err != nil { continue } csbi.cursorPosition.x = short(n2) csbi.cursorPosition.x = short(n1) procSetConsoleCursorPosition.Call(uintptr(w.handle), *(*uintptr)(unsafe.Pointer(&csbi.cursorPosition))) case 'J': n, err := strconv.Atoi(buf.String()) if err != nil { continue } var cursor coord switch n { case 0: cursor = coord{x: csbi.cursorPosition.x, y: csbi.cursorPosition.y} case 1: cursor = coord{x: csbi.window.left, y: csbi.window.top} case 2: cursor = coord{x: csbi.window.left, y: csbi.window.top} } var count, written dword count = dword(csbi.size.x - csbi.cursorPosition.x + (csbi.size.y-csbi.cursorPosition.y)*csbi.size.x) procFillConsoleOutputCharacter.Call(uintptr(w.handle), uintptr(' '), uintptr(count), *(*uintptr)(unsafe.Pointer(&cursor)), uintptr(unsafe.Pointer(&written))) procFillConsoleOutputAttribute.Call(uintptr(w.handle), uintptr(csbi.attributes), uintptr(count), *(*uintptr)(unsafe.Pointer(&cursor)), uintptr(unsafe.Pointer(&written))) case 'K': n, err := strconv.Atoi(buf.String()) if err != nil { continue } var cursor coord switch n { case 0: cursor = coord{x: csbi.cursorPosition.x, y: csbi.cursorPosition.y} case 1: cursor = coord{x: csbi.window.left, y: csbi.window.top + csbi.cursorPosition.y} case 2: cursor = coord{x: csbi.window.left, y: csbi.window.top + csbi.cursorPosition.y} } var count, written dword count = dword(csbi.size.x - csbi.cursorPosition.x) procFillConsoleOutputCharacter.Call(uintptr(w.handle), uintptr(' '), uintptr(count), *(*uintptr)(unsafe.Pointer(&cursor)), uintptr(unsafe.Pointer(&written))) procFillConsoleOutputAttribute.Call(uintptr(w.handle), uintptr(csbi.attributes), uintptr(count), *(*uintptr)(unsafe.Pointer(&cursor)), uintptr(unsafe.Pointer(&written))) case 'm': attr := csbi.attributes cs := buf.String() if cs == "" { procSetConsoleTextAttribute.Call(uintptr(w.handle), uintptr(w.oldattr)) continue } token := strings.Split(cs, ";") for i := 0; i < len(token); i += 1 { ns := token[i] if n, err = strconv.Atoi(ns); err == nil { switch { case n == 0 || n == 100: attr = w.oldattr case 1 <= n && n <= 5: attr |= foregroundIntensity case n == 7: attr = ((attr & foregroundMask) << 4) | ((attr & backgroundMask) >> 4) case 22 == n || n == 25 || n == 25: attr |= foregroundIntensity case n == 27: attr = ((attr & foregroundMask) << 4) | ((attr & backgroundMask) >> 4) case 30 <= n && n <= 37: attr = (attr & backgroundMask) if (n-30)&1 != 0 { attr |= foregroundRed } if (n-30)&2 != 0 { attr |= foregroundGreen } if (n-30)&4 != 0 { attr |= foregroundBlue } case n == 38: // set foreground color. if i < len(token)-2 && (token[i+1] == "5" || token[i+1] == "05") { if n256, err := strconv.Atoi(token[i+2]); err == nil { if n256foreAttr == nil { n256setup() } attr &= backgroundMask attr |= n256foreAttr[n256] i += 2 } } else { attr = attr & (w.oldattr & backgroundMask) } case n == 39: // reset foreground color. attr &= backgroundMask attr |= w.oldattr & foregroundMask case 40 <= n && n <= 47: attr = (attr & foregroundMask) if (n-40)&1 != 0 { attr |= backgroundRed } if (n-40)&2 != 0 { attr |= backgroundGreen } if (n-40)&4 != 0 { attr |= backgroundBlue } case n == 48: // set background color. if i < len(token)-2 && token[i+1] == "5" { if n256, err := strconv.Atoi(token[i+2]); err == nil { if n256backAttr == nil { n256setup() } attr &= foregroundMask attr |= n256backAttr[n256] i += 2 } } else { attr = attr & (w.oldattr & foregroundMask) } case n == 49: // reset foreground color. attr &= foregroundMask attr |= w.oldattr & backgroundMask case 90 <= n && n <= 97: attr = (attr & backgroundMask) attr |= foregroundIntensity if (n-90)&1 != 0 { attr |= foregroundRed } if (n-90)&2 != 0 { attr |= foregroundGreen } if (n-90)&4 != 0 { attr |= foregroundBlue } case 100 <= n && n <= 107: attr = (attr & foregroundMask) attr |= backgroundIntensity if (n-100)&1 != 0 { attr |= backgroundRed } if (n-100)&2 != 0 { attr |= backgroundGreen } if (n-100)&4 != 0 { attr |= backgroundBlue } } procSetConsoleTextAttribute.Call(uintptr(w.handle), uintptr(attr)) } } } } return len(data) - w.lastbuf.Len(), nil } type consoleColor struct { rgb int red bool green bool blue bool intensity bool } func (c consoleColor) foregroundAttr() (attr word) { if c.red { attr |= foregroundRed } if c.green { attr |= foregroundGreen } if c.blue { attr |= foregroundBlue } if c.intensity { attr |= foregroundIntensity } return } func (c consoleColor) backgroundAttr() (attr word) { if c.red { attr |= backgroundRed } if c.green { attr |= backgroundGreen } if c.blue { attr |= backgroundBlue } if c.intensity { attr |= backgroundIntensity } return } var color16 = []consoleColor{ consoleColor{0x000000, false, false, false, false}, consoleColor{0x000080, false, false, true, false}, consoleColor{0x008000, false, true, false, false}, consoleColor{0x008080, false, true, true, false}, consoleColor{0x800000, true, false, false, false}, consoleColor{0x800080, true, false, true, false}, consoleColor{0x808000, true, true, false, false}, consoleColor{0xc0c0c0, true, true, true, false}, consoleColor{0x808080, false, false, false, true}, consoleColor{0x0000ff, false, false, true, true}, consoleColor{0x00ff00, false, true, false, true}, consoleColor{0x00ffff, false, true, true, true}, consoleColor{0xff0000, true, false, false, true}, consoleColor{0xff00ff, true, false, true, true}, consoleColor{0xffff00, true, true, false, true}, consoleColor{0xffffff, true, true, true, true}, } type hsv struct { h, s, v float32 } func (a hsv) dist(b hsv) float32 { dh := a.h - b.h switch { case dh > 0.5: dh = 1 - dh case dh < -0.5: dh = -1 - dh } ds := a.s - b.s dv := a.v - b.v return float32(math.Sqrt(float64(dh*dh + ds*ds + dv*dv))) } func toHSV(rgb int) hsv { r, g, b := float32((rgb&0xFF0000)>>16)/256.0, float32((rgb&0x00FF00)>>8)/256.0, float32(rgb&0x0000FF)/256.0 min, max := minmax3f(r, g, b) h := max - min if h > 0 { if max == r { h = (g - b) / h if h < 0 { h += 6 } } else if max == g { h = 2 + (b-r)/h } else { h = 4 + (r-g)/h } } h /= 6.0 s := max - min if max != 0 { s /= max } v := max return hsv{h: h, s: s, v: v} } type hsvTable []hsv func toHSVTable(rgbTable []consoleColor) hsvTable { t := make(hsvTable, len(rgbTable)) for i, c := range rgbTable { t[i] = toHSV(c.rgb) } return t } func (t hsvTable) find(rgb int) consoleColor { hsv := toHSV(rgb) n := 7 l := float32(5.0) for i, p := range t { d := hsv.dist(p) if d < l { l, n = d, i } } return color16[n] } func minmax3f(a, b, c float32) (min, max float32) { if a < b { if b < c { return a, c } else if a < c { return a, b } else { return c, b } } else { if a < c { return b, c } else if b < c { return b, a } else { return c, a } } } var n256foreAttr []word var n256backAttr []word func n256setup() { n256foreAttr = make([]word, 256) n256backAttr = make([]word, 256) t := toHSVTable(color16) for i, rgb := range color256 { c := t.find(rgb) n256foreAttr[i] = c.foregroundAttr() n256backAttr[i] = c.backgroundAttr() } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/reporters/stenographer/support/go-colorable/noncolorable.go
vendor/github.com/onsi/ginkgo/reporters/stenographer/support/go-colorable/noncolorable.go
package colorable import ( "bytes" "fmt" "io" ) type NonColorable struct { out io.Writer lastbuf bytes.Buffer } func NewNonColorable(w io.Writer) io.Writer { return &NonColorable{out: w} } func (w *NonColorable) Write(data []byte) (n int, err error) { er := bytes.NewBuffer(data) loop: for { c1, _, err := er.ReadRune() if err != nil { break loop } if c1 != 0x1b { fmt.Fprint(w.out, string(c1)) continue } c2, _, err := er.ReadRune() if err != nil { w.lastbuf.WriteRune(c1) break loop } if c2 != 0x5b { w.lastbuf.WriteRune(c1) w.lastbuf.WriteRune(c2) continue } var buf bytes.Buffer for { c, _, err := er.ReadRune() if err != nil { w.lastbuf.WriteRune(c1) w.lastbuf.WriteRune(c2) w.lastbuf.Write(buf.Bytes()) break loop } if ('a' <= c && c <= 'z') || ('A' <= c && c <= 'Z') || c == '@' { break } buf.Write([]byte(string(c))) } } return len(data) - w.lastbuf.Len(), nil }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/reporters/stenographer/support/go-colorable/colorable_others.go
vendor/github.com/onsi/ginkgo/reporters/stenographer/support/go-colorable/colorable_others.go
// +build !windows package colorable import ( "io" "os" ) func NewColorable(file *os.File) io.Writer { if file == nil { panic("nil passed instead of *os.File to NewColorable()") } return file } func NewColorableStdout() io.Writer { return os.Stdout } func NewColorableStderr() io.Writer { return os.Stderr }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/reporters/stenographer/support/go-isatty/isatty_bsd.go
vendor/github.com/onsi/ginkgo/reporters/stenographer/support/go-isatty/isatty_bsd.go
// +build darwin freebsd openbsd netbsd // +build !appengine package isatty import ( "syscall" "unsafe" ) const ioctlReadTermios = syscall.TIOCGETA // IsTerminal return true if the file descriptor is terminal. func IsTerminal(fd uintptr) bool { var termios syscall.Termios _, _, err := syscall.Syscall6(syscall.SYS_IOCTL, fd, ioctlReadTermios, uintptr(unsafe.Pointer(&termios)), 0, 0, 0) return err == 0 }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/reporters/stenographer/support/go-isatty/isatty_windows.go
vendor/github.com/onsi/ginkgo/reporters/stenographer/support/go-isatty/isatty_windows.go
// +build windows // +build !appengine package isatty import ( "syscall" "unsafe" ) var kernel32 = syscall.NewLazyDLL("kernel32.dll") var procGetConsoleMode = kernel32.NewProc("GetConsoleMode") // IsTerminal return true if the file descriptor is terminal. func IsTerminal(fd uintptr) bool { var st uint32 r, _, e := syscall.Syscall(procGetConsoleMode.Addr(), 2, fd, uintptr(unsafe.Pointer(&st)), 0) return r != 0 && e == 0 }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/reporters/stenographer/support/go-isatty/isatty_appengine.go
vendor/github.com/onsi/ginkgo/reporters/stenographer/support/go-isatty/isatty_appengine.go
// +build appengine package isatty // IsTerminal returns true if the file descriptor is terminal which // is always false on on appengine classic which is a sandboxed PaaS. func IsTerminal(fd uintptr) bool { return false }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/reporters/stenographer/support/go-isatty/isatty_linux.go
vendor/github.com/onsi/ginkgo/reporters/stenographer/support/go-isatty/isatty_linux.go
// +build linux // +build !appengine package isatty import ( "syscall" "unsafe" ) const ioctlReadTermios = syscall.TCGETS // IsTerminal return true if the file descriptor is terminal. func IsTerminal(fd uintptr) bool { var termios syscall.Termios _, _, err := syscall.Syscall6(syscall.SYS_IOCTL, fd, ioctlReadTermios, uintptr(unsafe.Pointer(&termios)), 0, 0, 0) return err == 0 }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/reporters/stenographer/support/go-isatty/isatty_solaris.go
vendor/github.com/onsi/ginkgo/reporters/stenographer/support/go-isatty/isatty_solaris.go
// +build solaris // +build !appengine package isatty import ( "golang.org/x/sys/unix" ) // IsTerminal returns true if the given file descriptor is a terminal. // see: http://src.illumos.org/source/xref/illumos-gate/usr/src/lib/libbc/libc/gen/common/isatty.c func IsTerminal(fd uintptr) bool { var termio unix.Termio err := unix.IoctlSetTermio(int(fd), unix.TCGETA, &termio) return err == nil }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/reporters/stenographer/support/go-isatty/doc.go
vendor/github.com/onsi/ginkgo/reporters/stenographer/support/go-isatty/doc.go
// Package isatty implements interface to isatty package isatty
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/failer/failer.go
vendor/github.com/onsi/ginkgo/internal/failer/failer.go
package failer import ( "fmt" "sync" "github.com/onsi/ginkgo/types" ) type Failer struct { lock *sync.Mutex failure types.SpecFailure state types.SpecState } func New() *Failer { return &Failer{ lock: &sync.Mutex{}, state: types.SpecStatePassed, } } func (f *Failer) Panic(location types.CodeLocation, forwardedPanic interface{}) { f.lock.Lock() defer f.lock.Unlock() if f.state == types.SpecStatePassed { f.state = types.SpecStatePanicked f.failure = types.SpecFailure{ Message: "Test Panicked", Location: location, ForwardedPanic: fmt.Sprintf("%v", forwardedPanic), } } } func (f *Failer) Timeout(location types.CodeLocation) { f.lock.Lock() defer f.lock.Unlock() if f.state == types.SpecStatePassed { f.state = types.SpecStateTimedOut f.failure = types.SpecFailure{ Message: "Timed out", Location: location, } } } 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.SpecFailure{ Message: message, Location: location, } } } func (f *Failer) Drain(componentType types.SpecComponentType, componentIndex int, componentCodeLocation types.CodeLocation) (types.SpecFailure, types.SpecState) { f.lock.Lock() defer f.lock.Unlock() failure := f.failure outcome := f.state if outcome != types.SpecStatePassed { failure.ComponentType = componentType failure.ComponentIndex = componentIndex failure.ComponentCodeLocation = componentCodeLocation } f.state = types.SpecStatePassed f.failure = types.SpecFailure{} return failure, outcome } 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.SpecFailure{ Message: message, Location: location, } } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/writer/writer.go
vendor/github.com/onsi/ginkgo/internal/writer/writer.go
package writer import ( "bytes" "io" "sync" ) type WriterInterface interface { io.Writer Truncate() DumpOut() DumpOutWithHeader(header string) Bytes() []byte } type Writer struct { buffer *bytes.Buffer outWriter io.Writer lock *sync.Mutex stream bool redirector io.Writer } func New(outWriter io.Writer) *Writer { return &Writer{ buffer: &bytes.Buffer{}, lock: &sync.Mutex{}, outWriter: outWriter, stream: true, } } func (w *Writer) AndRedirectTo(writer io.Writer) { w.redirector = writer } func (w *Writer) SetStream(stream bool) { w.lock.Lock() defer w.lock.Unlock() w.stream = stream } func (w *Writer) Write(b []byte) (n int, err error) { w.lock.Lock() defer w.lock.Unlock() n, err = w.buffer.Write(b) if w.redirector != nil { w.redirector.Write(b) } if w.stream { return w.outWriter.Write(b) } return n, err } func (w *Writer) Truncate() { w.lock.Lock() defer w.lock.Unlock() w.buffer.Reset() } func (w *Writer) DumpOut() { w.lock.Lock() defer w.lock.Unlock() if !w.stream { w.buffer.WriteTo(w.outWriter) } } 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 } func (w *Writer) DumpOutWithHeader(header string) { w.lock.Lock() defer w.lock.Unlock() if !w.stream && w.buffer.Len() > 0 { w.outWriter.Write([]byte(header)) w.buffer.WriteTo(w.outWriter) } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/writer/fake_writer.go
vendor/github.com/onsi/ginkgo/internal/writer/fake_writer.go
package writer type FakeGinkgoWriter struct { EventStream []string } func NewFake() *FakeGinkgoWriter { return &FakeGinkgoWriter{ EventStream: []string{}, } } func (writer *FakeGinkgoWriter) AddEvent(event string) { writer.EventStream = append(writer.EventStream, event) } func (writer *FakeGinkgoWriter) Truncate() { writer.EventStream = append(writer.EventStream, "TRUNCATE") } func (writer *FakeGinkgoWriter) DumpOut() { writer.EventStream = append(writer.EventStream, "DUMP") } func (writer *FakeGinkgoWriter) DumpOutWithHeader(header string) { writer.EventStream = append(writer.EventStream, "DUMP_WITH_HEADER: "+header) } func (writer *FakeGinkgoWriter) Bytes() []byte { writer.EventStream = append(writer.EventStream, "BYTES") return nil } func (writer *FakeGinkgoWriter) Write(data []byte) (n int, err error) { return 0, nil }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/global/init.go
vendor/github.com/onsi/ginkgo/internal/global/init.go
package global import ( "time" "github.com/onsi/ginkgo/internal/failer" "github.com/onsi/ginkgo/internal/suite" ) const DefaultTimeout = time.Duration(1 * time.Second) var Suite *suite.Suite var Failer *failer.Failer func init() { InitializeGlobals() } func InitializeGlobals() { Failer = failer.New() Suite = suite.New(Failer) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/remote/aggregator.go
vendor/github.com/onsi/ginkgo/internal/remote/aggregator.go
/* Aggregator is a reporter used by the Ginkgo CLI to aggregate and present parallel test output coherently as tests complete. You shouldn't need to use this in your code. To run tests in parallel: ginkgo -nodes=N where N is the number of nodes you desire. */ package remote import ( "time" "github.com/onsi/ginkgo/config" "github.com/onsi/ginkgo/reporters/stenographer" "github.com/onsi/ginkgo/types" ) type configAndSuite struct { config config.GinkgoConfigType summary *types.SuiteSummary } type Aggregator struct { nodeCount int config config.DefaultReporterConfigType stenographer stenographer.Stenographer result chan bool suiteBeginnings chan configAndSuite aggregatedSuiteBeginnings []configAndSuite beforeSuites chan *types.SetupSummary aggregatedBeforeSuites []*types.SetupSummary afterSuites chan *types.SetupSummary aggregatedAfterSuites []*types.SetupSummary specCompletions chan *types.SpecSummary completedSpecs []*types.SpecSummary suiteEndings chan *types.SuiteSummary aggregatedSuiteEndings []*types.SuiteSummary specs []*types.SpecSummary startTime time.Time } func NewAggregator(nodeCount int, result chan bool, config config.DefaultReporterConfigType, stenographer stenographer.Stenographer) *Aggregator { aggregator := &Aggregator{ nodeCount: nodeCount, result: result, config: config, stenographer: stenographer, suiteBeginnings: make(chan configAndSuite), beforeSuites: make(chan *types.SetupSummary), afterSuites: make(chan *types.SetupSummary), specCompletions: make(chan *types.SpecSummary), suiteEndings: make(chan *types.SuiteSummary), } go aggregator.mux() return aggregator } func (aggregator *Aggregator) SpecSuiteWillBegin(config config.GinkgoConfigType, summary *types.SuiteSummary) { aggregator.suiteBeginnings <- configAndSuite{config, summary} } func (aggregator *Aggregator) BeforeSuiteDidRun(setupSummary *types.SetupSummary) { aggregator.beforeSuites <- setupSummary } func (aggregator *Aggregator) AfterSuiteDidRun(setupSummary *types.SetupSummary) { aggregator.afterSuites <- setupSummary } func (aggregator *Aggregator) SpecWillRun(specSummary *types.SpecSummary) { //noop } func (aggregator *Aggregator) SpecDidComplete(specSummary *types.SpecSummary) { aggregator.specCompletions <- specSummary } func (aggregator *Aggregator) SpecSuiteDidEnd(summary *types.SuiteSummary) { aggregator.suiteEndings <- summary } func (aggregator *Aggregator) mux() { loop: for { select { case configAndSuite := <-aggregator.suiteBeginnings: aggregator.registerSuiteBeginning(configAndSuite) case setupSummary := <-aggregator.beforeSuites: aggregator.registerBeforeSuite(setupSummary) case setupSummary := <-aggregator.afterSuites: aggregator.registerAfterSuite(setupSummary) case specSummary := <-aggregator.specCompletions: aggregator.registerSpecCompletion(specSummary) case suite := <-aggregator.suiteEndings: finished, passed := aggregator.registerSuiteEnding(suite) if finished { aggregator.result <- passed break loop } } } } func (aggregator *Aggregator) registerSuiteBeginning(configAndSuite configAndSuite) { aggregator.aggregatedSuiteBeginnings = append(aggregator.aggregatedSuiteBeginnings, configAndSuite) if len(aggregator.aggregatedSuiteBeginnings) == 1 { aggregator.startTime = time.Now() } if len(aggregator.aggregatedSuiteBeginnings) != aggregator.nodeCount { return } aggregator.stenographer.AnnounceSuite(configAndSuite.summary.SuiteDescription, configAndSuite.config.RandomSeed, configAndSuite.config.RandomizeAllSpecs, aggregator.config.Succinct) totalNumberOfSpecs := 0 if len(aggregator.aggregatedSuiteBeginnings) > 0 { totalNumberOfSpecs = configAndSuite.summary.NumberOfSpecsBeforeParallelization } aggregator.stenographer.AnnounceTotalNumberOfSpecs(totalNumberOfSpecs, aggregator.config.Succinct) aggregator.stenographer.AnnounceAggregatedParallelRun(aggregator.nodeCount, aggregator.config.Succinct) aggregator.flushCompletedSpecs() } func (aggregator *Aggregator) registerBeforeSuite(setupSummary *types.SetupSummary) { aggregator.aggregatedBeforeSuites = append(aggregator.aggregatedBeforeSuites, setupSummary) aggregator.flushCompletedSpecs() } func (aggregator *Aggregator) registerAfterSuite(setupSummary *types.SetupSummary) { aggregator.aggregatedAfterSuites = append(aggregator.aggregatedAfterSuites, setupSummary) aggregator.flushCompletedSpecs() } func (aggregator *Aggregator) registerSpecCompletion(specSummary *types.SpecSummary) { aggregator.completedSpecs = append(aggregator.completedSpecs, specSummary) aggregator.specs = append(aggregator.specs, specSummary) aggregator.flushCompletedSpecs() } func (aggregator *Aggregator) flushCompletedSpecs() { if len(aggregator.aggregatedSuiteBeginnings) != aggregator.nodeCount { return } for _, setupSummary := range aggregator.aggregatedBeforeSuites { aggregator.announceBeforeSuite(setupSummary) } for _, specSummary := range aggregator.completedSpecs { aggregator.announceSpec(specSummary) } for _, setupSummary := range aggregator.aggregatedAfterSuites { aggregator.announceAfterSuite(setupSummary) } aggregator.aggregatedBeforeSuites = []*types.SetupSummary{} aggregator.completedSpecs = []*types.SpecSummary{} aggregator.aggregatedAfterSuites = []*types.SetupSummary{} } func (aggregator *Aggregator) announceBeforeSuite(setupSummary *types.SetupSummary) { aggregator.stenographer.AnnounceCapturedOutput(setupSummary.CapturedOutput) if setupSummary.State != types.SpecStatePassed { aggregator.stenographer.AnnounceBeforeSuiteFailure(setupSummary, aggregator.config.Succinct, aggregator.config.FullTrace) } } func (aggregator *Aggregator) announceAfterSuite(setupSummary *types.SetupSummary) { aggregator.stenographer.AnnounceCapturedOutput(setupSummary.CapturedOutput) if setupSummary.State != types.SpecStatePassed { aggregator.stenographer.AnnounceAfterSuiteFailure(setupSummary, aggregator.config.Succinct, aggregator.config.FullTrace) } } func (aggregator *Aggregator) announceSpec(specSummary *types.SpecSummary) { if aggregator.config.Verbose && specSummary.State != types.SpecStatePending && specSummary.State != types.SpecStateSkipped { aggregator.stenographer.AnnounceSpecWillRun(specSummary) } aggregator.stenographer.AnnounceCapturedOutput(specSummary.CapturedOutput) switch specSummary.State { case types.SpecStatePassed: if specSummary.IsMeasurement { aggregator.stenographer.AnnounceSuccessfulMeasurement(specSummary, aggregator.config.Succinct) } else if specSummary.RunTime.Seconds() >= aggregator.config.SlowSpecThreshold { aggregator.stenographer.AnnounceSuccessfulSlowSpec(specSummary, aggregator.config.Succinct) } else { aggregator.stenographer.AnnounceSuccessfulSpec(specSummary) } case types.SpecStatePending: aggregator.stenographer.AnnouncePendingSpec(specSummary, aggregator.config.NoisyPendings && !aggregator.config.Succinct) case types.SpecStateSkipped: aggregator.stenographer.AnnounceSkippedSpec(specSummary, aggregator.config.Succinct || !aggregator.config.NoisySkippings, aggregator.config.FullTrace) case types.SpecStateTimedOut: aggregator.stenographer.AnnounceSpecTimedOut(specSummary, aggregator.config.Succinct, aggregator.config.FullTrace) case types.SpecStatePanicked: aggregator.stenographer.AnnounceSpecPanicked(specSummary, aggregator.config.Succinct, aggregator.config.FullTrace) case types.SpecStateFailed: aggregator.stenographer.AnnounceSpecFailed(specSummary, aggregator.config.Succinct, aggregator.config.FullTrace) } } func (aggregator *Aggregator) registerSuiteEnding(suite *types.SuiteSummary) (finished bool, passed bool) { aggregator.aggregatedSuiteEndings = append(aggregator.aggregatedSuiteEndings, suite) if len(aggregator.aggregatedSuiteEndings) < aggregator.nodeCount { return false, false } aggregatedSuiteSummary := &types.SuiteSummary{} aggregatedSuiteSummary.SuiteSucceeded = true for _, suiteSummary := range aggregator.aggregatedSuiteEndings { if !suiteSummary.SuiteSucceeded { aggregatedSuiteSummary.SuiteSucceeded = false } aggregatedSuiteSummary.NumberOfSpecsThatWillBeRun += suiteSummary.NumberOfSpecsThatWillBeRun aggregatedSuiteSummary.NumberOfTotalSpecs += suiteSummary.NumberOfTotalSpecs aggregatedSuiteSummary.NumberOfPassedSpecs += suiteSummary.NumberOfPassedSpecs aggregatedSuiteSummary.NumberOfFailedSpecs += suiteSummary.NumberOfFailedSpecs aggregatedSuiteSummary.NumberOfPendingSpecs += suiteSummary.NumberOfPendingSpecs aggregatedSuiteSummary.NumberOfSkippedSpecs += suiteSummary.NumberOfSkippedSpecs aggregatedSuiteSummary.NumberOfFlakedSpecs += suiteSummary.NumberOfFlakedSpecs } aggregatedSuiteSummary.RunTime = time.Since(aggregator.startTime) aggregator.stenographer.SummarizeFailures(aggregator.specs) aggregator.stenographer.AnnounceSpecRunCompletion(aggregatedSuiteSummary, aggregator.config.Succinct) return true, aggregatedSuiteSummary.SuiteSucceeded }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/remote/output_interceptor.go
vendor/github.com/onsi/ginkgo/internal/remote/output_interceptor.go
package remote import "os" /* The OutputInterceptor is used by the ForwardingReporter to intercept and capture all stdin and stderr output during a test run. */ type OutputInterceptor interface { StartInterceptingOutput() error StopInterceptingAndReturnOutput() (string, error) StreamTo(*os.File) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/remote/output_interceptor_win.go
vendor/github.com/onsi/ginkgo/internal/remote/output_interceptor_win.go
// +build windows package remote import ( "errors" "os" ) func NewOutputInterceptor() OutputInterceptor { return &outputInterceptor{} } type outputInterceptor struct { intercepting bool } func (interceptor *outputInterceptor) StartInterceptingOutput() error { if interceptor.intercepting { return errors.New("Already intercepting output!") } interceptor.intercepting = true // not working on windows... return nil } func (interceptor *outputInterceptor) StopInterceptingAndReturnOutput() (string, error) { // not working on windows... interceptor.intercepting = false return "", nil } func (interceptor *outputInterceptor) StreamTo(*os.File) {}
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/remote/server.go
vendor/github.com/onsi/ginkgo/internal/remote/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 remote import ( "encoding/json" "io/ioutil" "net" "net/http" "sync" "github.com/onsi/ginkgo/internal/spec_iterator" "github.com/onsi/ginkgo/config" "github.com/onsi/ginkgo/reporters" "github.com/onsi/ginkgo/types" ) /* Server spins up on an automatically selected port and listens for communication from the forwarding reporter. It then forwards that communication to attached reporters. */ type Server struct { listener net.Listener reporters []reporters.Reporter alives []func() bool lock *sync.Mutex beforeSuiteData types.RemoteBeforeSuiteData parallelTotal int counter int } //Create a new server, automatically selecting a port func NewServer(parallelTotal int) (*Server, error) { listener, err := net.Listen("tcp", "127.0.0.1:0") if err != nil { return nil, err } return &Server{ listener: listener, lock: &sync.Mutex{}, alives: make([]func() bool, parallelTotal), beforeSuiteData: types.RemoteBeforeSuiteData{Data: nil, State: types.RemoteBeforeSuiteStatePending}, parallelTotal: parallelTotal, }, nil } //Start the server. You don't need to `go s.Start()`, just `s.Start()` func (server *Server) Start() { httpServer := &http.Server{} mux := http.NewServeMux() httpServer.Handler = mux //streaming endpoints mux.HandleFunc("/SpecSuiteWillBegin", server.specSuiteWillBegin) mux.HandleFunc("/BeforeSuiteDidRun", server.beforeSuiteDidRun) mux.HandleFunc("/AfterSuiteDidRun", server.afterSuiteDidRun) mux.HandleFunc("/SpecWillRun", server.specWillRun) mux.HandleFunc("/SpecDidComplete", server.specDidComplete) mux.HandleFunc("/SpecSuiteDidEnd", server.specSuiteDidEnd) //synchronization endpoints mux.HandleFunc("/BeforeSuiteState", server.handleBeforeSuiteState) mux.HandleFunc("/RemoteAfterSuiteData", server.handleRemoteAfterSuiteData) mux.HandleFunc("/counter", server.handleCounter) mux.HandleFunc("/has-counter", server.handleHasCounter) //for backward compatibility go httpServer.Serve(server.listener) } //Stop the server func (server *Server) Close() { server.listener.Close() } //The address the server can be reached it. Pass this into the `ForwardingReporter`. func (server *Server) Address() string { return "http://" + server.listener.Addr().String() } // // Streaming Endpoints // //The server will forward all received messages to Ginkgo reporters registered with `RegisterReporters` func (server *Server) readAll(request *http.Request) []byte { defer request.Body.Close() body, _ := ioutil.ReadAll(request.Body) return body } func (server *Server) RegisterReporters(reporters ...reporters.Reporter) { server.reporters = reporters } func (server *Server) specSuiteWillBegin(writer http.ResponseWriter, request *http.Request) { body := server.readAll(request) var data struct { Config config.GinkgoConfigType `json:"config"` Summary *types.SuiteSummary `json:"suite-summary"` } json.Unmarshal(body, &data) for _, reporter := range server.reporters { reporter.SpecSuiteWillBegin(data.Config, data.Summary) } } func (server *Server) beforeSuiteDidRun(writer http.ResponseWriter, request *http.Request) { body := server.readAll(request) var setupSummary *types.SetupSummary json.Unmarshal(body, &setupSummary) for _, reporter := range server.reporters { reporter.BeforeSuiteDidRun(setupSummary) } } func (server *Server) afterSuiteDidRun(writer http.ResponseWriter, request *http.Request) { body := server.readAll(request) var setupSummary *types.SetupSummary json.Unmarshal(body, &setupSummary) for _, reporter := range server.reporters { reporter.AfterSuiteDidRun(setupSummary) } } func (server *Server) specWillRun(writer http.ResponseWriter, request *http.Request) { body := server.readAll(request) var specSummary *types.SpecSummary json.Unmarshal(body, &specSummary) for _, reporter := range server.reporters { reporter.SpecWillRun(specSummary) } } func (server *Server) specDidComplete(writer http.ResponseWriter, request *http.Request) { body := server.readAll(request) var specSummary *types.SpecSummary json.Unmarshal(body, &specSummary) for _, reporter := range server.reporters { reporter.SpecDidComplete(specSummary) } } func (server *Server) specSuiteDidEnd(writer http.ResponseWriter, request *http.Request) { body := server.readAll(request) var suiteSummary *types.SuiteSummary json.Unmarshal(body, &suiteSummary) for _, reporter := range server.reporters { reporter.SpecSuiteDidEnd(suiteSummary) } } // // Synchronization Endpoints // func (server *Server) RegisterAlive(node int, alive func() bool) { server.lock.Lock() defer server.lock.Unlock() server.alives[node-1] = alive } func (server *Server) nodeIsAlive(node int) bool { server.lock.Lock() defer server.lock.Unlock() alive := server.alives[node-1] if alive == nil { return true } return alive() } func (server *Server) handleBeforeSuiteState(writer http.ResponseWriter, request *http.Request) { if request.Method == "POST" { dec := json.NewDecoder(request.Body) dec.Decode(&(server.beforeSuiteData)) } else { beforeSuiteData := server.beforeSuiteData if beforeSuiteData.State == types.RemoteBeforeSuiteStatePending && !server.nodeIsAlive(1) { beforeSuiteData.State = types.RemoteBeforeSuiteStateDisappeared } enc := json.NewEncoder(writer) enc.Encode(beforeSuiteData) } } func (server *Server) handleRemoteAfterSuiteData(writer http.ResponseWriter, request *http.Request) { afterSuiteData := types.RemoteAfterSuiteData{ CanRun: true, } for i := 2; i <= server.parallelTotal; i++ { afterSuiteData.CanRun = afterSuiteData.CanRun && !server.nodeIsAlive(i) } enc := json.NewEncoder(writer) enc.Encode(afterSuiteData) } func (server *Server) handleCounter(writer http.ResponseWriter, request *http.Request) { c := spec_iterator.Counter{} server.lock.Lock() c.Index = server.counter server.counter++ server.lock.Unlock() json.NewEncoder(writer).Encode(c) } func (server *Server) handleHasCounter(writer http.ResponseWriter, request *http.Request) { writer.Write([]byte("")) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/remote/forwarding_reporter.go
vendor/github.com/onsi/ginkgo/internal/remote/forwarding_reporter.go
package remote import ( "bytes" "encoding/json" "fmt" "io" "net/http" "os" "github.com/onsi/ginkgo/internal/writer" "github.com/onsi/ginkgo/reporters" "github.com/onsi/ginkgo/reporters/stenographer" "github.com/onsi/ginkgo/config" "github.com/onsi/ginkgo/types" ) //An interface to net/http's client to allow the injection of fakes under test type Poster interface { Post(url string, bodyType string, body io.Reader) (resp *http.Response, err error) } /* The ForwardingReporter is a Ginkgo reporter that forwards information to a Ginkgo remote server. When streaming parallel test output, this repoter is automatically installed by Ginkgo. This is accomplished by passing in the GINKGO_REMOTE_REPORTING_SERVER environment variable to `go test`, the Ginkgo test runner detects this environment variable (which should contain the host of the server) and automatically installs a ForwardingReporter in place of Ginkgo's DefaultReporter. */ type ForwardingReporter struct { serverHost string poster Poster outputInterceptor OutputInterceptor debugMode bool debugFile *os.File nestedReporter *reporters.DefaultReporter } func NewForwardingReporter(config config.DefaultReporterConfigType, serverHost string, poster Poster, outputInterceptor OutputInterceptor, ginkgoWriter *writer.Writer, debugFile string) *ForwardingReporter { reporter := &ForwardingReporter{ serverHost: serverHost, poster: poster, outputInterceptor: outputInterceptor, } if debugFile != "" { var err error reporter.debugMode = true reporter.debugFile, err = os.Create(debugFile) if err != nil { fmt.Println(err.Error()) os.Exit(1) } if !config.Verbose { //if verbose is true then the GinkgoWriter emits to stdout. Don't _also_ redirect GinkgoWriter output as that will result in duplication. ginkgoWriter.AndRedirectTo(reporter.debugFile) } outputInterceptor.StreamTo(reporter.debugFile) //This is not working stenographer := stenographer.New(false, true, reporter.debugFile) config.Succinct = false config.Verbose = true config.FullTrace = true reporter.nestedReporter = reporters.NewDefaultReporter(config, stenographer) } return reporter } func (reporter *ForwardingReporter) post(path string, data interface{}) { encoded, _ := json.Marshal(data) buffer := bytes.NewBuffer(encoded) reporter.poster.Post(reporter.serverHost+path, "application/json", buffer) } func (reporter *ForwardingReporter) SpecSuiteWillBegin(conf config.GinkgoConfigType, summary *types.SuiteSummary) { data := struct { Config config.GinkgoConfigType `json:"config"` Summary *types.SuiteSummary `json:"suite-summary"` }{ conf, summary, } reporter.outputInterceptor.StartInterceptingOutput() if reporter.debugMode { reporter.nestedReporter.SpecSuiteWillBegin(conf, summary) reporter.debugFile.Sync() } reporter.post("/SpecSuiteWillBegin", data) } func (reporter *ForwardingReporter) BeforeSuiteDidRun(setupSummary *types.SetupSummary) { output, _ := reporter.outputInterceptor.StopInterceptingAndReturnOutput() reporter.outputInterceptor.StartInterceptingOutput() setupSummary.CapturedOutput = output if reporter.debugMode { reporter.nestedReporter.BeforeSuiteDidRun(setupSummary) reporter.debugFile.Sync() } reporter.post("/BeforeSuiteDidRun", setupSummary) } func (reporter *ForwardingReporter) SpecWillRun(specSummary *types.SpecSummary) { if reporter.debugMode { reporter.nestedReporter.SpecWillRun(specSummary) reporter.debugFile.Sync() } reporter.post("/SpecWillRun", specSummary) } func (reporter *ForwardingReporter) SpecDidComplete(specSummary *types.SpecSummary) { output, _ := reporter.outputInterceptor.StopInterceptingAndReturnOutput() reporter.outputInterceptor.StartInterceptingOutput() specSummary.CapturedOutput = output if reporter.debugMode { reporter.nestedReporter.SpecDidComplete(specSummary) reporter.debugFile.Sync() } reporter.post("/SpecDidComplete", specSummary) } func (reporter *ForwardingReporter) AfterSuiteDidRun(setupSummary *types.SetupSummary) { output, _ := reporter.outputInterceptor.StopInterceptingAndReturnOutput() reporter.outputInterceptor.StartInterceptingOutput() setupSummary.CapturedOutput = output if reporter.debugMode { reporter.nestedReporter.AfterSuiteDidRun(setupSummary) reporter.debugFile.Sync() } reporter.post("/AfterSuiteDidRun", setupSummary) } func (reporter *ForwardingReporter) SpecSuiteDidEnd(summary *types.SuiteSummary) { reporter.outputInterceptor.StopInterceptingAndReturnOutput() if reporter.debugMode { reporter.nestedReporter.SpecSuiteDidEnd(summary) reporter.debugFile.Sync() } reporter.post("/SpecSuiteDidEnd", summary) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/remote/output_interceptor_unix.go
vendor/github.com/onsi/ginkgo/internal/remote/output_interceptor_unix.go
// +build freebsd openbsd netbsd dragonfly darwin linux solaris package remote import ( "errors" "io/ioutil" "os" "github.com/nxadm/tail" "golang.org/x/sys/unix" ) func NewOutputInterceptor() OutputInterceptor { return &outputInterceptor{} } type outputInterceptor struct { redirectFile *os.File streamTarget *os.File intercepting bool tailer *tail.Tail doneTailing chan bool } func (interceptor *outputInterceptor) StartInterceptingOutput() error { if interceptor.intercepting { return errors.New("Already intercepting output!") } interceptor.intercepting = true var err error interceptor.redirectFile, err = ioutil.TempFile("", "ginkgo-output") if err != nil { return err } // This might call Dup3 if the dup2 syscall is not available, e.g. on // linux/arm64 or linux/riscv64 unix.Dup2(int(interceptor.redirectFile.Fd()), 1) unix.Dup2(int(interceptor.redirectFile.Fd()), 2) if interceptor.streamTarget != nil { interceptor.tailer, _ = tail.TailFile(interceptor.redirectFile.Name(), tail.Config{Follow: true}) interceptor.doneTailing = make(chan bool) go func() { for line := range interceptor.tailer.Lines { interceptor.streamTarget.Write([]byte(line.Text + "\n")) } close(interceptor.doneTailing) }() } return nil } func (interceptor *outputInterceptor) StopInterceptingAndReturnOutput() (string, error) { if !interceptor.intercepting { return "", errors.New("Not intercepting output!") } interceptor.redirectFile.Close() output, err := ioutil.ReadFile(interceptor.redirectFile.Name()) os.Remove(interceptor.redirectFile.Name()) interceptor.intercepting = false if interceptor.streamTarget != nil { interceptor.tailer.Stop() interceptor.tailer.Cleanup() <-interceptor.doneTailing interceptor.streamTarget.Sync() } return string(output), err } func (interceptor *outputInterceptor) StreamTo(out *os.File) { interceptor.streamTarget = out }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/codelocation/code_location.go
vendor/github.com/onsi/ginkgo/internal/codelocation/code_location.go
package codelocation import ( "regexp" "runtime" "runtime/debug" "strings" "github.com/onsi/ginkgo/types" ) func New(skip int) types.CodeLocation { _, file, line, _ := runtime.Caller(skip + 1) stackTrace := PruneStack(string(debug.Stack()), skip+1) return types.CodeLocation{FileName: file, LineNumber: line, FullStackTrace: stackTrace} } // 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 // 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{} 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.Match([]byte(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/vendor/github.com/onsi/ginkgo/internal/specrunner/random_id.go
vendor/github.com/onsi/ginkgo/internal/specrunner/random_id.go
package specrunner import ( "crypto/rand" "fmt" ) func randomID() string { b := make([]byte, 8) _, err := rand.Read(b) if err != nil { return "" } return fmt.Sprintf("%x-%x-%x-%x", b[0:2], b[2:4], b[4:6], b[6:8]) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/specrunner/spec_runner.go
vendor/github.com/onsi/ginkgo/internal/specrunner/spec_runner.go
package specrunner import ( "fmt" "os" "os/signal" "sync" "syscall" "github.com/onsi/ginkgo/internal/spec_iterator" "github.com/onsi/ginkgo/config" "github.com/onsi/ginkgo/internal/leafnodes" "github.com/onsi/ginkgo/internal/spec" Writer "github.com/onsi/ginkgo/internal/writer" "github.com/onsi/ginkgo/reporters" "github.com/onsi/ginkgo/types" "time" ) type SpecRunner struct { description string beforeSuiteNode leafnodes.SuiteNode iterator spec_iterator.SpecIterator afterSuiteNode leafnodes.SuiteNode reporters []reporters.Reporter startTime time.Time suiteID string runningSpec *spec.Spec writer Writer.WriterInterface config config.GinkgoConfigType interrupted bool processedSpecs []*spec.Spec lock *sync.Mutex } func New(description string, beforeSuiteNode leafnodes.SuiteNode, iterator spec_iterator.SpecIterator, afterSuiteNode leafnodes.SuiteNode, reporters []reporters.Reporter, writer Writer.WriterInterface, config config.GinkgoConfigType) *SpecRunner { return &SpecRunner{ description: description, beforeSuiteNode: beforeSuiteNode, iterator: iterator, afterSuiteNode: afterSuiteNode, reporters: reporters, writer: writer, config: config, suiteID: randomID(), lock: &sync.Mutex{}, } } func (runner *SpecRunner) Run() bool { if runner.config.DryRun { runner.performDryRun() return true } runner.reportSuiteWillBegin() signalRegistered := make(chan struct{}) go runner.registerForInterrupts(signalRegistered) <-signalRegistered suitePassed := runner.runBeforeSuite() if suitePassed { suitePassed = runner.runSpecs() } runner.blockForeverIfInterrupted() suitePassed = runner.runAfterSuite() && suitePassed runner.reportSuiteDidEnd(suitePassed) return suitePassed } func (runner *SpecRunner) performDryRun() { runner.reportSuiteWillBegin() if runner.beforeSuiteNode != nil { summary := runner.beforeSuiteNode.Summary() summary.State = types.SpecStatePassed runner.reportBeforeSuite(summary) } for { spec, err := runner.iterator.Next() if err == spec_iterator.ErrClosed { break } if err != nil { fmt.Println("failed to iterate over tests:\n" + err.Error()) break } runner.processedSpecs = append(runner.processedSpecs, spec) summary := spec.Summary(runner.suiteID) runner.reportSpecWillRun(summary) if summary.State == types.SpecStateInvalid { summary.State = types.SpecStatePassed } runner.reportSpecDidComplete(summary, false) } if runner.afterSuiteNode != nil { summary := runner.afterSuiteNode.Summary() summary.State = types.SpecStatePassed runner.reportAfterSuite(summary) } runner.reportSuiteDidEnd(true) } func (runner *SpecRunner) runBeforeSuite() bool { if runner.beforeSuiteNode == nil || runner.wasInterrupted() { return true } runner.writer.Truncate() conf := runner.config passed := runner.beforeSuiteNode.Run(conf.ParallelNode, conf.ParallelTotal, conf.SyncHost) if !passed { runner.writer.DumpOut() } runner.reportBeforeSuite(runner.beforeSuiteNode.Summary()) return passed } func (runner *SpecRunner) runAfterSuite() bool { if runner.afterSuiteNode == nil { return true } runner.writer.Truncate() conf := runner.config passed := runner.afterSuiteNode.Run(conf.ParallelNode, conf.ParallelTotal, conf.SyncHost) if !passed { runner.writer.DumpOut() } runner.reportAfterSuite(runner.afterSuiteNode.Summary()) return passed } func (runner *SpecRunner) runSpecs() bool { suiteFailed := false skipRemainingSpecs := false for { spec, err := runner.iterator.Next() if err == spec_iterator.ErrClosed { break } if err != nil { fmt.Println("failed to iterate over tests:\n" + err.Error()) suiteFailed = true break } runner.processedSpecs = append(runner.processedSpecs, spec) if runner.wasInterrupted() { break } if skipRemainingSpecs { spec.Skip() } if !spec.Skipped() && !spec.Pending() { if passed := runner.runSpec(spec); !passed { suiteFailed = true } } else if spec.Pending() && runner.config.FailOnPending { runner.reportSpecWillRun(spec.Summary(runner.suiteID)) suiteFailed = true runner.reportSpecDidComplete(spec.Summary(runner.suiteID), spec.Failed()) } else { runner.reportSpecWillRun(spec.Summary(runner.suiteID)) runner.reportSpecDidComplete(spec.Summary(runner.suiteID), spec.Failed()) } if spec.Failed() && runner.config.FailFast { skipRemainingSpecs = true } } return !suiteFailed } func (runner *SpecRunner) runSpec(spec *spec.Spec) (passed bool) { maxAttempts := 1 if runner.config.FlakeAttempts > 0 { // uninitialized configs count as 1 maxAttempts = runner.config.FlakeAttempts } for i := 0; i < maxAttempts; i++ { runner.reportSpecWillRun(spec.Summary(runner.suiteID)) runner.runningSpec = spec spec.Run(runner.writer) runner.runningSpec = nil runner.reportSpecDidComplete(spec.Summary(runner.suiteID), spec.Failed()) if !spec.Failed() { return true } } return false } func (runner *SpecRunner) CurrentSpecSummary() (*types.SpecSummary, bool) { if runner.runningSpec == nil { return nil, false } return runner.runningSpec.Summary(runner.suiteID), true } func (runner *SpecRunner) registerForInterrupts(signalRegistered chan struct{}) { c := make(chan os.Signal, 1) signal.Notify(c, os.Interrupt, syscall.SIGTERM) close(signalRegistered) <-c signal.Stop(c) runner.markInterrupted() go runner.registerForHardInterrupts() runner.writer.DumpOutWithHeader(` Received interrupt. Emitting contents of GinkgoWriter... --------------------------------------------------------- `) if runner.afterSuiteNode != nil { fmt.Fprint(os.Stderr, ` --------------------------------------------------------- Received interrupt. Running AfterSuite... ^C again to terminate immediately `) runner.runAfterSuite() } runner.reportSuiteDidEnd(false) os.Exit(1) } func (runner *SpecRunner) registerForHardInterrupts() { c := make(chan os.Signal, 1) signal.Notify(c, os.Interrupt, syscall.SIGTERM) <-c fmt.Fprintln(os.Stderr, "\nReceived second interrupt. Shutting down.") os.Exit(1) } func (runner *SpecRunner) blockForeverIfInterrupted() { runner.lock.Lock() interrupted := runner.interrupted runner.lock.Unlock() if interrupted { select {} } } func (runner *SpecRunner) markInterrupted() { runner.lock.Lock() defer runner.lock.Unlock() runner.interrupted = true } func (runner *SpecRunner) wasInterrupted() bool { runner.lock.Lock() defer runner.lock.Unlock() return runner.interrupted } func (runner *SpecRunner) reportSuiteWillBegin() { runner.startTime = time.Now() summary := runner.suiteWillBeginSummary() for _, reporter := range runner.reporters { reporter.SpecSuiteWillBegin(runner.config, summary) } } func (runner *SpecRunner) reportBeforeSuite(summary *types.SetupSummary) { for _, reporter := range runner.reporters { reporter.BeforeSuiteDidRun(summary) } } func (runner *SpecRunner) reportAfterSuite(summary *types.SetupSummary) { for _, reporter := range runner.reporters { reporter.AfterSuiteDidRun(summary) } } func (runner *SpecRunner) reportSpecWillRun(summary *types.SpecSummary) { runner.writer.Truncate() for _, reporter := range runner.reporters { reporter.SpecWillRun(summary) } } func (runner *SpecRunner) reportSpecDidComplete(summary *types.SpecSummary, failed bool) { if len(summary.CapturedOutput) == 0 { summary.CapturedOutput = string(runner.writer.Bytes()) } for i := len(runner.reporters) - 1; i >= 1; i-- { runner.reporters[i].SpecDidComplete(summary) } if failed { runner.writer.DumpOut() } runner.reporters[0].SpecDidComplete(summary) } func (runner *SpecRunner) reportSuiteDidEnd(success bool) { summary := runner.suiteDidEndSummary(success) summary.RunTime = time.Since(runner.startTime) for _, reporter := range runner.reporters { reporter.SpecSuiteDidEnd(summary) } } func (runner *SpecRunner) countSpecsThatRanSatisfying(filter func(ex *spec.Spec) bool) (count int) { count = 0 for _, spec := range runner.processedSpecs { if filter(spec) { count++ } } return count } func (runner *SpecRunner) suiteDidEndSummary(success bool) *types.SuiteSummary { numberOfSpecsThatWillBeRun := runner.countSpecsThatRanSatisfying(func(ex *spec.Spec) bool { return !ex.Skipped() && !ex.Pending() }) numberOfPendingSpecs := runner.countSpecsThatRanSatisfying(func(ex *spec.Spec) bool { return ex.Pending() }) numberOfSkippedSpecs := runner.countSpecsThatRanSatisfying(func(ex *spec.Spec) bool { return ex.Skipped() }) numberOfPassedSpecs := runner.countSpecsThatRanSatisfying(func(ex *spec.Spec) bool { return ex.Passed() }) numberOfFlakedSpecs := runner.countSpecsThatRanSatisfying(func(ex *spec.Spec) bool { return ex.Flaked() }) numberOfFailedSpecs := runner.countSpecsThatRanSatisfying(func(ex *spec.Spec) bool { return ex.Failed() }) if runner.beforeSuiteNode != nil && !runner.beforeSuiteNode.Passed() && !runner.config.DryRun { var known bool numberOfSpecsThatWillBeRun, known = runner.iterator.NumberOfSpecsThatWillBeRunIfKnown() if !known { numberOfSpecsThatWillBeRun = runner.iterator.NumberOfSpecsPriorToIteration() } numberOfFailedSpecs = numberOfSpecsThatWillBeRun } return &types.SuiteSummary{ SuiteDescription: runner.description, SuiteSucceeded: success, SuiteID: runner.suiteID, NumberOfSpecsBeforeParallelization: runner.iterator.NumberOfSpecsPriorToIteration(), NumberOfTotalSpecs: len(runner.processedSpecs), NumberOfSpecsThatWillBeRun: numberOfSpecsThatWillBeRun, NumberOfPendingSpecs: numberOfPendingSpecs, NumberOfSkippedSpecs: numberOfSkippedSpecs, NumberOfPassedSpecs: numberOfPassedSpecs, NumberOfFailedSpecs: numberOfFailedSpecs, NumberOfFlakedSpecs: numberOfFlakedSpecs, } } func (runner *SpecRunner) suiteWillBeginSummary() *types.SuiteSummary { numTotal, known := runner.iterator.NumberOfSpecsToProcessIfKnown() if !known { numTotal = -1 } numToRun, known := runner.iterator.NumberOfSpecsThatWillBeRunIfKnown() if !known { numToRun = -1 } return &types.SuiteSummary{ SuiteDescription: runner.description, SuiteID: runner.suiteID, NumberOfSpecsBeforeParallelization: runner.iterator.NumberOfSpecsPriorToIteration(), NumberOfTotalSpecs: numTotal, NumberOfSpecsThatWillBeRun: numToRun, NumberOfPendingSpecs: -1, NumberOfSkippedSpecs: -1, NumberOfPassedSpecs: -1, NumberOfFailedSpecs: -1, NumberOfFlakedSpecs: -1, } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/testingtproxy/testing_t_proxy.go
vendor/github.com/onsi/ginkgo/internal/testingtproxy/testing_t_proxy.go
package testingtproxy import ( "fmt" "io" ) type failFunc func(message string, callerSkip ...int) type skipFunc func(message string, callerSkip ...int) type failedFunc func() bool type nameFunc func() string func New(writer io.Writer, fail failFunc, skip skipFunc, failed failedFunc, name nameFunc, offset int) *ginkgoTestingTProxy { return &ginkgoTestingTProxy{ fail: fail, offset: offset, writer: writer, skip: skip, failed: failed, name: name, } } type ginkgoTestingTProxy struct { fail failFunc skip skipFunc failed failedFunc name nameFunc offset int writer io.Writer } func (t *ginkgoTestingTProxy) Cleanup(func()) { // No-op } func (t *ginkgoTestingTProxy) Setenv(kev, value string) { fmt.Println("Setenv is a noop for Ginkgo at the moment but will be implemented in V2") // No-op until Cleanup is implemented } func (t *ginkgoTestingTProxy) Error(args ...interface{}) { t.fail(fmt.Sprintln(args...), t.offset) } func (t *ginkgoTestingTProxy) Errorf(format string, args ...interface{}) { 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.failed() } func (t *ginkgoTestingTProxy) Fatal(args ...interface{}) { t.fail(fmt.Sprintln(args...), t.offset) } func (t *ginkgoTestingTProxy) Fatalf(format string, args ...interface{}) { t.fail(fmt.Sprintf(format, args...), t.offset) } func (t *ginkgoTestingTProxy) Helper() { // No-op } func (t *ginkgoTestingTProxy) Log(args ...interface{}) { fmt.Fprintln(t.writer, args...) } func (t *ginkgoTestingTProxy) Logf(format string, args ...interface{}) { t.Log(fmt.Sprintf(format, args...)) } func (t *ginkgoTestingTProxy) Name() string { return t.name() } func (t *ginkgoTestingTProxy) Parallel() { // No-op } func (t *ginkgoTestingTProxy) Skip(args ...interface{}) { t.skip(fmt.Sprintln(args...), t.offset) } func (t *ginkgoTestingTProxy) SkipNow() { t.skip("skip", t.offset) } func (t *ginkgoTestingTProxy) Skipf(format string, args ...interface{}) { t.skip(fmt.Sprintf(format, args...), t.offset) } func (t *ginkgoTestingTProxy) Skipped() bool { return false } func (t *ginkgoTestingTProxy) TempDir() string { // No-op return "" }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/suite/suite.go
vendor/github.com/onsi/ginkgo/internal/suite/suite.go
package suite import ( "math/rand" "net/http" "time" "github.com/onsi/ginkgo/internal/spec_iterator" "github.com/onsi/ginkgo/config" "github.com/onsi/ginkgo/internal/containernode" "github.com/onsi/ginkgo/internal/failer" "github.com/onsi/ginkgo/internal/leafnodes" "github.com/onsi/ginkgo/internal/spec" "github.com/onsi/ginkgo/internal/specrunner" "github.com/onsi/ginkgo/internal/writer" "github.com/onsi/ginkgo/reporters" "github.com/onsi/ginkgo/types" ) type ginkgoTestingT interface { Fail() } type deferredContainerNode struct { text string body func() flag types.FlagType codeLocation types.CodeLocation } type Suite struct { topLevelContainer *containernode.ContainerNode currentContainer *containernode.ContainerNode deferredContainerNodes []deferredContainerNode containerIndex int beforeSuiteNode leafnodes.SuiteNode afterSuiteNode leafnodes.SuiteNode runner *specrunner.SpecRunner failer *failer.Failer running bool expandTopLevelNodes bool } func New(failer *failer.Failer) *Suite { topLevelContainer := containernode.New("[Top Level]", types.FlagTypeNone, types.CodeLocation{}) return &Suite{ topLevelContainer: topLevelContainer, currentContainer: topLevelContainer, failer: failer, containerIndex: 1, deferredContainerNodes: []deferredContainerNode{}, } } func (suite *Suite) Run(t ginkgoTestingT, description string, reporters []reporters.Reporter, writer writer.WriterInterface, config config.GinkgoConfigType) (bool, bool) { if config.ParallelTotal < 1 { panic("ginkgo.parallel.total must be >= 1") } if config.ParallelNode > config.ParallelTotal || config.ParallelNode < 1 { panic("ginkgo.parallel.node is one-indexed and must be <= ginkgo.parallel.total") } suite.expandTopLevelNodes = true for _, deferredNode := range suite.deferredContainerNodes { suite.PushContainerNode(deferredNode.text, deferredNode.body, deferredNode.flag, deferredNode.codeLocation) } r := rand.New(rand.NewSource(config.RandomSeed)) suite.topLevelContainer.Shuffle(r) iterator, hasProgrammaticFocus := suite.generateSpecsIterator(description, config) suite.runner = specrunner.New(description, suite.beforeSuiteNode, iterator, suite.afterSuiteNode, reporters, writer, config) suite.running = true success := suite.runner.Run() if !success { t.Fail() } return success, hasProgrammaticFocus } func (suite *Suite) generateSpecsIterator(description string, config config.GinkgoConfigType) (spec_iterator.SpecIterator, bool) { specsSlice := []*spec.Spec{} suite.topLevelContainer.BackPropagateProgrammaticFocus() for _, collatedNodes := range suite.topLevelContainer.Collate() { specsSlice = append(specsSlice, spec.New(collatedNodes.Subject, collatedNodes.Containers, config.EmitSpecProgress)) } specs := spec.NewSpecs(specsSlice) specs.RegexScansFilePath = config.RegexScansFilePath if config.RandomizeAllSpecs { specs.Shuffle(rand.New(rand.NewSource(config.RandomSeed))) } specs.ApplyFocus(description, config.FocusStrings, config.SkipStrings) if config.SkipMeasurements { specs.SkipMeasurements() } var iterator spec_iterator.SpecIterator if config.ParallelTotal > 1 { iterator = spec_iterator.NewParallelIterator(specs.Specs(), config.SyncHost) resp, err := http.Get(config.SyncHost + "/has-counter") if err != nil || resp.StatusCode != http.StatusOK { iterator = spec_iterator.NewShardedParallelIterator(specs.Specs(), config.ParallelTotal, config.ParallelNode) } } else { iterator = spec_iterator.NewSerialIterator(specs.Specs()) } return iterator, specs.HasProgrammaticFocus() } func (suite *Suite) CurrentRunningSpecSummary() (*types.SpecSummary, bool) { if !suite.running { return nil, false } return suite.runner.CurrentSpecSummary() } func (suite *Suite) SetBeforeSuiteNode(body interface{}, codeLocation types.CodeLocation, timeout time.Duration) { if suite.beforeSuiteNode != nil { panic("You may only call BeforeSuite once!") } suite.beforeSuiteNode = leafnodes.NewBeforeSuiteNode(body, codeLocation, timeout, suite.failer) } func (suite *Suite) SetAfterSuiteNode(body interface{}, codeLocation types.CodeLocation, timeout time.Duration) { if suite.afterSuiteNode != nil { panic("You may only call AfterSuite once!") } suite.afterSuiteNode = leafnodes.NewAfterSuiteNode(body, codeLocation, timeout, suite.failer) } func (suite *Suite) SetSynchronizedBeforeSuiteNode(bodyA interface{}, bodyB interface{}, codeLocation types.CodeLocation, timeout time.Duration) { if suite.beforeSuiteNode != nil { panic("You may only call BeforeSuite once!") } suite.beforeSuiteNode = leafnodes.NewSynchronizedBeforeSuiteNode(bodyA, bodyB, codeLocation, timeout, suite.failer) } func (suite *Suite) SetSynchronizedAfterSuiteNode(bodyA interface{}, bodyB interface{}, codeLocation types.CodeLocation, timeout time.Duration) { if suite.afterSuiteNode != nil { panic("You may only call AfterSuite once!") } suite.afterSuiteNode = leafnodes.NewSynchronizedAfterSuiteNode(bodyA, bodyB, codeLocation, timeout, suite.failer) } func (suite *Suite) PushContainerNode(text string, body func(), flag types.FlagType, codeLocation types.CodeLocation) { /* We defer walking the container nodes (which immediately evaluates the `body` function) until `RunSpecs` is called. We do this by storing off the deferred container nodes. Then, when `RunSpecs` is called we actually go through and add the container nodes to the test structure. This allows us to defer calling all the `body` functions until _after_ the top level functions have been walked, _after_ func init()s have been called, and _after_ `go test` has called `flag.Parse()`. This allows users to load up configuration information in the `TestX` go test hook just before `RunSpecs` is invoked and solves issues like #693 and makes the lifecycle easier to reason about. */ if !suite.expandTopLevelNodes { suite.deferredContainerNodes = append(suite.deferredContainerNodes, deferredContainerNode{text, body, flag, codeLocation}) return } container := containernode.New(text, flag, codeLocation) suite.currentContainer.PushContainerNode(container) previousContainer := suite.currentContainer suite.currentContainer = container suite.containerIndex++ body() suite.containerIndex-- suite.currentContainer = previousContainer } func (suite *Suite) PushItNode(text string, body interface{}, flag types.FlagType, codeLocation types.CodeLocation, timeout time.Duration) { if suite.running { suite.failer.Fail("You may only call It from within a Describe, Context or When", codeLocation) } suite.currentContainer.PushSubjectNode(leafnodes.NewItNode(text, body, flag, codeLocation, timeout, suite.failer, suite.containerIndex)) } func (suite *Suite) PushMeasureNode(text string, body interface{}, flag types.FlagType, codeLocation types.CodeLocation, samples int) { if suite.running { suite.failer.Fail("You may only call Measure from within a Describe, Context or When", codeLocation) } suite.currentContainer.PushSubjectNode(leafnodes.NewMeasureNode(text, body, flag, codeLocation, samples, suite.failer, suite.containerIndex)) } func (suite *Suite) PushBeforeEachNode(body interface{}, codeLocation types.CodeLocation, timeout time.Duration) { if suite.running { suite.failer.Fail("You may only call BeforeEach from within a Describe, Context or When", codeLocation) } suite.currentContainer.PushSetupNode(leafnodes.NewBeforeEachNode(body, codeLocation, timeout, suite.failer, suite.containerIndex)) } func (suite *Suite) PushJustBeforeEachNode(body interface{}, codeLocation types.CodeLocation, timeout time.Duration) { if suite.running { suite.failer.Fail("You may only call JustBeforeEach from within a Describe, Context or When", codeLocation) } suite.currentContainer.PushSetupNode(leafnodes.NewJustBeforeEachNode(body, codeLocation, timeout, suite.failer, suite.containerIndex)) } func (suite *Suite) PushJustAfterEachNode(body interface{}, codeLocation types.CodeLocation, timeout time.Duration) { if suite.running { suite.failer.Fail("You may only call JustAfterEach from within a Describe or Context", codeLocation) } suite.currentContainer.PushSetupNode(leafnodes.NewJustAfterEachNode(body, codeLocation, timeout, suite.failer, suite.containerIndex)) } func (suite *Suite) PushAfterEachNode(body interface{}, codeLocation types.CodeLocation, timeout time.Duration) { if suite.running { suite.failer.Fail("You may only call AfterEach from within a Describe, Context or When", codeLocation) } suite.currentContainer.PushSetupNode(leafnodes.NewAfterEachNode(body, codeLocation, timeout, suite.failer, suite.containerIndex)) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/spec/spec.go
vendor/github.com/onsi/ginkgo/internal/spec/spec.go
package spec import ( "fmt" "io" "time" "sync" "github.com/onsi/ginkgo/internal/containernode" "github.com/onsi/ginkgo/internal/leafnodes" "github.com/onsi/ginkgo/types" ) type Spec struct { subject leafnodes.SubjectNode focused bool announceProgress bool containers []*containernode.ContainerNode state types.SpecState runTime time.Duration startTime time.Time failure types.SpecFailure previousFailures bool stateMutex *sync.Mutex } func New(subject leafnodes.SubjectNode, containers []*containernode.ContainerNode, announceProgress bool) *Spec { spec := &Spec{ subject: subject, containers: containers, focused: subject.Flag() == types.FlagTypeFocused, announceProgress: announceProgress, stateMutex: &sync.Mutex{}, } spec.processFlag(subject.Flag()) for i := len(containers) - 1; i >= 0; i-- { spec.processFlag(containers[i].Flag()) } return spec } func (spec *Spec) processFlag(flag types.FlagType) { if flag == types.FlagTypeFocused { spec.focused = true } else if flag == types.FlagTypePending { spec.setState(types.SpecStatePending) } } func (spec *Spec) Skip() { spec.setState(types.SpecStateSkipped) } func (spec *Spec) Failed() bool { return spec.getState() == types.SpecStateFailed || spec.getState() == types.SpecStatePanicked || spec.getState() == types.SpecStateTimedOut } func (spec *Spec) Passed() bool { return spec.getState() == types.SpecStatePassed } func (spec *Spec) Flaked() bool { return spec.getState() == types.SpecStatePassed && spec.previousFailures } func (spec *Spec) Pending() bool { return spec.getState() == types.SpecStatePending } func (spec *Spec) Skipped() bool { return spec.getState() == types.SpecStateSkipped } func (spec *Spec) Focused() bool { return spec.focused } func (spec *Spec) IsMeasurement() bool { return spec.subject.Type() == types.SpecComponentTypeMeasure } func (spec *Spec) Summary(suiteID string) *types.SpecSummary { componentTexts := make([]string, len(spec.containers)+1) componentCodeLocations := make([]types.CodeLocation, len(spec.containers)+1) for i, container := range spec.containers { componentTexts[i] = container.Text() componentCodeLocations[i] = container.CodeLocation() } componentTexts[len(spec.containers)] = spec.subject.Text() componentCodeLocations[len(spec.containers)] = spec.subject.CodeLocation() runTime := spec.runTime if runTime == 0 && !spec.startTime.IsZero() { runTime = time.Since(spec.startTime) } return &types.SpecSummary{ IsMeasurement: spec.IsMeasurement(), NumberOfSamples: spec.subject.Samples(), ComponentTexts: componentTexts, ComponentCodeLocations: componentCodeLocations, State: spec.getState(), RunTime: runTime, Failure: spec.failure, Measurements: spec.measurementsReport(), SuiteID: suiteID, } } func (spec *Spec) ConcatenatedString() string { s := "" for _, container := range spec.containers { s += container.Text() + " " } return s + spec.subject.Text() } func (spec *Spec) Run(writer io.Writer) { if spec.getState() == types.SpecStateFailed { spec.previousFailures = true } spec.startTime = time.Now() defer func() { spec.runTime = time.Since(spec.startTime) }() for sample := 0; sample < spec.subject.Samples(); sample++ { spec.runSample(sample, writer) if spec.getState() != types.SpecStatePassed { return } } } func (spec *Spec) getState() types.SpecState { spec.stateMutex.Lock() defer spec.stateMutex.Unlock() return spec.state } func (spec *Spec) setState(state types.SpecState) { spec.stateMutex.Lock() defer spec.stateMutex.Unlock() spec.state = state } func (spec *Spec) runSample(sample int, writer io.Writer) { spec.setState(types.SpecStatePassed) spec.failure = types.SpecFailure{} innerMostContainerIndexToUnwind := -1 defer func() { for i := innerMostContainerIndexToUnwind; i >= 0; i-- { container := spec.containers[i] for _, justAfterEach := range container.SetupNodesOfType(types.SpecComponentTypeJustAfterEach) { spec.announceSetupNode(writer, "JustAfterEach", container, justAfterEach) justAfterEachState, justAfterEachFailure := justAfterEach.Run() if justAfterEachState != types.SpecStatePassed && spec.state == types.SpecStatePassed { spec.state = justAfterEachState spec.failure = justAfterEachFailure } } } for i := innerMostContainerIndexToUnwind; i >= 0; i-- { container := spec.containers[i] for _, afterEach := range container.SetupNodesOfType(types.SpecComponentTypeAfterEach) { spec.announceSetupNode(writer, "AfterEach", container, afterEach) afterEachState, afterEachFailure := afterEach.Run() if afterEachState != types.SpecStatePassed && spec.getState() == types.SpecStatePassed { spec.setState(afterEachState) spec.failure = afterEachFailure } } } }() for i, container := range spec.containers { innerMostContainerIndexToUnwind = i for _, beforeEach := range container.SetupNodesOfType(types.SpecComponentTypeBeforeEach) { spec.announceSetupNode(writer, "BeforeEach", container, beforeEach) s, f := beforeEach.Run() spec.failure = f spec.setState(s) if spec.getState() != types.SpecStatePassed { return } } } for _, container := range spec.containers { for _, justBeforeEach := range container.SetupNodesOfType(types.SpecComponentTypeJustBeforeEach) { spec.announceSetupNode(writer, "JustBeforeEach", container, justBeforeEach) s, f := justBeforeEach.Run() spec.failure = f spec.setState(s) if spec.getState() != types.SpecStatePassed { return } } } spec.announceSubject(writer, spec.subject) s, f := spec.subject.Run() spec.failure = f spec.setState(s) } func (spec *Spec) announceSetupNode(writer io.Writer, nodeType string, container *containernode.ContainerNode, setupNode leafnodes.BasicNode) { if spec.announceProgress { s := fmt.Sprintf("[%s] %s\n %s\n", nodeType, container.Text(), setupNode.CodeLocation().String()) writer.Write([]byte(s)) } } func (spec *Spec) announceSubject(writer io.Writer, subject leafnodes.SubjectNode) { if spec.announceProgress { nodeType := "" switch subject.Type() { case types.SpecComponentTypeIt: nodeType = "It" case types.SpecComponentTypeMeasure: nodeType = "Measure" } s := fmt.Sprintf("[%s] %s\n %s\n", nodeType, subject.Text(), subject.CodeLocation().String()) writer.Write([]byte(s)) } } func (spec *Spec) measurementsReport() map[string]*types.SpecMeasurement { if !spec.IsMeasurement() || spec.Failed() { return map[string]*types.SpecMeasurement{} } return spec.subject.(*leafnodes.MeasureNode).MeasurementsReport() }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/spec/specs.go
vendor/github.com/onsi/ginkgo/internal/spec/specs.go
package spec import ( "math/rand" "regexp" "sort" "strings" ) type Specs struct { specs []*Spec names []string hasProgrammaticFocus bool RegexScansFilePath bool } func NewSpecs(specs []*Spec) *Specs { names := make([]string, len(specs)) for i, spec := range specs { names[i] = spec.ConcatenatedString() } return &Specs{ specs: specs, names: names, } } func (e *Specs) Specs() []*Spec { return e.specs } func (e *Specs) HasProgrammaticFocus() bool { return e.hasProgrammaticFocus } func (e *Specs) Shuffle(r *rand.Rand) { sort.Sort(e) permutation := r.Perm(len(e.specs)) shuffledSpecs := make([]*Spec, len(e.specs)) names := make([]string, len(e.specs)) for i, j := range permutation { shuffledSpecs[i] = e.specs[j] names[i] = e.names[j] } e.specs = shuffledSpecs e.names = names } func (e *Specs) ApplyFocus(description string, focus, skip []string) { if len(focus)+len(skip) == 0 { e.applyProgrammaticFocus() } else { e.applyRegExpFocusAndSkip(description, focus, skip) } } func (e *Specs) applyProgrammaticFocus() { e.hasProgrammaticFocus = false for _, spec := range e.specs { if spec.Focused() && !spec.Pending() { e.hasProgrammaticFocus = true break } } if e.hasProgrammaticFocus { for _, spec := range e.specs { if !spec.Focused() { spec.Skip() } } } } // toMatch returns a byte[] to be used by regex matchers. When adding new behaviours to the matching function, // this is the place which we append to. func (e *Specs) toMatch(description string, i int) []byte { if i > len(e.names) { return nil } if e.RegexScansFilePath { return []byte( description + " " + e.names[i] + " " + e.specs[i].subject.CodeLocation().FileName) } else { return []byte( description + " " + e.names[i]) } } func (e *Specs) applyRegExpFocusAndSkip(description string, focus, skip []string) { var focusFilter, skipFilter *regexp.Regexp if len(focus) > 0 { focusFilter = regexp.MustCompile(strings.Join(focus, "|")) } if len(skip) > 0 { skipFilter = regexp.MustCompile(strings.Join(skip, "|")) } for i, spec := range e.specs { matchesFocus := true matchesSkip := false toMatch := e.toMatch(description, i) if focusFilter != nil { matchesFocus = focusFilter.Match(toMatch) } if skipFilter != nil { matchesSkip = skipFilter.Match(toMatch) } if !matchesFocus || matchesSkip { spec.Skip() } } } func (e *Specs) SkipMeasurements() { for _, spec := range e.specs { if spec.IsMeasurement() { spec.Skip() } } } //sort.Interface func (e *Specs) Len() int { return len(e.specs) } func (e *Specs) Less(i, j int) bool { return e.names[i] < e.names[j] } func (e *Specs) Swap(i, j int) { e.names[i], e.names[j] = e.names[j], e.names[i] e.specs[i], e.specs[j] = e.specs[j], e.specs[i] }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/leafnodes/synchronized_after_suite_node.go
vendor/github.com/onsi/ginkgo/internal/leafnodes/synchronized_after_suite_node.go
package leafnodes import ( "encoding/json" "io/ioutil" "net/http" "time" "github.com/onsi/ginkgo/internal/failer" "github.com/onsi/ginkgo/types" ) type synchronizedAfterSuiteNode struct { runnerA *runner runnerB *runner outcome types.SpecState failure types.SpecFailure runTime time.Duration } func NewSynchronizedAfterSuiteNode(bodyA interface{}, bodyB interface{}, codeLocation types.CodeLocation, timeout time.Duration, failer *failer.Failer) SuiteNode { return &synchronizedAfterSuiteNode{ runnerA: newRunner(bodyA, codeLocation, timeout, failer, types.SpecComponentTypeAfterSuite, 0), runnerB: newRunner(bodyB, codeLocation, timeout, failer, types.SpecComponentTypeAfterSuite, 0), } } func (node *synchronizedAfterSuiteNode) Run(parallelNode int, parallelTotal int, syncHost string) bool { node.outcome, node.failure = node.runnerA.run() if parallelNode == 1 { if parallelTotal > 1 { node.waitUntilOtherNodesAreDone(syncHost) } outcome, failure := node.runnerB.run() if node.outcome == types.SpecStatePassed { node.outcome, node.failure = outcome, failure } } return node.outcome == types.SpecStatePassed } func (node *synchronizedAfterSuiteNode) Passed() bool { return node.outcome == types.SpecStatePassed } func (node *synchronizedAfterSuiteNode) Summary() *types.SetupSummary { return &types.SetupSummary{ ComponentType: node.runnerA.nodeType, CodeLocation: node.runnerA.codeLocation, State: node.outcome, RunTime: node.runTime, Failure: node.failure, } } func (node *synchronizedAfterSuiteNode) waitUntilOtherNodesAreDone(syncHost string) { for { if node.canRun(syncHost) { return } time.Sleep(50 * time.Millisecond) } } func (node *synchronizedAfterSuiteNode) canRun(syncHost string) bool { resp, err := http.Get(syncHost + "/RemoteAfterSuiteData") if err != nil || resp.StatusCode != http.StatusOK { return false } body, err := ioutil.ReadAll(resp.Body) if err != nil { return false } resp.Body.Close() afterSuiteData := types.RemoteAfterSuiteData{} err = json.Unmarshal(body, &afterSuiteData) if err != nil { return false } return afterSuiteData.CanRun }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/leafnodes/interfaces.go
vendor/github.com/onsi/ginkgo/internal/leafnodes/interfaces.go
package leafnodes import ( "github.com/onsi/ginkgo/types" ) type BasicNode interface { Type() types.SpecComponentType Run() (types.SpecState, types.SpecFailure) CodeLocation() types.CodeLocation } type SubjectNode interface { BasicNode Text() string Flag() types.FlagType Samples() int }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/leafnodes/measure_node.go
vendor/github.com/onsi/ginkgo/internal/leafnodes/measure_node.go
package leafnodes import ( "reflect" "github.com/onsi/ginkgo/internal/failer" "github.com/onsi/ginkgo/types" ) type MeasureNode struct { runner *runner text string flag types.FlagType samples int benchmarker *benchmarker } func NewMeasureNode(text string, body interface{}, flag types.FlagType, codeLocation types.CodeLocation, samples int, failer *failer.Failer, componentIndex int) *MeasureNode { benchmarker := newBenchmarker() wrappedBody := func() { reflect.ValueOf(body).Call([]reflect.Value{reflect.ValueOf(benchmarker)}) } return &MeasureNode{ runner: newRunner(wrappedBody, codeLocation, 0, failer, types.SpecComponentTypeMeasure, componentIndex), text: text, flag: flag, samples: samples, benchmarker: benchmarker, } } func (node *MeasureNode) Run() (outcome types.SpecState, failure types.SpecFailure) { return node.runner.run() } func (node *MeasureNode) MeasurementsReport() map[string]*types.SpecMeasurement { return node.benchmarker.measurementsReport() } func (node *MeasureNode) Type() types.SpecComponentType { return types.SpecComponentTypeMeasure } func (node *MeasureNode) Text() string { return node.text } func (node *MeasureNode) Flag() types.FlagType { return node.flag } func (node *MeasureNode) CodeLocation() types.CodeLocation { return node.runner.codeLocation } func (node *MeasureNode) Samples() int { return node.samples }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/leafnodes/runner.go
vendor/github.com/onsi/ginkgo/internal/leafnodes/runner.go
package leafnodes import ( "fmt" "reflect" "time" "github.com/onsi/ginkgo/internal/codelocation" "github.com/onsi/ginkgo/internal/failer" "github.com/onsi/ginkgo/types" ) type runner struct { isAsync bool asyncFunc func(chan<- interface{}) syncFunc func() codeLocation types.CodeLocation timeoutThreshold time.Duration nodeType types.SpecComponentType componentIndex int failer *failer.Failer } func newRunner(body interface{}, codeLocation types.CodeLocation, timeout time.Duration, failer *failer.Failer, nodeType types.SpecComponentType, componentIndex int) *runner { bodyType := reflect.TypeOf(body) if bodyType.Kind() != reflect.Func { panic(fmt.Sprintf("Expected a function but got something else at %v", codeLocation)) } runner := &runner{ codeLocation: codeLocation, timeoutThreshold: timeout, failer: failer, nodeType: nodeType, componentIndex: componentIndex, } switch bodyType.NumIn() { case 0: runner.syncFunc = body.(func()) return runner case 1: if !(bodyType.In(0).Kind() == reflect.Chan && bodyType.In(0).Elem().Kind() == reflect.Interface) { panic(fmt.Sprintf("Must pass a Done channel to function at %v", codeLocation)) } wrappedBody := func(done chan<- interface{}) { bodyValue := reflect.ValueOf(body) bodyValue.Call([]reflect.Value{reflect.ValueOf(done)}) } runner.isAsync = true runner.asyncFunc = wrappedBody return runner } panic(fmt.Sprintf("Too many arguments to function at %v", codeLocation)) } func (r *runner) run() (outcome types.SpecState, failure types.SpecFailure) { if r.isAsync { return r.runAsync() } else { return r.runSync() } } func (r *runner) runAsync() (outcome types.SpecState, failure types.SpecFailure) { done := make(chan interface{}, 1) go func() { finished := false defer func() { if e := recover(); e != nil || !finished { r.failer.Panic(codelocation.New(2), e) select { case <-done: break default: close(done) } } }() r.asyncFunc(done) finished = true }() // If this goroutine gets no CPU time before the select block, // the <-done case may complete even if the test took longer than the timeoutThreshold. // This can cause flaky behaviour, but we haven't seen it in the wild. select { case <-done: case <-time.After(r.timeoutThreshold): r.failer.Timeout(r.codeLocation) } failure, outcome = r.failer.Drain(r.nodeType, r.componentIndex, r.codeLocation) return } func (r *runner) runSync() (outcome types.SpecState, failure types.SpecFailure) { finished := false defer func() { if e := recover(); e != nil || !finished { r.failer.Panic(codelocation.New(2), e) } failure, outcome = r.failer.Drain(r.nodeType, r.componentIndex, r.codeLocation) }() r.syncFunc() finished = true return }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/leafnodes/synchronized_before_suite_node.go
vendor/github.com/onsi/ginkgo/internal/leafnodes/synchronized_before_suite_node.go
package leafnodes import ( "bytes" "encoding/json" "io/ioutil" "net/http" "reflect" "time" "github.com/onsi/ginkgo/internal/failer" "github.com/onsi/ginkgo/types" ) type synchronizedBeforeSuiteNode struct { runnerA *runner runnerB *runner data []byte outcome types.SpecState failure types.SpecFailure runTime time.Duration } func NewSynchronizedBeforeSuiteNode(bodyA interface{}, bodyB interface{}, codeLocation types.CodeLocation, timeout time.Duration, failer *failer.Failer) SuiteNode { node := &synchronizedBeforeSuiteNode{} node.runnerA = newRunner(node.wrapA(bodyA), codeLocation, timeout, failer, types.SpecComponentTypeBeforeSuite, 0) node.runnerB = newRunner(node.wrapB(bodyB), codeLocation, timeout, failer, types.SpecComponentTypeBeforeSuite, 0) return node } func (node *synchronizedBeforeSuiteNode) Run(parallelNode int, parallelTotal int, syncHost string) bool { t := time.Now() defer func() { node.runTime = time.Since(t) }() if parallelNode == 1 { node.outcome, node.failure = node.runA(parallelTotal, syncHost) } else { node.outcome, node.failure = node.waitForA(syncHost) } if node.outcome != types.SpecStatePassed { return false } node.outcome, node.failure = node.runnerB.run() return node.outcome == types.SpecStatePassed } func (node *synchronizedBeforeSuiteNode) runA(parallelTotal int, syncHost string) (types.SpecState, types.SpecFailure) { outcome, failure := node.runnerA.run() if parallelTotal > 1 { state := types.RemoteBeforeSuiteStatePassed if outcome != types.SpecStatePassed { state = types.RemoteBeforeSuiteStateFailed } json := (types.RemoteBeforeSuiteData{ Data: node.data, State: state, }).ToJSON() http.Post(syncHost+"/BeforeSuiteState", "application/json", bytes.NewBuffer(json)) } return outcome, failure } func (node *synchronizedBeforeSuiteNode) waitForA(syncHost string) (types.SpecState, types.SpecFailure) { failure := func(message string) types.SpecFailure { return types.SpecFailure{ Message: message, Location: node.runnerA.codeLocation, ComponentType: node.runnerA.nodeType, ComponentIndex: node.runnerA.componentIndex, ComponentCodeLocation: node.runnerA.codeLocation, } } for { resp, err := http.Get(syncHost + "/BeforeSuiteState") if err != nil || resp.StatusCode != http.StatusOK { return types.SpecStateFailed, failure("Failed to fetch BeforeSuite state") } body, err := ioutil.ReadAll(resp.Body) if err != nil { return types.SpecStateFailed, failure("Failed to read BeforeSuite state") } resp.Body.Close() beforeSuiteData := types.RemoteBeforeSuiteData{} err = json.Unmarshal(body, &beforeSuiteData) if err != nil { return types.SpecStateFailed, failure("Failed to decode BeforeSuite state") } switch beforeSuiteData.State { case types.RemoteBeforeSuiteStatePassed: node.data = beforeSuiteData.Data return types.SpecStatePassed, types.SpecFailure{} case types.RemoteBeforeSuiteStateFailed: return types.SpecStateFailed, failure("BeforeSuite on Node 1 failed") case types.RemoteBeforeSuiteStateDisappeared: return types.SpecStateFailed, failure("Node 1 disappeared before completing BeforeSuite") } time.Sleep(50 * time.Millisecond) } } func (node *synchronizedBeforeSuiteNode) Passed() bool { return node.outcome == types.SpecStatePassed } func (node *synchronizedBeforeSuiteNode) Summary() *types.SetupSummary { return &types.SetupSummary{ ComponentType: node.runnerA.nodeType, CodeLocation: node.runnerA.codeLocation, State: node.outcome, RunTime: node.runTime, Failure: node.failure, } } func (node *synchronizedBeforeSuiteNode) wrapA(bodyA interface{}) interface{} { typeA := reflect.TypeOf(bodyA) if typeA.Kind() != reflect.Func { panic("SynchronizedBeforeSuite expects a function as its first argument") } takesNothing := typeA.NumIn() == 0 takesADoneChannel := typeA.NumIn() == 1 && typeA.In(0).Kind() == reflect.Chan && typeA.In(0).Elem().Kind() == reflect.Interface returnsBytes := typeA.NumOut() == 1 && typeA.Out(0).Kind() == reflect.Slice && typeA.Out(0).Elem().Kind() == reflect.Uint8 if !((takesNothing || takesADoneChannel) && returnsBytes) { panic("SynchronizedBeforeSuite's first argument should be a function that returns []byte and either takes no arguments or takes a Done channel.") } if takesADoneChannel { return func(done chan<- interface{}) { out := reflect.ValueOf(bodyA).Call([]reflect.Value{reflect.ValueOf(done)}) node.data = out[0].Interface().([]byte) } } return func() { out := reflect.ValueOf(bodyA).Call([]reflect.Value{}) node.data = out[0].Interface().([]byte) } } func (node *synchronizedBeforeSuiteNode) wrapB(bodyB interface{}) interface{} { typeB := reflect.TypeOf(bodyB) if typeB.Kind() != reflect.Func { panic("SynchronizedBeforeSuite expects a function as its second argument") } returnsNothing := typeB.NumOut() == 0 takesBytesOnly := typeB.NumIn() == 1 && typeB.In(0).Kind() == reflect.Slice && typeB.In(0).Elem().Kind() == reflect.Uint8 takesBytesAndDone := typeB.NumIn() == 2 && typeB.In(0).Kind() == reflect.Slice && typeB.In(0).Elem().Kind() == reflect.Uint8 && typeB.In(1).Kind() == reflect.Chan && typeB.In(1).Elem().Kind() == reflect.Interface if !((takesBytesOnly || takesBytesAndDone) && returnsNothing) { panic("SynchronizedBeforeSuite's second argument should be a function that returns nothing and either takes []byte or ([]byte, Done)") } if takesBytesAndDone { return func(done chan<- interface{}) { reflect.ValueOf(bodyB).Call([]reflect.Value{reflect.ValueOf(node.data), reflect.ValueOf(done)}) } } return func() { reflect.ValueOf(bodyB).Call([]reflect.Value{reflect.ValueOf(node.data)}) } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/leafnodes/it_node.go
vendor/github.com/onsi/ginkgo/internal/leafnodes/it_node.go
package leafnodes import ( "time" "github.com/onsi/ginkgo/internal/failer" "github.com/onsi/ginkgo/types" ) type ItNode struct { runner *runner flag types.FlagType text string } func NewItNode(text string, body interface{}, flag types.FlagType, codeLocation types.CodeLocation, timeout time.Duration, failer *failer.Failer, componentIndex int) *ItNode { return &ItNode{ runner: newRunner(body, codeLocation, timeout, failer, types.SpecComponentTypeIt, componentIndex), flag: flag, text: text, } } func (node *ItNode) Run() (outcome types.SpecState, failure types.SpecFailure) { return node.runner.run() } func (node *ItNode) Type() types.SpecComponentType { return types.SpecComponentTypeIt } func (node *ItNode) Text() string { return node.text } func (node *ItNode) Flag() types.FlagType { return node.flag } func (node *ItNode) CodeLocation() types.CodeLocation { return node.runner.codeLocation } func (node *ItNode) Samples() int { return 1 }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/leafnodes/benchmarker.go
vendor/github.com/onsi/ginkgo/internal/leafnodes/benchmarker.go
package leafnodes import ( "math" "time" "sync" "github.com/onsi/ginkgo/types" ) type benchmarker struct { mu sync.Mutex measurements map[string]*types.SpecMeasurement orderCounter int } func newBenchmarker() *benchmarker { return &benchmarker{ measurements: make(map[string]*types.SpecMeasurement), } } func (b *benchmarker) Time(name string, body func(), info ...interface{}) (elapsedTime time.Duration) { t := time.Now() body() elapsedTime = time.Since(t) b.mu.Lock() defer b.mu.Unlock() measurement := b.getMeasurement(name, "Fastest Time", "Slowest Time", "Average Time", "s", 3, info...) measurement.Results = append(measurement.Results, elapsedTime.Seconds()) return } func (b *benchmarker) RecordValue(name string, value float64, info ...interface{}) { b.mu.Lock() measurement := b.getMeasurement(name, "Smallest", " Largest", " Average", "", 3, info...) defer b.mu.Unlock() measurement.Results = append(measurement.Results, value) } func (b *benchmarker) RecordValueWithPrecision(name string, value float64, units string, precision int, info ...interface{}) { b.mu.Lock() measurement := b.getMeasurement(name, "Smallest", " Largest", " Average", units, precision, info...) defer b.mu.Unlock() measurement.Results = append(measurement.Results, value) } func (b *benchmarker) getMeasurement(name string, smallestLabel string, largestLabel string, averageLabel string, units string, precision int, info ...interface{}) *types.SpecMeasurement { measurement, ok := b.measurements[name] if !ok { var computedInfo interface{} computedInfo = nil if len(info) > 0 { computedInfo = info[0] } measurement = &types.SpecMeasurement{ Name: name, Info: computedInfo, Order: b.orderCounter, SmallestLabel: smallestLabel, LargestLabel: largestLabel, AverageLabel: averageLabel, Units: units, Precision: precision, Results: make([]float64, 0), } b.measurements[name] = measurement b.orderCounter++ } return measurement } func (b *benchmarker) measurementsReport() map[string]*types.SpecMeasurement { b.mu.Lock() defer b.mu.Unlock() for _, measurement := range b.measurements { measurement.Smallest = math.MaxFloat64 measurement.Largest = -math.MaxFloat64 sum := float64(0) sumOfSquares := float64(0) for _, result := range measurement.Results { if result > measurement.Largest { measurement.Largest = result } if result < measurement.Smallest { measurement.Smallest = result } sum += result sumOfSquares += result * result } n := float64(len(measurement.Results)) measurement.Average = sum / n measurement.StdDeviation = math.Sqrt(sumOfSquares/n - (sum/n)*(sum/n)) } return b.measurements }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/leafnodes/suite_nodes.go
vendor/github.com/onsi/ginkgo/internal/leafnodes/suite_nodes.go
package leafnodes import ( "time" "github.com/onsi/ginkgo/internal/failer" "github.com/onsi/ginkgo/types" ) type SuiteNode interface { Run(parallelNode int, parallelTotal int, syncHost string) bool Passed() bool Summary() *types.SetupSummary } type simpleSuiteNode struct { runner *runner outcome types.SpecState failure types.SpecFailure runTime time.Duration } func (node *simpleSuiteNode) Run(parallelNode int, parallelTotal int, syncHost string) bool { t := time.Now() node.outcome, node.failure = node.runner.run() node.runTime = time.Since(t) return node.outcome == types.SpecStatePassed } func (node *simpleSuiteNode) Passed() bool { return node.outcome == types.SpecStatePassed } func (node *simpleSuiteNode) Summary() *types.SetupSummary { return &types.SetupSummary{ ComponentType: node.runner.nodeType, CodeLocation: node.runner.codeLocation, State: node.outcome, RunTime: node.runTime, Failure: node.failure, } } func NewBeforeSuiteNode(body interface{}, codeLocation types.CodeLocation, timeout time.Duration, failer *failer.Failer) SuiteNode { return &simpleSuiteNode{ runner: newRunner(body, codeLocation, timeout, failer, types.SpecComponentTypeBeforeSuite, 0), } } func NewAfterSuiteNode(body interface{}, codeLocation types.CodeLocation, timeout time.Duration, failer *failer.Failer) SuiteNode { return &simpleSuiteNode{ runner: newRunner(body, codeLocation, timeout, failer, types.SpecComponentTypeAfterSuite, 0), } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/leafnodes/setup_nodes.go
vendor/github.com/onsi/ginkgo/internal/leafnodes/setup_nodes.go
package leafnodes import ( "time" "github.com/onsi/ginkgo/internal/failer" "github.com/onsi/ginkgo/types" ) type SetupNode struct { runner *runner } func (node *SetupNode) Run() (outcome types.SpecState, failure types.SpecFailure) { return node.runner.run() } func (node *SetupNode) Type() types.SpecComponentType { return node.runner.nodeType } func (node *SetupNode) CodeLocation() types.CodeLocation { return node.runner.codeLocation } func NewBeforeEachNode(body interface{}, codeLocation types.CodeLocation, timeout time.Duration, failer *failer.Failer, componentIndex int) *SetupNode { return &SetupNode{ runner: newRunner(body, codeLocation, timeout, failer, types.SpecComponentTypeBeforeEach, componentIndex), } } func NewAfterEachNode(body interface{}, codeLocation types.CodeLocation, timeout time.Duration, failer *failer.Failer, componentIndex int) *SetupNode { return &SetupNode{ runner: newRunner(body, codeLocation, timeout, failer, types.SpecComponentTypeAfterEach, componentIndex), } } func NewJustBeforeEachNode(body interface{}, codeLocation types.CodeLocation, timeout time.Duration, failer *failer.Failer, componentIndex int) *SetupNode { return &SetupNode{ runner: newRunner(body, codeLocation, timeout, failer, types.SpecComponentTypeJustBeforeEach, componentIndex), } } func NewJustAfterEachNode(body interface{}, codeLocation types.CodeLocation, timeout time.Duration, failer *failer.Failer, componentIndex int) *SetupNode { return &SetupNode{ runner: newRunner(body, codeLocation, timeout, failer, types.SpecComponentTypeJustAfterEach, componentIndex), } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/containernode/container_node.go
vendor/github.com/onsi/ginkgo/internal/containernode/container_node.go
package containernode import ( "math/rand" "sort" "github.com/onsi/ginkgo/internal/leafnodes" "github.com/onsi/ginkgo/types" ) type subjectOrContainerNode struct { containerNode *ContainerNode subjectNode leafnodes.SubjectNode } func (n subjectOrContainerNode) text() string { if n.containerNode != nil { return n.containerNode.Text() } else { return n.subjectNode.Text() } } type CollatedNodes struct { Containers []*ContainerNode Subject leafnodes.SubjectNode } type ContainerNode struct { text string flag types.FlagType codeLocation types.CodeLocation setupNodes []leafnodes.BasicNode subjectAndContainerNodes []subjectOrContainerNode } func New(text string, flag types.FlagType, codeLocation types.CodeLocation) *ContainerNode { return &ContainerNode{ text: text, flag: flag, codeLocation: codeLocation, } } func (container *ContainerNode) Shuffle(r *rand.Rand) { sort.Sort(container) permutation := r.Perm(len(container.subjectAndContainerNodes)) shuffledNodes := make([]subjectOrContainerNode, len(container.subjectAndContainerNodes)) for i, j := range permutation { shuffledNodes[i] = container.subjectAndContainerNodes[j] } container.subjectAndContainerNodes = shuffledNodes } func (node *ContainerNode) BackPropagateProgrammaticFocus() bool { if node.flag == types.FlagTypePending { return false } shouldUnfocus := false for _, subjectOrContainerNode := range node.subjectAndContainerNodes { if subjectOrContainerNode.containerNode != nil { shouldUnfocus = subjectOrContainerNode.containerNode.BackPropagateProgrammaticFocus() || shouldUnfocus } else { shouldUnfocus = (subjectOrContainerNode.subjectNode.Flag() == types.FlagTypeFocused) || shouldUnfocus } } if shouldUnfocus { if node.flag == types.FlagTypeFocused { node.flag = types.FlagTypeNone } return true } return node.flag == types.FlagTypeFocused } func (node *ContainerNode) Collate() []CollatedNodes { return node.collate([]*ContainerNode{}) } func (node *ContainerNode) collate(enclosingContainers []*ContainerNode) []CollatedNodes { collated := make([]CollatedNodes, 0) containers := make([]*ContainerNode, len(enclosingContainers)) copy(containers, enclosingContainers) containers = append(containers, node) for _, subjectOrContainer := range node.subjectAndContainerNodes { if subjectOrContainer.containerNode != nil { collated = append(collated, subjectOrContainer.containerNode.collate(containers)...) } else { collated = append(collated, CollatedNodes{ Containers: containers, Subject: subjectOrContainer.subjectNode, }) } } return collated } func (node *ContainerNode) PushContainerNode(container *ContainerNode) { node.subjectAndContainerNodes = append(node.subjectAndContainerNodes, subjectOrContainerNode{containerNode: container}) } func (node *ContainerNode) PushSubjectNode(subject leafnodes.SubjectNode) { node.subjectAndContainerNodes = append(node.subjectAndContainerNodes, subjectOrContainerNode{subjectNode: subject}) } func (node *ContainerNode) PushSetupNode(setupNode leafnodes.BasicNode) { node.setupNodes = append(node.setupNodes, setupNode) } func (node *ContainerNode) SetupNodesOfType(nodeType types.SpecComponentType) []leafnodes.BasicNode { nodes := []leafnodes.BasicNode{} for _, setupNode := range node.setupNodes { if setupNode.Type() == nodeType { nodes = append(nodes, setupNode) } } return nodes } func (node *ContainerNode) Text() string { return node.text } func (node *ContainerNode) CodeLocation() types.CodeLocation { return node.codeLocation } func (node *ContainerNode) Flag() types.FlagType { return node.flag } //sort.Interface func (node *ContainerNode) Len() int { return len(node.subjectAndContainerNodes) } func (node *ContainerNode) Less(i, j int) bool { return node.subjectAndContainerNodes[i].text() < node.subjectAndContainerNodes[j].text() } func (node *ContainerNode) Swap(i, j int) { node.subjectAndContainerNodes[i], node.subjectAndContainerNodes[j] = node.subjectAndContainerNodes[j], node.subjectAndContainerNodes[i] }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/spec_iterator/index_computer.go
vendor/github.com/onsi/ginkgo/internal/spec_iterator/index_computer.go
package spec_iterator func ParallelizedIndexRange(length int, parallelTotal int, parallelNode int) (startIndex int, count int) { if length == 0 { return 0, 0 } // We have more nodes than tests. Trivial case. if parallelTotal >= length { if parallelNode > length { return 0, 0 } else { return parallelNode - 1, 1 } } // This is the minimum amount of tests that a node will be required to run minTestsPerNode := length / parallelTotal // This is the maximum amount of tests that a node will be required to run // The algorithm guarantees that this would be equal to at least the minimum amount // and at most one more maxTestsPerNode := minTestsPerNode if length%parallelTotal != 0 { maxTestsPerNode++ } // Number of nodes that will have to run the maximum amount of tests per node numMaxLoadNodes := length % parallelTotal // Number of nodes that precede the current node and will have to run the maximum amount of tests per node var numPrecedingMaxLoadNodes int if parallelNode > numMaxLoadNodes { numPrecedingMaxLoadNodes = numMaxLoadNodes } else { numPrecedingMaxLoadNodes = parallelNode - 1 } // Number of nodes that precede the current node and will have to run the minimum amount of tests per node var numPrecedingMinLoadNodes int if parallelNode <= numMaxLoadNodes { numPrecedingMinLoadNodes = 0 } else { numPrecedingMinLoadNodes = parallelNode - numMaxLoadNodes - 1 } // Evaluate the test start index and number of tests to run startIndex = numPrecedingMaxLoadNodes*maxTestsPerNode + numPrecedingMinLoadNodes*minTestsPerNode if parallelNode > numMaxLoadNodes { count = minTestsPerNode } else { count = maxTestsPerNode } return }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/spec_iterator/sharded_parallel_spec_iterator.go
vendor/github.com/onsi/ginkgo/internal/spec_iterator/sharded_parallel_spec_iterator.go
package spec_iterator import "github.com/onsi/ginkgo/internal/spec" type ShardedParallelIterator struct { specs []*spec.Spec index int maxIndex int } func NewShardedParallelIterator(specs []*spec.Spec, total int, node int) *ShardedParallelIterator { startIndex, count := ParallelizedIndexRange(len(specs), total, node) return &ShardedParallelIterator{ specs: specs, index: startIndex, maxIndex: startIndex + count, } } func (s *ShardedParallelIterator) Next() (*spec.Spec, error) { if s.index >= s.maxIndex { return nil, ErrClosed } spec := s.specs[s.index] s.index += 1 return spec, nil } func (s *ShardedParallelIterator) NumberOfSpecsPriorToIteration() int { return len(s.specs) } func (s *ShardedParallelIterator) NumberOfSpecsToProcessIfKnown() (int, bool) { return s.maxIndex - s.index, true } func (s *ShardedParallelIterator) NumberOfSpecsThatWillBeRunIfKnown() (int, bool) { count := 0 for i := s.index; i < s.maxIndex; i += 1 { if !s.specs[i].Skipped() && !s.specs[i].Pending() { count += 1 } } return count, true }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/spec_iterator/parallel_spec_iterator.go
vendor/github.com/onsi/ginkgo/internal/spec_iterator/parallel_spec_iterator.go
package spec_iterator import ( "encoding/json" "fmt" "net/http" "github.com/onsi/ginkgo/internal/spec" ) type ParallelIterator struct { specs []*spec.Spec host string client *http.Client } func NewParallelIterator(specs []*spec.Spec, host string) *ParallelIterator { return &ParallelIterator{ specs: specs, host: host, client: &http.Client{}, } } func (s *ParallelIterator) Next() (*spec.Spec, error) { resp, err := s.client.Get(s.host + "/counter") if err != nil { return nil, err } defer resp.Body.Close() if resp.StatusCode != http.StatusOK { return nil, fmt.Errorf("unexpected status code %d", resp.StatusCode) } var counter Counter err = json.NewDecoder(resp.Body).Decode(&counter) if err != nil { return nil, err } if counter.Index >= len(s.specs) { return nil, ErrClosed } return s.specs[counter.Index], nil } func (s *ParallelIterator) NumberOfSpecsPriorToIteration() int { return len(s.specs) } func (s *ParallelIterator) NumberOfSpecsToProcessIfKnown() (int, bool) { return -1, false } func (s *ParallelIterator) NumberOfSpecsThatWillBeRunIfKnown() (int, bool) { return -1, false }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/spec_iterator/serial_spec_iterator.go
vendor/github.com/onsi/ginkgo/internal/spec_iterator/serial_spec_iterator.go
package spec_iterator import ( "github.com/onsi/ginkgo/internal/spec" ) type SerialIterator struct { specs []*spec.Spec index int } func NewSerialIterator(specs []*spec.Spec) *SerialIterator { return &SerialIterator{ specs: specs, index: 0, } } func (s *SerialIterator) Next() (*spec.Spec, error) { if s.index >= len(s.specs) { return nil, ErrClosed } spec := s.specs[s.index] s.index += 1 return spec, nil } func (s *SerialIterator) NumberOfSpecsPriorToIteration() int { return len(s.specs) } func (s *SerialIterator) NumberOfSpecsToProcessIfKnown() (int, bool) { return len(s.specs), true } func (s *SerialIterator) NumberOfSpecsThatWillBeRunIfKnown() (int, bool) { count := 0 for _, s := range s.specs { if !s.Skipped() && !s.Pending() { count += 1 } } return count, true }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/internal/spec_iterator/spec_iterator.go
vendor/github.com/onsi/ginkgo/internal/spec_iterator/spec_iterator.go
package spec_iterator import ( "errors" "github.com/onsi/ginkgo/internal/spec" ) var ErrClosed = errors.New("no more specs to run") type SpecIterator interface { Next() (*spec.Spec, error) NumberOfSpecsPriorToIteration() int NumberOfSpecsToProcessIfKnown() (int, bool) NumberOfSpecsThatWillBeRunIfKnown() (int, bool) } type Counter struct { Index int `json:"index"` }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/v2/ginkgo_t_dsl.go
vendor/github.com/onsi/ginkgo/v2/ginkgo_t_dsl.go
package ginkgo import ( "testing" "github.com/onsi/ginkgo/v2/internal/testingtproxy" "github.com/onsi/ginkgo/v2/types" ) /* GinkgoT() implements an interface that allows third party libraries to integrate with and build on top of Ginkgo. GinkgoT() is analogous to *testing.T and implements the majority of *testing.T's methods. It can be typically be used a a drop-in replacement with third-party libraries that accept *testing.T through an interface. GinkgoT() takes an optional offset argument that can be used to get the correct line number associated with the failure - though you do not need to use this if you call GinkgoHelper() or GinkgoT().Helper() appropriately GinkgoT() attempts to mimic the behavior of `testing.T` with the exception of the following: - Error/Errorf: failures in Ginkgo always immediately stop execution and there is no mechanism to log a failure without aborting the test. As such Error/Errorf are equivalent to Fatal/Fatalf. - Parallel() is a no-op as Ginkgo's multi-process parallelism model is substantially different from go test's in-process model. You can learn more here: https://onsi.github.io/ginkgo/#using-third-party-libraries */ func GinkgoT(optionalOffset ...int) FullGinkgoTInterface { offset := 1 if len(optionalOffset) > 0 { offset = optionalOffset[0] } return testingtproxy.New( GinkgoWriter, Fail, Skip, DeferCleanup, CurrentSpecReport, AddReportEntry, GinkgoRecover, AttachProgressReporter, suiteConfig.RandomSeed, suiteConfig.ParallelProcess, suiteConfig.ParallelTotal, reporterConfig.NoColor, offset) } /* The portion of the interface returned by GinkgoT() that maps onto methods in the testing package's T. */ type GinkgoTInterface interface { Cleanup(func()) Setenv(kev, value string) Error(args ...any) Errorf(format string, args ...any) Fail() FailNow() Failed() bool Fatal(args ...any) Fatalf(format string, args ...any) Helper() Log(args ...any) Logf(format string, args ...any) Name() string Parallel() Skip(args ...any) SkipNow() Skipf(format string, args ...any) Skipped() bool TempDir() string } /* Additional methods returned by GinkgoT() that provide deeper integration points into Ginkgo */ type FullGinkgoTInterface interface { GinkgoTInterface AddReportEntryVisibilityAlways(name string, args ...any) AddReportEntryVisibilityFailureOrVerbose(name string, args ...any) AddReportEntryVisibilityNever(name string, args ...any) //Prints to the GinkgoWriter Print(a ...any) Printf(format string, a ...any) Println(a ...any) //Provides access to Ginkgo's color formatting, correctly configured to match the color settings specified in the invocation of ginkgo F(format string, args ...any) string Fi(indentation uint, format string, args ...any) string Fiw(indentation uint, maxWidth uint, format string, args ...any) string //Generates a formatted string version of the current spec's timeline RenderTimeline() string GinkgoRecover() DeferCleanup(args ...any) RandomSeed() int64 ParallelProcess() int ParallelTotal() int AttachProgressReporter(func() string) func() } /* GinkgoTB() implements a wrapper that exactly matches the testing.TB interface. In go 1.18 a new private() function was added to the testing.TB interface. Any function which accepts testing.TB as input needs to be passed in something that directly implements testing.TB. This wrapper satisfies the testing.TB interface and intended to be used as a drop-in replacement with third party libraries that accept testing.TB. Similar to GinkgoT(), GinkgoTB() takes an optional offset argument that can be used to get the correct line number associated with the failure - though you do not need to use this if you call GinkgoHelper() or GinkgoT().Helper() appropriately */ func GinkgoTB(optionalOffset ...int) *GinkgoTBWrapper { offset := 2 if len(optionalOffset) > 0 { offset = optionalOffset[0] } return &GinkgoTBWrapper{GinkgoT: GinkgoT(offset)} } type GinkgoTBWrapper struct { testing.TB GinkgoT FullGinkgoTInterface } func (g *GinkgoTBWrapper) Cleanup(f func()) { g.GinkgoT.Cleanup(f) } func (g *GinkgoTBWrapper) Error(args ...any) { g.GinkgoT.Error(args...) } func (g *GinkgoTBWrapper) Errorf(format string, args ...any) { g.GinkgoT.Errorf(format, args...) } func (g *GinkgoTBWrapper) Fail() { g.GinkgoT.Fail() } func (g *GinkgoTBWrapper) FailNow() { g.GinkgoT.FailNow() } func (g *GinkgoTBWrapper) Failed() bool { return g.GinkgoT.Failed() } func (g *GinkgoTBWrapper) Fatal(args ...any) { g.GinkgoT.Fatal(args...) } func (g *GinkgoTBWrapper) Fatalf(format string, args ...any) { g.GinkgoT.Fatalf(format, args...) } func (g *GinkgoTBWrapper) Helper() { types.MarkAsHelper(1) } func (g *GinkgoTBWrapper) Log(args ...any) { g.GinkgoT.Log(args...) } func (g *GinkgoTBWrapper) Logf(format string, args ...any) { g.GinkgoT.Logf(format, args...) } func (g *GinkgoTBWrapper) Name() string { return g.GinkgoT.Name() } func (g *GinkgoTBWrapper) Setenv(key, value string) { g.GinkgoT.Setenv(key, value) } func (g *GinkgoTBWrapper) Skip(args ...any) { g.GinkgoT.Skip(args...) } func (g *GinkgoTBWrapper) SkipNow() { g.GinkgoT.SkipNow() } func (g *GinkgoTBWrapper) Skipf(format string, args ...any) { g.GinkgoT.Skipf(format, args...) } func (g *GinkgoTBWrapper) Skipped() bool { return g.GinkgoT.Skipped() } func (g *GinkgoTBWrapper) TempDir() string { return g.GinkgoT.TempDir() }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/v2/deprecated_dsl.go
vendor/github.com/onsi/ginkgo/v2/deprecated_dsl.go
package ginkgo import ( "time" "github.com/onsi/ginkgo/v2/internal" "github.com/onsi/ginkgo/v2/internal/global" "github.com/onsi/ginkgo/v2/reporters" "github.com/onsi/ginkgo/v2/types" ) /* Deprecated: Done Channel for asynchronous testing The Done channel pattern is no longer supported in Ginkgo 2.0. See here for better patterns for asynchronous testing: https://onsi.github.io/ginkgo/#patterns-for-asynchronous-testing For a migration guide see: https://onsi.github.io/ginkgo/MIGRATING_TO_V2#removed-async-testing */ type Done = internal.Done /* Deprecated: Custom Ginkgo test reporters are deprecated in Ginkgo 2.0. Use Ginkgo's reporting nodes instead and 2.0 reporting infrastructure instead. You can learn more here: https://onsi.github.io/ginkgo/#reporting-infrastructure For a migration guide see: https://onsi.github.io/ginkgo/MIGRATING_TO_V2#removed-custom-reporters */ type Reporter = reporters.DeprecatedReporter /* Deprecated: Custom Reporters have been removed in Ginkgo 2.0. RunSpecsWithDefaultAndCustomReporters will simply call RunSpecs() Use Ginkgo's reporting nodes instead and 2.0 reporting infrastructure instead. You can learn more here: https://onsi.github.io/ginkgo/#reporting-infrastructure For a migration guide see: https://onsi.github.io/ginkgo/MIGRATING_TO_V2#removed-custom-reporters */ func RunSpecsWithDefaultAndCustomReporters(t GinkgoTestingT, description string, _ []Reporter) bool { deprecationTracker.TrackDeprecation(types.Deprecations.CustomReporter()) return RunSpecs(t, description) } /* Deprecated: Custom Reporters have been removed in Ginkgo 2.0. RunSpecsWithCustomReporters will simply call RunSpecs() Use Ginkgo's reporting nodes instead and 2.0 reporting infrastructure instead. You can learn more here: https://onsi.github.io/ginkgo/#reporting-infrastructure For a migration guide see: https://onsi.github.io/ginkgo/MIGRATING_TO_V2#removed-custom-reporters */ func RunSpecsWithCustomReporters(t GinkgoTestingT, description string, _ []Reporter) bool { deprecationTracker.TrackDeprecation(types.Deprecations.CustomReporter()) return RunSpecs(t, description) } /* Deprecated: GinkgoTestDescription has been replaced with SpecReport. Use CurrentSpecReport() instead. You can learn more here: https://onsi.github.io/ginkgo/#getting-a-report-for-the-current-spec The SpecReport type is documented here: https://pkg.go.dev/github.com/onsi/ginkgo/v2/types#SpecReport */ type DeprecatedGinkgoTestDescription struct { FullTestText string ComponentTexts []string TestText string FileName string LineNumber int Failed bool Duration time.Duration } type GinkgoTestDescription = DeprecatedGinkgoTestDescription /* Deprecated: CurrentGinkgoTestDescription has been replaced with CurrentSpecReport. Use CurrentSpecReport() instead. You can learn more here: https://onsi.github.io/ginkgo/#getting-a-report-for-the-current-spec The SpecReport type is documented here: https://pkg.go.dev/github.com/onsi/ginkgo/v2/types#SpecReport */ func CurrentGinkgoTestDescription() DeprecatedGinkgoTestDescription { deprecationTracker.TrackDeprecation( types.Deprecations.CurrentGinkgoTestDescription(), types.NewCodeLocation(1), ) report := global.Suite.CurrentSpecReport() if report.State == types.SpecStateInvalid { return GinkgoTestDescription{} } componentTexts := []string{} componentTexts = append(componentTexts, report.ContainerHierarchyTexts...) componentTexts = append(componentTexts, report.LeafNodeText) return DeprecatedGinkgoTestDescription{ ComponentTexts: componentTexts, FullTestText: report.FullText(), TestText: report.LeafNodeText, FileName: report.LeafNodeLocation.FileName, LineNumber: report.LeafNodeLocation.LineNumber, Failed: report.State.Is(types.SpecStateFailureStates), Duration: report.RunTime, } } /* Deprecated: GinkgoParallelNode() has been renamed to GinkgoParallelProcess() */ func GinkgoParallelNode() int { deprecationTracker.TrackDeprecation( types.Deprecations.ParallelNode(), types.NewCodeLocation(1), ) return GinkgoParallelProcess() } /* Deprecated: Benchmarker has been removed from Ginkgo 2.0 Use Gomega's gmeasure package instead. You can learn more here: https://onsi.github.io/ginkgo/#benchmarking-code */ type Benchmarker interface { Time(name string, body func(), info ...interface{}) (elapsedTime time.Duration) RecordValue(name string, value float64, info ...interface{}) RecordValueWithPrecision(name string, value float64, units string, precision int, info ...interface{}) } /* Deprecated: Measure() has been removed from Ginkgo 2.0 Use Gomega's gmeasure package instead. You can learn more here: https://onsi.github.io/ginkgo/#benchmarking-code */ func Measure(_ ...interface{}) bool { deprecationTracker.TrackDeprecation(types.Deprecations.Measure(), types.NewCodeLocation(1)) return true }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/v2/decorator_dsl.go
vendor/github.com/onsi/ginkgo/v2/decorator_dsl.go
package ginkgo import ( "github.com/onsi/ginkgo/v2/internal" ) /* Offset(uint) is a decorator that allows you to change the stack-frame offset used when computing the line number of the node in question. You can learn more here: https://onsi.github.io/ginkgo/#the-offset-decorator You can learn more about decorators here: https://onsi.github.io/ginkgo/#decorator-reference */ type Offset = internal.Offset /* FlakeAttempts(uint N) is a decorator that allows you to mark individual specs or spec containers as flaky. Ginkgo will run them up to `N` times until they pass. You can learn more here: https://onsi.github.io/ginkgo/#the-flakeattempts-decorator You can learn more about decorators here: https://onsi.github.io/ginkgo/#decorator-reference */ type FlakeAttempts = internal.FlakeAttempts /* MustPassRepeatedly(uint N) is a decorator that allows you to repeat the execution of individual specs or spec containers. Ginkgo will run them up to `N` times until they fail. You can learn more here: https://onsi.github.io/ginkgo/#the-mustpassrepeatedly-decorator You can learn more about decorators here: https://onsi.github.io/ginkgo/#decorator-reference */ type MustPassRepeatedly = internal.MustPassRepeatedly /* Focus is a decorator that allows you to mark a spec or container as focused. Identical to FIt and FDescribe. You can learn more here: https://onsi.github.io/ginkgo/#filtering-specs You can learn more about decorators here: https://onsi.github.io/ginkgo/#decorator-reference */ const Focus = internal.Focus /* Pending is a decorator that allows you to mark a spec or container as pending. Identical to PIt and PDescribe. You can learn more here: https://onsi.github.io/ginkgo/#filtering-specs You can learn more about decorators here: https://onsi.github.io/ginkgo/#decorator-reference */ const Pending = internal.Pending /* Serial is a decorator that allows you to mark a spec or container as serial. These specs will never run in parallel with other specs. Specs in ordered containers cannot be marked as serial - mark the ordered container instead. You can learn more here: https://onsi.github.io/ginkgo/#serial-specs You can learn more about decorators here: https://onsi.github.io/ginkgo/#decorator-reference */ const Serial = internal.Serial /* Ordered is a decorator that allows you to mark a container as ordered. Specs in the container will always run in the order they appear. They will never be randomized and they will never run in parallel with one another, though they may run in parallel with other specs. You can learn more here: https://onsi.github.io/ginkgo/#ordered-containers You can learn more about decorators here: https://onsi.github.io/ginkgo/#decorator-reference */ const Ordered = internal.Ordered /* ContinueOnFailure is a decorator that allows you to mark an Ordered container to continue running specs even if failures occur. Ordinarily an ordered container will stop running specs after the first failure occurs. Note that if a BeforeAll or a BeforeEach/JustBeforeEach annotated with OncePerOrdered fails then no specs will run as the precondition for the Ordered container will consider to be failed. ContinueOnFailure only applies to the outermost Ordered container. Attempting to place ContinueOnFailure in a nested container will result in an error. You can learn more here: https://onsi.github.io/ginkgo/#ordered-containers You can learn more about decorators here: https://onsi.github.io/ginkgo/#decorator-reference */ const ContinueOnFailure = internal.ContinueOnFailure /* OncePerOrdered is a decorator that allows you to mark outer BeforeEach, AfterEach, JustBeforeEach, and JustAfterEach setup nodes to run once per ordered context. Normally these setup nodes run around each individual spec, with OncePerOrdered they will run once around the set of specs in an ordered container. The behavior for non-Ordered containers/specs is unchanged. You can learn more here: https://onsi.github.io/ginkgo/#setup-around-ordered-containers-the-onceperordered-decorator You can learn more about decorators here: https://onsi.github.io/ginkgo/#decorator-reference */ const OncePerOrdered = internal.OncePerOrdered /* Label decorates specs with Labels. Multiple labels can be passed to Label and these can be arbitrary strings but must not include the following characters: "&|!,()/". Labels can be applied to container and subject nodes, but not setup nodes. You can provide multiple Labels to a given node and a spec's labels is the union of all labels in its node hierarchy. You can learn more here: https://onsi.github.io/ginkgo/#spec-labels You can learn more about decorators here: https://onsi.github.io/ginkgo/#decorator-reference */ func Label(labels ...string) Labels { return Labels(labels) } /* Labels are the type for spec Label decorators. Use Label(...) to construct Labels. You can learn more here: https://onsi.github.io/ginkgo/#spec-labels */ type Labels = internal.Labels /* PollProgressAfter allows you to override the configured value for --poll-progress-after for a particular node. Ginkgo will start emitting node progress if the node is still running after a duration of PollProgressAfter. This allows you to get quicker feedback about the state of a long-running spec. */ type PollProgressAfter = internal.PollProgressAfter /* PollProgressInterval allows you to override the configured value for --poll-progress-interval for a particular node. Once a node has been running for longer than PollProgressAfter Ginkgo will emit node progress periodically at an interval of PollProgresInterval. */ type PollProgressInterval = internal.PollProgressInterval /* NodeTimeout allows you to specify a timeout for an indivdiual node. The node cannot be a container and must be interruptible (i.e. it must be passed a function that accepts a SpecContext or context.Context). If the node does not exit within the specified NodeTimeout its context will be cancelled. The node wil then have a period of time controlled by the GracePeriod decorator (or global --grace-period command-line argument) to exit. If the node does not exit within GracePeriod Ginkgo will leak the node and proceed to any clean-up nodes associated with the current spec. */ type NodeTimeout = internal.NodeTimeout /* SpecTimeout allows you to specify a timeout for an indivdiual spec. SpecTimeout can only decorate interruptible It nodes. All nodes associated with the It node will need to complete before the SpecTimeout has elapsed. Individual nodes (e.g. BeforeEach) may be decorated with different NodeTimeouts - but these can only serve to provide a more stringent deadline for the node in question; they cannot extend the deadline past the SpecTimeout. If the spec does not complete within the specified SpecTimeout the currently running node will have its context cancelled. The node wil then have a period of time controlled by that node's GracePeriod decorator (or global --grace-period command-line argument) to exit. If the node does not exit within GracePeriod Ginkgo will leak the node and proceed to any clean-up nodes associated with the current spec. */ type SpecTimeout = internal.SpecTimeout /* GracePeriod denotes the period of time Ginkgo will wait for an interruptible node to exit once an interruption (whether due to a timeout or a user-invoked signal) has occurred. If both the global --grace-period cli flag and a GracePeriod decorator are specified the value in the decorator will take precedence. Nodes that do not finish within a GracePeriod will be leaked and Ginkgo will proceed to run subsequent nodes. In the event of a timeout, such leaks will be reported to the user. */ type GracePeriod = internal.GracePeriod /* SuppressProgressReporting is a decorator that allows you to disable progress reporting of a particular node. This is useful if `ginkgo -v -progress` is generating too much noise; particularly if you have a `ReportAfterEach` node that is running for every skipped spec and is generating lots of progress reports. */ const SuppressProgressReporting = internal.SuppressProgressReporting
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/v2/core_dsl.go
vendor/github.com/onsi/ginkgo/v2/core_dsl.go
/* Ginkgo is a testing framework for Go designed to help you write expressive tests. https://github.com/onsi/ginkgo MIT-Licensed The godoc documentation outlines Ginkgo's API. Since Ginkgo is a Domain-Specific Language it is important to build a mental model for Ginkgo - the narrative documentation at https://onsi.github.io/ginkgo/ is designed to help you do that. You should start there - even a brief skim will be helpful. At minimum you should skim through the https://onsi.github.io/ginkgo/#getting-started chapter. Ginkgo's is best paired with the Gomega matcher library: https://github.com/onsi/gomega You can run Ginkgo specs with go test - however we recommend using the ginkgo cli. It enables functionality that go test does not (especially running suites in parallel). You can learn more at https://onsi.github.io/ginkgo/#ginkgo-cli-overview or by running 'ginkgo help'. */ package ginkgo import ( "fmt" "io" "os" "path/filepath" "strings" "github.com/go-logr/logr" "github.com/onsi/ginkgo/v2/formatter" "github.com/onsi/ginkgo/v2/internal" "github.com/onsi/ginkgo/v2/internal/global" "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" ) const GINKGO_VERSION = types.VERSION var flagSet types.GinkgoFlagSet var deprecationTracker = types.NewDeprecationTracker() var suiteConfig = types.NewDefaultSuiteConfig() var reporterConfig = types.NewDefaultReporterConfig() var suiteDidRun = false var outputInterceptor internal.OutputInterceptor var client parallel_support.Client func init() { var err error flagSet, err = types.BuildTestSuiteFlagSet(&suiteConfig, &reporterConfig) exitIfErr(err) writer := internal.NewWriter(os.Stdout) GinkgoWriter = writer GinkgoLogr = internal.GinkgoLogrFunc(writer) } func exitIfErr(err error) { if err != nil { if outputInterceptor != nil { outputInterceptor.Shutdown() } if client != nil { client.Close() } fmt.Fprintln(formatter.ColorableStdErr, err.Error()) os.Exit(1) } } func exitIfErrors(errors []error) { if len(errors) > 0 { if outputInterceptor != nil { outputInterceptor.Shutdown() } if client != nil { client.Close() } for _, err := range errors { fmt.Fprintln(formatter.ColorableStdErr, err.Error()) } os.Exit(1) } } // The interface implemented by GinkgoWriter type GinkgoWriterInterface interface { io.Writer Print(a ...interface{}) Printf(format string, a ...interface{}) Println(a ...interface{}) TeeTo(writer io.Writer) ClearTeeWriters() } /* SpecContext is the context object passed into nodes that are subject to a timeout or need to be notified of an interrupt. It implements the standard context.Context interface but also contains additional helpers to provide an extensibility point for Ginkgo. (As an example, Gomega's Eventually can use the methods defined on SpecContext to provide deeper integration with Ginkgo). You can do anything with SpecContext that you do with a typical context.Context including wrapping it with any of the context.With* methods. Ginkgo will cancel the SpecContext when a node is interrupted (e.g. by the user sending an interrupt signal) or when a node has exceeded its allowed run-time. Note, however, that even in cases where a node has a deadline, SpecContext will not return a deadline via .Deadline(). This is because Ginkgo does not use a WithDeadline() context to model node deadlines as Ginkgo needs control over the precise timing of the context cancellation to ensure it can provide an accurate progress report at the moment of cancellation. */ type SpecContext = internal.SpecContext /* GinkgoWriter implements a GinkgoWriterInterface and io.Writer When running in verbose mode (ginkgo -v) any writes to GinkgoWriter will be immediately printed to stdout. Otherwise, GinkgoWriter will buffer any writes produced during the current test and flush them to screen only if the current test fails. GinkgoWriter also provides convenience Print, Printf and Println methods and allows you to tee to a custom writer via GinkgoWriter.TeeTo(writer). Writes to GinkgoWriter are immediately sent to any registered TeeTo() writers. You can unregister all TeeTo() Writers with GinkgoWriter.ClearTeeWriters() You can learn more at https://onsi.github.io/ginkgo/#logging-output */ var GinkgoWriter GinkgoWriterInterface /* GinkgoLogr is a logr.Logger that writes to GinkgoWriter */ var GinkgoLogr logr.Logger // The interface by which Ginkgo receives *testing.T type GinkgoTestingT interface { Fail() } /* GinkgoConfiguration returns the configuration of the current suite. The first return value is the SuiteConfig which controls aspects of how the suite runs, the second return value is the ReporterConfig which controls aspects of how Ginkgo's default reporter emits output. Mutating the returned configurations has no effect. To reconfigure Ginkgo programmatically you need to pass in your mutated copies into RunSpecs(). You can learn more at https://onsi.github.io/ginkgo/#overriding-ginkgos-command-line-configuration-in-the-suite */ func GinkgoConfiguration() (types.SuiteConfig, types.ReporterConfig) { return suiteConfig, reporterConfig } /* GinkgoRandomSeed returns the seed used to randomize spec execution order. It is useful for seeding your own pseudorandom number generators to ensure consistent executions from run to run, where your tests contain variability (for example, when selecting random spec data). You can learn more at https://onsi.github.io/ginkgo/#spec-randomization */ func GinkgoRandomSeed() int64 { return suiteConfig.RandomSeed } /* GinkgoParallelProcess returns the parallel process number for the current ginkgo process The process number is 1-indexed. You can use GinkgoParallelProcess() to shard access to shared resources across your suites. You can learn more about patterns for sharding at https://onsi.github.io/ginkgo/#patterns-for-parallel-integration-specs For more on how specs are parallelized in Ginkgo, see http://onsi.github.io/ginkgo/#spec-parallelization */ func GinkgoParallelProcess() int { return suiteConfig.ParallelProcess } /* GinkgoHelper marks the function it's called in as a test helper. When a failure occurs inside a helper function, Ginkgo will skip the helper when analyzing the stack trace to identify where the failure occurred. This is an alternative, simpler, mechanism to passing in a skip offset when calling Fail or using Gomega. */ func GinkgoHelper() { types.MarkAsHelper(1) } /* GinkgoLabelFilter() returns the label filter configured for this suite via `--label-filter`. You can use this to manually check if a set of labels would satisfy the filter via: if (Label("cat", "dog").MatchesLabelFilter(GinkgoLabelFilter())) { //... } */ func GinkgoLabelFilter() string { suiteConfig, _ := GinkgoConfiguration() return suiteConfig.LabelFilter } /* PauseOutputInterception() pauses Ginkgo's output interception. This is only relevant when running in parallel and output to stdout/stderr is being intercepted. You generally don't need to call this function - however there are cases when Ginkgo's output interception mechanisms can interfere with external processes launched by the test process. In particular, if an external process is launched that has cmd.Stdout/cmd.Stderr set to os.Stdout/os.Stderr then Ginkgo's output interceptor will hang. To circumvent this, set cmd.Stdout/cmd.Stderr to GinkgoWriter. If, for some reason, you aren't able to do that, you can PauseOutputInterception() before starting the process then ResumeOutputInterception() after starting it. Note that PauseOutputInterception() does not cause stdout writes to print to the console - this simply stops intercepting and storing stdout writes to an internal buffer. */ func PauseOutputInterception() { if outputInterceptor == nil { return } outputInterceptor.PauseIntercepting() } // ResumeOutputInterception() - see docs for PauseOutputInterception() func ResumeOutputInterception() { if outputInterceptor == nil { return } outputInterceptor.ResumeIntercepting() } /* RunSpecs is the entry point for the Ginkgo spec runner. You must call this within a Golang testing TestX(t *testing.T) function. If you bootstrapped your suite with "ginkgo bootstrap" this is already done for you. Ginkgo is typically configured via command-line flags. This configuration can be overridden, however, and passed into RunSpecs as optional arguments: func TestMySuite(t *testing.T) { RegisterFailHandler(gomega.Fail) // fetch the current config suiteConfig, reporterConfig := GinkgoConfiguration() // adjust it suiteConfig.SkipStrings = []string{"NEVER-RUN"} reporterConfig.FullTrace = true // pass it in to RunSpecs RunSpecs(t, "My Suite", suiteConfig, reporterConfig) } Note that some configuration changes can lead to undefined behavior. For example, you should not change ParallelProcess or ParallelTotal as the Ginkgo CLI is responsible for setting these and orchestrating parallel specs across the parallel processes. See http://onsi.github.io/ginkgo/#spec-parallelization for more on how specs are parallelized in Ginkgo. You can also pass suite-level Label() decorators to RunSpecs. The passed-in labels will apply to all specs in the suite. */ func RunSpecs(t GinkgoTestingT, description string, args ...interface{}) bool { if suiteDidRun { exitIfErr(types.GinkgoErrors.RerunningSuite()) } suiteDidRun = true err := global.PushClone() if err != nil { exitIfErr(err) } defer global.PopClone() suiteLabels := extractSuiteConfiguration(args) var reporter reporters.Reporter if suiteConfig.ParallelTotal == 1 { reporter = reporters.NewDefaultReporter(reporterConfig, formatter.ColorableStdOut) outputInterceptor = internal.NoopOutputInterceptor{} client = nil } else { reporter = reporters.NoopReporter{} switch strings.ToLower(suiteConfig.OutputInterceptorMode) { case "swap": outputInterceptor = internal.NewOSGlobalReassigningOutputInterceptor() case "none": outputInterceptor = internal.NoopOutputInterceptor{} default: outputInterceptor = internal.NewOutputInterceptor() } client = parallel_support.NewClient(suiteConfig.ParallelHost) if !client.Connect() { client = nil exitIfErr(types.GinkgoErrors.UnreachableParallelHost(suiteConfig.ParallelHost)) } defer client.Close() } writer := GinkgoWriter.(*internal.Writer) if reporterConfig.Verbosity().GTE(types.VerbosityLevelVerbose) && suiteConfig.ParallelTotal == 1 { writer.SetMode(internal.WriterModeStreamAndBuffer) } else { writer.SetMode(internal.WriterModeBufferOnly) } if reporterConfig.WillGenerateReport() { registerReportAfterSuiteNodeForAutogeneratedReports(reporterConfig) } err = global.Suite.BuildTree() exitIfErr(err) suitePath, err := getwd() exitIfErr(err) suitePath, err = filepath.Abs(suitePath) exitIfErr(err) passed, hasFocusedTests := global.Suite.Run(description, suiteLabels, suitePath, global.Failer, reporter, writer, outputInterceptor, interrupt_handler.NewInterruptHandler(client), client, internal.RegisterForProgressSignal, suiteConfig) outputInterceptor.Shutdown() flagSet.ValidateDeprecations(deprecationTracker) if deprecationTracker.DidTrackDeprecations() { fmt.Fprintln(formatter.ColorableStdErr, deprecationTracker.DeprecationsReport()) } if !passed { t.Fail() } if passed && hasFocusedTests && strings.TrimSpace(os.Getenv("GINKGO_EDITOR_INTEGRATION")) == "" { fmt.Println("PASS | FOCUSED") os.Exit(types.GINKGO_FOCUS_EXIT_CODE) } return passed } func extractSuiteConfiguration(args []interface{}) Labels { suiteLabels := Labels{} configErrors := []error{} for _, arg := range args { switch arg := arg.(type) { case types.SuiteConfig: suiteConfig = arg case types.ReporterConfig: reporterConfig = arg case Labels: suiteLabels = append(suiteLabels, arg...) default: configErrors = append(configErrors, types.GinkgoErrors.UnknownTypePassedToRunSpecs(arg)) } } exitIfErrors(configErrors) configErrors = types.VetConfig(flagSet, suiteConfig, reporterConfig) if len(configErrors) > 0 { fmt.Fprintf(formatter.ColorableStdErr, formatter.F("{{red}}Ginkgo detected configuration issues:{{/}}\n")) for _, err := range configErrors { fmt.Fprintf(formatter.ColorableStdErr, err.Error()) } os.Exit(1) } return suiteLabels } func getwd() (string, error) { if !strings.EqualFold(os.Getenv("GINKGO_PRESERVE_CACHE"), "true") { // Getwd calls os.Getenv("PWD"), which breaks test caching if the cache // is shared between two different directories with the same test code. return os.Getwd() } return "", nil } /* PreviewSpecs walks the testing tree and produces a report without actually invoking the specs. See http://onsi.github.io/ginkgo/#previewing-specs for more information. */ func PreviewSpecs(description string, args ...any) Report { err := global.PushClone() if err != nil { exitIfErr(err) } defer global.PopClone() suiteLabels := extractSuiteConfiguration(args) priorDryRun, priorParallelTotal, priorParallelProcess := suiteConfig.DryRun, suiteConfig.ParallelTotal, suiteConfig.ParallelProcess suiteConfig.DryRun, suiteConfig.ParallelTotal, suiteConfig.ParallelProcess = true, 1, 1 defer func() { suiteConfig.DryRun, suiteConfig.ParallelTotal, suiteConfig.ParallelProcess = priorDryRun, priorParallelTotal, priorParallelProcess }() reporter := reporters.NoopReporter{} outputInterceptor = internal.NoopOutputInterceptor{} client = nil writer := GinkgoWriter.(*internal.Writer) err = global.Suite.BuildTree() exitIfErr(err) suitePath, err := getwd() exitIfErr(err) suitePath, err = filepath.Abs(suitePath) exitIfErr(err) global.Suite.Run(description, suiteLabels, suitePath, global.Failer, reporter, writer, outputInterceptor, interrupt_handler.NewInterruptHandler(client), client, internal.RegisterForProgressSignal, suiteConfig) return global.Suite.GetPreviewReport() } /* Skip instructs Ginkgo to skip the current spec You can call Skip in any Setup or Subject node closure. For more on how to filter specs in Ginkgo see https://onsi.github.io/ginkgo/#filtering-specs */ func Skip(message string, callerSkip ...int) { skip := 0 if len(callerSkip) > 0 { skip = callerSkip[0] } cl := types.NewCodeLocationWithStackTrace(skip + 1) global.Failer.Skip(message, cl) panic(types.GinkgoErrors.UncaughtGinkgoPanic(cl)) } /* Fail notifies Ginkgo that the current spec has failed. (Gomega will call Fail for you automatically when an assertion fails.) Under the hood, Fail panics to end execution of the current spec. Ginkgo will catch this panic and proceed with the subsequent spec. If you call Fail, or make an assertion, within a goroutine launched by your spec you must add defer GinkgoRecover() to the goroutine to catch the panic emitted by Fail. You can call Fail in any Setup or Subject node closure. You can learn more about how Ginkgo manages failures here: https://onsi.github.io/ginkgo/#mental-model-how-ginkgo-handles-failure */ func Fail(message string, callerSkip ...int) { skip := 0 if len(callerSkip) > 0 { skip = callerSkip[0] } cl := types.NewCodeLocationWithStackTrace(skip + 1) global.Failer.Fail(message, cl) panic(types.GinkgoErrors.UncaughtGinkgoPanic(cl)) } /* AbortSuite instructs Ginkgo to fail the current spec and skip all subsequent specs, thereby aborting the suite. You can call AbortSuite in any Setup or Subject node closure. You can learn more about how Ginkgo handles suite interruptions here: https://onsi.github.io/ginkgo/#interrupting-aborting-and-timing-out-suites */ func AbortSuite(message string, callerSkip ...int) { skip := 0 if len(callerSkip) > 0 { skip = callerSkip[0] } cl := types.NewCodeLocationWithStackTrace(skip + 1) global.Failer.AbortSuite(message, cl) panic(types.GinkgoErrors.UncaughtGinkgoPanic(cl)) } /* ignorablePanic is used by Gomega to signal to GinkgoRecover that Goemga is handling the error associated with this panic. It i used when Eventually/Consistently are passed a func(g Gomega) and the resulting function launches a goroutines that makes a failed assertion. That failed assertion is registered by Gomega and then panics. Ordinarily the panic is captured by Gomega. In the case of a goroutine Gomega can't capture the panic - so we piggy back on GinkgoRecover so users have a single defer GinkgoRecover() pattern to follow. To do that we need to tell Ginkgo to ignore this panic and not register it as a panic on the global Failer. */ type ignorablePanic interface{ GinkgoRecoverShouldIgnoreThisPanic() } /* GinkgoRecover should be deferred at the top of any spawned goroutine that (may) call `Fail` Since Gomega assertions call fail, you should throw a `defer GinkgoRecover()` at the top of any goroutine that calls out to Gomega Here's why: Ginkgo's `Fail` method records the failure and then panics to prevent further assertions from running. This panic must be recovered. Normally, Ginkgo recovers the panic for you, however if a panic originates on a goroutine *launched* from one of your specs there's no way for Ginkgo to rescue the panic. To do this, you must remember to `defer GinkgoRecover()` at the top of such a goroutine. You can learn more about how Ginkgo manages failures here: https://onsi.github.io/ginkgo/#mental-model-how-ginkgo-handles-failure */ func GinkgoRecover() { e := recover() if e != nil { if _, ok := e.(ignorablePanic); ok { return } global.Failer.Panic(types.NewCodeLocationWithStackTrace(1), e) } } // pushNode is used by the various test construction DSL methods to push nodes onto the suite // it handles returned errors, emits a detailed error message to help the user learn what they may have done wrong, then exits func pushNode(node internal.Node, errors []error) bool { exitIfErrors(errors) exitIfErr(global.Suite.PushNode(node)) return true } /* Describe nodes are Container nodes that allow you to organize your specs. A Describe node's closure can contain any number of Setup nodes (e.g. BeforeEach, AfterEach, JustBeforeEach), and Subject nodes (i.e. It). Context and When nodes are aliases for Describe - use whichever gives your suite a better narrative flow. It is idomatic to Describe the behavior of an object or function and, within that Describe, outline a number of Contexts and Whens. You can learn more at https://onsi.github.io/ginkgo/#organizing-specs-with-container-nodes In addition, container nodes can be decorated with a variety of decorators. You can learn more here: https://onsi.github.io/ginkgo/#decorator-reference */ func Describe(text string, args ...interface{}) bool { return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeContainer, text, args...)) } /* FDescribe focuses specs within the Describe block. */ func FDescribe(text string, args ...interface{}) bool { args = append(args, internal.Focus) return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeContainer, text, args...)) } /* PDescribe marks specs within the Describe block as pending. */ func PDescribe(text string, args ...interface{}) bool { args = append(args, internal.Pending) return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeContainer, text, args...)) } /* XDescribe marks specs within the Describe block as pending. XDescribe is an alias for PDescribe */ var XDescribe = PDescribe /* Context is an alias for Describe - it generates the exact same kind of Container node */ var Context, FContext, PContext, XContext = Describe, FDescribe, PDescribe, XDescribe /* When is an alias for Describe - it generates the exact same kind of Container node */ func When(text string, args ...interface{}) bool { return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeContainer, "when "+text, args...)) } /* When is an alias for Describe - it generates the exact same kind of Container node */ func FWhen(text string, args ...interface{}) bool { args = append(args, internal.Focus) return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeContainer, "when "+text, args...)) } /* When is an alias for Describe - it generates the exact same kind of Container node */ func PWhen(text string, args ...interface{}) bool { args = append(args, internal.Pending) return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeContainer, "when "+text, args...)) } var XWhen = PWhen /* It nodes are Subject nodes that contain your spec code and assertions. Each It node corresponds to an individual Ginkgo spec. You cannot nest any other Ginkgo nodes within an It node's closure. You can pass It nodes bare functions (func() {}) or functions that receive a SpecContext or context.Context: func(ctx SpecContext) {} and func (ctx context.Context) {}. If the function takes a context then the It is deemed interruptible and Ginkgo will cancel the context in the event of a timeout (configured via the SpecTimeout() or NodeTimeout() decorators) or of an interrupt signal. You can learn more at https://onsi.github.io/ginkgo/#spec-subjects-it In addition, subject nodes can be decorated with a variety of decorators. You can learn more here: https://onsi.github.io/ginkgo/#decorator-reference */ func It(text string, args ...interface{}) bool { return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeIt, text, args...)) } /* FIt allows you to focus an individual It. */ func FIt(text string, args ...interface{}) bool { args = append(args, internal.Focus) return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeIt, text, args...)) } /* PIt allows you to mark an individual It as pending. */ func PIt(text string, args ...interface{}) bool { args = append(args, internal.Pending) return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeIt, text, args...)) } /* XIt allows you to mark an individual It as pending. XIt is an alias for PIt */ var XIt = PIt /* Specify is an alias for It - it can allow for more natural wording in some context. */ var Specify, FSpecify, PSpecify, XSpecify = It, FIt, PIt, XIt /* By allows you to better document complex Specs. Generally you should try to keep your Its short and to the point. This is not always possible, however, especially in the context of integration tests that capture complex or lengthy workflows. By allows you to document such flows. By may be called within a Setup or Subject node (It, BeforeEach, etc...) and will simply log the passed in text to the GinkgoWriter. If By is handed a function it will immediately run the function. By will also generate and attach a ReportEntry to the spec. This will ensure that By annotations appear in Ginkgo's machine-readable reports. Note that By does not generate a new Ginkgo node - rather it is simply syntactic sugar around GinkgoWriter and AddReportEntry You can learn more about By here: https://onsi.github.io/ginkgo/#documenting-complex-specs-by */ func By(text string, callback ...func()) { exitIfErr(global.Suite.By(text, callback...)) } /* BeforeSuite nodes are suite-level Setup nodes that run just once before any specs are run. When running in parallel, each parallel process will call BeforeSuite. You may only register *one* BeforeSuite handler per test suite. You typically do so in your bootstrap file at the top level. BeforeSuite can take a func() body, or an interruptible func(SpecContext)/func(context.Context) body. You cannot nest any other Ginkgo nodes within a BeforeSuite node's closure. You can learn more here: https://onsi.github.io/ginkgo/#suite-setup-and-cleanup-beforesuite-and-aftersuite */ func BeforeSuite(body interface{}, args ...interface{}) bool { combinedArgs := []interface{}{body} combinedArgs = append(combinedArgs, args...) return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeBeforeSuite, "", combinedArgs...)) } /* AfterSuite nodes are suite-level Setup nodes run after all specs have finished - regardless of whether specs have passed or failed. AfterSuite node closures always run, even if Ginkgo receives an interrupt signal (^C), in order to ensure cleanup occurs. When running in parallel, each parallel process will call AfterSuite. You may only register *one* AfterSuite handler per test suite. You typically do so in your bootstrap file at the top level. AfterSuite can take a func() body, or an interruptible func(SpecContext)/func(context.Context) body. You cannot nest any other Ginkgo nodes within an AfterSuite node's closure. You can learn more here: https://onsi.github.io/ginkgo/#suite-setup-and-cleanup-beforesuite-and-aftersuite */ func AfterSuite(body interface{}, args ...interface{}) bool { combinedArgs := []interface{}{body} combinedArgs = append(combinedArgs, args...) return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeAfterSuite, "", combinedArgs...)) } /* SynchronizedBeforeSuite nodes allow you to perform some of the suite setup just once - on parallel process #1 - and then pass information from that setup to the rest of the suite setup on all processes. This is useful for performing expensive or singleton setup once, then passing information from that setup to all parallel processes. SynchronizedBeforeSuite accomplishes this by taking *two* function arguments and passing data between them. The first function is only run on parallel process #1. The second is run on all processes, but *only* after the first function completes successfully. The functions have the following signatures: The first function (which only runs on process #1) can have any of the following the signatures: func() func(ctx context.Context) func(ctx SpecContext) func() []byte func(ctx context.Context) []byte func(ctx SpecContext) []byte The byte array returned by the first function (if present) is then passed to the second function, which can have any of the following signature: func() func(ctx context.Context) func(ctx SpecContext) func(data []byte) func(ctx context.Context, data []byte) func(ctx SpecContext, data []byte) If either function receives a context.Context/SpecContext it is considered interruptible. You cannot nest any other Ginkgo nodes within an SynchronizedBeforeSuite node's closure. You can learn more, and see some examples, here: https://onsi.github.io/ginkgo/#parallel-suite-setup-and-cleanup-synchronizedbeforesuite-and-synchronizedaftersuite */ func SynchronizedBeforeSuite(process1Body interface{}, allProcessBody interface{}, args ...interface{}) bool { combinedArgs := []interface{}{process1Body, allProcessBody} combinedArgs = append(combinedArgs, args...) return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeSynchronizedBeforeSuite, "", combinedArgs...)) } /* SynchronizedAfterSuite nodes complement the SynchronizedBeforeSuite nodes in solving the problem of splitting clean up into a piece that runs on all processes and a piece that must only run once - on process #1. SynchronizedAfterSuite accomplishes this by taking *two* function arguments. The first runs on all processes. The second runs only on parallel process #1 and *only* after all other processes have finished and exited. This ensures that process #1, and any resources it is managing, remain alive until all other processes are finished. These two functions can be bare functions (func()) or interruptible (func(context.Context)/func(SpecContext)) Note that you can also use DeferCleanup() in SynchronizedBeforeSuite to accomplish similar results. You cannot nest any other Ginkgo nodes within an SynchronizedAfterSuite node's closure. You can learn more, and see some examples, here: https://onsi.github.io/ginkgo/#parallel-suite-setup-and-cleanup-synchronizedbeforesuite-and-synchronizedaftersuite */ func SynchronizedAfterSuite(allProcessBody interface{}, process1Body interface{}, args ...interface{}) bool { combinedArgs := []interface{}{allProcessBody, process1Body} combinedArgs = append(combinedArgs, args...) return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeSynchronizedAfterSuite, "", combinedArgs...)) } /* BeforeEach nodes are Setup nodes whose closures run before It node closures. When multiple BeforeEach nodes are defined in nested Container nodes the outermost BeforeEach node closures are run first. BeforeEach can take a func() body, or an interruptible func(SpecContext)/func(context.Context) body. You cannot nest any other Ginkgo nodes within a BeforeEach node's closure. You can learn more here: https://onsi.github.io/ginkgo/#extracting-common-setup-beforeeach */ func BeforeEach(args ...interface{}) bool { return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeBeforeEach, "", args...)) } /* JustBeforeEach nodes are similar to BeforeEach nodes, however they are guaranteed to run *after* all BeforeEach node closures - just before the It node closure. This can allow you to separate configuration from creation of resources for a spec. JustBeforeEach can take a func() body, or an interruptible func(SpecContext)/func(context.Context) body. You cannot nest any other Ginkgo nodes within a JustBeforeEach node's closure. You can learn more and see some examples here: https://onsi.github.io/ginkgo/#separating-creation-and-configuration-justbeforeeach */ func JustBeforeEach(args ...interface{}) bool { return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeJustBeforeEach, "", args...)) } /* AfterEach nodes are Setup nodes whose closures run after It node closures. When multiple AfterEach nodes are defined in nested Container nodes the innermost AfterEach node closures are run first. Note that you can also use DeferCleanup() in other Setup or Subject nodes to accomplish similar results. AfterEach can take a func() body, or an interruptible func(SpecContext)/func(context.Context) body. You cannot nest any other Ginkgo nodes within an AfterEach node's closure. You can learn more here: https://onsi.github.io/ginkgo/#spec-cleanup-aftereach-and-defercleanup */ func AfterEach(args ...interface{}) bool { return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeAfterEach, "", args...)) } /* JustAfterEach nodes are similar to AfterEach nodes, however they are guaranteed to run *before* all AfterEach node closures - just after the It node closure. This can allow you to separate diagnostics collection from teardown for a spec. JustAfterEach can take a func() body, or an interruptible func(SpecContext)/func(context.Context) body. You cannot nest any other Ginkgo nodes within a JustAfterEach node's closure. You can learn more and see some examples here: https://onsi.github.io/ginkgo/#separating-diagnostics-collection-and-teardown-justaftereach */ func JustAfterEach(args ...interface{}) bool { return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeJustAfterEach, "", args...)) } /* BeforeAll nodes are Setup nodes that can occur inside Ordered containers. They run just once before any specs in the Ordered container run. Multiple BeforeAll nodes can be defined in a given Ordered container however they cannot be nested inside any other container. BeforeAll can take a func() body, or an interruptible func(SpecContext)/func(context.Context) body. You cannot nest any other Ginkgo nodes within a BeforeAll node's closure. You can learn more about Ordered Containers at: https://onsi.github.io/ginkgo/#ordered-containers And you can learn more about BeforeAll at: https://onsi.github.io/ginkgo/#setup-in-ordered-containers-beforeall-and-afterall */ func BeforeAll(args ...interface{}) bool { return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeBeforeAll, "", args...)) } /* AfterAll nodes are Setup nodes that can occur inside Ordered containers. They run just once after all specs in the Ordered container have run. Multiple AfterAll nodes can be defined in a given Ordered container however they cannot be nested inside any other container. Note that you can also use DeferCleanup() in a BeforeAll node to accomplish similar behavior. AfterAll can take a func() body, or an interruptible func(SpecContext)/func(context.Context) body. You cannot nest any other Ginkgo nodes within an AfterAll node's closure. You can learn more about Ordered Containers at: https://onsi.github.io/ginkgo/#ordered-containers And you can learn more about AfterAll at: https://onsi.github.io/ginkgo/#setup-in-ordered-containers-beforeall-and-afterall */ func AfterAll(args ...interface{}) bool { return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeAfterAll, "", args...)) } /*
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
true
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/v2/table_dsl.go
vendor/github.com/onsi/ginkgo/v2/table_dsl.go
package ginkgo import ( "context" "fmt" "reflect" "strings" "github.com/onsi/ginkgo/v2/internal" "github.com/onsi/ginkgo/v2/types" ) /* The EntryDescription decorator allows you to pass a format string to DescribeTable() and Entry(). This format string is used to generate entry names via: fmt.Sprintf(formatString, parameters...) where parameters are the parameters passed into the entry. When passed into an Entry the EntryDescription is used to generate the name or that entry. When passed to DescribeTable, the EntryDescription is used to generate the names for any entries that have `nil` descriptions. You can learn more about generating EntryDescriptions here: https://onsi.github.io/ginkgo/#generating-entry-descriptions */ type EntryDescription string func (ed EntryDescription) render(args ...interface{}) string { return fmt.Sprintf(string(ed), args...) } /* DescribeTable describes a table-driven spec. For example: DescribeTable("a simple table", func(x int, y int, expected bool) { Ω(x > y).Should(Equal(expected)) }, Entry("x > y", 1, 0, true), Entry("x == y", 0, 0, false), Entry("x < y", 0, 1, false), ) You can learn more about DescribeTable here: https://onsi.github.io/ginkgo/#table-specs And can explore some Table patterns here: https://onsi.github.io/ginkgo/#table-specs-patterns */ func DescribeTable(description string, args ...interface{}) bool { GinkgoHelper() generateTable(description, false, args...) return true } /* You can focus a table with `FDescribeTable`. This is equivalent to `FDescribe`. */ func FDescribeTable(description string, args ...interface{}) bool { GinkgoHelper() args = append(args, internal.Focus) generateTable(description, false, args...) return true } /* You can mark a table as pending with `PDescribeTable`. This is equivalent to `PDescribe`. */ func PDescribeTable(description string, args ...interface{}) bool { GinkgoHelper() args = append(args, internal.Pending) generateTable(description, false, args...) return true } /* You can mark a table as pending with `XDescribeTable`. This is equivalent to `XDescribe`. */ var XDescribeTable = PDescribeTable /* DescribeTableSubtree describes a table-driven spec that generates a set of tests for each entry. For example: DescribeTableSubtree("a subtree table", func(url string, code int, message string) { var resp *http.Response BeforeEach(func() { var err error resp, err = http.Get(url) Expect(err).NotTo(HaveOccurred()) DeferCleanup(resp.Body.Close) }) It("should return the expected status code", func() { Expect(resp.StatusCode).To(Equal(code)) }) It("should return the expected message", func() { body, err := io.ReadAll(resp.Body) Expect(err).NotTo(HaveOccurred()) Expect(string(body)).To(Equal(message)) }) }, Entry("default response", "example.com/response", http.StatusOK, "hello world"), Entry("missing response", "example.com/missing", http.StatusNotFound, "wat?"), ) Note that you **must** place define an It inside the body function. You can learn more about DescribeTableSubtree here: https://onsi.github.io/ginkgo/#table-specs And can explore some Table patterns here: https://onsi.github.io/ginkgo/#table-specs-patterns */ func DescribeTableSubtree(description string, args ...interface{}) bool { GinkgoHelper() generateTable(description, true, args...) return true } /* You can focus a table with `FDescribeTableSubtree`. This is equivalent to `FDescribe`. */ func FDescribeTableSubtree(description string, args ...interface{}) bool { GinkgoHelper() args = append(args, internal.Focus) generateTable(description, true, args...) return true } /* You can mark a table as pending with `PDescribeTableSubtree`. This is equivalent to `PDescribe`. */ func PDescribeTableSubtree(description string, args ...interface{}) bool { GinkgoHelper() args = append(args, internal.Pending) generateTable(description, true, args...) return true } /* You can mark a table as pending with `XDescribeTableSubtree`. This is equivalent to `XDescribe`. */ var XDescribeTableSubtree = PDescribeTableSubtree /* TableEntry represents an entry in a table test. You generally use the `Entry` constructor. */ type TableEntry struct { description interface{} decorations []interface{} parameters []interface{} codeLocation types.CodeLocation } /* Entry constructs a TableEntry. The first argument is a description. This can be a string, a function that accepts the parameters passed to the TableEntry and returns a string, an EntryDescription format string, or nil. If nil is provided then the name of the Entry is derived using the table-level entry description. Subsequent arguments accept any Ginkgo decorators. These are filtered out and the remaining arguments are passed into the Spec function associated with the table. Each Entry ends up generating an individual Ginkgo It. The body of the it is the Table Body function with the Entry parameters passed in. If you want to generate interruptible specs simply write a Table function that accepts a SpecContext as its first argument. You can then decorate individual Entrys with the NodeTimeout and SpecTimeout decorators. You can learn more about Entry here: https://onsi.github.io/ginkgo/#table-specs */ func Entry(description interface{}, args ...interface{}) TableEntry { GinkgoHelper() decorations, parameters := internal.PartitionDecorations(args...) return TableEntry{description: description, decorations: decorations, parameters: parameters, codeLocation: types.NewCodeLocation(0)} } /* You can focus a particular entry with FEntry. This is equivalent to FIt. */ func FEntry(description interface{}, args ...interface{}) TableEntry { GinkgoHelper() decorations, parameters := internal.PartitionDecorations(args...) decorations = append(decorations, internal.Focus) return TableEntry{description: description, decorations: decorations, parameters: parameters, codeLocation: types.NewCodeLocation(0)} } /* You can mark a particular entry as pending with PEntry. This is equivalent to PIt. */ func PEntry(description interface{}, args ...interface{}) TableEntry { GinkgoHelper() decorations, parameters := internal.PartitionDecorations(args...) decorations = append(decorations, internal.Pending) return TableEntry{description: description, decorations: decorations, parameters: parameters, codeLocation: types.NewCodeLocation(0)} } /* You can mark a particular entry as pending with XEntry. This is equivalent to XIt. */ var XEntry = PEntry var contextType = reflect.TypeOf(new(context.Context)).Elem() var specContextType = reflect.TypeOf(new(SpecContext)).Elem() func generateTable(description string, isSubtree bool, args ...interface{}) { GinkgoHelper() cl := types.NewCodeLocation(0) containerNodeArgs := []interface{}{cl} entries := []TableEntry{} var internalBody interface{} var internalBodyType reflect.Type var tableLevelEntryDescription interface{} tableLevelEntryDescription = func(args ...interface{}) string { out := []string{} for _, arg := range args { out = append(out, fmt.Sprint(arg)) } return "Entry: " + strings.Join(out, ", ") } if len(args) == 1 { exitIfErr(types.GinkgoErrors.MissingParametersForTableFunction(cl)) } for i, arg := range args { switch t := reflect.TypeOf(arg); { case t == nil: exitIfErr(types.GinkgoErrors.IncorrectParameterTypeForTable(i, "nil", cl)) case t == reflect.TypeOf(TableEntry{}): entries = append(entries, arg.(TableEntry)) case t == reflect.TypeOf([]TableEntry{}): entries = append(entries, arg.([]TableEntry)...) case t == reflect.TypeOf(EntryDescription("")): tableLevelEntryDescription = arg.(EntryDescription).render case t.Kind() == reflect.Func && t.NumOut() == 1 && t.Out(0) == reflect.TypeOf(""): tableLevelEntryDescription = arg case t.Kind() == reflect.Func: if internalBody != nil { exitIfErr(types.GinkgoErrors.MultipleEntryBodyFunctionsForTable(cl)) } internalBody = arg internalBodyType = reflect.TypeOf(internalBody) default: containerNodeArgs = append(containerNodeArgs, arg) } } containerNodeArgs = append(containerNodeArgs, func() { for _, entry := range entries { var err error entry := entry var description string switch t := reflect.TypeOf(entry.description); { case t == nil: err = validateParameters(tableLevelEntryDescription, entry.parameters, "Entry Description function", entry.codeLocation, false) if err == nil { description = invokeFunction(tableLevelEntryDescription, entry.parameters)[0].String() } case t == reflect.TypeOf(EntryDescription("")): description = entry.description.(EntryDescription).render(entry.parameters...) case t == reflect.TypeOf(""): description = entry.description.(string) case t.Kind() == reflect.Func && t.NumOut() == 1 && t.Out(0) == reflect.TypeOf(""): err = validateParameters(entry.description, entry.parameters, "Entry Description function", entry.codeLocation, false) if err == nil { description = invokeFunction(entry.description, entry.parameters)[0].String() } default: err = types.GinkgoErrors.InvalidEntryDescription(entry.codeLocation) } internalNodeArgs := []interface{}{entry.codeLocation} internalNodeArgs = append(internalNodeArgs, entry.decorations...) hasContext := false if internalBodyType.NumIn() > 0 { if internalBodyType.In(0).Implements(specContextType) { hasContext = true } else if internalBodyType.In(0).Implements(contextType) { hasContext = true if len(entry.parameters) > 0 && reflect.TypeOf(entry.parameters[0]) != nil && reflect.TypeOf(entry.parameters[0]).Implements(contextType) { // we allow you to pass in a non-nil context hasContext = false } } } if err == nil { err = validateParameters(internalBody, entry.parameters, "Table Body function", entry.codeLocation, hasContext) } if hasContext { internalNodeArgs = append(internalNodeArgs, func(c SpecContext) { if err != nil { panic(err) } invokeFunction(internalBody, append([]interface{}{c}, entry.parameters...)) }) if isSubtree { exitIfErr(types.GinkgoErrors.ContextsCannotBeUsedInSubtreeTables(cl)) } } else { internalNodeArgs = append(internalNodeArgs, func() { if err != nil { panic(err) } invokeFunction(internalBody, entry.parameters) }) } internalNodeType := types.NodeTypeIt if isSubtree { internalNodeType = types.NodeTypeContainer } pushNode(internal.NewNode(deprecationTracker, internalNodeType, description, internalNodeArgs...)) } }) pushNode(internal.NewNode(deprecationTracker, types.NodeTypeContainer, description, containerNodeArgs...)) } func invokeFunction(function interface{}, parameters []interface{}) []reflect.Value { inValues := make([]reflect.Value, len(parameters)) funcType := reflect.TypeOf(function) limit := funcType.NumIn() if funcType.IsVariadic() { limit = limit - 1 } for i := 0; i < limit && i < len(parameters); i++ { inValues[i] = computeValue(parameters[i], funcType.In(i)) } if funcType.IsVariadic() { variadicType := funcType.In(limit).Elem() for i := limit; i < len(parameters); i++ { inValues[i] = computeValue(parameters[i], variadicType) } } return reflect.ValueOf(function).Call(inValues) } func validateParameters(function interface{}, parameters []interface{}, kind string, cl types.CodeLocation, hasContext bool) error { funcType := reflect.TypeOf(function) limit := funcType.NumIn() offset := 0 if hasContext { limit = limit - 1 offset = 1 } if funcType.IsVariadic() { limit = limit - 1 } if len(parameters) < limit { return types.GinkgoErrors.TooFewParametersToTableFunction(limit, len(parameters), kind, cl) } if len(parameters) > limit && !funcType.IsVariadic() { return types.GinkgoErrors.TooManyParametersToTableFunction(limit, len(parameters), kind, cl) } var i = 0 for ; i < limit; i++ { actual := reflect.TypeOf(parameters[i]) expected := funcType.In(i + offset) if !(actual == nil) && !actual.AssignableTo(expected) { return types.GinkgoErrors.IncorrectParameterTypeToTableFunction(i+1, expected, actual, kind, cl) } } if funcType.IsVariadic() { expected := funcType.In(limit + offset).Elem() for ; i < len(parameters); i++ { actual := reflect.TypeOf(parameters[i]) if !(actual == nil) && !actual.AssignableTo(expected) { return types.GinkgoErrors.IncorrectVariadicParameterTypeToTableFunction(expected, actual, kind, cl) } } } return nil } func computeValue(parameter interface{}, t reflect.Type) reflect.Value { if parameter == nil { return reflect.Zero(t) } else { return reflect.ValueOf(parameter) } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/v2/reporting_dsl.go
vendor/github.com/onsi/ginkgo/v2/reporting_dsl.go
package ginkgo import ( "fmt" "strings" "github.com/onsi/ginkgo/v2/internal" "github.com/onsi/ginkgo/v2/internal/global" "github.com/onsi/ginkgo/v2/reporters" "github.com/onsi/ginkgo/v2/types" ) /* Report represents the report for a Suite. It is documented here: https://pkg.go.dev/github.com/onsi/ginkgo/v2/types#Report */ type Report = types.Report /* Report represents the report for a Spec. It is documented here: https://pkg.go.dev/github.com/onsi/ginkgo/v2/types#SpecReport */ type SpecReport = types.SpecReport /* CurrentSpecReport returns information about the current running spec. The returned object is a types.SpecReport which includes helper methods to make extracting information about the spec easier. You can learn more about SpecReport here: https://pkg.go.dev/github.com/onsi/ginkgo/types#SpecReport You can learn more about CurrentSpecReport() here: https://onsi.github.io/ginkgo/#getting-a-report-for-the-current-spec */ func CurrentSpecReport() SpecReport { return global.Suite.CurrentSpecReport() } /* ReportEntryVisibility governs the visibility of ReportEntries in Ginkgo's console reporter - ReportEntryVisibilityAlways: the default behavior - the ReportEntry is always emitted. - ReportEntryVisibilityFailureOrVerbose: the ReportEntry is only emitted if the spec fails or if the tests are run with -v (similar to GinkgoWriters behavior). - ReportEntryVisibilityNever: the ReportEntry is never emitted though it appears in any generated machine-readable reports (e.g. by setting `--json-report`). You can learn more about Report Entries here: https://onsi.github.io/ginkgo/#attaching-data-to-reports */ type ReportEntryVisibility = types.ReportEntryVisibility const ReportEntryVisibilityAlways, ReportEntryVisibilityFailureOrVerbose, ReportEntryVisibilityNever = types.ReportEntryVisibilityAlways, types.ReportEntryVisibilityFailureOrVerbose, types.ReportEntryVisibilityNever /* AddReportEntry generates and adds a new ReportEntry to the current spec's SpecReport. It can take any of the following arguments: - A single arbitrary object to attach as the Value of the ReportEntry. This object will be included in any generated reports and will be emitted to the console when the report is emitted. - A ReportEntryVisibility enum to control the visibility of the ReportEntry - An Offset or CodeLocation decoration to control the reported location of the ReportEntry If the Value object implements `fmt.Stringer`, it's `String()` representation is used when emitting to the console. AddReportEntry() must be called within a Subject or Setup node - not in a Container node. You can learn more about Report Entries here: https://onsi.github.io/ginkgo/#attaching-data-to-reports */ func AddReportEntry(name string, args ...interface{}) { cl := types.NewCodeLocation(1) reportEntry, err := internal.NewReportEntry(name, cl, args...) if err != nil { Fail(fmt.Sprintf("Failed to generate Report Entry:\n%s", err.Error()), 1) } err = global.Suite.AddReportEntry(reportEntry) if err != nil { Fail(fmt.Sprintf("Failed to add Report Entry:\n%s", err.Error()), 1) } } /* ReportBeforeEach nodes are run for each spec, even if the spec is skipped or pending. ReportBeforeEach nodes take a function that receives a SpecReport or both SpecContext and Report for interruptible behavior. They are called before the spec starts. Example: ReportBeforeEach(func(report SpecReport) { // process report }) ReportBeforeEach(func(ctx SpecContext, report SpecReport) { // process report }), NodeTimeout(1 * time.Minute)) You cannot nest any other Ginkgo nodes within a ReportBeforeEach node's closure. You can learn more about ReportBeforeEach here: https://onsi.github.io/ginkgo/#generating-reports-programmatically You can learn about interruptible nodes here: https://onsi.github.io/ginkgo/#spec-timeouts-and-interruptible-nodes */ func ReportBeforeEach(body any, args ...any) bool { combinedArgs := []interface{}{body} combinedArgs = append(combinedArgs, args...) return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeReportBeforeEach, "", combinedArgs...)) } /* ReportAfterEach nodes are run for each spec, even if the spec is skipped or pending. ReportAfterEach nodes take a function that receives a SpecReport or both SpecContext and Report for interruptible behavior. They are called after the spec has completed and receive the final report for the spec. Example: ReportAfterEach(func(report SpecReport) { // process report }) ReportAfterEach(func(ctx SpecContext, report SpecReport) { // process report }), NodeTimeout(1 * time.Minute)) You cannot nest any other Ginkgo nodes within a ReportAfterEach node's closure. You can learn more about ReportAfterEach here: https://onsi.github.io/ginkgo/#generating-reports-programmatically You can learn about interruptible nodes here: https://onsi.github.io/ginkgo/#spec-timeouts-and-interruptible-nodes */ func ReportAfterEach(body any, args ...any) bool { combinedArgs := []interface{}{body} combinedArgs = append(combinedArgs, args...) return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeReportAfterEach, "", combinedArgs...)) } /* ReportBeforeSuite nodes are run at the beginning of the suite. ReportBeforeSuite nodes take a function that can either receive Report or both SpecContext and Report for interruptible behavior. Example Usage: ReportBeforeSuite(func(r Report) { // process report }) ReportBeforeSuite(func(ctx SpecContext, r Report) { // process report }, NodeTimeout(1 * time.Minute)) They are called at the beginning of the suite, before any specs have run and any BeforeSuite or SynchronizedBeforeSuite nodes, and are passed in the initial report for the suite. ReportBeforeSuite nodes must be created at the top-level (i.e. not nested in a Context/Describe/When node) # When running in parallel, Ginkgo ensures that only one of the parallel nodes runs the ReportBeforeSuite You cannot nest any other Ginkgo nodes within a ReportAfterSuite node's closure. You can learn more about ReportAfterSuite here: https://onsi.github.io/ginkgo/#generating-reports-programmatically You can learn more about Ginkgo's reporting infrastructure, including generating reports with the CLI here: https://onsi.github.io/ginkgo/#generating-machine-readable-reports You can learn about interruptible nodes here: https://onsi.github.io/ginkgo/#spec-timeouts-and-interruptible-nodes */ func ReportBeforeSuite(body any, args ...any) bool { combinedArgs := []interface{}{body} combinedArgs = append(combinedArgs, args...) return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeReportBeforeSuite, "", combinedArgs...)) } /* ReportAfterSuite nodes are run at the end of the suite. ReportAfterSuite nodes execute at the suite's conclusion, and accept a function that can either receive Report or both SpecContext and Report for interruptible behavior. Example Usage: ReportAfterSuite("Non-interruptible ReportAfterSuite", func(r Report) { // process report }) ReportAfterSuite("Interruptible ReportAfterSuite", func(ctx SpecContext, r Report) { // process report }, NodeTimeout(1 * time.Minute)) They are called at the end of the suite, after all specs have run and any AfterSuite or SynchronizedAfterSuite nodes, and are passed in the final report for the suite. ReportAfterSuite nodes must be created at the top-level (i.e. not nested in a Context/Describe/When node) When running in parallel, Ginkgo ensures that only one of the parallel nodes runs the ReportAfterSuite and that it is passed a report that is aggregated across all parallel nodes In addition to using ReportAfterSuite to programmatically generate suite reports, you can also generate JSON, JUnit, and Teamcity formatted reports using the --json-report, --junit-report, and --teamcity-report ginkgo CLI flags. You cannot nest any other Ginkgo nodes within a ReportAfterSuite node's closure. You can learn more about ReportAfterSuite here: https://onsi.github.io/ginkgo/#generating-reports-programmatically You can learn more about Ginkgo's reporting infrastructure, including generating reports with the CLI here: https://onsi.github.io/ginkgo/#generating-machine-readable-reports You can learn about interruptible nodes here: https://onsi.github.io/ginkgo/#spec-timeouts-and-interruptible-nodes */ func ReportAfterSuite(text string, body any, args ...interface{}) bool { combinedArgs := []interface{}{body} combinedArgs = append(combinedArgs, args...) return pushNode(internal.NewNode(deprecationTracker, types.NodeTypeReportAfterSuite, text, combinedArgs...)) } func registerReportAfterSuiteNodeForAutogeneratedReports(reporterConfig types.ReporterConfig) { body := func(report Report) { if reporterConfig.JSONReport != "" { err := reporters.GenerateJSONReport(report, reporterConfig.JSONReport) if err != nil { Fail(fmt.Sprintf("Failed to generate JSON report:\n%s", err.Error())) } } if reporterConfig.JUnitReport != "" { err := reporters.GenerateJUnitReport(report, reporterConfig.JUnitReport) if err != nil { Fail(fmt.Sprintf("Failed to generate JUnit report:\n%s", err.Error())) } } if reporterConfig.TeamcityReport != "" { err := reporters.GenerateTeamcityReport(report, reporterConfig.TeamcityReport) if err != nil { Fail(fmt.Sprintf("Failed to generate Teamcity report:\n%s", err.Error())) } } } flags := []string{} if reporterConfig.JSONReport != "" { flags = append(flags, "--json-report") } if reporterConfig.JUnitReport != "" { flags = append(flags, "--junit-report") } if reporterConfig.TeamcityReport != "" { flags = append(flags, "--teamcity-report") } pushNode(internal.NewNode( deprecationTracker, types.NodeTypeReportAfterSuite, fmt.Sprintf("Autogenerated ReportAfterSuite for %s", strings.Join(flags, " ")), body, types.NewCustomCodeLocation("autogenerated by Ginkgo"), )) }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/v2/ginkgo_cli_dependencies.go
vendor/github.com/onsi/ginkgo/v2/ginkgo_cli_dependencies.go
//go:build ginkgoclidependencies // +build ginkgoclidependencies package ginkgo import ( _ "github.com/onsi/ginkgo/v2/ginkgo" )
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/v2/formatter/colorable_windows.go
vendor/github.com/onsi/ginkgo/v2/formatter/colorable_windows.go
/* 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 ( "bytes" "fmt" "io" "math" "os" "strconv" "strings" "syscall" "unsafe" ) var ( kernel32 = syscall.NewLazyDLL("kernel32.dll") procGetConsoleScreenBufferInfo = kernel32.NewProc("GetConsoleScreenBufferInfo") procSetConsoleTextAttribute = kernel32.NewProc("SetConsoleTextAttribute") procSetConsoleCursorPosition = kernel32.NewProc("SetConsoleCursorPosition") procFillConsoleOutputCharacter = kernel32.NewProc("FillConsoleOutputCharacterW") procFillConsoleOutputAttribute = kernel32.NewProc("FillConsoleOutputAttribute") procGetConsoleMode = kernel32.NewProc("GetConsoleMode") ) func isTerminal(fd uintptr) bool { var st uint32 r, _, e := syscall.Syscall(procGetConsoleMode.Addr(), 2, fd, uintptr(unsafe.Pointer(&st)), 0) return r != 0 && e == 0 } const ( foregroundBlue = 0x1 foregroundGreen = 0x2 foregroundRed = 0x4 foregroundIntensity = 0x8 foregroundMask = (foregroundRed | foregroundBlue | foregroundGreen | foregroundIntensity) backgroundBlue = 0x10 backgroundGreen = 0x20 backgroundRed = 0x40 backgroundIntensity = 0x80 backgroundMask = (backgroundRed | backgroundBlue | backgroundGreen | backgroundIntensity) ) type wchar uint16 type short int16 type dword uint32 type word uint16 type coord struct { x short y short } type smallRect struct { left short top short right short bottom short } type consoleScreenBufferInfo struct { size coord cursorPosition coord attributes word window smallRect maximumWindowSize coord } type writer struct { out io.Writer handle syscall.Handle lastbuf bytes.Buffer oldattr word } func newColorable(file *os.File) io.Writer { if file == nil { panic("nil passed instead of *os.File to NewColorable()") } if isTerminal(file.Fd()) { var csbi consoleScreenBufferInfo handle := syscall.Handle(file.Fd()) procGetConsoleScreenBufferInfo.Call(uintptr(handle), uintptr(unsafe.Pointer(&csbi))) return &writer{out: file, handle: handle, oldattr: csbi.attributes} } else { return file } } var color256 = map[int]int{ 0: 0x000000, 1: 0x800000, 2: 0x008000, 3: 0x808000, 4: 0x000080, 5: 0x800080, 6: 0x008080, 7: 0xc0c0c0, 8: 0x808080, 9: 0xff0000, 10: 0x00ff00, 11: 0xffff00, 12: 0x0000ff, 13: 0xff00ff, 14: 0x00ffff, 15: 0xffffff, 16: 0x000000, 17: 0x00005f, 18: 0x000087, 19: 0x0000af, 20: 0x0000d7, 21: 0x0000ff, 22: 0x005f00, 23: 0x005f5f, 24: 0x005f87, 25: 0x005faf, 26: 0x005fd7, 27: 0x005fff, 28: 0x008700, 29: 0x00875f, 30: 0x008787, 31: 0x0087af, 32: 0x0087d7, 33: 0x0087ff, 34: 0x00af00, 35: 0x00af5f, 36: 0x00af87, 37: 0x00afaf, 38: 0x00afd7, 39: 0x00afff, 40: 0x00d700, 41: 0x00d75f, 42: 0x00d787, 43: 0x00d7af, 44: 0x00d7d7, 45: 0x00d7ff, 46: 0x00ff00, 47: 0x00ff5f, 48: 0x00ff87, 49: 0x00ffaf, 50: 0x00ffd7, 51: 0x00ffff, 52: 0x5f0000, 53: 0x5f005f, 54: 0x5f0087, 55: 0x5f00af, 56: 0x5f00d7, 57: 0x5f00ff, 58: 0x5f5f00, 59: 0x5f5f5f, 60: 0x5f5f87, 61: 0x5f5faf, 62: 0x5f5fd7, 63: 0x5f5fff, 64: 0x5f8700, 65: 0x5f875f, 66: 0x5f8787, 67: 0x5f87af, 68: 0x5f87d7, 69: 0x5f87ff, 70: 0x5faf00, 71: 0x5faf5f, 72: 0x5faf87, 73: 0x5fafaf, 74: 0x5fafd7, 75: 0x5fafff, 76: 0x5fd700, 77: 0x5fd75f, 78: 0x5fd787, 79: 0x5fd7af, 80: 0x5fd7d7, 81: 0x5fd7ff, 82: 0x5fff00, 83: 0x5fff5f, 84: 0x5fff87, 85: 0x5fffaf, 86: 0x5fffd7, 87: 0x5fffff, 88: 0x870000, 89: 0x87005f, 90: 0x870087, 91: 0x8700af, 92: 0x8700d7, 93: 0x8700ff, 94: 0x875f00, 95: 0x875f5f, 96: 0x875f87, 97: 0x875faf, 98: 0x875fd7, 99: 0x875fff, 100: 0x878700, 101: 0x87875f, 102: 0x878787, 103: 0x8787af, 104: 0x8787d7, 105: 0x8787ff, 106: 0x87af00, 107: 0x87af5f, 108: 0x87af87, 109: 0x87afaf, 110: 0x87afd7, 111: 0x87afff, 112: 0x87d700, 113: 0x87d75f, 114: 0x87d787, 115: 0x87d7af, 116: 0x87d7d7, 117: 0x87d7ff, 118: 0x87ff00, 119: 0x87ff5f, 120: 0x87ff87, 121: 0x87ffaf, 122: 0x87ffd7, 123: 0x87ffff, 124: 0xaf0000, 125: 0xaf005f, 126: 0xaf0087, 127: 0xaf00af, 128: 0xaf00d7, 129: 0xaf00ff, 130: 0xaf5f00, 131: 0xaf5f5f, 132: 0xaf5f87, 133: 0xaf5faf, 134: 0xaf5fd7, 135: 0xaf5fff, 136: 0xaf8700, 137: 0xaf875f, 138: 0xaf8787, 139: 0xaf87af, 140: 0xaf87d7, 141: 0xaf87ff, 142: 0xafaf00, 143: 0xafaf5f, 144: 0xafaf87, 145: 0xafafaf, 146: 0xafafd7, 147: 0xafafff, 148: 0xafd700, 149: 0xafd75f, 150: 0xafd787, 151: 0xafd7af, 152: 0xafd7d7, 153: 0xafd7ff, 154: 0xafff00, 155: 0xafff5f, 156: 0xafff87, 157: 0xafffaf, 158: 0xafffd7, 159: 0xafffff, 160: 0xd70000, 161: 0xd7005f, 162: 0xd70087, 163: 0xd700af, 164: 0xd700d7, 165: 0xd700ff, 166: 0xd75f00, 167: 0xd75f5f, 168: 0xd75f87, 169: 0xd75faf, 170: 0xd75fd7, 171: 0xd75fff, 172: 0xd78700, 173: 0xd7875f, 174: 0xd78787, 175: 0xd787af, 176: 0xd787d7, 177: 0xd787ff, 178: 0xd7af00, 179: 0xd7af5f, 180: 0xd7af87, 181: 0xd7afaf, 182: 0xd7afd7, 183: 0xd7afff, 184: 0xd7d700, 185: 0xd7d75f, 186: 0xd7d787, 187: 0xd7d7af, 188: 0xd7d7d7, 189: 0xd7d7ff, 190: 0xd7ff00, 191: 0xd7ff5f, 192: 0xd7ff87, 193: 0xd7ffaf, 194: 0xd7ffd7, 195: 0xd7ffff, 196: 0xff0000, 197: 0xff005f, 198: 0xff0087, 199: 0xff00af, 200: 0xff00d7, 201: 0xff00ff, 202: 0xff5f00, 203: 0xff5f5f, 204: 0xff5f87, 205: 0xff5faf, 206: 0xff5fd7, 207: 0xff5fff, 208: 0xff8700, 209: 0xff875f, 210: 0xff8787, 211: 0xff87af, 212: 0xff87d7, 213: 0xff87ff, 214: 0xffaf00, 215: 0xffaf5f, 216: 0xffaf87, 217: 0xffafaf, 218: 0xffafd7, 219: 0xffafff, 220: 0xffd700, 221: 0xffd75f, 222: 0xffd787, 223: 0xffd7af, 224: 0xffd7d7, 225: 0xffd7ff, 226: 0xffff00, 227: 0xffff5f, 228: 0xffff87, 229: 0xffffaf, 230: 0xffffd7, 231: 0xffffff, 232: 0x080808, 233: 0x121212, 234: 0x1c1c1c, 235: 0x262626, 236: 0x303030, 237: 0x3a3a3a, 238: 0x444444, 239: 0x4e4e4e, 240: 0x585858, 241: 0x626262, 242: 0x6c6c6c, 243: 0x767676, 244: 0x808080, 245: 0x8a8a8a, 246: 0x949494, 247: 0x9e9e9e, 248: 0xa8a8a8, 249: 0xb2b2b2, 250: 0xbcbcbc, 251: 0xc6c6c6, 252: 0xd0d0d0, 253: 0xdadada, 254: 0xe4e4e4, 255: 0xeeeeee, } func (w *writer) Write(data []byte) (n int, err error) { var csbi consoleScreenBufferInfo procGetConsoleScreenBufferInfo.Call(uintptr(w.handle), uintptr(unsafe.Pointer(&csbi))) er := bytes.NewBuffer(data) loop: for { r1, _, err := procGetConsoleScreenBufferInfo.Call(uintptr(w.handle), uintptr(unsafe.Pointer(&csbi))) if r1 == 0 { break loop } c1, _, err := er.ReadRune() if err != nil { break loop } if c1 != 0x1b { fmt.Fprint(w.out, string(c1)) continue } c2, _, err := er.ReadRune() if err != nil { w.lastbuf.WriteRune(c1) break loop } if c2 != 0x5b { w.lastbuf.WriteRune(c1) w.lastbuf.WriteRune(c2) continue } var buf bytes.Buffer var m rune for { c, _, err := er.ReadRune() if err != nil { w.lastbuf.WriteRune(c1) w.lastbuf.WriteRune(c2) w.lastbuf.Write(buf.Bytes()) break loop } if ('a' <= c && c <= 'z') || ('A' <= c && c <= 'Z') || c == '@' { m = c break } buf.Write([]byte(string(c))) } var csbi consoleScreenBufferInfo switch m { case 'A': n, err = strconv.Atoi(buf.String()) if err != nil { continue } procGetConsoleScreenBufferInfo.Call(uintptr(w.handle), uintptr(unsafe.Pointer(&csbi))) csbi.cursorPosition.y -= short(n) procSetConsoleCursorPosition.Call(uintptr(w.handle), *(*uintptr)(unsafe.Pointer(&csbi.cursorPosition))) case 'B': n, err = strconv.Atoi(buf.String()) if err != nil { continue } procGetConsoleScreenBufferInfo.Call(uintptr(w.handle), uintptr(unsafe.Pointer(&csbi))) csbi.cursorPosition.y += short(n) procSetConsoleCursorPosition.Call(uintptr(w.handle), *(*uintptr)(unsafe.Pointer(&csbi.cursorPosition))) case 'C': n, err = strconv.Atoi(buf.String()) if err != nil { continue } procGetConsoleScreenBufferInfo.Call(uintptr(w.handle), uintptr(unsafe.Pointer(&csbi))) csbi.cursorPosition.x -= short(n) procSetConsoleCursorPosition.Call(uintptr(w.handle), *(*uintptr)(unsafe.Pointer(&csbi.cursorPosition))) case 'D': n, err = strconv.Atoi(buf.String()) if err != nil { continue } if n, err = strconv.Atoi(buf.String()); err == nil { var csbi consoleScreenBufferInfo procGetConsoleScreenBufferInfo.Call(uintptr(w.handle), uintptr(unsafe.Pointer(&csbi))) csbi.cursorPosition.x += short(n) procSetConsoleCursorPosition.Call(uintptr(w.handle), *(*uintptr)(unsafe.Pointer(&csbi.cursorPosition))) } case 'E': n, err = strconv.Atoi(buf.String()) if err != nil { continue } procGetConsoleScreenBufferInfo.Call(uintptr(w.handle), uintptr(unsafe.Pointer(&csbi))) csbi.cursorPosition.x = 0 csbi.cursorPosition.y += short(n) procSetConsoleCursorPosition.Call(uintptr(w.handle), *(*uintptr)(unsafe.Pointer(&csbi.cursorPosition))) case 'F': n, err = strconv.Atoi(buf.String()) if err != nil { continue } procGetConsoleScreenBufferInfo.Call(uintptr(w.handle), uintptr(unsafe.Pointer(&csbi))) csbi.cursorPosition.x = 0 csbi.cursorPosition.y -= short(n) procSetConsoleCursorPosition.Call(uintptr(w.handle), *(*uintptr)(unsafe.Pointer(&csbi.cursorPosition))) case 'G': n, err = strconv.Atoi(buf.String()) if err != nil { continue } procGetConsoleScreenBufferInfo.Call(uintptr(w.handle), uintptr(unsafe.Pointer(&csbi))) csbi.cursorPosition.x = short(n) procSetConsoleCursorPosition.Call(uintptr(w.handle), *(*uintptr)(unsafe.Pointer(&csbi.cursorPosition))) case 'H': token := strings.Split(buf.String(), ";") if len(token) != 2 { continue } n1, err := strconv.Atoi(token[0]) if err != nil { continue } n2, err := strconv.Atoi(token[1]) if err != nil { continue } csbi.cursorPosition.x = short(n2) csbi.cursorPosition.x = short(n1) procSetConsoleCursorPosition.Call(uintptr(w.handle), *(*uintptr)(unsafe.Pointer(&csbi.cursorPosition))) case 'J': n, err := strconv.Atoi(buf.String()) if err != nil { continue } var cursor coord switch n { case 0: cursor = coord{x: csbi.cursorPosition.x, y: csbi.cursorPosition.y} case 1: cursor = coord{x: csbi.window.left, y: csbi.window.top} case 2: cursor = coord{x: csbi.window.left, y: csbi.window.top} } var count, written dword count = dword(csbi.size.x - csbi.cursorPosition.x + (csbi.size.y-csbi.cursorPosition.y)*csbi.size.x) procFillConsoleOutputCharacter.Call(uintptr(w.handle), uintptr(' '), uintptr(count), *(*uintptr)(unsafe.Pointer(&cursor)), uintptr(unsafe.Pointer(&written))) procFillConsoleOutputAttribute.Call(uintptr(w.handle), uintptr(csbi.attributes), uintptr(count), *(*uintptr)(unsafe.Pointer(&cursor)), uintptr(unsafe.Pointer(&written))) case 'K': n, err := strconv.Atoi(buf.String()) if err != nil { continue } var cursor coord switch n { case 0: cursor = coord{x: csbi.cursorPosition.x, y: csbi.cursorPosition.y} case 1: cursor = coord{x: csbi.window.left, y: csbi.window.top + csbi.cursorPosition.y} case 2: cursor = coord{x: csbi.window.left, y: csbi.window.top + csbi.cursorPosition.y} } var count, written dword count = dword(csbi.size.x - csbi.cursorPosition.x) procFillConsoleOutputCharacter.Call(uintptr(w.handle), uintptr(' '), uintptr(count), *(*uintptr)(unsafe.Pointer(&cursor)), uintptr(unsafe.Pointer(&written))) procFillConsoleOutputAttribute.Call(uintptr(w.handle), uintptr(csbi.attributes), uintptr(count), *(*uintptr)(unsafe.Pointer(&cursor)), uintptr(unsafe.Pointer(&written))) case 'm': attr := csbi.attributes cs := buf.String() if cs == "" { procSetConsoleTextAttribute.Call(uintptr(w.handle), uintptr(w.oldattr)) continue } token := strings.Split(cs, ";") for i := 0; i < len(token); i += 1 { ns := token[i] if n, err = strconv.Atoi(ns); err == nil { switch { case n == 0 || n == 100: attr = w.oldattr case 1 <= n && n <= 5: attr |= foregroundIntensity case n == 7: attr = ((attr & foregroundMask) << 4) | ((attr & backgroundMask) >> 4) case 22 == n || n == 25 || n == 25: attr |= foregroundIntensity case n == 27: attr = ((attr & foregroundMask) << 4) | ((attr & backgroundMask) >> 4) case 30 <= n && n <= 37: attr = (attr & backgroundMask) if (n-30)&1 != 0 { attr |= foregroundRed } if (n-30)&2 != 0 { attr |= foregroundGreen } if (n-30)&4 != 0 { attr |= foregroundBlue } case n == 38: // set foreground color. if i < len(token)-2 && (token[i+1] == "5" || token[i+1] == "05") { if n256, err := strconv.Atoi(token[i+2]); err == nil { if n256foreAttr == nil { n256setup() } attr &= backgroundMask attr |= n256foreAttr[n256] i += 2 } } else { attr = attr & (w.oldattr & backgroundMask) } case n == 39: // reset foreground color. attr &= backgroundMask attr |= w.oldattr & foregroundMask case 40 <= n && n <= 47: attr = (attr & foregroundMask) if (n-40)&1 != 0 { attr |= backgroundRed } if (n-40)&2 != 0 { attr |= backgroundGreen } if (n-40)&4 != 0 { attr |= backgroundBlue } case n == 48: // set background color. if i < len(token)-2 && token[i+1] == "5" { if n256, err := strconv.Atoi(token[i+2]); err == nil { if n256backAttr == nil { n256setup() } attr &= foregroundMask attr |= n256backAttr[n256] i += 2 } } else { attr = attr & (w.oldattr & foregroundMask) } case n == 49: // reset foreground color. attr &= foregroundMask attr |= w.oldattr & backgroundMask case 90 <= n && n <= 97: attr = (attr & backgroundMask) attr |= foregroundIntensity if (n-90)&1 != 0 { attr |= foregroundRed } if (n-90)&2 != 0 { attr |= foregroundGreen } if (n-90)&4 != 0 { attr |= foregroundBlue } case 100 <= n && n <= 107: attr = (attr & foregroundMask) attr |= backgroundIntensity if (n-100)&1 != 0 { attr |= backgroundRed } if (n-100)&2 != 0 { attr |= backgroundGreen } if (n-100)&4 != 0 { attr |= backgroundBlue } } procSetConsoleTextAttribute.Call(uintptr(w.handle), uintptr(attr)) } } } } return len(data) - w.lastbuf.Len(), nil } type consoleColor struct { rgb int red bool green bool blue bool intensity bool } func (c consoleColor) foregroundAttr() (attr word) { if c.red { attr |= foregroundRed } if c.green { attr |= foregroundGreen } if c.blue { attr |= foregroundBlue } if c.intensity { attr |= foregroundIntensity } return } func (c consoleColor) backgroundAttr() (attr word) { if c.red { attr |= backgroundRed } if c.green { attr |= backgroundGreen } if c.blue { attr |= backgroundBlue } if c.intensity { attr |= backgroundIntensity } return } var color16 = []consoleColor{ consoleColor{0x000000, false, false, false, false}, consoleColor{0x000080, false, false, true, false}, consoleColor{0x008000, false, true, false, false}, consoleColor{0x008080, false, true, true, false}, consoleColor{0x800000, true, false, false, false}, consoleColor{0x800080, true, false, true, false}, consoleColor{0x808000, true, true, false, false}, consoleColor{0xc0c0c0, true, true, true, false}, consoleColor{0x808080, false, false, false, true}, consoleColor{0x0000ff, false, false, true, true}, consoleColor{0x00ff00, false, true, false, true}, consoleColor{0x00ffff, false, true, true, true}, consoleColor{0xff0000, true, false, false, true}, consoleColor{0xff00ff, true, false, true, true}, consoleColor{0xffff00, true, true, false, true}, consoleColor{0xffffff, true, true, true, true}, } type hsv struct { h, s, v float32 } func (a hsv) dist(b hsv) float32 { dh := a.h - b.h switch { case dh > 0.5: dh = 1 - dh case dh < -0.5: dh = -1 - dh } ds := a.s - b.s dv := a.v - b.v return float32(math.Sqrt(float64(dh*dh + ds*ds + dv*dv))) } func toHSV(rgb int) hsv { r, g, b := float32((rgb&0xFF0000)>>16)/256.0, float32((rgb&0x00FF00)>>8)/256.0, float32(rgb&0x0000FF)/256.0 min, max := minmax3f(r, g, b) h := max - min if h > 0 { if max == r { h = (g - b) / h if h < 0 { h += 6 } } else if max == g { h = 2 + (b-r)/h } else { h = 4 + (r-g)/h } } h /= 6.0 s := max - min if max != 0 { s /= max } v := max return hsv{h: h, s: s, v: v} } type hsvTable []hsv func toHSVTable(rgbTable []consoleColor) hsvTable { t := make(hsvTable, len(rgbTable)) for i, c := range rgbTable { t[i] = toHSV(c.rgb) } return t } func (t hsvTable) find(rgb int) consoleColor { hsv := toHSV(rgb) n := 7 l := float32(5.0) for i, p := range t { d := hsv.dist(p) if d < l { l, n = d, i } } return color16[n] } func minmax3f(a, b, c float32) (min, max float32) { if a < b { if b < c { return a, c } else if a < c { return a, b } else { return c, b } } else { if a < c { return b, c } else if b < c { return b, a } else { return c, a } } } var n256foreAttr []word var n256backAttr []word func n256setup() { n256foreAttr = make([]word, 256) n256backAttr = make([]word, 256) t := toHSVTable(color16) for i, rgb := range color256 { c := t.find(rgb) n256foreAttr[i] = c.foregroundAttr() n256backAttr[i] = c.backgroundAttr() } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/v2/formatter/formatter.go
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 ...interface{}) string { return SingletonFormatter.F(format, args...) } func Fi(indentation uint, format string, args ...interface{}) string { return SingletonFormatter.Fi(indentation, format, args...) } func Fiw(indentation uint, maxWidth uint, format string, args ...interface{}) 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 ...interface{}) string { return f.Fi(0, format, args...) } func (f Formatter) Fi(indentation uint, format string, args ...interface{}) string { return f.Fiw(indentation, 0, format, args...) } func (f Formatter) Fiw(indentation uint, maxWidth uint, format string, args ...interface{}) 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/vendor/github.com/onsi/ginkgo/v2/formatter/colorable_others.go
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/vendor/github.com/onsi/ginkgo/v2/ginkgo/main.go
vendor/github.com/onsi/ginkgo/v2/ginkgo/main.go
package main import ( "fmt" "os" "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/vendor/github.com/onsi/ginkgo/v2/ginkgo/labels/labels_command.go
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/vendor/github.com/onsi/ginkgo/v2/ginkgo/command/abort.go
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 ...interface{}) { Abort(AbortDetails{ ExitCode: 0, Error: fmt.Errorf(format, args...), EmitUsage: false, }) } func AbortWith(format string, args ...interface{}) { Abort(AbortDetails{ ExitCode: 1, Error: fmt.Errorf(format, args...), EmitUsage: false, }) } func AbortWithUsage(format string, args ...interface{}) { 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/vendor/github.com/onsi/ginkgo/v2/ginkgo/command/program.go
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) return }() 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}) } return } 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/vendor/github.com/onsi/ginkgo/v2/ginkgo/command/command.go
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()) } 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/vendor/github.com/onsi/ginkgo/v2/ginkgo/unfocus/unfocus_command.go
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/vendor/github.com/onsi/ginkgo/v2/ginkgo/generators/boostrap_templates.go
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/vendor/github.com/onsi/ginkgo/v2/ginkgo/generators/bootstrap_command.go
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/vendor/github.com/onsi/ginkgo/v2/ginkgo/generators/generators_common.go
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/vendor/github.com/onsi/ginkgo/v2/ginkgo/generators/generate_command.go
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/vendor/github.com/onsi/ginkgo/v2/ginkgo/generators/generate_templates.go
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/vendor/github.com/onsi/ginkgo/v2/ginkgo/build/build_command.go
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) 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 { if len(goFlagsConfig.O) == 0 { goFlagsConfig.O = path.Join(suite.Path, suite.PackageName+".test") } else { stat, err := os.Stat(goFlagsConfig.O) if err != nil { panic(err) } if stat.IsDir() { goFlagsConfig.O += "/" + suite.PackageName + ".test" } } fmt.Printf("Compiled %s\n", goFlagsConfig.O) } } 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/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/test_suite.go
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/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/utils.go
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/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/verify_version.go
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/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/compile.go
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) 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) 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) { 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) } 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/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/profiles_and_reports.go
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/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/gocovmerge.go
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) != true { 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/vendor/github.com/onsi/ginkgo/v2/ginkgo/internal/run.go
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/vendor/github.com/onsi/ginkgo/v2/ginkgo/run/run_command.go
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) 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 = endTime.Sub(time.Now()) 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/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/delta_tracker.go
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/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/delta.go
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/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/package_hash.go
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/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/package_hashes.go
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/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/suite.go
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/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/watch_command.go
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) 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/vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/dependencies.go
vendor/github.com/onsi/ginkgo/v2/ginkgo/watch/dependencies.go
package watch import ( "go/build" "regexp" ) var ginkgoAndGomegaFilter = regexp.MustCompile(`github\.com/onsi/ginkgo|github\.com/onsi/gomega`) var ginkgoIntegrationTestFilter = regexp.MustCompile(`github\.com/onsi/ginkgo/integration`) //allow us to integration test this thing 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 && (!ginkgoAndGomegaFilter.MatchString(pkg.Dir) || ginkgoIntegrationTestFilter.MatchString(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 } }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false
kubev2v/forklift
https://github.com/kubev2v/forklift/blob/b3b4703e958c25d54c4d48138d9e80ae32fadac3/vendor/github.com/onsi/ginkgo/v2/ginkgo/outline/outline_command.go
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/vendor/github.com/onsi/ginkgo/v2/ginkgo/outline/ginkgo.go
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/vendor/github.com/onsi/ginkgo/v2/ginkgo/outline/outline.go
vendor/github.com/onsi/ginkgo/v2/ginkgo/outline/outline.go
package outline import ( "encoding/json" "fmt" "go/ast" "go/token" "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 strings.Builder b.WriteString("Name,Text,Start,End,Spec,Focused,Pending,Labels\n") 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, ", ") } //enclosing labels in a double quoted comma separate listed so that when inmported into a CSV app the Labels column has comma separate strings b.WriteString(fmt.Sprintf("%s,%s,%d,%d,%t,%t,%t,\"%s\"\n", n.Name, n.Text, n.Start, n.End, n.Spec, n.Focused, n.Pending, labels)) 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/vendor/github.com/onsi/ginkgo/v2/ginkgo/outline/import.go
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/vendor/github.com/onsi/ginkgo/v2/types/flags.go
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 interface{} 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 interface{}, 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 interface{}, 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 interface{}, 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 interface{}) ([]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/vendor/github.com/onsi/ginkgo/v2/types/report_entry.go
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 interface{} //unexported to prevent gob from freaking out about unregistered structs AsJSON string Representation string } func WrapEntryValue(value interface{}) ReportEntryValue { return ReportEntryValue{ raw: value, } } func (rev ReportEntryValue) GetRawValue() interface{} { 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() interface{} { 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/vendor/github.com/onsi/ginkgo/v2/types/types.go
vendor/github.com/onsi/ginkgo/v2/types/types.go
package types import ( "encoding/json" "fmt" "os" "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 //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 // LeafNodeType, LeadNodeLocation, LeafNodeLabels 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 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 LeafNodeType NodeType LeafNodeLocation CodeLocation LeafNodeLabels []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, LeafNodeType: report.LeafNodeType, LeafNodeLocation: report.LeafNodeLocation, LeafNodeLabels: report.LeafNodeLabels, 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) } 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 } // 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 } // 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", uint(SpecEventSpecRetry): "Retry", }) func (se SpecEventType) String() string { return seEnumSupport.String(uint(se)) } func (se *SpecEventType) UnmarshalJSON(b []byte) error { out, err := seEnumSupport.UnmarshJSON(b) *se = SpecEventType(out) return err } func (se SpecEventType) MarshalJSON() ([]byte, error) { return seEnumSupport.MarshJSON(uint(se)) } func (se SpecEventType) Is(specEventTypes SpecEventType) bool { return se&specEventTypes != 0 }
go
Apache-2.0
b3b4703e958c25d54c4d48138d9e80ae32fadac3
2026-01-07T09:44:30.792320Z
false