Skip to content

Commit

Permalink
Add sequentialTestGroup
Browse files Browse the repository at this point in the history
Tasty 1.2 introduced a way for tests to specify dependencies. That is,
what tests should run before themselves. These dependencies are
specified using an AWK-like expression annotated to a `TestTree`. These
expressions can match against any test in the full `TestTree`. This
approach has a few rough edges:

  * Any pattern has to be tested against any test in the tree. If your
    test tree mostly consists of tests specifying dependencies for each
    other, this means calculating your test tree is of quadratic
    complexity.

  * It's easy to introduce dependency cycles, or other mistakes
    introducing needless sequentiality. The latter being especially
    insidious as it easily goes unnoticed.

This commit introduces the ability to specify dependencies by using a
combinator taking a list of `TestTree`s. This way of specifying dependencies
removes the quadratic complexity in favor of a linear one, while
eliminating the ability to accidentally introduce cycles or unintended
sequentiality.
  • Loading branch information
martijnbastiaan committed Apr 10, 2023
1 parent 2277f28 commit 2a3c8d2
Show file tree
Hide file tree
Showing 8 changed files with 437 additions and 39 deletions.
15 changes: 13 additions & 2 deletions README.md
Expand Up @@ -691,13 +691,16 @@ Tasty executes tests in parallel to make them finish faster.
If this parallelism is not desirable, you can declare *dependencies* between
tests, so that one test will not start until certain other tests finish.

Dependencies are declared using the `after` combinator:
Dependencies are declared using the `after` or `sequentialTestGroup` combinator:

* `after AllFinish "pattern" my_tests` will execute the test tree `my_tests` only after all
tests that match the pattern finish.
* `after AllSucceed "pattern" my_tests` will execute the test tree `my_tests` only after all
tests that match the pattern finish **and** only if they all succeed. If at
least one dependency fails, then `my_tests` will be skipped.
* `sequentialTestGroup groupName dependencyType [tree1, tree2, ..]` will execute all tests
in `tree1` first, after which it will execute all tests in `tree2`, and so forth. Like
`after`, `dependencyType` can either be set to `AllFinish` or `AllSucceed`.

The relevant types are:

Expand All @@ -708,6 +711,12 @@ after
-> TestTree -- ^ the subtree that depends on other tests
-> TestTree -- ^ the subtree annotated with dependency information

sequentialTestGroup
:: TestName -- ^ Name of the group
-> DependencyType -- ^ whether to run the tests even if some of the dependencies fail
-> [TestTree] -- ^ Trees to execute sequentially
-> TestTree

data DependencyType = AllSucceed | AllFinish
```

Expand Down Expand Up @@ -744,7 +753,7 @@ tests. The resource may or may not be managed by `withResource`.)
]
```

Here are some caveats to keep in mind regarding dependencies in Tasty:
Here are some caveats to keep in mind when using patterns to specify dependencies in Tasty:

1. If Test B depends on Test A, remember that either of them may be filtered out
using the `--pattern` option. Collecting the dependency info happens *after*
Expand All @@ -771,6 +780,8 @@ Here are some caveats to keep in mind regarding dependencies in Tasty:
test tree, searching for the next test to execute may also have an
overhead quadratic in the number of tests.

Use `sequentialTestGroup` to mitigate these problems.


## FAQ

Expand Down
223 changes: 223 additions & 0 deletions core-tests/SequentialTestGroup.hs
@@ -0,0 +1,223 @@
{-# LANGUAGE DeriveGeneric, DeriveFoldable, FlexibleInstances, LambdaCase, NamedFieldPuns,
TypeApplications, ViewPatterns #-}

-- |
module SequentialTestGroup where

import Control.Concurrent
import Control.Monad (forM_, zipWithM_)
import Data.Coerce (coerce)
import Data.List (mapAccumL)
import Data.Tuple (swap)
import GHC.Generics (Generic)
import GHC.IO.Unsafe (unsafePerformIO)
import System.Random (randomIO)
import Utils (runSMap)

import Test.Tasty
import Test.Tasty.HUnit
import Test.Tasty.Options
import Test.Tasty.Runners
import qualified Test.Tasty.QuickCheck as Q

-- | Magic constant determining the number of threads to run with. Should be at
-- least 2 to trigger chaotic behavior.
nUM_THREADS :: NumThreads
nUM_THREADS = NumThreads 3

testSequentialTestGroup :: TestTree
testSequentialTestGroup =
adjustOption (const nUM_THREADS) $

testGroup "SequentialTestGroup"
[ testGroup "tree0" [toTestTree (GenUniqueLabels True) (labelTree tree0)]
, testGroup "tree1" [toTestTree (GenUniqueLabels True) (labelTree tree1)]
, testGroup "tree2" [toTestTree (GenUniqueLabels True) (labelTree tree2)]
, testGroup "tree3" [toTestTree (GenUniqueLabels True) (labelTree tree3)]
, testGroup "tree4" [toTestTree (GenUniqueLabels True) (labelTree tree4)]
, testGroup "tree5" [toTestTree (GenUniqueLabels True) (labelTree tree5)]
, testGroup "tree5_no_unique" [toTestTree (GenUniqueLabels False) (labelTree tree5)]
, testGroup "treeReg" [toTestTree (GenUniqueLabels True) (labelTree emptySeq)]

, Q.testProperty "prop_tree" unsafeRunTest
]

tree0 :: SimpleTestTree () ()
tree0 = Test ()

tree1 :: SimpleTestTree () ()
tree1 = InParallel () [Test (), Test (), Test ()]

tree2 :: SimpleTestTree () ()
tree2 = Sequentially () [Test (), Test (), Test ()]

tree3 :: SimpleTestTree () ()
tree3 = Sequentially () [tree1, tree2]

tree4 :: SimpleTestTree () ()
tree4 = Sequentially () [tree2, tree1]

tree5 :: SimpleTestTree () ()
tree5 = InParallel () [tree0, tree1, tree2, tree3, tree4]

-- | Dependencies should account for empty test groups
emptySeq :: SimpleTestTree () ()
emptySeq = Sequentially () [Test (), Sequentially () [], Test ()]

-- | Whether to generate unique labels in 'labelTree'. 'AfterTree' should work
-- properly, even if there are name collisions in the test tree.
newtype GenUniqueLabels = GenUniqueLabels Bool
deriving Show

instance Q.Arbitrary GenUniqueLabels where
arbitrary = coerce (Q.arbitrary @Bool)
shrink = coerce (Q.shrink @Bool)

-- | Range composed from a lower bound up to and including an upper bound
type Range a = (a, a)

-- | Is given element in range?
inRange :: Ord a => Range a -> a -> Bool
inRange (lower, upper) a = a >= lower && a <= upper

-- | Extract a range from any constructor of 'SimpleTestTree'
getRange :: SimpleTestTree (Range Word) Word -> Range Word
getRange tree = case tree of
InParallel r _ -> r
Sequentially r _ -> r
Test n -> (n, n)

-- | Simplified version of Tasty's TestTree. Used to generate test cases for
-- 'AfterTree'.
data SimpleTestTree n l
= InParallel n [SimpleTestTree n l]
| Sequentially n [SimpleTestTree n l]
| Test l
deriving (Show, Eq, Ord, Generic, Foldable)

-- | Attach a unique label to each test. Trees are labeled left-to-right in
-- ascending order. Each node contains a range, which indicates what words
-- are stored in the leafs corresponding to that node.
labelTree :: SimpleTestTree () () -> SimpleTestTree (Range Word) Word
labelTree = snd . go 0
where
go n0 = \case
Test () -> (n0 + 1, Test n0)

InParallel () ts0 ->
let
(n1, ts1) = mapAccumL go n0 ts0
in
(n1, InParallel (n0, n1-1) ts1)

Sequentially () ts0 ->
let
(n1, ts1) = mapAccumL go n0 ts0
in
(n1, Sequentially (n0, n1-1) ts1)

-- | Generates a 'SimpleTestTree' with arbitrary branches with 'InParallel' and
-- 'Sequentially'. The generated test tree is at most 5 levels deep, and each
-- level generates smaller and smaller 'InParallel' lists. This prevents trees
-- from growing incredibly large.
instance Q.Arbitrary (SimpleTestTree () ()) where
arbitrary = Q.sized (go . min 5)
where
go n = do
if n <= 0 then
pure (Test ())
else
Q.frequency
[ (1, InParallel () <$> (take n <$> Q.listOf (go (n-1))))
, (1, Sequentially () <$> (take n <$> Q.listOf (go (n-1))))
, (1, pure (Test ()))
]

shrink = Q.genericShrink

-- | Run a simple test tree (see 'toTestTree' for more information) in a separate
-- Tasty "session" to not pollute the test report. Marked unsafe as it uses
-- 'unsafePerformIO' - which makes it possible to run with 'Q.testProperty'.
unsafeRunTest :: GenUniqueLabels -> SimpleTestTree () () -> ()
unsafeRunTest genUniqueLabels testTree0 = unsafePerformIO $ do
results <- launchTestTree (singleOption nUM_THREADS) testTree1 $ \smap -> do
res <- runSMap smap
pure (const (pure res))

forM_ results $ \Result{resultOutcome}->
case resultOutcome of
Success -> pure ()
Failure reason -> assertFailure (show reason)
where
testTree1 :: TestTree
testTree1 = toTestTree genUniqueLabels (labelTree testTree0)
{-# NOINLINE unsafeRunTest #-}

-- | Constructs a 'TestTree' from a 'SimpleTestTree'. 'testGroup' is used to
-- construct parallel test cases in 'InParallel'. Sequential test cases are
-- constructed using 'sequentialTestGroup' in 'Sequentially'. A 'Test' prepends its
-- label to a list shared between all tests. Finally, 'checkResult' is used
-- to check whether the labels were prepended in a sensible order.
toTestTree :: GenUniqueLabels -> SimpleTestTree (Range Word) Word -> TestTree
toTestTree (GenUniqueLabels genUniqueLabels) tree =
withResource (newMVar []) (const (pure ())) $ \mVar ->
sequentialTestGroup "Seq" AllSucceed [go tree mVar, checkResult tree mVar]
where
go :: SimpleTestTree n Word -> IO (MVar [Word]) -> TestTree
go tree mVarIO = case tree of
InParallel _ stts ->
testGroup "Par" (map (`go` mVarIO) stts)

Sequentially _ ts ->
sequentialTestGroup "Seq" AllSucceed (map (`go` mVarIO) ts)

Test n -> do
-- Caller might opt to not generate unique labels for each test: AfterTree
-- should still function properly in face of name collisions.
let label = if genUniqueLabels then "T" ++ show n else "T"

testCase label $ do
-- Induce a (very) small delay to make sure tests finish in a chaotic
-- order when executed in parallel.
smallDelay <- (`mod` 100) <$> randomIO
threadDelay smallDelay

mVar <- mVarIO
modifyMVar_ mVar (\ns -> pure $ n:ns)

-- | Checks whether all test cases wrote their labels in the order imposed by
-- the given 'SimpleTestTree'. The invariant that should hold is: given any
-- @Sequentially t1 t2@, all labels associated with @t1@ should appear _later_
-- in the word-list than all labels associated with @t2@.
checkResult :: SimpleTestTree (Range Word) Word -> IO (MVar [Word]) -> TestTree
checkResult fullTree resultM =
testCase "checkResult" (resultM >>= takeMVar >>= go fullTree)
where
go :: SimpleTestTree (Range Word) Word -> [Word] -> Assertion
go tree result0 = case tree of
InParallel _ ts ->
mapM_ (`go` result0) ts

Sequentially r (reverse -> trees) -> do
let
-- Parallel execution might "pollute" the result list with tests that are
-- not in any of the trees in 'trees'.
result1 = filter (inRange r) result0

-- Note that 'result' is preprended during test execution, so tests that
-- ran last appear first. Hence, we reverse the tree list when matching
-- on 'Sequentially'.
(_, results) = mapAccumL goResult result1 trees

-- Recurse on all branches; if any element is missing or misplaced, the 'Test'
-- branch will make sure the test fails.
zipWithM_ go trees results

Test n ->
assertBool
(show n ++ " should be present in " ++ show result0)
(n `elem` result0)

-- Pop off all the test results beloningn to the given tree, pass along the rest
goResult :: [Word] -> SimpleTestTree (Range Word) Word -> ([Word], [Word])
goResult results tree = swap (span (inRange (getRange tree)) results)
4 changes: 2 additions & 2 deletions core-tests/core-tests.cabal
Expand Up @@ -17,10 +17,10 @@ cabal-version: >=1.10

executable tasty-core-tests
main-is: test.hs
other-modules: Resources, Timeouts, Utils, AWK, Dependencies
other-modules: Resources, Timeouts, Utils, AWK, Dependencies, SequentialTestGroup
-- other-extensions:
build-depends: base >= 4.9 && <= 5, tasty, tasty-hunit, tasty-golden, tasty-quickcheck, containers, stm, mtl,
filepath, bytestring, optparse-applicative
filepath, bytestring, optparse-applicative, random
-- hs-source-dirs:
default-language: Haskell2010
default-extensions: CPP, NumDecimals
Expand Down
2 changes: 2 additions & 0 deletions core-tests/test.hs
Expand Up @@ -11,6 +11,7 @@ import Resources
import Timeouts
import Dependencies
import AWK
import SequentialTestGroup

main :: IO ()
main = do
Expand All @@ -23,6 +24,7 @@ mainGroup = do
[ testResources
, testTimeouts
, testDependencies
, testSequentialTestGroup
, patternTests
, awkTests_
, optionMessagesTests
Expand Down
1 change: 1 addition & 0 deletions core/CHANGELOG.md
Expand Up @@ -8,6 +8,7 @@ _YYYY-MM-DD_

* Dependency loop error now lists all test cases that formed a cycle
* `foldGroup` now takes `[b]` instead of `b` as its last argument to allow for custom fold strategies. This is a backwards incompatible change, but you can get the old behavior by applying `mconcat`.
* Dependencies can now be defined pattern-free with `sequentialTestGroup`. (#343)

Version 1.4.3
---------------
Expand Down
1 change: 1 addition & 0 deletions core/Test/Tasty.hs
Expand Up @@ -33,6 +33,7 @@ module Test.Tasty
TestName
, TestTree
, testGroup
, sequentialTestGroup
-- * Running tests
, defaultMain
, defaultMainWithIngredients
Expand Down

0 comments on commit 2a3c8d2

Please sign in to comment.