h$Io      !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~$ (c) Simon Marlow 2012BSD3 (see the file LICENSE)!Simon Marlow  provisional#non-portable (requires concurrency) Trustworthy)l6 hspec-coreA value of type Concurrently a is an IO, operation that can be composed with other  Concurrently values, using the  Applicative and  Alternative instances.Calling runConcurrently on a value of type Concurrently a will execute the IO operations it contains concurrently, before delivering the result of type a. For example (page1, page2, page3) <- runConcurrently $ (,,) <$> Concurrently (getURL "url1") <*> Concurrently (getURL "url2") <*> Concurrently (getURL "url3") hspec-coreThe exception thrown by  to terminate a thread. hspec-core"An asynchronous action spawned by  or . Asynchronous actions are executed in a separate thread, and operations are provided for waiting for asynchronous actions to complete and obtaining their results (see e.g. ). hspec-core Returns the " of the thread running the given . hspec-core Compare two s that may have different types hspec-core2Spawn an asynchronous action in a separate thread. hspec-coreLike  but using  internally. hspec-coreLike  but using  internally. hspec-coreLike  but using  internally. The child thread is passed a function that can be used to unmask asynchronous exceptions. hspec-coreLike  but using  internally. The child thread is passed a function that can be used to unmask asynchronous exceptions. hspec-coreSpawn an asynchronous action in a separate thread, and pass its Async handle to the supplied function. When the function returns or throws an exception,  is called on the Async. withAsync action inner = mask $ \restore -> do a <- async (restore action) restore inner `finally` uninterruptibleCancel aThis is a useful variant of  that ensures an Async( is never left running unintentionally.Note: a reference to the child thread is kept alive until the call to  returns, so nesting many  calls requires linear memory. hspec-coreLike  but uses  internally. hspec-coreLike  but uses  internally. hspec-coreLike  but uses  internally. The child thread is passed a function that can be used to unmask asynchronous exceptions. hspec-coreLike  but uses  internally. The child thread is passed a function that can be used to unmask asynchronous exceptions hspec-coreWait for an asynchronous action to complete, and return its value. If the asynchronous action threw an exception, then the exception is re-thrown by . wait = atomically . waitSTM hspec-coreWait for an asynchronous action to complete, and return either Left e# if the action raised an exception e, or Right a if it returned a value a. %waitCatch = atomically . waitCatchSTM hspec-coreCheck whether an  has completed yet. If it has not completed yet, then the result is Nothing, otherwise the result is Just e where e is Left x if the Async raised an exception x, or Right a if it returned a value a. poll = atomically . pollSTM hspec-core A version of , that can be used inside an STM transaction. hspec-core A version of , that can be used inside an STM transaction. hspec-core A version of , that can be used inside an STM transaction. hspec-core.Cancel an asynchronous action by throwing the AsyncCancelled' exception to it, and waiting for the ' thread to quit. Has no effect if the  has already completed. cancel a = throwTo (asyncThreadId a) AsyncCancelled <* waitCatch a Note that ) will not terminate until the thread the , refers to has terminated. This means that  will block for as long said thread blocks when receiving an asynchronous exception.For example, it could block if:It's executing a foreign call, and thus cannot receive the asynchronous exception;It's executing some cleanup handler after having received the exception, and the handler is blocking. hspec-coreCancel an asynchronous actionThis is a variant of , but it is not interruptible. hspec-coreCancel an asynchronous action by throwing the supplied exception to it. ,cancelWith a x = throwTo (asyncThreadId a) x*The notes about the synchronous nature of  also apply to . hspec-coreWait for any of the supplied asynchronous operations to complete. The value returned is a pair of the ; that completed, and the result that would be returned by  on that . If multiple s complete or have completed, then the value returned corresponds to the first completed  in the list. hspec-core A version of , that can be used inside an STM transaction. hspec-coreLike , but also cancels the other asynchronous operations as soon as one has completed. hspec-coreWait for any of the supplied Asyncs to complete. If the first to complete throws an exception, then that exception is re-thrown by . If multiple s complete or have completed, then the value returned corresponds to the first completed  in the list. hspec-core A version of , that can be used inside an STM transaction. hspec-coreLike , but also cancels the other asynchronous operations as soon as one has completed. hspec-coreWait for the first of two Async s to finish. hspec-core A version of , that can be used inside an STM transaction. hspec-coreLike  , but also s both Asyncs before returning. hspec-coreWait for the first of two Asyncs to finish. If the Async that finished first raised an exception, then the exception is re-thrown by . hspec-core A version of , that can be used inside an STM transaction. hspec-coreLike , but the result is ignored. hspec-core A version of , that can be used inside an STM transaction. hspec-coreLike  , but also s both Asyncs before returning. hspec-coreWaits for both Asyncs to finish, but if either of them throws an exception before they have both finished, then the exception is re-thrown by . hspec-core A version of , that can be used inside an STM transaction. hspec-coreLink the given Async* to the current thread, such that if the Async raises an exception, that exception will be re-thrown in the current thread, wrapped in . ignores > exceptions thrown in the other thread, so that it's safe to  a thread you're linked to. If you want different behaviour, use . hspec-core Link two Asyncs together, such that if either raises an exception, the same exception is re-thrown in the other Async, wrapped in . ignores ' exceptions, so that it's possible to  either thread without cancelling the other. If you want different behaviour, use . hspec-coreRun two IO actions concurrently, and return the first to finish. The loser of the race is led. race left right = withAsync left $ \a -> withAsync right $ \b -> waitEither a b hspec-coreLike , but the result is ignored. hspec-coreRun two IO actions concurrently, and return both results. If either action throws an exception at any time, then the other action is (led, and the exception is re-thrown by . concurrently left right = withAsync left $ \a -> withAsync right $ \b -> waitBoth a b hspec-coremaps an IO-performing function over any  Traversable data type, performing all the IO actions concurrently, and returning the original data structure with the arguments replaced by the results.If any of the actions throw an exception, then all other actions are cancelled and the exception is re-thrown. For example, mapConcurrently works with lists: 8pages <- mapConcurrently getURL ["url1", "url2", "url3"] hspec-core is  with its arguments flipped pages <- forConcurrently ["url1", "url2", "url3"] $ \url -> getURL url hspec-core is 3 with the return value discarded, just like @mapM_ hspec-core is 3 with the return value discarded, just like @forM_ hspec-core, but ignore the result values hspec-core2Perform the action in the given number of threads. hspec-coreSame as , but ignore the results. hspec-core hspec-coreOnly defined by async for  base >= 4.99 1(c) Sterling Clover 2008-2011, Kevin Charter 2011 BSD 3 Clauses.clover@gmail.com experimentalportable Safe-Inferred5-; hspec-coreA value is either from the  list, the  or from .  contains both the left and right values, in case you are using a form of equality that doesn't check all data (for example, if you are using a newtype to only perform equality on side of a tuple). hspec-coreTakes two lists and returns a list of differences between them. This is  with  used as predicate. hspec-coreTakes two lists and returns a list of differences between them, grouped into chunks. This is  with  used as predicate. hspec-core A form of  with no  constraint. Instead, an equality predicate is taken as the first argument.  Safe-Inferred-s  Safe-Inferred- None0 Safe-Inferred1  Safe-Inferred1@ Safe-Inferred1 hspec-coreLocation' is used to represent source locations.  Safe-Inferred&1 Safe-Inferred52None2Dunstable Safe-Inferred7  hspec-coreA : describes the location of a spec item within a spec tree.It consists of a list of group descriptions and a requirement description. hspec-corepluralize count singular pluralizes the given singular word unless given count is 1. Examples:pluralize 0 "example" "0 examples"pluralize 1 "example" "1 example"pluralize 2 "example" "2 examples"  hspec-core%Strip leading and trailing whitespace  hspec-core,ensure that lines are not longer than given n(, insert line breaks at word boundaries  hspec-coreJoin a  with slashes. The result will have a leading and a trailing slash.  hspec-coreTry to create a proper English sentence from a path by applying some heuristics.  hspec-core3A predicate that can be used to filter a spec tree. hspec-core The function # converts an exception to a string.This is different from /. The type of the exception is included, e.g.:*formatException (toException DivideByZero)!"ArithException (divide by zero)"For s the  is included, as well. hspec-coresafeTry evaluates given action and returns its result. If an exception occurs, the exception is returned instead. Unlike , it is agnostic to asynchronous exceptions.      Safe-Inferred#$7 Safe-Inferred #$3>8 hspec-core The result of running an example hspec-coreAn ) action that expects an argument of type a$ hspec-coreA type class for examples !"#$%&'() Safe-Inferred-567?=a * hspec-coreItem is used to represent spec items internally. A spec item consists of:+a textual description of a desired behavioran example for that behavioradditional meta information&Everything that is an instance of the $ type class can be used as an example, including QuickCheck properties, Hspec expectations and HUnit assertions., hspec-coreTextual description of behavior- hspec-core Source location of the spec item. hspec-coreA flag that indicates whether it is safe to evaluate this spec item in parallel with other spec items/ hspec-core8A flag that indicates whether this spec item is focused.0 hspec-coreExample for behavior1 hspec-coreA tree is used to represent a spec internally. The tree is parametrize over the type of cleanup actions and the type of the actual spec items.2 hspec-coreInternal tree data structure> hspec-coreThe  specGroup6 function combines a list of specs into a larger spec.? hspec-coreThe specItem function creates a spec item.*+,-./0123456789:;<=>?@None=None@3A hspec-coreA writer monad for 1 forestsE hspec-core Convert a D to a forest of 1s.F hspec-core Create a D from a forest of 1s.G hspec-core2Run an IO action while constructing the spec tree.A is a monad to construct a spec tree, without executing any spec items. runIO allows you to run IO actions during this construction phase. The IO action is always run when the spec tree is constructed (e.g. even when  --dry-run is specified). If you do not need the result of the IO action to construct the spec tree, ( may be more suitable for your use case. ABCDEFGHIJ provisionalNone-?EK hspec-core+Run a custom action before every spec item.L hspec-core+Run a custom action before every spec item.M hspec-core+Run a custom action before every spec item.N hspec-core/Run a custom action before the first spec item.O hspec-core/Run a custom action before the first spec item.P hspec-coreRun a custom action with an argument before the first spec item.Q hspec-core*Run a custom action after every spec item.R hspec-core*Run a custom action after every spec item.S hspec-core8Run a custom action before and/or after every spec item.T hspec-core-Run a custom action after the last spec item.U hspec-core-Run a custom action after the last spec item.V hspec-core8Run a custom action before and/or after every spec item.W hspec-core8Run a custom action before and/or after every spec item.X hspec-core%Wrap an action around the given spec.Y hspec-core%Wrap an action around the given spec.Z hspec-coreWrap an action around the given spec. Changes the arg type inside.[ hspec-coreModify the subject under test.Note that this resembles a contravariant functor on the first type parameter of A. This is because the subject is passed inwards, as an argument to the spec item.\ hspec-core/Ignore the subject under test for a given spec.KLMNOPQRSTUVWXYZ[\KLMNOPQRTUSVWXYZ[\unstableNone-?M>] hspec-coreThe describe6 function combines a list of specs into a larger spec.^ hspec-corecontext is an alias for ]._ hspec-core Changing ] to _> marks all spec items of the corresponding subtree as pending.3This can be used to temporarily disable spec items.` hspec-corexcontext is an alias for _.a hspec-coreThe it function creates a spec item.A spec item consists of:+a textual description of a desired behavioran example for that behavior describe "absolute" $ do it "returns a positive number when given a negative number" $ absolute (-1) == 1b hspec-corespecify is an alias for a.c hspec-core Changing a to c. marks the corresponding spec item as pending.4This can be used to temporarily disable a spec item.d hspec-corexspecify is an alias for c.e hspec-coree* focuses all spec items of the given spec. Applying e1 to a spec with focused spec items has no effect.f hspec-corefit is an alias for fmap focus . itg hspec-corefspecify is an alias for f.h hspec-core fdescribe is an alias for fmap focus . describei hspec-corefcontext is an alias for h.j hspec-corej marks all spec items of the given spec to be safe for parallel evaluation.k hspec-corek marks all spec items of the given spec to be evaluated sequentially.l hspec-corel, can be used to mark a spec item as pending.If you want to textually specify a behavior but do not have an example yet, use this: describe "fancyFormatter" $ do it "can format text in a way that everyone likes" $ pendingm hspec-corem is similar to l, but it takes an additional string argument that can be used to specify the reason for why the spec item is pending. !"#$%&%'()*+0/.,-125346789:;<=>?@ABCDEFGHIJ]^_`abcdefghijklmab]^lmcd_`efghijkDCABEFGHIJ$%& !"#')(12345*+,-./0>?7689:;=<@ provisionalNoneO"n hspec-coreUse a modified  for given spec.o hspec-coreUse a modified  for given spec.p hspec-coreUse a modified  for given spec.q hspec-coreUse a modified  for given spec.r hspec-core Use modified  for given spec.nopqrrnopq experimentalNoneO\,stuvwxyz{|}~,stuvwxyz{|}~None#$-5PJ hspec-core;Evaluate all examples of a given spec and produce a report.None #$2>W hspec-core evaluated before each test group hspec-coreevaluated after each test group hspec-coreevaluated before each example hspec-core>used to notify the progress of the currently evaluated example hspec-core'evaluated after each successful example hspec-core#evaluated after each failed example hspec-core$evaluated after each pending example hspec-coreevaluated after a test run hspec-coreevaluated after  hspec-core9Get the number of successful examples encountered so far. hspec-core6Get the number of pending examples encountered so far. hspec-core5Get the number of failed examples encountered so far. hspec-core4Get the total number of examples encountered so far. hspec-core-Get the list of accumulated failure messages. hspec-core,The random seed that is used for QuickCheck. hspec-coreReturn  if the user requested time reporting for individual spec items,  otherwise. hspec-core:Get the used CPU time since the test run has been started. hspec-core=Get the passed real time since the test run has been started. hspec-core!Append some output to the report. hspec-core The same as , but adds a newline character. hspec-coreSet output color to red, run given action, and finally restore the default color. hspec-coreSet output color to green, run given action, and finally restore the default color. hspec-coreSet output color to yellow, run given action, and finally restore the default color. hspec-coreSet output color to cyan, run given action, and finally restore the default color. hspec-coreReturn ( if the user requested colorized diffs,  otherwise. hspec-coreOutput given chunk in red. hspec-coreOutput given chunk in green.None#$`X hspec-coreevaluated before a test run hspec-core evaluated before each spec group hspec-coreevaluated after each spec group hspec-core>used to notify the progress of the currently evaluated example hspec-coreevaluated before each spec item hspec-coreevaluated after each spec item hspec-coreevaluated after a test run hspec-core5Get the number of failed examples encountered so far. hspec-coreReturn ( if the user requested colorized diffs,  otherwise. hspec-coreReturn ' if the user requested unicode output,  otherwise. hspec-core The same as , but adds a newline character. hspec-coreReturn  if the user requested time reporting for individual spec items,  otherwise. hspec-core4Get the total number of examples encountered so far. hspec-core,The random seed that is used for QuickCheck. hspec-core9Get the number of successful examples encountered so far. hspec-core6Get the number of pending examples encountered so far. hspec-core-Get the list of accumulated failure messages. hspec-coreGet the number of spec items that will have been encountered when this run completes (if it is not terminated early). hspec-core!Append some output to the report. hspec-coreSet output color to red, run given action, and finally restore the default color. hspec-coreSet output color to green, run given action, and finally restore the default color. hspec-coreSet output color to yellow, run given action, and finally restore the default color. hspec-coreSet output color to cyan, run given action, and finally restore the default color. hspec-coreOutput given chunk in red. hspec-coreOutput given chunk in green. hspec-core:Get the used CPU time since the test run has been started. hspec-core=Get the passed real time since the test run has been started.4 experimentalNone`==None#$a deprecatedNone#$b22Noneb2 Safe-Inferredct  Safe-Inferredc! Safe-Inferredc"Noned hspec-coreA predicate that is used to filter the spec before it is run. Only examples that satisfy the predicate are run. hspec-coredeprecated, use  instead-#NoneeP $Nonee%Nonei hspec-coreAdd a filter predicate to config. If there is already a filter predicate, then combine them with . hspec-core> parses config options from several sources and constructs a  value. It takes options from: ~/.hspec- (a config file in the user's home directory).hspec1 (a config file in the current working directory)the environment variable  HSPEC_OPTIONSthe provided list of command-line options (the second argument to  readConfig)(precedence from low to high)When parsing fails then  readConfig writes an error message to  and exits with .When --help+ is provided as a command-line option then  readConfig writes a help message to  and exits with .A common way to use  readConfig is: &' >>= readConfig  , provisionalNonen hspec-coreSummary of a test run. hspec-core'Run a given spec and write a report to  . Exit with ! if at least one spec item fails.Note:  handles command-line options and reads config files. This is not always desired. Use . if you need more control over these aspects. hspec-core8Run given spec with custom options. This is similar to , but more flexible. hspec-core if the given ) indicates that there were no failures,  otherwise. hspec-core Exit with  if the given 0 indicates that there was at least one failure. hspec-core5Run given spec and returns a summary of the test run.Note:  does not exit with  on failing spec items. If you need this, you have to check the  yourself and act accordingly. hspec-coreRun given spec with custom options and returns a summary of the test run.Note:  does not exit with  on failing spec items. If you need this, you have to check the  yourself and act accordingly. hspec-core, is the most basic primitive to run a spec.  is defined in terms of runSpec: hspec spec =  >>=   >>=  [] . runSpec spec >>=  55 ( ())*+,-./0123456789:;<=>??@ABCDEEFGHIJKLMNNOPQRSTUVWXYZ[\]^_`abcddefghijklmnopqrstuvwxyz{|}~D?<=>NNP"""""""""""""""""""""""""""""""""""""""%%                                                                             &          I  < >    """"""#########$$$$%%%&'&'hspec-core-2.9.0-BusR14A9fXSE5lDdYNSF5qTest.Hspec.Core.FormatTest.Hspec.Core.SpecTest.Hspec.Core.UtilTest.Hspec.Core.HooksTest.Hspec.Core.QuickCheckTest.Hspec.Core.Formatters.V1Test.Hspec.Core.Formatters.V2Test.Hspec.Core.RunnerControl.Concurrent.AsyncData.Algorithm.DiffPaths_hspec_coreTest.Hspec.Core.CompatTest.Hspec.Core.ClockGetOpt.Declarative.TypesGetOpt.Declarative.Environment Test.Hspec.Core.Example.LocationTest.Hspec.Core.Formatters.Diff"Test.Hspec.Core.Formatters.V1.FreeTest.Hspec.Core.TimerTest.Hspec.Core.QuickCheckUtilTest.Hspec.Core.ExampleTest.Hspec.Core.TreeTest.Hspec.Core.ShuffleTest.Hspec.Core.Spec.Monad beforeAllTest.Hspec.Core.Runner.Eval#Test.Hspec.Core.Formatters.V1.Monad#Test.Hspec.Core.Formatters.Internal)Test.Hspec.Core.Runner.PrintSlowSpecItemsTest.Hspec.Core.FormattersGetOpt.Declarative.UtilGetOpt.Declarative.InterpretGetOpt.Declarative!Test.Hspec.Core.Config.DefinitionTest.Hspec.Core.FailureReportTest.Hspec.Core.Config.OptionsTest.Hspec.Core.ConfigSystem.EnvironmentgetArgsSecondsLocation locationFile locationLinelocationColumnPath pluralizestrip lineBreaksAtjoinPathformatRequirementfilterPredicateformatExceptionsafeTry FailureReasonNoReasonReasonExpectedButGotError ResultStatusSuccessPendingFailureResult resultInfo resultStatus ActionWithProgressCallbackProgressParamsparamsQuickCheckArgsparamsSmallCheckDepthExampleArgevaluateExample defaultParamssafeEvaluateExample safeEvaluateItemitemRequirement itemLocationitemIsParallelizable itemIsFocused itemExampleSpecTreeTreeNodeNodeWithCleanupLeaf bimapForest bimapTree filterTree filterForestfilterTreeWithLabelsfilterForestWithLabels pruneForest pruneTree specGroupspecItemlocationSpecMSpecWithSpecrunSpecM fromSpecListrunIO mapSpecItem mapSpecItem_ modifyParamsbeforebefore_ beforeWith beforeAll_ beforeAllWithafterafter_aroundafterAll afterAll_around_ aroundWith aroundAll aroundAll_ aroundAllWith mapSubject ignoreSubjectdescribecontext xdescribexcontextitspecifyxitxspecifyfocusfitfspecify fdescribefcontextparallel sequentialpending pendingWithmodifyMaxSuccessmodifyMaxDiscardRatio modifyMaxSizemodifyMaxShrinks modifyArgs FormatConfigformatConfigUseColorformatConfigOutputUnicodeformatConfigUseDiffformatConfigPrintTimesformatConfigHtmlOutputformatConfigPrintCpuTimeformatConfigUsedSeedformatConfigExpectedTotalCountEventStarted GroupStarted GroupDone ItemStartedItemDoneDone itemDurationitemInfo itemResultFormatmonadic$fEqFormatConfig$fShowFormatConfig $fShowEvent $fShowItem $fShowResultFormatM FailureRecordfailureRecordLocationfailureRecordPathfailureRecordMessage FormatterheaderFormatterexampleGroupStartedexampleGroupDoneexampleStartedexampleProgressexampleSucceeded exampleFailedexamplePendingfailedFormatterfooterFormattergetSuccessCountgetPendingCount getFailCount getTotalCountgetFailMessagesusedSeed getCPUTime getRealTimewrite writeLinewriteTransient withFailColorwithSuccessColorwithPendingColor withInfoColoruseDiff extraChunk missingChunkformatterStartedformatterGroupStartedformatterGroupDoneformatterProgressformatterItemStartedformatterItemDone formatterDoneformatterToFormat outputUnicode printTimesgetExpectedTotalCountsilentchecksspecdocprogressfailed_examplesformatLocationConfigconfigIgnoreConfigFile configDryRunconfigFocusedOnlyconfigFailOnFocusedconfigPrintSlowItemsconfigPrintCpuTimeconfigFailFastconfigRandomizeconfigFailureReport configRerunconfigRerunAllOnSuccessconfigFilterPredicateconfigSkipPredicateconfigQuickCheckSeedconfigQuickCheckMaxSuccessconfigQuickCheckMaxDiscardRatioconfigQuickCheckMaxSizeconfigQuickCheckMaxShrinksconfigSmallCheckDepthconfigColorModeconfigUnicodeMode configDiff configTimesconfigAvailableFormatters configFormatconfigFormatterconfigHtmlOutputconfigConcurrentJobs UnicodeMode UnicodeAuto UnicodeNever UnicodeAlways ColorMode ColorAuto ColorNever ColorAlways defaultConfigconfigAddFilter readConfigSummarysummaryExamplessummaryFailureshspec hspecWith isSuccessevaluateSummary hspecResulthspecWithResultrunSpec$fSemigroupSummary$fMonoidSummary $fEqSummary $fShowSummary ConcurrentlyAsyncCancelledcancelAsyncasync withAsyncwait asyncThreadIdbase GHC.Conc.SyncThreadId compareAsyncs asyncBoundControl.ConcurrentforkOSasyncOnforkOnasyncWithUnmaskforkIOWithUnmaskasyncOnWithUnmaskforkOnWithUnmaskuninterruptibleCancelwithAsyncBound withAsyncOnwithAsyncWithUnmaskwithAsyncOnWithUnmask waitCatchpollwaitSTM waitCatchSTMpollSTM cancelWith waitAnyCatchwaitAnyCatchSTMwaitAnyCatchCancelwaitAny waitAnySTM waitAnyCancelwaitEitherCatchwaitEitherCatchSTMwaitEitherCatchCancel waitEither waitEitherSTM waitEither_waitEitherSTM_waitEitherCancelwaitBoth waitBothSTMlinkExceptionInLinkedThreadlinkOnlylink2 link2Onlyracerace_ concurrentlymapConcurrentlyforConcurrentlymapConcurrently_forConcurrently_ concurrently_replicateConcurrentlyreplicateConcurrently_$fMonoidConcurrently$fSemigroupConcurrentlyrunConcurrentlyDiffFirstSecondBothgetDiff getDiffByghc-prim GHC.Classes==getGroupedDiffgetGroupedDiffByEqversion getBinDir getLibDir getDynLibDir getDataDir getLibexecDir getSysconfDirgetDataFileNameGHC.Base++GHC.PrimseqGHC.Listfilterzip System.IOprint Data.Tuplefstsnd otherwisemap$GHC.Real fromIntegral realToFrac Control.MonadguardjoinGHC.EnumBoundedminBoundmaxBoundEnumpredsucctoEnumfromEnum enumFromToenumFromThenToenumFrom enumFromThen/= GHC.FloatFloatingatanhacoshasinhtanhcoshsinhatanacosasintancossinlogBase**sqrtlogpiexp Fractionalrecip fromRational/IntegraldivModquotRemmoddivrem toIntegerquotMonadreturn>>=>>Functorfmap<$GHC.NumNumsignumabs fromIntegernegate-+*Ord<<=>maxmin>=compareGHC.ReadRead readsPrecreadListReal toRational RealFloatatan2isIEEEisNegativeZeroisDenormalized isInfiniteisNaN scaleFloat significandexponent encodeFloat decodeFloat floatRange floatRadix floatDigitsRealFracfloorceilingroundproperFractiontruncateGHC.ShowShowshowListshow showsPrecControl.Monad.Fail MonadFailfail Applicative<*liftA2*>pure<*> Data.FoldableFoldablefoldr'foldMap'foldelemminimummaximumfoldr1productsumfoldl1foldl'nullfoldlfoldMaplengthtoListfoldrData.Traversable Traversablesequence sequenceAtraversemapM Semigroup<>Monoidmconcatmemptymappend GHC.TypesBoolTrueFalseCharDoubleFloatIntinteger-wired-inGHC.Integer.TypeInteger GHC.MaybeMaybeNothingJustOrderingGTLTEQRationalIOWord Data.EitherEitherLeftRightStringShowS lookupEnvmfilter<$!>unless replicateM_ replicateMfoldM_foldM zipWithM_zipWithM mapAndUnzipMforever<=<>=>filterMfoldMapDefault fmapDefault mapAccumR mapAccumLforMforControl.Applicativeoptional WrappedMonad WrapMonad unwrapMonad WrappedArrow WrapArrow unwrapArrowZipList getZipListreadIOreadLn appendFile writeFilereadFileinteract getContentsgetLinegetCharputStrLnputStrputCharGHC.IO.ExceptionioError Data.IORefatomicWriteIORefatomicModifyIORef modifyIORef' modifyIORef mkWeakIORef GHC.IORefatomicModifyIORef' writeIORef readIORefnewIORefIORefGHC.IO interruptibleFilePath userErrorIOErrorData.Functor.ConstConstgetConstfindnotElem minimumBy maximumByallanyorand concatMapconcatmsumasum sequence_ sequenceA_forM_mapM_for_ traverse_foldlMfoldrM Data.MonoidgetFirstLastgetLastApgetApData.Semigroup.InternalDualgetDualEndoappEndoAllgetAllAnygetAnySumgetSumProduct getProductAltgetAlt Data.OldListunwordswordsunlineslinessortOnsortBytailsinits intercalate isInfixOf isPrefixOf stripPrefix Text.Readread readMaybereadseitherlex readParenText.ParserCombinators.ReadPReadSlcmgcd^^^oddeven showParen showStringshowCharshowsunzip3unzipzipWith3zipWithzip3!!lookupreversebreakspansplitAtdroptake dropWhile takeWhilecycle replicaterepeatiteratescanr1scanrscanl1scanlinitlasttailhead Data.Maybemaybe Data.Functorvoid$><&><$>uncurrycurrysubtractasTypeOfuntil$!flip.constidapliftM5liftM4liftM3liftM2liftMwhen=<<liftA3liftA<**> Alternativemanysomeempty<|> MonadPlusmzeromplusGHC.Err undefinederrorWithoutStackTraceerror&&||notshowType showFullTypegetDefaultConcurrentJobsguardedtoMillisecondstoMicrosecondsgetMonotonicTimemeasuresleeptimeout OptionSetterFlagOptArgNoArgOptionoptionDocumented optionHelp optionSetteroptionShortcut optionName InvalidValueparseEnvironmentOptionsparseEnvironmentOptionextractLocationparseAssertionFailedparseCallStack parseLocationparseSourceSpandiffFreePureliftF withTimer IOException IOErrorTypeControl.Exception.BasetryQuickCheckFailure QCFailurequickCheckFailureCounterexamplequickCheckFailureReasonquickCheckFailureExceptionquickCheckFailureNumShrinksStatusQuickCheckOtherFailureQuickCheckSuccessQuickCheckResultquickCheckResultStatusquickCheckResultInfoquickCheckResultNumTestsaroundProperty aroundProp aroundRosenewSeedmkGen formatNumbersparseQuickCheckResult showTestCountensureTrailingNewlinemaybeStripPrefixmaybeStripSuffix stripSuffixsplitBy shuffleForest'QuickCheck-2.14.2-6vGnep5JveBx6Bsl9Nf1tTest.QuickCheck.Test maxSuccessmaxDiscardRatiomaxSize maxShrinksArgs runFormatterEvalTreeEvalItemevalItemDescriptionevalItemLocationevalItemParallelizeevalItemAction EvalConfigevalConfigFormatevalConfigConcurrentJobsevalConfigFailFastresultItemIsFailure EnvironmentenvironmentGetSuccessCountenvironmentGetPendingCountenvironmentGetFailMessagesenvironmentUsedSeedenvironmentPrintTimesenvironmentGetCPUTimeenvironmentGetRealTimeenvironmentWriteenvironmentWriteTransientenvironmentWithFailColorenvironmentWithSuccessColorenvironmentWithPendingColorenvironmentWithInfoColorenvironmentUseDiffenvironmentExtraChunkenvironmentMissingChunkenvironmentLiftIO interpretWithprintSlowSpecItems mkUsageInfo mapOptDescr ParseResultHelpparseCommandLineOptionsparseinterpretOptionsformatterOptionssmallCheckOptionsquickCheckOptions runnerOptionscommandLineOnlyOptionsfilterOr FailureReportfailureReportSeedfailureReportMaxSuccessfailureReportMaxSizefailureReportMaxDiscardRatiofailureReportPathswriteFailureReportreadFailureReport ConfigFile envVarNameignoreConfigFile parseOptionsGHC.IO.Handle.FDstderr System.Exit exitFailurestdout exitSuccessapplyFailureReportconfigQuickCheckArgsreadFailureReportOnRerunwithArgs