Halogen.Hooks
This module implements the entire Halogen Hooks library. It's implemented as a monolithic module so that only types and functions meant for users are exported.
#useState
useState :: forall state m. state -> Hook m (UseState state) (state /\ (StateId state))
A Hook providing an independent state and a unique identifier usable with
the state functions get
, put
, modify
, and modify_
to update the state.
Hooks.do
-- Create a new state with `useState`
state /\ stateId <- Hooks.useState 0
-- Perform state updates in `HookM`
let
update :: HookM m Unit
update =
Hooks.modify_ stateId \st -> st + 10
#useLifecycleEffect
useLifecycleEffect :: forall m. HookM m (Maybe (HookM m Unit)) -> Hook m UseEffect Unit
A Hook providing the ability to run an effect the first time the hook is run, which can return another effect to run the last time the hook is run. This is equivalent to component initializers and finalizers.
If you would like to run your effect after every render, see useTickEffect
.
#useTickEffect
useTickEffect :: forall m. MemoValues -> HookM m (Maybe (HookM m Unit)) -> Hook m UseEffect Unit
A Hook providing the ability to run an effect after every render, which includes the first time the hook is run.
This Hook can be given an array of memo values as a performance optimization. If the provided array is empty, the effect will run on every render. If the array contains values, then the effect will only run on renders in which one or more of the memo values have changed.
To run an effect on every render:
Hooks.captures {} Hooks.useTickEffect do
...
To run an effect on the first render and when a particular value has changed:
Hooks.captures { memoA, memoB } Hooks.useTickEffect do
...
#useQuery
useQuery :: forall query m. QueryToken query -> (forall a. query a -> HookM m (Maybe a)) -> Hook m UseQuery Unit
A Hook providing the ability to receive and evaluate queries from a parent
component. Only usable in components constructed with component
,
not in arbitrary hooks; the request/response nature of queries means they
only make sense in the context of a component.
If this Hook is used multiple times in a single component definition, only the last use will take effect.
#useMemo
useMemo :: forall m a. MemoValues -> (Unit -> a) -> Hook m (UseMemo a) a
A Hook providing the ability to memoize a particular value.
When values are used in let bindings within the body of a Hook they are
recomputed each time the Hook's body is evaluated (on every render). For
values which are expensive to compute, you can either cache them in state
(as you would with an ordinary Halogen component) or you can use useMemo
.
All dependencies used to compute the memoized value should be provided to
the captures
or capturesWith
function. Consider defining your useMemo
Hook in a where
clause to ensure you don't omit something by accident,
which will lead to stale values.
-- before, computed on every render:
Hooks.do
x /\ _ <- Hooks.useState 0
y /\ _ <- Hooks.useState ""
let expensiveValue = expensiveFunction x y
-- after, computed only if `x` or `y` have changed:
Hooks.do
x /\ _ <- useState 0
y /\ _ <- useState ""
expensiveValue <- useExpensive x y
...
where
useExpensive deps@{ x, y } = Hooks.captures deps $ flip Hooks.useMemo \_ ->
expensiveFunction x y
#useRef
useRef :: forall m a. a -> Hook m (UseRef a) (a /\ (Ref a))
A Hook providing the ability to use a mutable reference.
This Hook returns the value of the mutable reference at the time the Hook
was run, and the reference itself which can be read at any time. The value
of the reference can be used for rendering, but any effectful computations
in HookM
should read the value of the reference to guarantee an up-to-date
value.
value /\ ref <- Hooks.useRef initialValue
-- Read and write the ref in effectful code
Hooks.captures {} Hooks.useTickEffect do
current <- liftEffect $ Ref.read ref
-- ... use the current value
-- Use the last-read value directly in render code
Hooks.pure $ HH.text (show value)
#captures
captures :: forall memos a. Eq (Record memos) => Record memos -> (MemoValues -> a) -> a
Used to improve performance for hooks which may be expensive to run on
many renders (like useTickEffect
and useMemo
). Uses a value equality
check to verify values have changed before re-running a function.
Some values may be expensive to check for value equality. You can optimize
this by only checking a sub-part of your captured values using capturesWith
#capturesWith
capturesWith :: forall memos a. (Record memos -> Record memos -> Boolean) -> Record memos -> (MemoValues -> a) -> a
Like captures
, but without an Eq
constraint. Use when you only want to
check part of a captured value for equality or when your captured values
don't have Eq instances.
This function can recreate the usual captures
:
Hooks.captures { memoA, memoB } == Hooks.capturesWith eq { memoA, memoB }
You can also choose to improve performance by testing only a sub-part of your memoized values. Remember that this equality check is used to decide whether to re-run your effect or function, so make sure to test everything in your captures list.
let
customEq memoA memoB =
memoA.user.id == memoB.user.id && memoA.data == memoB.data
Hooks.capturesWith customEq { user, data }
#wrap
wrap :: forall h h' m a. HookNewtype h' h => Hook m h a -> Hook m h' a
Make a stack of hooks opaque to improve error messages and ensure internal types like state are not leaked outside the module where the hook is defined.
We recommend using this for any custom hooks you define.
foreign import data MyHook :: HookType
instance newtypeMyHook :: HookNewtype MyHook (UseState Int <> Pure)
useMyHook :: forall m. Hook m MyHook Int
useMyHook = Hooks.wrap Hooks.do
... -- hook definition goes here
Re-exports from Halogen.Hooks.Component
#memoComponent
memoComponent :: forall hooks q i s o m. (i -> i -> Boolean) -> (ComponentTokens q s o -> i -> Hook m hooks (ComponentHTML (HookM m Unit) s m)) -> Component q i o m
A version of component
which allows you to decide whether or not to send
new input to the hook function based on an equality predicate. Halogen
components send input to children on each render, which can cause a
performance issue in some cases.
myComponent :: forall q o m. H.Component q Int o m
myComponent = Hooks.memoComponent eq \tokens input -> Hooks.do
-- This hook implementation will not run when it receives new input
-- unless the `Int` has changed.
Some input data may be more expensive to compute equality for than to simply send input again. In these cases you may want to write a more sophisticated equality function -- for example, only checking by a unique ID.
type User = { uuid :: Int, info :: HugeObject }
eqUser :: User -> User -> Boolean
eqUser userA userB = userA.uuid == userB.uuid
myComponent :: forall q o m. H.Component q User o m
myComponent = Hooks.memoComponent eqUser \_ input -> Hooks.do
-- This hook implementation will not run when it receives new input
-- unless the `User`'s id has changed.
#component
component :: forall hooks q i s o m. (ComponentTokens q s o -> i -> Hook m hooks (ComponentHTML (HookM m Unit) s m)) -> Component q i o m
Produces a Halogen component from a Hook
which returns ComponentHTML
.
If you need to control whether Hooks evaluate when new input is received,
see memoComponent
.
Tokens are provided which enable access to component-only features like queries, output messages, and child slots, which don't make sense in a pure Hook context.
myComponent :: forall q i o m. H.Component q i o m
myComponent = Hooks.component \tokens input -> Hooks.do
... hook implementation
If you don't need to use tokens or input, you can use underscores to throw away those arguments.
myComponent :: forall q i o m. H.Component q i o m
myComponent = Hooks.component \_ _ -> Hooks.do
... hook implementation
If you are using tokens provided by the component
function, you will have
better type inference if you annotate the token type:
type Tokens = Hooks.ComponentTokens MyQuery MySlots MyOutput
myComponent :: forall i m. H.Component MyQuery i MyOutput m
myComponent = Hooks.component \(tokens :: Tokens) _ -> Hooks.do
... hook implementation
Use type variables to substitue unused token types:
type Tokens s o = Hooks.ComponentTokens MyQuery s o
myComponent :: forall i o m. H.Component MyQuery i o m myComponent = Hooks.component (tokens :: Tokens _ o) _ -> Hooks.do ... hook implementation
Re-exports from Halogen.Hooks.Hook
#Pure
#HookAppend
data HookAppend :: HookType -> HookType -> HookType
A type for listing several Hook types in order. Typically this is used via
the operator <>
.
``purs
import Halogen.Hooks (type (<>))
type UseStateEffect = UseState Int <> UseEffect <> Pure
-- using to the type UseStateEffect = HookAppend (UseState Int) (HookAppend UseEffect Nil)
#HookNewtype
class HookNewtype (a :: HookType) (b :: HookType) | a -> b
A class for asserting that one HookType
can be "unwrapped" to produce
the other. This class is used to turn a list of Hooks into a new opaque
Hook in conjunction with wrap
:
foreign import data UseX :: HookType
instance newtypeUseX :: HookNewtype UseX (UseState Int <> UseEffect <> Pure)
useX :: forall m. Hook m UseX Int
useX = Hooks.wrap Hooks.do
-- ... use useState, useEffect in the implementation
#pure
#discard
#bind
#type (<>)
Operator alias for Halogen.Hooks.Hook.HookAppend (right-associative / precedence 1)
HookAppend
as an infix operator
Re-exports from Halogen.Hooks.HookM
#HookM
newtype HookM m a
The Hook effect monad, used to write effectful code in Hooks functions.
This monad is fully compatible with HalogenM
, meaning all functionality
available for HalogenM
is available in HookM
.
Constructors
Instances
Functor (HookM m)
Apply (HookM m)
Applicative (HookM m)
Bind (HookM m)
Monad (HookM m)
(Semigroup a) => Semigroup (HookM m a)
(Monoid a) => Monoid (HookM m a)
(MonadEffect m) => MonadEffect (HookM m)
(MonadAff m) => MonadAff (HookM m)
MonadTrans HookM
MonadRec (HookM m)
(MonadAsk r m) => MonadAsk r (HookM m)
(MonadTell w m) => MonadTell w (HookM m)
(MonadThrow e m) => MonadThrow e (HookM m)
Parallel (HookAp m) (HookM m)
#HookF
data HookF m a
A DSL compatible with HalogenM which is used to write effectful code for Hooks.
Constructors
Modify (StateId StateValue) (StateValue -> StateValue) (StateValue -> a)
Subscribe (SubscriptionId -> Emitter (HookM m Unit)) (SubscriptionId -> a)
Unsubscribe SubscriptionId a
Lift (m a)
ChildQuery (ChildQueryBox SlotType a)
Raise OutputValue a
Par (HookAp m a)
Fork (HookM m Unit) (ForkId -> a)
Kill ForkId a
GetRef RefLabel (Maybe Element -> a)
Instances
#HookAp
#unsubscribe
unsubscribe :: forall m. SubscriptionId -> HookM m Unit
Unsubscribes a component from an Emitter
. If the subscription
associated with the ID has already ended this will have no effect.
#tell
tell :: forall m label ps query o' slot _1. Cons label (Slot query o' slot) _1 ps => IsSymbol label => Ord slot => SlotToken ps -> Proxy label -> slot -> Tell query -> HookM m Unit
Send a tell-request to a child of a component at the specified slot. Requires a
token carrying the slot type of the component, which is provided by the
Hooks.component
function.
#subscribe'
subscribe' :: forall m. (SubscriptionId -> Emitter (HookM m Unit)) -> HookM m Unit
An alternative to subscribe
, intended for subscriptions that unsubscribe
themselves. Instead of returning the SubscriptionId
from subscribe'
, it
is passed into an Emitter
constructor. This allows emitted queries
to include the SubscriptionId
, rather than storing it in the state of the
component.
When a component is disposed of any active subscriptions will automatically be stopped and no further subscriptions will be possible during finalization.
#subscribe
#request
request :: forall m label ps query o' slot a _1. Cons label (Slot query o' slot) _1 ps => IsSymbol label => Ord slot => SlotToken ps -> Proxy label -> slot -> Request query a -> HookM m (Maybe a)
Send a query-request to a child of a component at the specified slot. Requires a
token carrying the slot type of the component, which is provided by the
Hooks.component
function.
#raise
raise :: forall o m. OutputToken o -> o -> HookM m Unit
Raise an output message for the component. Requires a token carrying the
output type of the component, which is provided by the Hooks.component
function.
#queryAll
queryAll :: forall m label ps query o' slot a _1. Cons label (Slot query o' slot) _1 ps => IsSymbol label => Ord slot => SlotToken ps -> Proxy label -> query a -> HookM m (Map slot a)
Send a query to all children of a component at the specified slot. Requires
a token carrying the slot type of the component, which is provided by the
Hooks.component
function.
#query
query :: forall m label ps query o' slot a _1. Cons label (Slot query o' slot) _1 ps => IsSymbol label => Ord slot => SlotToken ps -> Proxy label -> slot -> query a -> HookM m (Maybe a)
Send a query to a child of a component at the specified slot. Requires a
token carrying the slot type of the component, which is provided by the
Hooks.component
function.
#put
#modify_
#modify
#kill
#getRef
#getHTMLElementRef
getHTMLElementRef :: forall m. RefLabel -> HookM m (Maybe HTMLElement)
Retrieves a HTMLElement
value that is associated with a Ref
in the
rendered o of a component. If there is no currently rendered value (or
it is not an HTMLElement
) for the request will return Nothing
.
#get
#fork
fork :: forall m. HookM m Unit -> HookM m ForkId
Starts a HalogenM
process running independent from the current eval
"thread".
A commonly use case for fork
is in component initializers where some
async action is started. Normally all interaction with the component will
be blocked until the initializer completes, but if the async action is
fork
ed instead, the initializer can complete synchronously while the
async action continues.
Some care needs to be taken when using a fork
that can modify the
component state, as it's easy for the forked process to "clobber" the state
(overwrite some or all of it with an old value) by mistake.
When a component is disposed of any active forks will automatically be killed. New forks can be started during finalization but there will be no means of killing them.
Re-exports from Halogen.Hooks.Types
#SlotToken
#QueryToken
data QueryToken (a :: Type -> Type)
A token which carries the type of queries supported by the component which is executing a Hook. Queries are specific to the parent-child component relationship, and so they are not tracked in Hook types.
This token is provided by the component
function.
#OutputToken
data OutputToken output
#MemoValues
data MemoValues
An opaque type which signifies that a set of dependencies have been captured
and can be used by Hooks like UseMemo
and UseEffect
.
This type is provided by the captures
and capturesWith
functions.
#HookType
data HookType
The kind of types used in Hooks; primitive Hooks already have this kind, and Hooks of your own should be foreign imported data types that are also types of this kind:
foreign import data UseX :: Hooks.HookType
#ComponentTokens
type ComponentTokens q ps o = { outputToken :: OutputToken o, queryToken :: QueryToken q, slotToken :: SlotToken ps }
Modules
- AWS.CloudWatch
- AWS.CloudWatchLogs
- AWS.Core.Client
- AWS.Core.Credentials
- AWS.Core.Types
- AWS.Core.Util
- AWS.CostExplorer
- AWS.CostExplorer.Types
- AWS.Crypto.Crypto
- AWS.DynamoDb
- AWS.EC2
- AWS.KMS
- AWS.Lambda
- AWS.S3
- AWS.SecretsManager
- AWS.SecurityTokenService
- Ace
- Ace.Anchor
- Ace.BackgroundTokenizer
- Ace.Command
- Ace.Config
- Ace.Document
- Ace.EditSession
- Ace.Editor
- Ace.Ext.LanguageTools
- Ace.Ext.LanguageTools.Completer
- Ace.KeyBinding
- Ace.Marker
- Ace.Range
- Ace.ScrollBar
- Ace.Search
- Ace.Selection
- Ace.TokenIterator
- Ace.Tokenizer
- Ace.Types
- Ace.UndoManager
- Ace.VirtualRenderer
- Affjax
- Affjax.RequestBody
- Affjax.RequestHeader
- Affjax.ResponseFormat
- Affjax.ResponseHeader
- Affjax.StatusCode
- Ansi.Codes
- Ansi.Output
- Audio.SoundFont
- Audio.SoundFont.Decoder
- Audio.SoundFont.Gleitz
- Audio.SoundFont.Melody
- Audio.SoundFont.Melody.Class
- Audio.SoundFont.Melody.Maker
- Biscotti.Cookie
- Biscotti.Cookie.Formatter
- Biscotti.Cookie.Generator
- Biscotti.Cookie.Parser
- Biscotti.Cookie.Types
- Biscotti.Session
- Biscotti.Session.Store
- Biscotti.Session.Store.Cookie
- Biscotti.Session.Store.Memory
- Bucketchain
- Bucketchain.BasicAuth
- Bucketchain.CORS
- Bucketchain.CSRF
- Bucketchain.Conditional
- Bucketchain.Header.Cookie
- Bucketchain.Header.Vary
- Bucketchain.Health
- Bucketchain.HistoryAPIFallback
- Bucketchain.Http
- Bucketchain.Logger.Error
- Bucketchain.Logger.HTTP.LTSV
- Bucketchain.Logger.HTTP.Token
- Bucketchain.Logger.HTTP.Tokenizer
- Bucketchain.Middleware
- Bucketchain.ResponseBody
- Bucketchain.SSLify
- Bucketchain.Secure
- Bucketchain.Secure.ContentTypeOptions
- Bucketchain.Secure.DownloadOptions
- Bucketchain.Secure.FrameOptions
- Bucketchain.Secure.HSTS
- Bucketchain.Secure.XSSProtection
- Bucketchain.SimpleAPI
- Bucketchain.SimpleAPI.Auth
- Bucketchain.SimpleAPI.Auth.Class
- Bucketchain.SimpleAPI.Batch
- Bucketchain.SimpleAPI.Body
- Bucketchain.SimpleAPI.Class
- Bucketchain.SimpleAPI.FreeT.Class
- Bucketchain.SimpleAPI.JSON
- Bucketchain.SimpleAPI.Proc
- Bucketchain.SimpleAPI.RawData
- Bucketchain.SimpleAPI.Response
- Bucketchain.SimpleAPI.Response.Class
- Bucketchain.Static
- Bucketchain.Static.ContentType
- Bucketchain.Stream
- Bucketchain.Test
- CSS
- CSS.Animation
- CSS.Background
- CSS.Border
- CSS.Box
- CSS.Color
- CSS.Common
- CSS.Cursor
- CSS.Display
- CSS.Elements
- CSS.Flexbox
- CSS.Font
- CSS.FontFace
- CSS.FontStyle
- CSS.Geometry
- CSS.Gradient
- CSS.ListStyle
- CSS.ListStyle.Image
- CSS.ListStyle.Position
- CSS.ListStyle.Type
- CSS.Media
- CSS.Overflow
- CSS.Property
- CSS.Pseudo
- CSS.Render
- CSS.Selector
- CSS.Size
- CSS.String
- CSS.Stylesheet
- CSS.Text
- CSS.Text.Overflow
- CSS.Text.Shadow
- CSS.Text.Transform
- CSS.Text.Whitespace
- CSS.TextAlign
- CSS.Time
- CSS.Transform
- CSS.Transition
- CSS.VerticalAlign
- CSSOM.Main
- CallByName.Alt
- CallByName.Applicative
- CallByName.Class
- CallByName.Monoid
- CallByName.Syntax
- Cheerio
- Cheerio.Static
- Cirru.Node
- Cirru.Parser
- Cirru.Writer
- Clipboardy
- Codensity
- Color
- Color.Blending
- Color.Scale
- Color.Scale.Perceptual
- Color.Scheme.Clrs
- Color.Scheme.HTML
- Color.Scheme.Harmonic
- Color.Scheme.MaterialDesign
- Color.Scheme.X11
- Concur.Core
- Concur.Core.DOM
- Concur.Core.DevTools
- Concur.Core.Discharge
- Concur.Core.ElementBuilder
- Concur.Core.FRP
- Concur.Core.Gen
- Concur.Core.IsWidget
- Concur.Core.LiftWidget
- Concur.Core.Patterns
- Concur.Core.Props
- Concur.Core.Types
- Concur.React
- Concur.React.DOM
- Concur.React.Props
- Concur.React.Run
- Concur.React.SVG
- Concur.React.Widgets
- Concurrent.BoundedQueue
- Concurrent.BoundedQueue.Internal
- Concurrent.BoundedQueue.Sync
- Concurrent.Channel
- Concurrent.Channel.Stream
- Concurrent.Queue
- Control.Alt
- Control.Alternative
- Control.Applicative
- Control.Applicative.Free
- Control.Applicative.Free.Gen
- Control.Applicative.Indexed
- Control.Apply
- Control.Apply.Indexed
- Control.Biapplicative
- Control.Biapply
- Control.Bind
- Control.Bind.Indexed
- Control.Category
- Control.Category.Tensor
- Control.Cofree
- Control.Comonad
- Control.Comonad.Cofree
- Control.Comonad.Cofree.Class
- Control.Comonad.Cofree.Trans
- Control.Comonad.Env
- Control.Comonad.Env.Class
- Control.Comonad.Env.Trans
- Control.Comonad.Store
- Control.Comonad.Store.Class
- Control.Comonad.Store.Trans
- Control.Comonad.Traced
- Control.Comonad.Traced.Class
- Control.Comonad.Traced.Trans
- Control.Comonad.Trans.Class
- Control.Coroutine
- Control.Coroutine.Aff
- Control.Error.Util
- Control.Execution.Immediate
- Control.Extend
- Control.Fold
- Control.Lazy
- Control.Logger
- Control.Logger.Console
- Control.Logger.Writer
- Control.Monad
- Control.Monad.Base
- Control.Monad.Cont
- Control.Monad.Cont.Class
- Control.Monad.Cont.Trans
- Control.Monad.Error.Class
- Control.Monad.Except
- Control.Monad.Except.Checked
- Control.Monad.Except.Trans
- Control.Monad.Fork.Class
- Control.Monad.Free
- Control.Monad.Free.Class
- Control.Monad.Free.Trans
- Control.Monad.Gen
- Control.Monad.Gen.Class
- Control.Monad.Gen.Common
- Control.Monad.Identity.Trans
- Control.Monad.Indexed
- Control.Monad.Indexed.Qualified
- Control.Monad.List.Trans
- Control.Monad.Logger.Class
- Control.Monad.Logger.Trans
- Control.Monad.Loops
- Control.Monad.Maybe.Trans
- Control.Monad.Morph
- Control.Monad.RWS
- Control.Monad.RWS.Trans
- Control.Monad.Reader
- Control.Monad.Reader.Class
- Control.Monad.Reader.Trans
- Control.Monad.Rec.Class
- Control.Monad.Rec.Loops
- Control.Monad.Resource
- Control.Monad.Resource.Aff.Pool
- Control.Monad.Resource.Class
- Control.Monad.Resource.Internal.Registry
- Control.Monad.Resource.Trans
- Control.Monad.ST
- Control.Monad.ST.Class
- Control.Monad.ST.Global
- Control.Monad.ST.Internal
- Control.Monad.ST.Ref
- Control.Monad.State
- Control.Monad.State.Class
- Control.Monad.State.Trans
- Control.Monad.Trampoline
- Control.Monad.Trans.Class
- Control.Monad.Trans.Control
- Control.Monad.Trans.Unlift
- Control.Monad.VexceptT
- Control.Monad.Writer
- Control.Monad.Writer.Class
- Control.Monad.Writer.Trans
- Control.MonadFix
- Control.MonadPlus
- Control.MonadZero
- Control.MultiAlternative
- Control.Parallel
- Control.Parallel.Class
- Control.Plus
- Control.Promise
- Control.Safely
- Control.Semigroupoid
- Control.ShiftMap
- Control.Subcategory.Adjoint
- Control.Subcategory.Category
- Control.Subcategory.Closed
- Control.Subcategory.ClosedMonoidal
- Control.Subcategory.ClosedSemimonoidal
- Control.Subcategory.Constituency
- Control.Subcategory.Endofunctor
- Control.Subcategory.Endofunctor.Applicative
- Control.Subcategory.Endofunctor.Apply
- Control.Subcategory.Endofunctor.Bind
- Control.Subcategory.Endofunctor.Discard
- Control.Subcategory.Endofunctor.HasApply
- Control.Subcategory.Endofunctor.HasBind
- Control.Subcategory.Endofunctor.HasCompose
- Control.Subcategory.Endofunctor.HasConst
- Control.Subcategory.Endofunctor.HasMap
- Control.Subcategory.Endofunctor.HasPoint
- Control.Subcategory.Endofunctor.HasPure
- Control.Subcategory.Endofunctor.HasUnpoint
- Control.Subcategory.Endofunctor.Monad
- Control.Subcategory.Endofunctor.Parameterized.HasConst
- Control.Subcategory.Functor
- Control.Subcategory.Functor.Discard
- Control.Subcategory.Functor.HasApply
- Control.Subcategory.Functor.HasBind
- Control.Subcategory.Functor.HasConst
- Control.Subcategory.Functor.HasMap
- Control.Subcategory.Functor.HasPure
- Control.Subcategory.Functor.Parameterized.HasConst
- Control.Subcategory.HasCompose
- Control.Subcategory.HasCurriedEval
- Control.Subcategory.HasCurry
- Control.Subcategory.HasIdentity
- Control.Subcategory.HasIntroduce
- Control.Subcategory.HasStart
- Control.Subcategory.HasTJoin
- Control.Subcategory.HasTUnit
- Control.Subcategory.HasTerminate
- Control.Subcategory.HasUncurriedEval
- Control.Subcategory.HasUncurry
- Control.Subcategory.HasUnit
- Control.Subcategory.Monoidal
- Control.Subcategory.Profunctor
- Control.Subcategory.Profunctor.HasDimap
- Control.Subcategory.Relation.Reflexive
- Control.Subcategory.Relation.Symmetric
- Control.Subcategory.Restrictable
- Control.Subcategory.Semigroupoid
- Control.Subcategory.Semimonoidal
- Control.Subcategory.Slackable
- Control.Subcategory.Strength
- Crypto.Scrypt
- Crypto.Subtle.Constants.AES
- Crypto.Subtle.Constants.EC
- Crypto.Subtle.Constants.RSA
- Crypto.Subtle.Encrypt
- Crypto.Subtle.Hash
- Crypto.Subtle.Key.Derive
- Crypto.Subtle.Key.Generate
- Crypto.Subtle.Key.Import
- Crypto.Subtle.Key.Types
- Crypto.Subtle.Key.Wrap
- Crypto.Subtle.Sign
- DOM.HTML.Indexed
- DOM.HTML.Indexed.ButtonType
- DOM.HTML.Indexed.CrossOriginValue
- DOM.HTML.Indexed.DirValue
- DOM.HTML.Indexed.FormMethod
- DOM.HTML.Indexed.InputAcceptType
- DOM.HTML.Indexed.InputType
- DOM.HTML.Indexed.KindValue
- DOM.HTML.Indexed.MenuType
- DOM.HTML.Indexed.MenuitemType
- DOM.HTML.Indexed.OnOff
- DOM.HTML.Indexed.OrderedListType
- DOM.HTML.Indexed.PreloadValue
- DOM.HTML.Indexed.ScopeValue
- DOM.HTML.Indexed.StepValue
- DOM.HTML.Indexed.WrapValue
- Data.Align
- Data.Argonaut
- Data.Argonaut.Core
- Data.Argonaut.Decode
- Data.Argonaut.Decode.Class
- Data.Argonaut.Decode.Combinators
- Data.Argonaut.Decode.Decoders
- Data.Argonaut.Decode.Error
- Data.Argonaut.Decode.Generic
- Data.Argonaut.Decode.Parser
- Data.Argonaut.Encode
- Data.Argonaut.Encode.Class
- Data.Argonaut.Encode.Combinators
- Data.Argonaut.Encode.Encoders
- Data.Argonaut.Encode.Generic
- Data.Argonaut.Gen
- Data.Argonaut.JCursor
- Data.Argonaut.JCursor.Gen
- Data.Argonaut.Parser
- Data.Argonaut.Prisms
- Data.Argonaut.Traversals
- Data.Argonaut.Types.Generic
- Data.Array
- Data.Array.NonEmpty
- Data.Array.NonEmpty.Internal
- Data.Array.Partial
- Data.Array.ST
- Data.Array.ST.Iterator
- Data.Array.ST.Partial
- Data.ArrayBuffer.BIP39
- Data.ArrayBuffer.Types
- Data.Bifoldable
- Data.Bifunctor
- Data.Bifunctor.ApplicativeDo
- Data.Bifunctor.Join
- Data.Bifunctor.Module
- Data.Bifunctor.Monoidal
- Data.Bifunctor.Monoidal.Specialized
- Data.BigInt
- Data.Binary.Base64
- Data.Bitraversable
- Data.Boolean
- Data.BooleanAlgebra
- Data.Bounded
- Data.Bounded.Generic
- Data.ByteString
- Data.ByteString.Encode
- Data.CatList
- Data.CatQueue
- Data.Char
- Data.Char.Gen
- Data.Char.Utils
- Data.CodePoint.Unicode
- Data.CodePoint.Unicode.Internal
- Data.CodePoint.Unicode.Internal.Casing
- Data.Codec
- Data.Codec.Argonaut
- Data.Codec.Argonaut.Common
- Data.Codec.Argonaut.Compat
- Data.Codec.Argonaut.Generic
- Data.Codec.Argonaut.Migration
- Data.Codec.Argonaut.Record
- Data.Codec.Argonaut.Sum
- Data.Codec.Argonaut.Variant
- Data.CommutativeRing
- Data.Compactable
- Data.Comparison
- Data.Complex
- Data.Const
- Data.Coyoneda
- Data.Date
- Data.Date.Component
- Data.Date.Component.Gen
- Data.Date.Gen
- Data.DateTime
- Data.DateTime.Gen
- Data.DateTime.Instant
- Data.Decidable
- Data.Decide
- Data.Decimal
- Data.Digit
- Data.Distributive
- Data.Divide
- Data.Divisible
- Data.DivisionRing
- Data.Either
- Data.Either.Inject
- Data.Either.Nested
- Data.EitherR
- Data.Enum
- Data.Enum.Gen
- Data.Enum.Generic
- Data.Eq
- Data.Eq.Generic
- Data.Equivalence
- Data.EuclideanRing
- Data.Exists
- Data.Field
- Data.Filterable
- Data.Fixed
- Data.Foldable
- Data.FoldableWithIndex
- Data.Foreign.EasyFFI
- Data.FormURLEncoded
- Data.Formatter.DateTime
- Data.Formatter.Internal
- Data.Formatter.Interval
- Data.Formatter.Number
- Data.Formatter.Parser.Interval
- Data.Formatter.Parser.Number
- Data.Formatter.Parser.Utils
- Data.Function
- Data.Function.Memoize
- Data.Function.Uncurried
- Data.Functor
- Data.Functor.App
- Data.Functor.ApplicativeDo
- Data.Functor.Clown
- Data.Functor.Compose
- Data.Functor.Contravariant
- Data.Functor.Coproduct
- Data.Functor.Coproduct.Inject
- Data.Functor.Coproduct.Nested
- Data.Functor.Costar
- Data.Functor.Flip
- Data.Functor.Indexed
- Data.Functor.Invariant
- Data.Functor.Joker
- Data.Functor.Module
- Data.Functor.Monoidal
- Data.Functor.Mu
- Data.Functor.Nested
- Data.Functor.Nu
- Data.Functor.Pairing
- Data.Functor.Pairing.Co
- Data.Functor.Product
- Data.Functor.Product.Nested
- Data.Functor.Product2
- Data.Functor.Singleton
- Data.Functor.Variant
- Data.FunctorWithIndex
- Data.Fuzzy
- Data.Generic.Rep
- Data.Geometry.Plane
- Data.Graph
- Data.GraphQL.AST
- Data.GraphQL.Parser
- Data.Group
- Data.Group.Action
- Data.Group.Free
- Data.HTTP.Method
- Data.HashMap
- Data.HashSet
- Data.Hashable
- Data.HeytingAlgebra
- Data.HeytingAlgebra.Generic
- Data.Homogeneous
- Data.Homogeneous.Record
- Data.Homogeneous.Variant
- Data.HugeInt
- Data.HugeInt.Gen
- Data.HugeNum
- Data.HugeNum.Gen
- Data.Identity
- Data.Indexed
- Data.Int
- Data.Int.Bits
- Data.Interpolate
- Data.Interval
- Data.Interval.Duration
- Data.Interval.Duration.Iso
- Data.JSDate
- Data.Lazy
- Data.Leibniz
- Data.Lens
- Data.Lens.AffineTraversal
- Data.Lens.At
- Data.Lens.Barlow
- Data.Lens.Barlow.Construction
- Data.Lens.Barlow.Generic
- Data.Lens.Barlow.Helpers
- Data.Lens.Barlow.Parser
- Data.Lens.Barlow.Types
- Data.Lens.Common
- Data.Lens.Fold
- Data.Lens.Fold.Partial
- Data.Lens.Getter
- Data.Lens.Grate
- Data.Lens.Index
- Data.Lens.Indexed
- Data.Lens.Internal.Bazaar
- Data.Lens.Internal.Exchange
- Data.Lens.Internal.Focusing
- Data.Lens.Internal.Forget
- Data.Lens.Internal.Grating
- Data.Lens.Internal.Indexed
- Data.Lens.Internal.Market
- Data.Lens.Internal.Re
- Data.Lens.Internal.Shop
- Data.Lens.Internal.Stall
- Data.Lens.Internal.Tagged
- Data.Lens.Internal.Wander
- Data.Lens.Internal.Zipping
- Data.Lens.Iso
- Data.Lens.Iso.Newtype
- Data.Lens.Lens
- Data.Lens.Lens.Product
- Data.Lens.Lens.Tuple
- Data.Lens.Lens.Unit
- Data.Lens.Lens.Void
- Data.Lens.Prism
- Data.Lens.Prism.Coproduct
- Data.Lens.Prism.Either
- Data.Lens.Prism.Maybe
- Data.Lens.Record
- Data.Lens.Setter
- Data.Lens.Traversal
- Data.Lens.Types
- Data.Lens.Zoom
- Data.List
- Data.List.Internal
- Data.List.Lazy
- Data.List.Lazy.NonEmpty
- Data.List.Lazy.Types
- Data.List.NonEmpty
- Data.List.Partial
- Data.List.Types
- Data.List.ZipList
- Data.Log.Filter
- Data.Log.Formatter.JSON
- Data.Log.Formatter.Pretty
- Data.Log.Level
- Data.Log.Message
- Data.Log.Tag
- Data.Long
- Data.Long.Bits
- Data.Long.FFI
- Data.Long.Internal
- Data.Long.Unsigned
- Data.Machine.Mealy
- Data.Map
- Data.Map.Gen
- Data.Map.Internal
- Data.Matrix
- Data.Matrix.Algorithms
- Data.Matrix.Operations
- Data.Matrix.RegularMatrices
- Data.Matrix.Reps
- Data.Matrix.Transformations
- Data.Maybe
- Data.Maybe.First
- Data.Maybe.Last
- Data.MediaType
- Data.MediaType.Common
- Data.Midi
- Data.Midi.Generate
- Data.Midi.Instrument
- Data.Midi.Parser
- Data.Midi.WebMidi
- Data.Monoid
- Data.Monoid.Additive
- Data.Monoid.Alternate
- Data.Monoid.Conj
- Data.Monoid.Disj
- Data.Monoid.Dual
- Data.Monoid.Endo
- Data.Monoid.Generic
- Data.Monoid.Multiplicative
- Data.Natural
- Data.NaturalTransformation
- Data.Newtype
- Data.NonEmpty
- Data.Nullable
- Data.Number
- Data.Number.Approximate
- Data.Number.Format
- Data.Op
- Data.Options
- Data.Options.Nested
- Data.Options.UntaggedUnion
- Data.Ord
- Data.Ord.Down
- Data.Ord.Generic
- Data.Ord.Max
- Data.Ord.Min
- Data.Ordering
- Data.Pair
- Data.Posix
- Data.Posix.Signal
- Data.PreciseDate.Component
- Data.PreciseDateTime
- Data.PreciseDateTime.Internal
- Data.Predicate
- Data.Profunctor
- Data.Profunctor.Choice
- Data.Profunctor.Closed
- Data.Profunctor.Cochoice
- Data.Profunctor.Costrong
- Data.Profunctor.Join
- Data.Profunctor.Split
- Data.Profunctor.Star
- Data.Profunctor.Strong
- Data.RFC3339String
- Data.RFC3339String.Format
- Data.Ratio
- Data.Rational
- Data.Refined
- Data.Refined.Error
- Data.Refined.Internal
- Data.Refined.Predicate
- Data.Result
- Data.Ring
- Data.Ring.Generic
- Data.Ring.Module
- Data.SelectionFoldable
- Data.SelectionFoldableWithData
- Data.Semigroup
- Data.Semigroup.Commutative
- Data.Semigroup.First
- Data.Semigroup.Foldable
- Data.Semigroup.Generic
- Data.Semigroup.Last
- Data.Semigroup.Traversable
- Data.Semiring
- Data.Semiring.Free
- Data.Semiring.Generic
- Data.Set
- Data.Set.NonEmpty
- Data.Set.Ordered
- Data.Show
- Data.Show.Generic
- Data.Sparse.Matrix
- Data.Sparse.Polynomial
- Data.String
- Data.String.Base64
- Data.String.Base64.Internal
- Data.String.CaseInsensitive
- Data.String.CodePoints
- Data.String.CodeUnits
- Data.String.Common
- Data.String.Extra
- Data.String.Gen
- Data.String.HtmlElements
- Data.String.Inflection
- Data.String.NonEmpty
- Data.String.NonEmpty.CaseInsensitive
- Data.String.NonEmpty.CodePoints
- Data.String.NonEmpty.CodeUnits
- Data.String.NonEmpty.Internal
- Data.String.Normalize
- Data.String.Pattern
- Data.String.Read
- Data.String.Regex
- Data.String.Regex.Flags
- Data.String.Regex.Unsafe
- Data.String.Unicode
- Data.String.Unsafe
- Data.String.Utils
- Data.Symbol
- Data.TacitString
- Data.TextDecoder
- Data.TextDecoding
- Data.TextEncoder
- Data.TextEncoding
- Data.These
- Data.These.Gen
- Data.Time
- Data.Time.Component
- Data.Time.Component.Gen
- Data.Time.Duration
- Data.Time.Duration.Gen
- Data.Time.Gen
- Data.Time.PreciseDuration
- Data.Time.PreciseDuration.Format
- Data.Traversable
- Data.Traversable.Accum
- Data.Traversable.Accum.Internal
- Data.TraversableWithIndex
- Data.Tree
- Data.Tree.Zipper
- Data.Trifunctor.ApplicativeDo
- Data.Trifunctor.Module
- Data.Trifunctor.Monoidal
- Data.Tuple
- Data.Tuple.Nested
- Data.TwoOrMore
- Data.Typelevel.Bool
- Data.Typelevel.Num
- Data.Typelevel.Num.Aliases
- Data.Typelevel.Num.Ops
- Data.Typelevel.Num.Reps
- Data.Typelevel.Num.Sets
- Data.Typelevel.Undefined
- Data.UInt
- Data.UInt.Gen
- Data.UUID
- Data.Undefinable
- Data.Undefined.NoProblem
- Data.Undefined.NoProblem.Closed
- Data.Undefined.NoProblem.Open
- Data.UndefinedOr
- Data.Unfoldable
- Data.Unfoldable1
- Data.Unit
- Data.Validation.Semigroup
- Data.Validation.Semiring
- Data.Variant
- Data.Variant.Internal
- Data.Vec
- Data.Vector.Polymorphic
- Data.Vector.Polymorphic.Class
- Data.Vector.Polymorphic.Types
- Data.VectorField
- Data.Veither
- Data.Version
- Data.Version.Haskell
- Data.Version.Internal
- Data.Void
- Data.Witherable
- Data.YAML.Foreign.Decode
- Data.YAML.Foreign.Encode
- Data.Yoneda
- Data.Zipper.ArrayZipper
- Database.ElasticSearch
- Database.ElasticSearch.Bulk
- Database.ElasticSearch.Client
- Database.ElasticSearch.Common
- Database.ElasticSearch.Create
- Database.ElasticSearch.Delete
- Database.ElasticSearch.Get
- Database.ElasticSearch.Index
- Database.ElasticSearch.Indices.Create
- Database.ElasticSearch.Indices.Delete
- Database.ElasticSearch.Internal
- Database.ElasticSearch.Query
- Database.ElasticSearch.Search
- Database.ElasticSearch.Update
- Database.Postgres
- Database.Postgres.SqlValue
- Database.Postgres.Transaction
- Debug
- Dodo
- Dodo.Ansi
- Dodo.Common
- Dodo.Internal
- Dodo.Internal.Buffer
- Dotenv
- Dotenv.Internal.Apply
- Dotenv.Internal.ChildProcess
- Dotenv.Internal.Environment
- Dotenv.Internal.Parse
- Dotenv.Internal.Resolve
- Dotenv.Internal.Types
- DynamicBuffer
- Effect
- Effect.AVar
- Effect.Aff
- Effect.Aff.AVar
- Effect.Aff.Bus
- Effect.Aff.Class
- Effect.Aff.Compat
- Effect.Aff.Retry
- Effect.Class
- Effect.Class.Console
- Effect.Console
- Effect.Exception
- Effect.Exception.Unsafe
- Effect.Now
- Effect.Promise
- Effect.Promise.Console
- Effect.Promise.Nonstandard
- Effect.Promise.Unsafe
- Effect.Random
- Effect.Ref
- Effect.Timer
- Effect.Uncurried
- Effect.Unsafe
- Elmish
- Elmish.Boot
- Elmish.Component
- Elmish.Dispatch
- Elmish.Foreign
- Elmish.HTML
- Elmish.HTML.Generated
- Elmish.HTML.Internal
- Elmish.HTML.Styled
- Elmish.HTML.Styled.Generated
- Elmish.JsCallback
- Elmish.React
- Elmish.React.DOM
- Elmish.React.Import
- Elmish.Ref
- Elmish.State
- Elmish.Trace
- Enzyme
- Enzyme.Full
- Enzyme.Shallow
- Enzyme.Wrapper
- ExitCodes
- ExpectInferred
- FFI.Foreign.JSON
- FFI.Foreign.Object
- FFI.Foreign.Operators
- FFI.Unsafe.Foreign
- Foreign
- Foreign.Class
- Foreign.Generic
- Foreign.Generic.Class
- Foreign.Generic.EnumEncoding
- Foreign.Generic.Internal
- Foreign.Index
- Foreign.Internal.Stringify
- Foreign.JSON
- Foreign.Keys
- Foreign.NullOrUndefined
- Foreign.Object
- Foreign.Object.Gen
- Foreign.Object.ST
- Foreign.Object.ST.Unsafe
- Foreign.Object.Unsafe
- Formless
- Formless.Action
- Formless.Class.Initial
- Formless.Component
- Formless.Data.FormFieldResult
- Formless.Internal.Component
- Formless.Internal.Debounce
- Formless.Internal.Transform
- Formless.Query
- Formless.Retrieve
- Formless.Transform.Record
- Formless.Transform.Row
- Formless.Types.Component
- Formless.Types.Form
- Formless.Validation
- Framer.Motion
- Framer.Motion.Hook
- Framer.Motion.MotionComponent
- Framer.Motion.Types
- GLMatrix
- GLMatrix.Mat2
- GLMatrix.Mat2.Mix
- GLMatrix.Mat2d
- GLMatrix.Mat2d.Mix
- GLMatrix.Mat3
- GLMatrix.Mat3.Mix
- GLMatrix.Mat4
- GLMatrix.Mat4.Mix
- GLMatrix.Quat
- GLMatrix.Quat.Mix
- GLMatrix.Vec2
- GLMatrix.Vec2.Mix
- GLMatrix.Vec3
- GLMatrix.Vec3.Mix
- GLMatrix.Vec4
- GLMatrix.Vec4.Mix
- GitHub.Actions.Cache
- GitHub.Actions.Core
- GitHub.Actions.Exec
- GitHub.Actions.IO
- GitHub.Actions.ToolCache
- Gomtang.Basic
- Grain
- Grain.Class
- Grain.Class.GProxy
- Grain.Class.KGProxy
- Grain.Class.LProxy
- Grain.Internal.Diff
- Grain.Internal.Element
- Grain.Internal.Emitter
- Grain.Internal.Handler
- Grain.Internal.MArray
- Grain.Internal.MMap
- Grain.Internal.MObject
- Grain.Internal.Prop
- Grain.Internal.PropDiff
- Grain.Internal.Ref
- Grain.Internal.SpecialProp
- Grain.Internal.Store
- Grain.Internal.Styler
- Grain.Internal.Util
- Grain.Markup
- Grain.Markup.Element
- Grain.Markup.Handler
- Grain.Markup.Prop
- Grain.Router
- Grain.Router.Parser
- Grain.TypeRef
- Grain.UI
- Grain.Virtualized
- GraphQL.Client.Alias
- GraphQL.Client.Args
- GraphQL.Client.BaseClients.Affjax
- GraphQL.Client.BaseClients.Apollo
- GraphQL.Client.BaseClients.Apollo.ErrorPolicy
- GraphQL.Client.BaseClients.Apollo.FetchPolicy
- GraphQL.Client.BaseClients.Urql
- GraphQL.Client.CodeGen.GetSymbols
- GraphQL.Client.CodeGen.Js
- GraphQL.Client.CodeGen.Lines
- GraphQL.Client.CodeGen.Query
- GraphQL.Client.CodeGen.Schema
- GraphQL.Client.CodeGen.Template.Enum
- GraphQL.Client.CodeGen.Template.Schema
- GraphQL.Client.CodeGen.Types
- GraphQL.Client.ID
- GraphQL.Client.Query
- GraphQL.Client.QueryReturns
- GraphQL.Client.SafeQueryName
- GraphQL.Client.Subscription
- GraphQL.Client.ToGqlString
- GraphQL.Client.Types
- GraphQL.Client.WatchQuery
- GraphQL.Hasura.ComparisonExp
- GraphQL.Hasura.Decode
- GraphQL.Hasura.Encode
- GraphQLClient
- GraphQLClient.Argument
- GraphQLClient.Cyrb53
- GraphQLClient.GraphQLEnum
- GraphQLClient.HTTP
- GraphQLClient.Implementation
- GraphQLClient.Utils
- GraphQLClient.WriteGraphQL
- GraphQLClient.WriteGraphQLHash
- Graphics.Canvas
- Graphics.Drawing
- Graphics.Drawing.Font
- HTTPure
- HTTPure.Body
- HTTPure.Contrib.Biscotti
- HTTPure.Contrib.Biscotti.Middleware
- HTTPure.Contrib.Biscotti.SessionManager
- HTTPure.Headers
- HTTPure.Lookup
- HTTPure.Method
- HTTPure.Middleware
- HTTPure.Path
- HTTPure.Query
- HTTPure.Request
- HTTPure.Response
- HTTPure.Server
- HTTPure.Status
- HTTPure.Utils
- HTTPure.Version
- Halogen
- Halogen.Aff
- Halogen.Aff.Driver
- Halogen.Aff.Driver.Eval
- Halogen.Aff.Driver.State
- Halogen.Aff.Util
- Halogen.Component
- Halogen.Component.Profunctor
- Halogen.Data.OrdBox
- Halogen.Data.Slot
- Halogen.HTML
- Halogen.HTML.CSS
- Halogen.HTML.Core
- Halogen.HTML.Elements
- Halogen.HTML.Elements.Keyed
- Halogen.HTML.Events
- Halogen.HTML.Properties
- Halogen.HTML.Properties.ARIA
- Halogen.Hooks
- Halogen.Hooks.Component
- Halogen.Hooks.Extra.Actions.Events
- Halogen.Hooks.Extra.Hooks
- Halogen.Hooks.Extra.Hooks.UseDebouncer
- Halogen.Hooks.Extra.Hooks.UseEvent
- Halogen.Hooks.Extra.Hooks.UseGet
- Halogen.Hooks.Extra.Hooks.UseStateFn
- Halogen.Hooks.Extra.Hooks.UseThrottle
- Halogen.Hooks.Hook
- Halogen.Hooks.HookM
- Halogen.Hooks.Internal.Eval
- Halogen.Hooks.Internal.Eval.Types
- Halogen.Hooks.Internal.Types
- Halogen.Hooks.Internal.UseHookF
- Halogen.Hooks.Types
- Halogen.Query
- Halogen.Query.ChildQuery
- Halogen.Query.Event
- Halogen.Query.HalogenM
- Halogen.Query.HalogenQ
- Halogen.Query.Input
- Halogen.Store.Connect
- Halogen.Store.Monad
- Halogen.Store.Select
- Halogen.Storybook
- Halogen.Storybook.Proxy
- Halogen.Subscription
- Halogen.Svg.Attributes
- Halogen.Svg.Core
- Halogen.Svg.Elements
- Halogen.Svg.Indexed
- Halogen.Svg.Util
- Halogen.Themes.Bootstrap4
- Halogen.VDom
- Halogen.VDom.DOM
- Halogen.VDom.DOM.Prop
- Halogen.VDom.Driver
- Halogen.VDom.Machine
- Halogen.VDom.Thunk
- Halogen.VDom.Types
- Halogen.VDom.Util
- Heterogeneous.Extrablatt.Rec
- Heterogeneous.Folding
- Heterogeneous.Mapping
- IOQueues
- Identy.Normalizer
- Identy.ObjectMap
- Identy.Populater
- Identy.Selector
- IxQueue
- IxQueue.IOQueues
- IxZeta
- JS.FileIO
- JSURI
- Justifill
- Justifill.Fillable
- Justifill.Justifiable
- Jwt
- Kafka.Consumer
- Kafka.Kafka
- Kafka.Producer
- Kafka.Transaction
- Kafka.Types
- Language.PS.CST
- Language.PS.CST.Printers
- Language.PS.CST.Printers.PrintImports
- Language.PS.CST.Printers.PrintModuleModuleNameAndExports
- Language.PS.CST.Printers.TypeLevel
- Language.PS.CST.Printers.Utils
- Language.PS.CST.ReservedNames
- Language.PS.CST.Sugar.Declaration
- Language.PS.CST.Sugar.Leafs
- Language.PS.CST.Sugar.QualifiedName
- Language.PS.CST.Types.Declaration
- Language.PS.CST.Types.Leafs
- Language.PS.CST.Types.Module
- Language.PS.CST.Types.QualifiedName
- Language.PS.SmartCST
- Language.PS.SmartCST.ProcessModule
- Language.PS.SmartCST.ProcessSmartDeclaration
- Language.PS.SmartCST.ProcessSmartDeclaration.Utils
- Language.PS.SmartCST.Sugar.Declaration
- Language.PS.SmartCST.Types.Declaration
- Language.PS.SmartCST.Types.SmartQualifiedName
- Language.PS.SmartCST.Types.SmartQualifiedNameConstructor
- Literals
- Literals.Boolean
- Literals.Int
- Literals.Literal
- Literals.Null
- Literals.Number
- Literals.String
- Literals.Undefined
- Logs.Pretty
- Makkori
- Math
- Matrix
- Matryoshka
- Matryoshka.Algebra
- Matryoshka.Class.Corecursive
- Matryoshka.Class.Recursive
- Matryoshka.Coalgebra
- Matryoshka.DistributiveLaw
- Matryoshka.Fold
- Matryoshka.Pattern.CoEnvT
- Matryoshka.Refold
- Matryoshka.Transform
- Matryoshka.Unfold
- Matryoshka.Util
- Milkis
- Milkis.Impl
- Milkis.Impl.Node
- Milkis.Impl.Window
- Morello.Morello
- Morello.Morello.Core
- Morello.Morello.Record
- Morello.Morello.Simple
- Morello.Morello.Validated
- MotionValue
- Motsunabe
- MySQL.Connection
- MySQL.Internal
- MySQL.Pool
- MySQL.QueryValue
- MySQL.Transaction
- Network.EventSource
- Network.RemoteData
- Node.BasicAuth
- Node.Buffer
- Node.Buffer.Class
- Node.Buffer.Immutable
- Node.Buffer.Internal
- Node.Buffer.ST
- Node.Buffer.Types
- Node.ChildProcess
- Node.Crypto
- Node.Crypto.Cipher
- Node.Crypto.Decipher
- Node.Crypto.Hash
- Node.Crypto.Hmac
- Node.Encoding
- Node.Express.App
- Node.Express.Handler
- Node.Express.Middleware.CookieParser
- Node.Express.Middleware.Static
- Node.Express.Request
- Node.Express.Response
- Node.Express.Test.Mock
- Node.Express.Types
- Node.FS
- Node.FS.Aff
- Node.FS.Aff.Mkdirp
- Node.FS.Async
- Node.FS.Internal
- Node.FS.Perms
- Node.FS.Stats
- Node.FS.Stream
- Node.FS.Sync
- Node.Globals
- Node.HTTP
- Node.HTTP.Client
- Node.HTTP.Secure
- Node.Net
- Node.Net.Server
- Node.Net.Socket
- Node.Path
- Node.Platform
- Node.Process
- Node.ReadLine
- Node.Simple.Jwt
- Node.Stream
- Node.Systemd.Journald
- Node.URL
- Node.Which
- Node.Yargs
- Node.Yargs.Applicative
- Node.Yargs.Setup
- NodeMailer
- NodeMailer.Attachment
- NodeMailer.AttachmentStream
- Option
- Options.Applicative
- Options.Applicative.BashCompletion
- Options.Applicative.Builder
- Options.Applicative.Builder.Completer
- Options.Applicative.Builder.Internal
- Options.Applicative.Common
- Options.Applicative.Extra
- Options.Applicative.Help
- Options.Applicative.Help.Chunk
- Options.Applicative.Help.Core
- Options.Applicative.Help.Levenshtein
- Options.Applicative.Help.Pretty
- Options.Applicative.Help.Types
- Options.Applicative.Internal
- Options.Applicative.Internal.Utils
- Options.Applicative.Types
- PSCI.Support
- Partial
- Partial.Unsafe
- Pathy
- Pathy.Gen
- Pathy.Name
- Pathy.Parser
- Pathy.Path
- Pathy.Phantom
- Pathy.Printer
- Pathy.Sandboxed
- Performance.Minibench
- Phoenix
- Pipes
- Pipes.Core
- Pipes.Internal
- Pipes.ListT
- Pipes.Prelude
- PointFree
- Prelude
- Prettier.Printer
- Prim
- Prim.Boolean
- Prim.Coerce
- Prim.Ordering
- Prim.Row
- Prim.RowList
- Prim.Symbol
- Prim.TypeError
- Psa
- Psa.Output
- Psa.Printer
- Psa.Printer.Default
- Psa.Printer.Json
- Psa.Types
- Psa.Util
- PscIde
- PscIde.Command
- PscIde.Project
- PscIde.Server
- PureScript.Metadata
- Queue
- Queue.One
- Queue.Types
- Ran
- Random.LCG
- Rave
- React
- React.Basic
- React.Basic.Classic
- React.Basic.Classic.Components.Async
- React.Basic.DOM
- React.Basic.DOM.Components.GlobalEvents
- React.Basic.DOM.Components.Ref
- React.Basic.DOM.Concurrent
- React.Basic.DOM.Events
- React.Basic.DOM.Generated
- React.Basic.DOM.Internal
- React.Basic.DOM.SVG
- React.Basic.DOM.Server
- React.Basic.Emotion
- React.Basic.Events
- React.Basic.Hooks
- React.Basic.Hooks.Aff
- React.Basic.Hooks.ErrorBoundary
- React.Basic.Hooks.Internal
- React.Basic.Hooks.ResetToken
- React.Basic.Hooks.Suspense
- React.Basic.Hooks.Suspense.Store
- React.Basic.ReactDND
- React.Basic.ReactDND.Backends.HTML5Backend
- React.Basic.ReactDND.Backends.TestBackend
- React.Basic.ReactDND.Backends.TouchBackend
- React.Basic.StrictMode
- React.DOM
- React.DOM.Dynamic
- React.DOM.Props
- React.DOM.SVG
- React.DOM.SVG.Dynamic
- React.Halo
- React.Halo.Component
- React.Halo.Internal.Control
- React.Halo.Internal.Eval
- React.Halo.Internal.State
- React.Halo.Internal.Types
- React.Queue
- React.Queue.LifeCycle
- React.Queue.WhileMounted
- React.Ref
- React.Signal
- React.Signal.LifeCycle
- React.Signal.WhileMounted
- React.SyntheticEvent
- React.TestingLibrary
- ReactDOM
- Record
- Record.Builder
- Record.Extra
- Record.ExtraSrghma
- Record.ExtraSrghma.CompareRecord
- Record.ExtraSrghma.FoldlValues
- Record.ExtraSrghma.FoldlValuesWithIndex
- Record.ExtraSrghma.FoldrValues
- Record.ExtraSrghma.FoldrValuesLazy
- Record.ExtraSrghma.FoldrValuesWithIndex
- Record.ExtraSrghma.Keys
- Record.ExtraSrghma.MapIndex
- Record.ExtraSrghma.MapRecord
- Record.ExtraSrghma.MapValuesWithIndex
- Record.ExtraSrghma.ParSequenceRecord
- Record.ExtraSrghma.SequenceRecord
- Record.ExtraSrghma.ValuesToUnfoldableLazy
- Record.ExtraSrghma.ZipRecord
- Record.Unsafe
- Record.Unsafe.Union
- ReduxDevTools
- Resource
- Resource.Unsafe
- Return
- Return.Folds
- Routing
- Routing.Duplex
- Routing.Duplex.Generic
- Routing.Duplex.Generic.Syntax
- Routing.Duplex.Parser
- Routing.Duplex.Printer
- Routing.Duplex.Types
- Routing.Hash
- Routing.Match
- Routing.Match.Error
- Routing.Parser
- Routing.PushState
- Routing.Types
- Row.Class
- Run
- Run.Choose
- Run.Except
- Run.Internal
- Run.Reader
- Run.State
- Run.Writer
- SQLite3
- SQLite3.Internal
- Safe.Coerce
- Select
- Select.Setters
- Signal
- Signal.Aff
- Signal.Channel
- Signal.DOM
- Signal.Effect
- Signal.Time
- Simple.Ajax
- Simple.Ajax.Errors
- Simple.I18n.Translation
- Simple.I18n.Translator
- Simple.JSON
- Simple.ULID
- SimpleEmitter
- Slug
- Snabbdom
- SodiumFRP.Cell
- SodiumFRP.Class
- SodiumFRP.Lambda
- SodiumFRP.Operational
- SodiumFRP.Stream
- SodiumFRP.Transaction
- Spork.App
- Spork.Batch
- Spork.EventQueue
- Spork.Html
- Spork.Html.Core
- Spork.Html.Elements
- Spork.Html.Elements.Keyed
- Spork.Html.Events
- Spork.Html.Properties
- Spork.Interpreter
- Spork.PureApp
- Spork.Scheduler
- Spork.Transition
- Substitute
- Suggest
- Sunde
- Supply
- Test.Abides.Control.Alt
- Test.Abides.Control.Alternative
- Test.Abides.Control.Applicative
- Test.Abides.Control.Apply
- Test.Abides.Control.Bind
- Test.Abides.Control.Category
- Test.Abides.Control.Comonad
- Test.Abides.Control.Extend
- Test.Abides.Control.Monad
- Test.Abides.Control.MonadPlus
- Test.Abides.Control.MonadZero
- Test.Abides.Control.Plus
- Test.Abides.Control.Semigroupoid
- Test.Abides.Data.BooleaneanAlgebra
- Test.Abides.Data.Bounded
- Test.Abides.Data.BoundedEnum
- Test.Abides.Data.CommutativeRing
- Test.Abides.Data.DivisionRing
- Test.Abides.Data.Eq
- Test.Abides.Data.EuclideanRing
- Test.Abides.Data.Foldable
- Test.Abides.Data.Functor
- Test.Abides.Data.HeytingAlgebra
- Test.Abides.Data.Monoid
- Test.Abides.Data.Ord
- Test.Abides.Data.Ring
- Test.Abides.Data.Semigroup
- Test.Abides.Data.Semiring
- Test.Abides.Properties
- Test.Assert
- Test.QuickCheck
- Test.QuickCheck.Arbitrary
- Test.QuickCheck.Combinators
- Test.QuickCheck.Gen
- Test.QuickCheck.Laws
- Test.QuickCheck.Laws.Control
- Test.QuickCheck.Laws.Control.Align
- Test.QuickCheck.Laws.Control.Alignable
- Test.QuickCheck.Laws.Control.Alt
- Test.QuickCheck.Laws.Control.Alternative
- Test.QuickCheck.Laws.Control.Applicative
- Test.QuickCheck.Laws.Control.Apply
- Test.QuickCheck.Laws.Control.Bind
- Test.QuickCheck.Laws.Control.Category
- Test.QuickCheck.Laws.Control.Comonad
- Test.QuickCheck.Laws.Control.Crosswalk
- Test.QuickCheck.Laws.Control.Extend
- Test.QuickCheck.Laws.Control.Monad
- Test.QuickCheck.Laws.Control.MonadPlus
- Test.QuickCheck.Laws.Control.MonadZero
- Test.QuickCheck.Laws.Control.Plus
- Test.QuickCheck.Laws.Control.Semigroupoid
- Test.QuickCheck.Laws.Data
- Test.QuickCheck.Laws.Data.BooleanAlgebra
- Test.QuickCheck.Laws.Data.Bounded
- Test.QuickCheck.Laws.Data.BoundedEnum
- Test.QuickCheck.Laws.Data.CommutativeRing
- Test.QuickCheck.Laws.Data.DivisionRing
- Test.QuickCheck.Laws.Data.Eq
- Test.QuickCheck.Laws.Data.EuclideanRing
- Test.QuickCheck.Laws.Data.Field
- Test.QuickCheck.Laws.Data.Foldable
- Test.QuickCheck.Laws.Data.Functor
- Test.QuickCheck.Laws.Data.FunctorWithIndex
- Test.QuickCheck.Laws.Data.HeytingAlgebra
- Test.QuickCheck.Laws.Data.Monoid
- Test.QuickCheck.Laws.Data.Ord
- Test.QuickCheck.Laws.Data.Ring
- Test.QuickCheck.Laws.Data.Semigroup
- Test.QuickCheck.Laws.Data.Semiring
- Test.QuickCheck.UTF8String
- Test.Spec
- Test.Spec.Assertions
- Test.Spec.Assertions.DOM
- Test.Spec.Assertions.String
- Test.Spec.Console
- Test.Spec.Discovery
- Test.Spec.Mocha
- Test.Spec.QuickCheck
- Test.Spec.Reporter
- Test.Spec.Reporter.Base
- Test.Spec.Reporter.Console
- Test.Spec.Reporter.Dot
- Test.Spec.Reporter.Spec
- Test.Spec.Reporter.Tap
- Test.Spec.Result
- Test.Spec.Runner
- Test.Spec.Runner.Event
- Test.Spec.Speed
- Test.Spec.Style
- Test.Spec.Summary
- Test.Spec.Tree
- Test.Unit
- Test.Unit.Assert
- Test.Unit.Console
- Test.Unit.Main
- Test.Unit.Output.Fancy
- Test.Unit.Output.Simple
- Test.Unit.Output.TAP
- Test.Unit.QuickCheck
- Text.Email.Parser
- Text.Email.Validate
- Text.Format
- Text.Parsing.Applicative.Repetition
- Text.Parsing.Array.Repetition
- Text.Parsing.Char.Hexadecimal
- Text.Parsing.Combinators.Validation
- Text.Parsing.Expect
- Text.Parsing.Indent
- Text.Parsing.Monoid.Repetition
- Text.Parsing.Parser
- Text.Parsing.Parser.Combinators
- Text.Parsing.Parser.Expect
- Text.Parsing.Parser.Expr
- Text.Parsing.Parser.Language
- Text.Parsing.Parser.Pos
- Text.Parsing.Parser.String
- Text.Parsing.Parser.Token
- Text.Parsing.Replace.String
- Text.Parsing.Replace.String.Combinator
- Text.Parsing.String.Hexadecimal
- Text.Parsing.String.Repetition
- Text.Parsing.String.UUID
- Text.Parsing.StringParser
- Text.Parsing.StringParser.CodePoints
- Text.Parsing.StringParser.CodeUnits
- Text.Parsing.StringParser.Combinators
- Text.Parsing.StringParser.Expr
- Text.Prettier
- Text.PrettyPrint.Leijen
- Thermite
- Thermite.DOM
- Toppokki
- Turf.Helpers
- Type.Data.Boolean
- Type.Data.List
- Type.Data.Ordering
- Type.Data.Peano
- Type.Data.Peano.Int
- Type.Data.Peano.Int.Definition
- Type.Data.Peano.Int.Parse
- Type.Data.Peano.Int.TypeAliases
- Type.Data.Peano.Nat
- Type.Data.Peano.Nat.Definition
- Type.Data.Peano.Nat.Parse
- Type.Data.Peano.Nat.TypeAliases
- Type.Data.Row
- Type.Data.RowList
- Type.Data.Symbol
- Type.Equality
- Type.Function
- Type.Prelude
- Type.Proxy
- Type.Quotient
- Type.Row
- Type.Row.Homogeneous
- Type.RowList
- TypedEnv
- URI
- URI.AbsoluteURI
- URI.Authority
- URI.Common
- URI.Extra.MultiHostPortPair
- URI.Extra.QueryPairs
- URI.Extra.UserPassInfo
- URI.Fragment
- URI.HierarchicalPart
- URI.Host
- URI.Host.Gen
- URI.Host.IPv4Address
- URI.Host.IPv6Address
- URI.Host.RegName
- URI.HostPortPair
- URI.HostPortPair.Gen
- URI.Path
- URI.Path.Absolute
- URI.Path.NoScheme
- URI.Path.Rootless
- URI.Path.Segment
- URI.Port
- URI.Port.Gen
- URI.Query
- URI.RelativePart
- URI.RelativeRef
- URI.Scheme
- URI.Scheme.Common
- URI.URI
- URI.URIRef
- URI.UserInfo
- Undefined
- Unsafe.Coerce
- Unsafe.Reference
- Untagged.Castable
- Untagged.TypeCheck
- Untagged.Union
- UrlRegexSafe
- Web.Bower.PackageMeta
- Web.CSSOM
- Web.CSSOM.CSSStyleDeclaration
- Web.CSSOM.ElementCSSInlineStyle
- Web.CSSOM.Internal.Types
- Web.CSSOM.MouseEvent
- Web.Clipboard.ClipboardEvent
- Web.Clipboard.ClipboardEvent.EventTypes
- Web.DOM
- Web.DOM.CSSStyleSheet
- Web.DOM.CharacterData
- Web.DOM.ChildNode
- Web.DOM.Comment
- Web.DOM.DOMParser
- Web.DOM.DOMTokenList
- Web.DOM.Document
- Web.DOM.Document.XPath
- Web.DOM.Document.XPath.ResultType
- Web.DOM.DocumentFragment
- Web.DOM.DocumentType
- Web.DOM.Element
- Web.DOM.HTMLCollection
- Web.DOM.Internal.Types
- Web.DOM.MutationObserver
- Web.DOM.MutationRecord
- Web.DOM.Node
- Web.DOM.NodeList
- Web.DOM.NodeType
- Web.DOM.NonDocumentTypeChildNode
- Web.DOM.NonElementParentNode
- Web.DOM.ParentNode
- Web.DOM.ProcessingInstruction
- Web.DOM.ShadowRoot
- Web.DOM.StyleSheetList
- Web.DOM.Text
- Web.DOM.XMLSerializer
- Web.DownloadJs
- Web.Encoding.TextDecoder
- Web.Encoding.TextEncoder
- Web.Encoding.UtfLabel
- Web.Event.CustomEvent
- Web.Event.Event
- Web.Event.EventPhase
- Web.Event.EventTarget
- Web.Event.Internal.Types
- Web.Fetch
- Web.Fetch.AbortController
- Web.Fetch.Headers
- Web.Fetch.Integrity
- Web.Fetch.Referrer
- Web.Fetch.ReferrerPolicy
- Web.Fetch.Request
- Web.Fetch.RequestBody
- Web.Fetch.RequestCache
- Web.Fetch.RequestCredentials
- Web.Fetch.RequestMode
- Web.Fetch.RequestRedirect
- Web.Fetch.Response
- Web.File.Blob
- Web.File.File
- Web.File.FileList
- Web.File.FileReader
- Web.File.FileReader.Aff
- Web.File.FileReader.ReadyState
- Web.File.Url
- Web.HTML
- Web.HTML.Common
- Web.HTML.Event.BeforeUnloadEvent
- Web.HTML.Event.BeforeUnloadEvent.EventTypes
- Web.HTML.Event.DataTransfer
- Web.HTML.Event.DragEvent
- Web.HTML.Event.DragEvent.EventTypes
- Web.HTML.Event.ErrorEvent
- Web.HTML.Event.EventTypes
- Web.HTML.Event.HashChangeEvent
- Web.HTML.Event.HashChangeEvent.EventTypes
- Web.HTML.Event.PageTransitionEvent
- Web.HTML.Event.PageTransitionEvent.EventTypes
- Web.HTML.Event.PopStateEvent
- Web.HTML.Event.PopStateEvent.EventTypes
- Web.HTML.Event.TrackEvent
- Web.HTML.Event.TrackEvent.EventTypes
- Web.HTML.HTMLAnchorElement
- Web.HTML.HTMLAreaElement
- Web.HTML.HTMLAudioElement
- Web.HTML.HTMLBRElement
- Web.HTML.HTMLBaseElement
- Web.HTML.HTMLBodyElement
- Web.HTML.HTMLButtonElement
- Web.HTML.HTMLCanvasElement
- Web.HTML.HTMLDListElement
- Web.HTML.HTMLDataElement
- Web.HTML.HTMLDataListElement
- Web.HTML.HTMLDivElement
- Web.HTML.HTMLDocument
- Web.HTML.HTMLDocument.ReadyState
- Web.HTML.HTMLElement
- Web.HTML.HTMLEmbedElement
- Web.HTML.HTMLFieldSetElement
- Web.HTML.HTMLFormElement
- Web.HTML.HTMLHRElement
- Web.HTML.HTMLHeadElement
- Web.HTML.HTMLHeadingElement
- Web.HTML.HTMLHyperlinkElementUtils
- Web.HTML.HTMLIFrameElement
- Web.HTML.HTMLImageElement
- Web.HTML.HTMLImageElement.CORSMode
- Web.HTML.HTMLImageElement.DecodingHint
- Web.HTML.HTMLImageElement.Laziness
- Web.HTML.HTMLInputElement
- Web.HTML.HTMLKeygenElement
- Web.HTML.HTMLLIElement
- Web.HTML.HTMLLabelElement
- Web.HTML.HTMLLegendElement
- Web.HTML.HTMLLinkElement
- Web.HTML.HTMLMapElement
- Web.HTML.HTMLMediaElement
- Web.HTML.HTMLMediaElement.CanPlayType
- Web.HTML.HTMLMediaElement.NetworkState
- Web.HTML.HTMLMediaElement.ReadyState
- Web.HTML.HTMLMetaElement
- Web.HTML.HTMLMeterElement
- Web.HTML.HTMLModElement
- Web.HTML.HTMLOListElement
- Web.HTML.HTMLObjectElement
- Web.HTML.HTMLOptGroupElement
- Web.HTML.HTMLOptionElement
- Web.HTML.HTMLOutputElement
- Web.HTML.HTMLParagraphElement
- Web.HTML.HTMLParamElement
- Web.HTML.HTMLPreElement
- Web.HTML.HTMLProgressElement
- Web.HTML.HTMLQuoteElement
- Web.HTML.HTMLScriptElement
- Web.HTML.HTMLSelectElement
- Web.HTML.HTMLSourceElement
- Web.HTML.HTMLSpanElement
- Web.HTML.HTMLStyleElement
- Web.HTML.HTMLTableCaptionElement
- Web.HTML.HTMLTableCellElement
- Web.HTML.HTMLTableColElement
- Web.HTML.HTMLTableDataCellElement
- Web.HTML.HTMLTableElement
- Web.HTML.HTMLTableHeaderCellElement
- Web.HTML.HTMLTableRowElement
- Web.HTML.HTMLTableSectionElement
- Web.HTML.HTMLTemplateElement
- Web.HTML.HTMLTextAreaElement
- Web.HTML.HTMLTimeElement
- Web.HTML.HTMLTitleElement
- Web.HTML.HTMLTrackElement
- Web.HTML.HTMLTrackElement.ReadyState
- Web.HTML.HTMLUListElement
- Web.HTML.HTMLVideoElement
- Web.HTML.History
- Web.HTML.Location
- Web.HTML.Navigator
- Web.HTML.SelectionMode
- Web.HTML.ValidityState
- Web.HTML.Window
- Web.Internal.FFI
- Web.Promise
- Web.Promise.Internal
- Web.Promise.Lazy
- Web.Promise.Rejection
- Web.ResizeObserver
- Web.Socket.BinaryType
- Web.Socket.Event.CloseEvent
- Web.Socket.Event.EventTypes
- Web.Socket.Event.MessageEvent
- Web.Socket.ReadyState
- Web.Socket.WebSocket
- Web.Storage.Event.StorageEvent
- Web.Storage.Storage
- Web.Streams.QueuingStrategy
- Web.Streams.ReadableStream
- Web.Streams.ReadableStreamController
- Web.Streams.Reader
- Web.Streams.Source
- Web.TouchEvent
- Web.TouchEvent.EventTypes
- Web.TouchEvent.Touch
- Web.TouchEvent.TouchEvent
- Web.TouchEvent.TouchList
- Web.UIEvent.CompositionEvent
- Web.UIEvent.CompositionEvent.EventTypes
- Web.UIEvent.EventTypes
- Web.UIEvent.FocusEvent
- Web.UIEvent.FocusEvent.EventTypes
- Web.UIEvent.InputEvent
- Web.UIEvent.InputEvent.EventTypes
- Web.UIEvent.KeyboardEvent
- Web.UIEvent.KeyboardEvent.EventTypes
- Web.UIEvent.MouseEvent
- Web.UIEvent.MouseEvent.EventTypes
- Web.UIEvent.UIEvent
- Web.UIEvent.WheelEvent
- Web.UIEvent.WheelEvent.EventTypes
- Web.XHR.EventTypes
- Web.XHR.FormData
- Web.XHR.ProgressEvent
- Web.XHR.ReadyState
- Web.XHR.ResponseType
- Web.XHR.XMLHttpRequest
- Web.XHR.XMLHttpRequestUpload
- Which
- Zeta
- Zeta.Compat
- Zeta.DOM
- Zeta.Extra
- Zeta.Time
- Zeta.Types