!a^S      !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~(c) Simon Marlow 2012BSD3 (see the file LICENSE)!Simon Marlow <marlowsd@gmail.com> provisional#non-portable (requires concurrency) TrustworthyEFSX 8 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 IOL 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 i internally. The child thread is passed a function that can be used to unmask asynchronous exceptions. hspec-coreLike  but using i internally. The child thread is passed a function that can be used to unmask asynchronous exceptions. hspec-coreASpawn an asynchronous action in a separate thread, and pass its AsyncV 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.GNote: 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 i internally. The child thread is passed a function that can be used to unmask asynchronous exceptions. hspec-coreLike  but uses h 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-core@Wait 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 F 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. Bcancel a = throwTo (asyncThreadId a) AsyncCancelled <* waitCatch a Note that ) will not terminate until the thread the , refers to has terminated. This means that U will block for as long said thread blocks when receiving an asynchronous exception.For example, it could block if:SIt's executing a foreign call, and thus cannot receive the asynchronous exception;fIt'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-coreHCancel 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-coregWait 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 Zs 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 S, but also cancels the other asynchronous operations as soon as one has completed. hspec-coreWait for any of the supplied Asyncds to complete. If the first to complete throws an exception, then that exception is re-thrown by . If multiple Zs 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 S, 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 AsyncO 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 Async|s 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 AsyncZ 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 C a thread you're linked to. If you want different behaviour, use . 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. The supplied predicate determines which exceptions in the target thread should be propagated to the source thread. hspec-core Link two Asynccs 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 T either thread without cancelling the other. If you want different behaviour, use . hspec-coreRun two IOR actions concurrently, and return the first to finish. The loser of the race is led. Urace 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 IOn actions concurrently, and returning the original data structure with the arguments replaced by the results.oIf 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 Fpages <- 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-coreFork a thread that runs the supplied action, and if it raises an exception, re-runs the action. The thread terminates only when the action runs to completion without raising an exception. hspec-core hspec-coreOnly defined by async for  base >= 4.9 hspec-corereturn ) if the exception should be propagated,  otherwise.91(c) Sterling Clover 2008-2011, Kevin Charter 2011 BSD 3 Clauses.clover@gmail.com experimentalportableSafe4 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-coreITakes two lists and returns a list of differences between them. This is  with  used as predicate. hspec-core^Takes 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  L constraint. Instead, an equality predicate is taken as the first argument. Safe     NoneMx Safet !"#$%&'()*+,-./0 123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~      !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~ Safe hspec-coreLocation' is used to represent source locations.  Safe%CSafe4NoneNone unstableSafe&  hspec-coreA : describes the location of a spec item within a spec tree.JIt 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 E with slashes. The result will have a leading and a trailing slash.  hspec-coreQTry 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-coresafeTryu evaluates given action and returns its result. If an exception occurs, the exception is returned instead. Unlike , it is agnostic to asynchronous exceptions.     Safe"#Safe "#2=?HV hspec-core The result of running an example hspec-coreAn ) action that expects an argument of type a$ hspec-coreA type class for examples !"#$%&'(unstableSafe,456>5 ) hspec-coreItemF 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 $r 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-corefA 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./ hspec-coreExample for behavior0 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.1 hspec-coreInternal tree data structure6 hspec-coreThe  specGroup6 function combines a list of specs into a larger spec.7 hspec-coreThe specItem function creates a spec item.)*+,-./012345678NoneMؓ9 hspec-coreA writer monad for 0 forests= hspec-core Convert a < to a forest of 0s.> hspec-core Create a < from a forest of 0s.? hspec-core2Run an IO action while constructing the spec tree.9J 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. 9:;<=>?@AB provisionalNoneK C hspec-core+Run a custom action before every spec item.D hspec-core+Run a custom action before every spec item.E hspec-core+Run a custom action before every spec item.F hspec-core/Run a custom action before the first spec item.G hspec-core/Run a custom action before the first spec item.H hspec-core*Run a custom action after every spec item.I hspec-core*Run a custom action after every spec item.J hspec-core8Run a custom action before and/or after every spec item.K hspec-core-Run a custom action after the last spec item.L hspec-core-Run a custom action after the last spec item.M hspec-core8Run a custom action before and/or after every spec item.N hspec-core8Run a custom action before and/or after every spec item. CDEFGHIJKLMN CDEFGHIKLJMNunstableNone,>O hspec-coreThe describe6 function combines a list of specs into a larger spec.P hspec-corecontext is an alias for O.Q hspec-core Changing O to Q> marks all spec items of the corresponding subtree as pending.3This can be used to temporarily disable spec items.R hspec-corexcontext is an alias for Q.S hspec-coreThe it function creates a spec item.A spec item consists of:+a textual description of a desired behavioran example for that behavior odescribe "absolute" $ do it "returns a positive number when given a negative number" $ absolute (-1) == 1T hspec-corespecify is an alias for S.U hspec-core Changing S to U. marks the corresponding spec item as pending.4This can be used to temporarily disable a spec item.V hspec-corexspecify is an alias for U.W hspec-coreW* focuses all spec items of the given spec. Applying W1 to a spec with focused spec items has no effect.X hspec-corefit is an alias for fmap focus . itY hspec-corefspecify is an alias for X.Z hspec-core fdescribe is an alias for fmap focus . describe[ hspec-corefcontext is an alias for Z.\ hspec-core\L marks all spec items of the given spec to be safe for parallel evaluation.] hspec-core]E marks all spec items of the given spec to be evaluated sequentially.^ hspec-core^, can be used to mark a spec item as pending.VIf 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" $ pending_ hspec-core_ is similar to ^v, but it takes an additional string argument that can be used to specify the reason for why the spec item is pending.I !"#$%&'()*+,-./0123456789:;<=>?@ABOPQRSTUVWXYZ[\]^_ISTOP^_UVQRWXYZ[\]<;9:=>?@AB$%& !"#'(01234)*+,-./6758 provisionalNone#` hspec-coreUse a modified  for given spec.a hspec-coreUse a modified  for given spec.b hspec-coreUse a modified  for given spec.c hspec-coreUse a modified  for given spec.d hspec-core Use modified  for given spec.`abcdd`abcNone "#1=?ESX\n hspec-core evaluated before each test groupp hspec-core>used to notify the progress of the currently evaluated exampleNote2: This is only called when interactive/color mode.q hspec-core'evaluated after each successful exampler hspec-core#evaluated after each failed examples hspec-core$evaluated after each pending examplet hspec-coreevaluated after a test runu hspec-coreevaluated after failuresFormatterv hspec-core9Get the number of successful examples encountered so far.w hspec-core6Get the number of pending examples encountered so far.x hspec-core5Get the number of failed examples encountered so far.y hspec-core4Get the total number of examples encountered so far.z hspec-core-Get the list of accumulated failure messages.{ hspec-core,The random seed that is used for QuickCheck.| 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-coreRSet output color to red, run given action, and finally restore the default color. hspec-coreTSet output color to green, run given action, and finally restore the default color. hspec-coreUSet output color to yellow, run given action, and finally restore the default color. hspec-coreSSet 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.;efghijklmnopqrstuvwxyz{|}~ experimentalNone/efghijklmnopqrstuvwxyz{|}~/klmnopqrstuevwxyfghijz{|}~NoneSX!vNone"#,4X# hspec-core;Evaluate all examples of a given spec and produce a report. NoneM8 hspec-coreA lifted version of  hspec-coreA lifted version of  hspec-core,The random seed that is used for QuickCheck. hspec-core,Increase the counter for successful examples hspec-core)Increase the counter for pending examples hspec-core9Get the number of successful examples encountered so far. hspec-core6Get the number of pending examples encountered so far. hspec-core3Append to the list of accumulated failure messages. hspec-core-Get the list of accumulated failure messages. hspec-core!Append some output to the report. hspec-coreRSet output color to red, run given action, and finally restore the default color. hspec-coreTSet output color to green, run given action, and finally restore the default color. hspec-coreUSet output color to yellow, run given action, and finally restore the default color. hspec-coreSSet output color to cyan, run given action, and finally restore the default color. hspec-core5Set a color, run an action, and finally reset colors. hspec-coreOutput given chunk in red. hspec-coreOutput given chunk in green. hspec-corefinally_ actionA actionB runs actionA and then actionB. actionB is run even when a  occurs during actionA. 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.Safe9d    None; hspec-coreqA predicate that is used to filter the spec before it is run. Only examples that satisfy the predicate are run.# None 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_OPTIONSBthe 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  # ! provisionalNone\  hspec-coreSummary of a test run." hspec-core Filter specs by given predicate.DThe predicate takes a list of "describe" labels and a "requirement". hspec-core'Run a given spec and write a report to  . Exit with ! if at least one spec item fails.Note: Y 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 B on failing spec items. If you need this, you have to check the  yourself and act accordingly. hspec-coreIRun given spec with custom options and returns a summary of the test run.Note:  does not exit with B 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 >>=  ,,% # # $ $ % & '()*+,-./0123456789::;<=>?@@ABCDEFGHHIJKLMNOPQRSTUVWWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~       !"# $ % & ' ( ) * + , - . / 0 1234567689:;<;=2>2?2@ABACDE2FGHGIGJGKGLGMGNGOGPGQGRGS TUVUWUXUYUZU[U\U]U^U_U`UaUbUcUdUeUfUgUhAiAjAkAlAmAnAoApAqArAsAt2u2v2w2x2y2z2{2|}~}}}}}}}        AAUUUUUUUUUUUUUUUAAAAAA222222222222A2!DDDDDDDDDDDDDD 9 9 9 9 99999999 !"#$%$&'()*)*)+,-./0123456789:;<=>?@@@A@B@B@C@D@D@EFGFGFHFIFIFJFKFKFLFMFMFNFOFOFPFQFQFRFSFSFTUVUWUXUYUZ[\[][^_`abcdedfAgAhAiAjAkAlmnop6q6r6s6t6u6v6w6x6y6z6{6|6}6~6666666666666;;}22222222222222222222222222           :798HHJ      !"#$$%&'()*+,-./,0.1 2 3 45!"!67'hspec-core-2.7.3-FwlUJODTRwsJqNHknhNmanTest.Hspec.Core.FormattersTest.Hspec.Core.SpecTest.Hspec.Core.UtilTest.Hspec.Core.HooksTest.Hspec.Core.QuickCheckTest.Hspec.Core.RunnerControl.Concurrent.AsyncData.Algorithm.DiffPaths_hspec_coreTest.Hspec.Core.ClockTest.Hspec.Core.Compat Test.Hspec.Core.Example.LocationTest.Hspec.Core.Formatters.DiffTest.Hspec.Core.Formatters.FreeTest.Hspec.Core.ShuffleTest.Hspec.Core.TimerTest.Hspec.Core.QuickCheckUtilTest.Hspec.Core.ExampleTest.Hspec.Core.TreeTest.Hspec.Core.Spec.Monad beforeAll Test.Hspec.Core.Formatters.MonadTest.Hspec.Core.FormatTest.Hspec.Core.Runner.Eval#Test.Hspec.Core.Formatters.InternalControl.Monad.Trans.StategetsmodifyTest.Hspec.Core.Config.UtilTest.Hspec.Core.Config.OptionsTest.Hspec.Core.FailureReportTest.Hspec.Core.ConfigSystem.EnvironmentgetArgsSecondsLocation locationFile locationLinelocationColumnPath pluralizestrip lineBreaksAtjoinPathformatRequirementfilterPredicateformatExceptionsafeTry FailureReasonNoReasonReasonExpectedButGotError ResultStatusSuccessPendingFailureResult resultInfo resultStatus ActionWithProgressCallbackProgressParamsparamsQuickCheckArgsparamsSmallCheckDepthExampleArgevaluateExample defaultParamssafeEvaluateExampleItemitemRequirement itemLocationitemIsParallelizable itemIsFocused itemExampleSpecTreeTreeNodeNodeWithCleanupLeaf bimapTree specGroupspecItemlocationSpecMSpecWithSpecrunSpecM fromSpecListrunIO mapSpecItem mapSpecItem_ modifyParamsbeforebefore_ beforeWith beforeAll_afterafter_aroundafterAll afterAll_around_ aroundWithdescribecontext xdescribexcontextitspecifyxitxspecifyfocusfitfspecify fdescribefcontextparallel sequentialpending pendingWithmodifyMaxSuccessmodifyMaxDiscardRatio modifyMaxSizemodifyMaxShrinks modifyArgsFormatM FailureRecordfailureRecordLocationfailureRecordPathfailureRecordMessage FormatterheaderFormatterexampleGroupStartedexampleGroupDoneexampleProgressexampleSucceeded exampleFailedexamplePendingfailedFormatterfooterFormattergetSuccessCountgetPendingCount getFailCount getTotalCountgetFailMessagesusedSeed getCPUTime getRealTimewrite writeLinewriteTransient withFailColorwithSuccessColorwithPendingColor withInfoColoruseDiff extraChunk missingChunksilentspecdocprogressfailed_examples ColorMode ColorAuto ColorNever ColorAlwaysConfigconfigIgnoreConfigFile configDryRunconfigFocusedOnlyconfigFailOnFocusedconfigPrintCpuTimeconfigFastFailconfigRandomizeconfigFailureReport configRerunconfigRerunAllOnSuccessconfigFilterPredicateconfigSkipPredicateconfigQuickCheckSeedconfigQuickCheckMaxSuccessconfigQuickCheckMaxDiscardRatioconfigQuickCheckMaxSizeconfigSmallCheckDepthconfigColorMode configDiffconfigFormatterconfigHtmlOutputconfigOutputFileconfigConcurrentJobs 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_ forkRepeat$fMonoidConcurrently$fSemigroupConcurrentlyghc-prim GHC.TypesTrueFalserunConcurrentlyDiffFirstSecondBothgetDiff getDiffBy GHC.Classes==getGroupedDiffgetGroupedDiffByEqversion getBinDir getLibDir getDynLibDir getDataDir getLibexecDir getSysconfDirgetDataFileNametoMicrosecondsgetMonotonicTimemeasuresleeptimeoutGHC.Base++GHC.PrimseqGHC.Listfilterzip System.IOprint Data.Tuplefstsnd otherwisemap$GHC.Real fromIntegral realToFrac Control.MonadguardjoinGHC.EnumBoundedminBoundmaxBoundEnumenumFrom enumFromThenenumFromThenTo enumFromTofromEnumtoEnumsuccpred/= GHC.FloatFloatingpiexplogsqrt**logBasesincostanasinacosatansinhcoshtanhasinhacoshatanh Fractional fromRational/recipIntegral toIntegerquotremdivmodquotRemdivModMonad>>=>>returnfailFunctorfmap<$GHC.NumNum+*-negate fromIntegerabssignumOrd>=minmax><compare<=GHC.ReadRead readsPrecreadListReal toRational RealFloat floatRadix floatDigits floatRange decodeFloat encodeFloatexponent significand scaleFloatisNaN isInfiniteisDenormalizedisNegativeZeroisIEEEatan2RealFracproperFractiontruncateroundceilingfloorGHC.ShowShowshow showsPrecshowList ApplicativeliftA2pure<*>*><* Data.FoldableFoldabletoListfoldrfoldlfoldl'foldl1sumproductfoldr1maximumminimumelemfoldfoldr'foldMapnulllengthData.Traversable TraversablemapMsequencetraverse sequenceA Semigroup<>MonoidmemptymappendmconcatBoolCharDoubleFloatInt integer-gmpGHC.Integer.TypeInteger GHC.MaybeMaybeNothingJustOrderingLTEQGTRationalIOWord 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'atomicModifyIORef modifyIORef' modifyIORef mkWeakIORef GHC.IORef writeIORef readIORefnewIORefIORefGHC.IO interruptibleFilePath userErrorIOErrorData.Functor.ConstConstgetConstfindnotElem minimumBy maximumByallanyorand concatMapconcatmsumasum sequence_ sequenceA_forM_mapM_for_ traverse_foldlMfoldrM Data.MonoidgetFirstLastgetLastApgetApData.Semigroup.InternalDualgetDualEndoappEndoAllgetAllAnygetAnySumgetSumProduct getProductAltgetAlt Data.OldListunwordswordsunlineslines intercalate Text.Readread readMaybereadseitherlex readParenText.ParserCombinators.ReadPReadS Data.Functorvoid<$>lcmgcd^^^oddeven showParen showStringshowCharshowsunzip3unzipzipWith3zipWithzip3!!lookupreversebreakspansplitAtdroptake dropWhile takeWhilecycle replicaterepeatiteratescanr1scanrscanl1scanlinitlasttailhead Data.MaybemaybeuncurrycurrysubtractasTypeOfuntil$!flip.constidapliftM5liftM4liftM3liftM2liftMwhen=<<liftA3liftA<**> Alternativeempty<|>somemany MonadPlusmzeromplusGHC.Err undefinederrorWithoutStackTraceerror&&||notshowType showFullTypegetDefaultConcurrentJobsextractLocationparseCallStack parseLocationparseSourceSpandiffFreePureliftFshuffle withTimer IOException IOErrorTypeControl.Exception.BasetryQuickCheckFailure QCFailurequickCheckFailureCounterexamplequickCheckFailureReasonquickCheckFailureExceptionquickCheckFailureNumShrinksStatusQuickCheckOtherFailureQuickCheckSuccessQuickCheckResultquickCheckResultStatusquickCheckResultInfoquickCheckResultNumTestsaroundProperty aroundProp aroundRosenewSeedmkGen formatNumbersparseQuickCheckResult showTestCountensureTrailingNewlinemaybeStripPrefixmaybeStripSuffix stripSuffixsplitBy(QuickCheck-2.14.1-JI5IDAaJDsyC9IXdPbXOk0Test.QuickCheck.Test maxSuccessmaxDiscardRatiomaxSize maxShrinksArgs EnvironmentenvironmentGetSuccessCountenvironmentGetPendingCountenvironmentGetFailMessagesenvironmentUsedSeedenvironmentGetCPUTimeenvironmentGetRealTimeenvironmentWriteenvironmentWriteTransientenvironmentWithFailColorenvironmentWithSuccessColorenvironmentWithPendingColorenvironmentWithInfoColorenvironmentUseDiffenvironmentExtraChunkenvironmentMissingChunkenvironmentLiftIO interpretWithFormatformatProgress formatRunformatGroupStartedformatGroupDone formatItem itemDurationitemInfo itemResult runFormatterEvalTreeEvalItemevalItemDescriptionevalItemLocationevalItemParallelizeevalItemAction EvalConfigevalConfigFormatevalConfigConcurrentJobsevalConfigFastFailincreaseSuccessCountincreasePendingCountaddFailMessage withColorfinally_ UserInterrupt FormatConfigformatConfigUseColorformatConfigUseDiffformatConfigHandleformatConfigHtmlOutputformatConfigPrintCpuTimeformatConfigUsedSeedformatterToFormat interpret runFormatM modifyHelp mkUsageInfoaddLineBreaksForHelpcondenseNoOptions formatOrList ConfigFile envVarNamefilterOr parseOptionsignoreConfigFile FailureReportfailureReportSeedfailureReportMaxSuccessfailureReportMaxSizefailureReportMaxDiscardRatiofailureReportPathswriteFailureReportreadFailureReportGHC.IO.Handle.FDstderr System.Exit exitFailurestdout exitSuccessapplyFailureReportconfigQuickCheckArgsreadFailureReportOnRerun filterSpecswithArgs