test is a modern and generics oriented testing assertions library for Go.
There are five key packages,
must- assertions causing test failure and halt the test case immediatelytest- assertions causing test failure and allow the test case to continuewait- utilities for waiting on conditionals in testsskip- utilities for skipping test cases in some situationsutil- utilities for writing concise tests, e.g. managing temp filesportal- utilities for allocating free ports for network listeners in tests
☑️ v1.11.0 adds an ErrorAs helper
- FS examples are more reliable
- Examples run on non-Unix OS when possible
☑️ v1.10.0 adds a util package for helpers that return values
- Adds ability to create and automatically clean up temporary files
- Adds
SliceEqOpandMapEqOphelpers
☑️ v1.9.0 substantially improves filesystem tests
- Greater compatibility with Windows
- Fixed assertions on possible errors
☑️ v1.8.0 introduces the skip package for skipping tests!
- New helper functions for skipping out tests based on some given criteria
☑️ v1.7.0 marks the first stable release!
- Going forward no breaking changes will be made without a v2 major version
☑️ v0.6.0 adds support for custom cmp.Option values
- Adds ability to customize
cmp.Equalbehavior viacmp.Optionarguments - Adds assertions for existence of single map key
- Fixes some error outputs
Only depends on github.com/google/go-cmp.
The minimum Go version is go1.18.
Use go get to grab the latest version of test.
go get -u github.com/shoenig/test@latestThis library was made after a ~decade of using testify, quite possibly the most used library in the whole Go ecosystem. All credit of inspiration belongs them.
Go has always lacked a strong definition of equivalency, and until recently lacked the language features necessary to make type-safe yet generic assertive statements based on the contents of values.
This test (and companion must) package aims to provide a test-case assertion library
where the caller is in control of how types are compared, and to do so in a strongly typed
way - avoiding erroneous comparisons in the first place.
Generally there are 4 ways of asserting equivalence between types.
Functions like EqOp and ContainsOp work on types that are comparable, i.e., are
compatible with Go's built-in == and != operators.
Functions like EqFunc and ContainsFunc work on any type, as the caller passes in a
function that takes two arguments of that type, returning a boolean indicating equivalence.
Functions like Equal and ContainsEqual work on types implementing the EqualFunc
generic interface (i.e. implement an .Equal method). The .Equal method is called
to determine equivalence.
Functions like Eq and Contains work on any type, using the cmp.Equal or reflect.DeepEqual
functions to determine equivalence. Although this is the easiest / most compatible way
to "just compare stuff", it's the least deterministic way of comparing instances of a type.
Changes to the underlying types may cause unexpected changes in their equivalence (e.g.,
the addition of unexported fields, function field types, etc.). Assertions that make
use of cmp.Equal configured with custom cmp.Option values.
When possible, a nice diff output is created to show why an equivalence has failed. This
is done via the cmp.Diff function. For incompatible types, their GoString values are
printed instead.
All output is directed through t.Log functions, and is visible only if test verbosity is
turned on (e.g., go test -v).
The test and must packages are identical, except for how test cases behave when encountering
a failure. Sometimes it is helpful for a test case to continue running even though a failure has
occurred (e.g., it contains cleanup logic not captured via a t.Cleanup function). Other times, it
makes sense to fail immediately and stop the test case execution.
The test assertions that rely on cmp.Equal can be customized in how objects
are compared by specifying custom
cmp.Option values. These can be configured through test.Cmp and must.Cmp helpers.
Google provides some common custom behaviors in the cmpopts
package. The protocmp
package is also particularly helpful when working with Protobuf types.
Here is an example of comparing two slices, but using a custom Option to sort the slices so that the order of elements does not matter.
a := []int{3, 5, 1, 6, 7}
b := []int{1, 7, 6, 3, 5}
must.Eq(t, a, b, must.Cmp(cmpopts.SortSlices(func(i, j int) bool {
return i < j
})))Some tests are large and complex (like e2e testing). It can be helpful to provide more context on test case failures beyond the actual assertion. Logging could do this, but often we want to only produce output on failure.
The test and must packages provide a PostScript interface which can be implemented to
add more context in the output of failed tests. There are handy implementations of the PostScript
interface provided - Sprint, Sprintf, Values, and Func.
By adding one or more PostScript to an assertion, on failure the error message will be appended
with the additional context.
// Add a single Sprintf-string to the output of a failed test assertion.
must.Eq(t, exp, result, must.Sprintf("some more context: %v", value))// Add a formatted key-value map to the output of a failed test assertion.
must.Eq(t, exp, result, must.Values(
"one", 1,
"two", 2,
"fruit", "banana",
))// Add the output from a closure to the output of a failed test assertion.
must.Eq(t, exp, result, must.Func(func() string {
// ... something interesting
return s
})Sometimes it makes sense to just skip running a certain test case. Maybe the
operating system is incompatible or a certain required command is not installed.
The skip package provides utilities for skipping tests under some given
conditions.
skip.OperatingSystem(t, "windows", "plan9", "dragonfly")skip.NotArchitecture(t, "amd64", "arm64")skip.CommandUnavailable(t, "java")skip.EnvironmentVariableSet(t, "CI")How often have you written a helper method for writing a temporary file in unit
tests? With the util package, that boilerplate is resolved once and for all.
path := util.TempFile(t,
util.Mode(0o644),
util.String("some content!"),
)The file referenced by path will be cleaned up automatically at the end of
the test run, similar to t.TempDir().
Sometimes a test needs to wait on a condition for a non-deterministic amount of time.
For these cases, the wait package provides utilities for configuring conditionals
that can assert some condition becomes true, or that some condition remains true -
whether for a specified amount time, or a specific number of iterations.
A Constraint is created in one of two forms
InitialSuccess- assert a function eventually returns a positive resultContinualSuccess- assert a function continually returns a positive result
A Constraint may be configured with a few Option functions.
Timeout- set a time bound on the constraintAttempts- set an iteration bound on the constraintGap- set the iteration interval paceBoolFunc- set a predicate function of typefunc() boolErrorFunc- set a predicate function of typefunc() errorTestFunc- set a predicate function of typefunc() (bool, error)
The test and must package implement an assertion helper for using the wait package.
must.Wait(t, wait.InitialSuccess(wait.ErrorFunc(f)))must.Wait(t, wait.ContinualSuccess(
wait.ErrorFunc(f),
wait.Attempts(100),
wait.Gap(10 * time.Millisecond),
))Although the 99% use case is via the test or must packages as described above,
the wait package can also be used in isolation by calling Run() directly. An
error is returned if the conditional failed, and nil otherwise.
c := wait.InitialSuccess(
BoolFunc(f),
Timeout(10 * time.Seconds),
Gap(1 * time.Second),
)
err := c.Run()import "github.com/shoenig/test/must"
// ...
e1 := Employee{ID: 100, Name: "Alice"}
e2 := Employee{ID: 101, Name: "Bob"}
// using cmp.Equal (like magic!)
must.Eq(t, e1, e2)
// using == operator
must.EqOp(t, e1, e2)
// using a custom comparator
must.EqFunc(t, e1, e2, func(a, b *Employee) bool {
return a.ID == b.ID
})
// using .Equal method
must.Equal(t, e1, e2)The test and must package attempt to create useful, readable output when an assertion goes awry. Some random examples below.
test_test.go:779: expected different file permissions
↪ name: find
↪ exp: -rw-rwx-wx
↪ got: -rwxr-xr-x
tests_test.go:569: expected maps of same values via 'eq' function
↪ difference:
map[int]test.Person{
0: {ID: 100, Name: "Alice"},
1: {
ID: 101,
- Name: "Bob",
+ Name: "Bob B.",
},
}
test_test.go:520: expected slice[1].Less(slice[2])
↪ slice[1]: &{200 Bob}
↪ slice[2]: &{150 Carl}
test_test.go:688: expected maps of same values via .Equal method
↪ differential ↷
map[int]*test.Person{
0: &{ID: 100, Name: "Alice"},
1: &{
- ID: 101,
+ ID: 200,
Name: "Bob",
},
}
test_test.go:801: expected regexp match
↪ s: abcX
↪ re: abc\d
Open source under the MPL
