Skip to content

Commit e5105cf

Browse files
committedOct 11, 2022
When passed a context and no explicit timeout, Eventually will only timeout when the context is cancelled
This enables using the same context across a series of Eventually's without worrying about specifying a specific timeout for each one. If an explicit timeout _is_ set, then that timeout is used alognside the context.
1 parent bf3cba9 commit e5105cf

File tree

4 files changed

+173
-67
lines changed

4 files changed

+173
-67
lines changed
 

‎docs/index.md

+4
Original file line numberDiff line numberDiff line change
@@ -265,6 +265,8 @@ You can also configure the context in this way:
265265
Eventually(ACTUAL).WithTimeout(TIMEOUT).WithPolling(POLLING_INTERVAL).WithContext(ctx).Should(MATCHER)
266266
```
267267

268+
When no explicit timeout is provided, `Eventually` will use the default timeout. However if no explicit timeout is provided _and_ a context is provided, `Eventually` will not apply a timeout but will instead keep trying until the context is cancelled. If both a context and a timeout are provided, `Eventually` will keep trying until either the context is cancelled or time runs out, whichever comes first.
269+
268270
Eventually works with any Gomega compatible matcher and supports making assertions against three categories of `ACTUAL` value:
269271

270272
#### Category 1: Making `Eventually` assertions on values
@@ -475,6 +477,8 @@ As with `Eventually`, you can also pass `Consistently` a function. In fact, `Co
475477

476478
If `Consistently` is passed a `context.Context` it will exit if the context is cancelled - however it will always register the cancellation of the context as a failure. That is, the context is not used to control the duration of `Consistently` - that is always done by the `DURATION` parameter; instead, the context is used to allow `Consistently` to bail out early if it's time for the spec to finish up (e.g. a timeout has elapsed, or the user has sent an interrupt signal).
477479

480+
When no explicit duration is provided, `Consistently` will use the default duration. Unlike `Eventually`, this behavior holds whether or not a context is provided.
481+
478482
> Developers often try to use `runtime.Gosched()` to nudge background goroutines to run. This can lead to flaky tests as it is not deterministic that a given goroutine will run during the `Gosched`. `Consistently` is particularly handy in these cases: it polls for 100ms which is typically more than enough time for all your Goroutines to run. Yes, this is basically like putting a time.Sleep() in your tests... Sometimes, when making negative assertions in a concurrent world, that's the best you can do!
479483
480484
### Bailing Out Early

‎internal/async_assertion.go

+33-7
Original file line numberDiff line numberDiff line change
@@ -2,12 +2,12 @@ package internal
22

33
import (
44
"context"
5+
"errors"
56
"fmt"
67
"reflect"
78
"runtime"
89
"sync"
910
"time"
10-
"errors"
1111

1212
"github.com/onsi/gomega/types"
1313
)
@@ -18,7 +18,6 @@ type StopTryingError interface {
1818
wasViaPanic() bool
1919
}
2020

21-
2221
func asStopTryingError(actual interface{}) (StopTryingError, bool) {
2322
if actual == nil {
2423
return nil, false
@@ -173,15 +172,15 @@ func (assertion *AsyncAssertion) processReturnValues(values []reflect.Value) (in
173172
return nil, fmt.Errorf("No values were returned by the function passed to Gomega"), stopTrying
174173
}
175174
actual := values[0].Interface()
176-
if stopTryingErr, ok := asStopTryingError(actual); ok{
175+
if stopTryingErr, ok := asStopTryingError(actual); ok {
177176
stopTrying = stopTryingErr
178177
}
179178
for i, extraValue := range values[1:] {
180179
extra := extraValue.Interface()
181180
if extra == nil {
182181
continue
183182
}
184-
if stopTryingErr, ok := asStopTryingError(extra); ok{
183+
if stopTryingErr, ok := asStopTryingError(extra); ok {
185184
stopTrying = stopTryingErr
186185
continue
187186
}
@@ -325,13 +324,40 @@ func (assertion *AsyncAssertion) matcherSaysStopTrying(matcher types.GomegaMatch
325324
return StopTrying("No future change is possible. Bailing out early")
326325
}
327326

327+
func (assertion *AsyncAssertion) afterTimeout() <-chan time.Time {
328+
if assertion.timeoutInterval >= 0 {
329+
return time.After(assertion.timeoutInterval)
330+
}
331+
332+
if assertion.asyncType == AsyncAssertionTypeConsistently {
333+
return time.After(assertion.g.DurationBundle.ConsistentlyDuration)
334+
} else {
335+
if assertion.ctx == nil {
336+
return time.After(assertion.g.DurationBundle.EventuallyTimeout)
337+
} else {
338+
return nil
339+
}
340+
}
341+
}
342+
343+
func (assertion *AsyncAssertion) afterPolling() <-chan time.Time {
344+
if assertion.pollingInterval >= 0 {
345+
return time.After(assertion.pollingInterval)
346+
}
347+
if assertion.asyncType == AsyncAssertionTypeConsistently {
348+
return time.After(assertion.g.DurationBundle.ConsistentlyPollingInterval)
349+
} else {
350+
return time.After(assertion.g.DurationBundle.EventuallyPollingInterval)
351+
}
352+
}
353+
328354
type contextWithAttachProgressReporter interface {
329355
AttachProgressReporter(func() string) func()
330356
}
331357

332358
func (assertion *AsyncAssertion) match(matcher types.GomegaMatcher, desiredMatch bool, optionalDescription ...interface{}) bool {
333359
timer := time.Now()
334-
timeout := time.After(assertion.timeoutInterval)
360+
timeout := assertion.afterTimeout()
335361
lock := sync.Mutex{}
336362

337363
var matches bool
@@ -398,7 +424,7 @@ func (assertion *AsyncAssertion) match(matcher types.GomegaMatcher, desiredMatch
398424
}
399425

400426
select {
401-
case <-time.After(assertion.pollingInterval):
427+
case <-assertion.afterPolling():
402428
v, e, st := pollActual()
403429
if st != nil && st.wasViaPanic() {
404430
// we were told to stop trying via panic - which means we dont' have reasonable new values
@@ -438,7 +464,7 @@ func (assertion *AsyncAssertion) match(matcher types.GomegaMatcher, desiredMatch
438464
}
439465

440466
select {
441-
case <-time.After(assertion.pollingInterval):
467+
case <-assertion.afterPolling():
442468
v, e, st := pollActual()
443469
if st != nil && st.wasViaPanic() {
444470
// we were told to stop trying via panic - which means we made it this far and should return successfully

‎internal/async_assertion_test.go

+132-56
Original file line numberDiff line numberDiff line change
@@ -170,70 +170,108 @@ var _ = Describe("Asynchronous Assertions", func() {
170170
})
171171
})
172172

173-
Context("when the passed-in context is cancelled", func() {
174-
It("stops and returns a failure", func() {
175-
ctx, cancel := context.WithCancel(context.Background())
176-
counter := 0
177-
ig.G.Eventually(func() string {
178-
counter++
179-
if counter == 2 {
180-
cancel()
181-
} else if counter == 10 {
182-
return MATCH
183-
}
184-
return NO_MATCH
185-
}, time.Hour, ctx).Should(SpecMatch())
186-
Ω(ig.FailureMessage).Should(ContainSubstring("Context was cancelled after"))
187-
Ω(ig.FailureMessage).Should(ContainSubstring("positive: no match"))
188-
})
173+
Context("with a passed-in context", func() {
174+
Context("when the passed-in context is cancelled", func() {
175+
It("stops and returns a failure", func() {
176+
ctx, cancel := context.WithCancel(context.Background())
177+
counter := 0
178+
ig.G.Eventually(func() string {
179+
counter++
180+
if counter == 2 {
181+
cancel()
182+
} else if counter == 10 {
183+
return MATCH
184+
}
185+
return NO_MATCH
186+
}, time.Hour, ctx).Should(SpecMatch())
187+
Ω(ig.FailureMessage).Should(ContainSubstring("Context was cancelled after"))
188+
Ω(ig.FailureMessage).Should(ContainSubstring("positive: no match"))
189+
})
189190

190-
It("can also be configured via WithContext()", func() {
191-
ctx, cancel := context.WithCancel(context.Background())
192-
counter := 0
193-
ig.G.Eventually(func() string {
194-
counter++
195-
if counter == 2 {
196-
cancel()
197-
} else if counter == 10 {
191+
It("can also be configured via WithContext()", func() {
192+
ctx, cancel := context.WithCancel(context.Background())
193+
counter := 0
194+
ig.G.Eventually(func() string {
195+
counter++
196+
if counter == 2 {
197+
cancel()
198+
} else if counter == 10 {
199+
return MATCH
200+
}
201+
return NO_MATCH
202+
}, time.Hour).WithContext(ctx).Should(SpecMatch())
203+
Ω(ig.FailureMessage).Should(ContainSubstring("Context was cancelled after"))
204+
Ω(ig.FailureMessage).Should(ContainSubstring("positive: no match"))
205+
})
206+
207+
It("counts as a failure for Consistently", func() {
208+
ctx, cancel := context.WithCancel(context.Background())
209+
counter := 0
210+
ig.G.Consistently(func() string {
211+
counter++
212+
if counter == 2 {
213+
cancel()
214+
} else if counter == 10 {
215+
return NO_MATCH
216+
}
198217
return MATCH
199-
}
200-
return NO_MATCH
201-
}, time.Hour).WithContext(ctx).Should(SpecMatch())
202-
Ω(ig.FailureMessage).Should(ContainSubstring("Context was cancelled after"))
203-
Ω(ig.FailureMessage).Should(ContainSubstring("positive: no match"))
218+
}, time.Hour).WithContext(ctx).Should(SpecMatch())
219+
Ω(ig.FailureMessage).Should(ContainSubstring("Context was cancelled after"))
220+
Ω(ig.FailureMessage).Should(ContainSubstring("positive: match"))
221+
})
204222
})
205223

206-
It("counts as a failure for Consistently", func() {
207-
ctx, cancel := context.WithCancel(context.Background())
208-
counter := 0
209-
ig.G.Consistently(func() string {
210-
counter++
211-
if counter == 2 {
212-
cancel()
213-
} else if counter == 10 {
224+
Context("when the passed-in context is a Ginkgo SpecContext that can take a progress reporter attachment", func() {
225+
It("attaches a progress reporter context that allows it to report on demand", func() {
226+
fakeSpecContext := &FakeGinkgoSpecContext{}
227+
var message string
228+
ctx := context.WithValue(context.Background(), "GINKGO_SPEC_CONTEXT", fakeSpecContext)
229+
ig.G.Eventually(func() string {
230+
if fakeSpecContext.Attached != nil {
231+
message = fakeSpecContext.Attached()
232+
}
214233
return NO_MATCH
215-
}
216-
return MATCH
217-
}, time.Hour).WithContext(ctx).Should(SpecMatch())
218-
Ω(ig.FailureMessage).Should(ContainSubstring("Context was cancelled after"))
219-
Ω(ig.FailureMessage).Should(ContainSubstring("positive: match"))
234+
}).WithTimeout(time.Millisecond * 20).WithContext(ctx).Should(Equal(MATCH))
235+
236+
Ω(message).Should(Equal("Expected\n <string>: no match\nto equal\n <string>: match"))
237+
Ω(fakeSpecContext.Cancelled).Should(BeTrue())
238+
})
220239
})
221-
})
222240

223-
Context("when the passed-in context is a Ginkgo SpecContext that can take a progress reporter attachment", func() {
224-
It("attaches a progress reporter context that allows it to report on demand", func() {
225-
fakeSpecContext := &FakeGinkgoSpecContext{}
226-
var message string
227-
ctx := context.WithValue(context.Background(), "GINKGO_SPEC_CONTEXT", fakeSpecContext)
228-
ig.G.Eventually(func() string {
229-
if fakeSpecContext.Attached != nil {
230-
message = fakeSpecContext.Attached()
231-
}
232-
return NO_MATCH
233-
}).WithTimeout(time.Millisecond * 20).WithContext(ctx).Should(Equal(MATCH))
241+
Describe("the interaction between the context and the timeout", func() {
242+
It("only relies on context cancellation when no explicit timeout is specified", func() {
243+
ig.G.SetDefaultEventuallyTimeout(time.Millisecond * 10)
244+
ig.G.SetDefaultEventuallyPollingInterval(time.Millisecond * 40)
245+
t := time.Now()
246+
ctx, cancel := context.WithCancel(context.Background())
247+
iterations := 0
248+
ig.G.Eventually(func() string {
249+
iterations += 1
250+
if time.Since(t) > time.Millisecond*200 {
251+
cancel()
252+
}
253+
return "A"
254+
}).WithContext(ctx).Should(Equal("B"))
255+
Ω(time.Since(t)).Should(BeNumerically("~", time.Millisecond*200, time.Millisecond*100))
256+
Ω(iterations).Should(BeNumerically("~", 200/40, 2))
257+
Ω(ig.FailureMessage).Should(ContainSubstring("Context was cancelled after"))
258+
})
234259

235-
Ω(message).Should(Equal("Expected\n <string>: no match\nto equal\n <string>: match"))
236-
Ω(fakeSpecContext.Cancelled).Should(BeTrue())
260+
It("uses the explicit timeout when it is provided", func() {
261+
t := time.Now()
262+
ctx, cancel := context.WithCancel(context.Background())
263+
iterations := 0
264+
ig.G.Eventually(func() string {
265+
iterations += 1
266+
if time.Since(t) > time.Millisecond*200 {
267+
cancel()
268+
}
269+
return "A"
270+
}).WithContext(ctx).WithTimeout(time.Millisecond * 80).ProbeEvery(time.Millisecond * 40).Should(Equal("B"))
271+
Ω(time.Since(t)).Should(BeNumerically("~", time.Millisecond*80, time.Millisecond*40))
272+
Ω(iterations).Should(BeNumerically("~", 80/40, 2))
273+
Ω(ig.FailureMessage).Should(ContainSubstring("Timed out after"))
274+
})
237275
})
238276
})
239277
})
@@ -352,6 +390,44 @@ var _ = Describe("Asynchronous Assertions", func() {
352390
Ω(ig.FailureMessage).Should(ContainSubstring("boop"))
353391
})
354392
})
393+
394+
Context("with a passed-in context", func() {
395+
Context("when the passed-in context is cancelled", func() {
396+
It("counts as a failure for Consistently", func() {
397+
ctx, cancel := context.WithCancel(context.Background())
398+
counter := 0
399+
ig.G.Consistently(func() string {
400+
counter++
401+
if counter == 2 {
402+
cancel()
403+
} else if counter == 10 {
404+
return NO_MATCH
405+
}
406+
return MATCH
407+
}, time.Hour).WithContext(ctx).Should(SpecMatch())
408+
Ω(ig.FailureMessage).Should(ContainSubstring("Context was cancelled after"))
409+
Ω(ig.FailureMessage).Should(ContainSubstring("positive: match"))
410+
})
411+
})
412+
413+
Describe("the interaction between the context and the timeout", func() {
414+
It("only always uses the default interval even if not explicit duration is provided", func() {
415+
ig.G.SetDefaultConsistentlyDuration(time.Millisecond * 200)
416+
ig.G.SetDefaultConsistentlyPollingInterval(time.Millisecond * 40)
417+
t := time.Now()
418+
ctx, cancel := context.WithCancel(context.Background())
419+
defer cancel()
420+
iterations := 0
421+
ig.G.Consistently(func() string {
422+
iterations += 1
423+
return "A"
424+
}).WithContext(ctx).Should(Equal("A"))
425+
Ω(time.Since(t)).Should(BeNumerically("~", time.Millisecond*200, time.Millisecond*100))
426+
Ω(iterations).Should(BeNumerically("~", 200/40, 2))
427+
Ω(ig.FailureMessage).Should(BeZero())
428+
})
429+
})
430+
})
355431
})
356432

357433
Describe("the passed-in actual", func() {

‎internal/gomega.go

+4-4
Original file line numberDiff line numberDiff line change
@@ -57,8 +57,8 @@ func (g *Gomega) Eventually(actual interface{}, intervals ...interface{}) types.
5757
}
5858

5959
func (g *Gomega) EventuallyWithOffset(offset int, actual interface{}, args ...interface{}) types.AsyncAssertion {
60-
timeoutInterval := g.DurationBundle.EventuallyTimeout
61-
pollingInterval := g.DurationBundle.EventuallyPollingInterval
60+
timeoutInterval := -time.Duration(1)
61+
pollingInterval := -time.Duration(1)
6262
intervals := []interface{}{}
6363
var ctx context.Context
6464
for _, arg := range args {
@@ -84,8 +84,8 @@ func (g *Gomega) Consistently(actual interface{}, intervals ...interface{}) type
8484
}
8585

8686
func (g *Gomega) ConsistentlyWithOffset(offset int, actual interface{}, args ...interface{}) types.AsyncAssertion {
87-
timeoutInterval := g.DurationBundle.ConsistentlyDuration
88-
pollingInterval := g.DurationBundle.ConsistentlyPollingInterval
87+
timeoutInterval := -time.Duration(1)
88+
pollingInterval := -time.Duration(1)
8989
intervals := []interface{}{}
9090
var ctx context.Context
9191
for _, arg := range args {

0 commit comments

Comments
 (0)
Please sign in to comment.