{-# LANGUAGE FlexibleContexts #-} {-# LANGUAGE MultiWayIf #-} {-# LANGUAGE TypeFamilies #-} {- (c) The University of Glasgow 2006 (c) The GRASP/AQUA Project, Glasgow University, 1992-1998 Pattern-matching bindings (HsBinds and MonoBinds) Handles @HsBinds@; those at the top level require different handling, in that the @Rec@/@NonRec@/etc structure is thrown away (whereas at lower levels it is preserved with @let@/@letrec@s). -} module GHC.HsToCore.Binds ( dsTopLHsBinds, dsLHsBinds , dsImpSpecs, decomposeRuleLhs , dsHsWrapper, dsHsWrappers , dsEvTerm, dsTcEvBinds, dsTcEvBinds_s, dsEvBinds , dsWarnOrphanRule ) where import GHC.Prelude import GHC.Driver.DynFlags import GHC.Driver.Config import qualified GHC.LanguageExtensions as LangExt import GHC.Unit.Module import {-# SOURCE #-} GHC.HsToCore.Expr ( dsLExpr ) import {-# SOURCE #-} GHC.HsToCore.Match ( matchWrapper ) import GHC.HsToCore.Pmc.Utils( tracePm ) import GHC.HsToCore.Monad import GHC.HsToCore.Errors.Types import GHC.HsToCore.GuardedRHSs import GHC.HsToCore.Utils import GHC.HsToCore.Pmc ( addTyCs, pmcGRHSs ) import GHC.Hs -- lots of things import GHC.Core -- lots of things import GHC.Core.SimpleOpt import GHC.Core.Opt.OccurAnal ( occurAnalyseExpr ) import GHC.Core.InstEnv ( CanonicalEvidence(..) ) import GHC.Core.Make import GHC.Core.Utils import GHC.Core.Opt.Arity ( etaExpand ) import GHC.Core.Unfold.Make import GHC.Core.FVs import GHC.Core.Predicate import GHC.Core.TyCon import GHC.Core.Type import GHC.Core.Coercion import GHC.Core.Rules import GHC.Core.Ppr( pprCoreBinders ) import GHC.Core.TyCo.Compare( eqType ) import GHC.Builtin.Names import GHC.Builtin.Types ( naturalTy, typeSymbolKind, charTy ) import GHC.Tc.Types.Evidence import GHC.Types.Id import GHC.Types.Id.Info import GHC.Types.Name import GHC.Types.Var.Set import GHC.Types.Var.Env import GHC.Types.Var( EvVar, mkLocalVar ) import GHC.Types.SrcLoc import GHC.Types.Basic import GHC.Types.Unique.Set( nonDetEltsUniqSet ) import GHC.Data.Maybe import GHC.Data.OrdList import GHC.Data.Graph.Directed import GHC.Data.Bag import GHC.Utils.Constants (debugIsOn) import GHC.Utils.Misc import GHC.Utils.Monad import GHC.Utils.Outputable import GHC.Utils.Panic import Control.Monad {-********************************************************************** * * Desugaring a MonoBinds * * **********************************************************************-} -- | Desugar top level binds, strict binds are treated like normal -- binds since there is no good time to force before first usage. dsTopLHsBinds :: LHsBinds GhcTc -> DsM (OrdList (Id,CoreExpr)) dsTopLHsBinds binds -- see Note [Strict binds checks] | not (null unlifted_binds) || not (null bang_binds) = do { mapM_ (top_level_err UnliftedTypeBinds) unlifted_binds ; mapM_ (top_level_err StrictBinds) bang_binds ; return nilOL } | otherwise = do { (force_vars, prs) <- dsLHsBinds binds ; when debugIsOn $ do { xstrict <- xoptM LangExt.Strict ; massertPpr (null force_vars || xstrict) (ppr binds $$ ppr force_vars) } -- with -XStrict, even top-level vars are listed as force vars. ; return (toOL prs) } where unlifted_binds = filter (isUnliftedHsBind . unLoc) binds bang_binds = filter (isBangedHsBind . unLoc) binds top_level_err bindsType (L loc bind) = putSrcSpanDs (locA loc) $ diagnosticDs (DsTopLevelBindsNotAllowed bindsType bind) {- Note [Return non-recursive bindings in dependency order] ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ For recursive bindings, the desugarer has no choice: it returns a single big Rec{...} group. But for /non-recursive/ bindings, the desugarer guarantees to desugar them to a sequence of non-recurive Core bindings, in dependency order. Why is this important? Partly it saves a bit of work in the first run of the occurrence analyser. But more importantly, for linear types, non-recursive lets can be linear whereas recursive-let can't. Since we check the output of the desugarer for linearity (see also Note [Linting linearity]), desugaring non-recursive lets to recursive lets would break linearity checks. An alternative is to refine the typing rule for recursive lets so that we don't have to care (see in particular #23218 and #18694), but the outcome of this line of work is still unclear. In the meantime, being a little precise in the desugarer is cheap. (paragraph written on 2023-06-09) In dsLHSBinds (and dependencies), a single binding can be desugared to multiple bindings. For instance because the source binding has the {-# SPECIALIZE #-} pragma. In: f _ = … where {-# SPECIALIZE g :: F Int -> F Int #-} g :: C a => F a -> F a g _ = … The g binding desugars to let { $sg = … } in g [RULES: "SPEC g" g @Int $dC = $sg] g = … In order to avoid generating a letrec that will immediately be reordered, we make sure to return the binding in dependency order [$sg, g]. -} -- | Desugar all other kind of bindings, Ids of strict binds are returned to -- later be forced in the binding group body, see Note [Desugar Strict binds] -- -- Invariant: the desugared bindings are returned in dependency order, -- see Note [Return non-recursive bindings in dependency order] dsLHsBinds :: LHsBinds GhcTc -> DsM ([Id], [(Id,CoreExpr)]) dsLHsBinds binds = do { ds_bs <- mapM dsLHsBind binds ; return (foldr (\(a, a') (b, b') -> (a ++ b, a' ++ b')) ([], []) ds_bs) } ------------------------ dsLHsBind :: LHsBind GhcTc -> DsM ([Id], [(Id,CoreExpr)]) dsLHsBind (L loc bind) = do dflags <- getDynFlags putSrcSpanDs (locA loc) $ dsHsBind dflags bind -- | Desugar a single binding (or group of recursive binds). -- -- Invariant: the desugared bindings are returned in dependency order, -- see Note [Return non-recursive bindings in dependency order] dsHsBind :: DynFlags -> HsBind GhcTc -> DsM ([Id], [(Id,CoreExpr)]) -- ^ The Ids of strict binds, to be forced in the body of the -- binding group see Note [Desugar Strict binds] and all -- bindings and their desugared right hand sides. dsHsBind dflags (VarBind { var_id = var , var_rhs = expr }) = do { core_expr <- dsLExpr expr -- Dictionary bindings are always VarBinds, -- so we only need do this here ; let core_bind@(id,_) = makeCorePair dflags var False 0 core_expr force_var = if xopt LangExt.Strict dflags then [id] else [] ; return (force_var, [core_bind]) } dsHsBind dflags b@(FunBind { fun_id = L loc fun , fun_matches = matches , fun_ext = (co_fn, tick) }) = dsHsWrapper co_fn $ \core_wrap -> do { (args, body) <- matchWrapper (mkPrefixFunRhs (L loc (idName fun)) noAnn) Nothing matches ; let body' = mkOptTickBox tick body rhs = core_wrap (mkLams args body') core_binds@(id,_) = makeCorePair dflags fun False 0 rhs force_var -- Bindings are strict when -XStrict is enabled | xopt LangExt.Strict dflags , matchGroupArity matches == 0 -- no need to force lambdas = [id] | isBangedHsBind b = [id] | otherwise = [] ; --pprTrace "dsHsBind" (vcat [ ppr fun <+> ppr (idInlinePragma fun) -- , ppr (mg_alts matches) -- , ppr args, ppr core_binds, ppr body']) $ return (force_var, [core_binds]) } dsHsBind dflags (PatBind { pat_lhs = pat, pat_rhs = grhss , pat_ext = (ty, (rhs_tick, var_ticks)) }) = do { rhss_nablas <- pmcGRHSs PatBindGuards grhss ; body_expr <- dsGuarded grhss ty rhss_nablas ; let body' = mkOptTickBox rhs_tick body_expr pat' = decideBangHood dflags pat ; (force_var,sel_binds) <- mkSelectorBinds var_ticks pat PatBindRhs body' -- We silently ignore inline pragmas; no makeCorePair -- Not so cool, but really doesn't matter ; let force_var' = if isBangedLPat pat' then [force_var] else [] ; return (force_var', sel_binds) } dsHsBind dflags (XHsBindsLR (AbsBinds { abs_tvs = tyvars, abs_ev_vars = dicts , abs_exports = exports , abs_ev_binds = ev_binds , abs_binds = binds, abs_sig = has_sig })) = addTyCs FromSource (listToBag dicts) $ -- addTyCs: push type constraints deeper -- for inner pattern match check -- See Check, Note [Long-distance information] dsTcEvBinds_s ev_binds $ \ds_ev_binds -> do do { ds_binds <- dsLHsBinds binds -- dsAbsBinds does the hard work ; dsAbsBinds dflags tyvars dicts exports ds_ev_binds ds_binds (isSingleton binds) has_sig } dsHsBind _ (PatSynBind{}) = panic "dsHsBind: PatSynBind" ----------------------- dsAbsBinds :: DynFlags -> [TyVar] -> [EvVar] -> [ABExport] -> [CoreBind] -- Desugared evidence bindings -> ([Id], [(Id,CoreExpr)]) -- Desugared value bindings -> Bool -- Single source binding -> Bool -- Single binding with signature -> DsM ([Id], [(Id,CoreExpr)]) dsAbsBinds dflags tyvars dicts exports ds_ev_binds (force_vars, bind_prs) is_singleton has_sig -- A very important common case: one exported variable -- Non-recursive bindings come through this way -- So do self-recursive bindings -- gbl_id = wrap (/\tvs \dicts. let ev_binds -- letrec bind_prs -- in lcl_id) | [export] <- exports , ABE { abe_poly = global_id, abe_mono = local_id , abe_wrap = wrap, abe_prags = prags } <- export , Just force_vars' <- case force_vars of [] -> Just [] [v] | v == local_id -> Just [global_id] _ -> Nothing -- If there is a variable to force, it's just the -- single variable we are binding here = do { dsHsWrapper wrap $ \core_wrap -> do -- Usually the identity { let rhs = core_wrap $ mkLams tyvars $ mkLams dicts $ mkCoreLets ds_ev_binds $ body body | has_sig , [(_, lrhs)] <- bind_prs = lrhs | otherwise = mkLetRec bind_prs (Var local_id) ; (spec_binds, rules) <- dsSpecs rhs prags ; let global_id' = addIdSpecialisations global_id rules main_bind = makeCorePair dflags global_id' (isDefaultMethod prags) (dictArity dicts) rhs ; return (force_vars', fromOL spec_binds ++ [main_bind]) } } -- Another common case: no tyvars, no dicts -- In this case we can have a much simpler desugaring -- lcl_id{inl-prag} = rhs -- Auxiliary binds -- gbl_id = lcl_id |> co -- Main binds -- -- See Note [The no-tyvar no-dict case] | null tyvars, null dicts = do { let wrap_first_bind f ((main, main_rhs):other_binds) = ((main, f main_rhs):other_binds) wrap_first_bind _ [] = panic "dsAbsBinds received an empty binding list" mk_main :: ABExport -> DsM (Id, CoreExpr) mk_main (ABE { abe_poly = gbl_id, abe_mono = lcl_id , abe_wrap = wrap }) -- No SpecPrags (no dicts) -- Can't be a default method (default methods are singletons) = do { dsHsWrapper wrap $ \core_wrap -> do { return ( gbl_id `setInlinePragma` defaultInlinePragma , core_wrap (Var lcl_id)) } } ; main_prs <- mapM mk_main exports ; let bind_prs' = map mk_aux_bind bind_prs -- When there's a single source binding, we wrap the evidence binding in a -- separate let-rec (DSB1) inside the first desugared binding (DSB2). -- See Note [The no-tyvar no-dict case]. final_prs | is_singleton = wrap_first_bind (mkCoreLets ds_ev_binds) bind_prs' | otherwise = flattenBinds ds_ev_binds ++ bind_prs' ; return (force_vars, final_prs ++ main_prs ) } -- The general case -- See Note [Desugaring AbsBinds] | otherwise = do { let aux_binds = Rec (map mk_aux_bind bind_prs) -- Monomorphic recursion possible, hence Rec new_force_vars = get_new_force_vars force_vars locals = map abe_mono exports all_locals = locals ++ new_force_vars tup_expr = mkBigCoreVarTup all_locals tup_ty = exprType tup_expr ; let poly_tup_rhs = mkLams tyvars $ mkLams dicts $ mkCoreLets ds_ev_binds $ mkLet aux_binds $ tup_expr ; poly_tup_id <- newSysLocalMDs (exprType poly_tup_rhs) -- Find corresponding global or make up a new one: sometimes -- we need to make new export to desugar strict binds, see -- Note [Desugar Strict binds] ; (exported_force_vars, extra_exports) <- get_exports force_vars ; let mk_bind (ABE { abe_wrap = wrap , abe_poly = global , abe_mono = local, abe_prags = spec_prags }) -- See Note [ABExport wrapper] in "GHC.Hs.Binds" = do { tup_id <- newSysLocalMDs tup_ty ; dsHsWrapper wrap $ \core_wrap -> do { let rhs = core_wrap $ mkLams tyvars $ mkLams dicts $ mkBigTupleSelector all_locals local tup_id $ mkVarApps (Var poly_tup_id) (tyvars ++ dicts) rhs_for_spec = Let (NonRec poly_tup_id poly_tup_rhs) rhs ; (spec_binds, rules) <- dsSpecs rhs_for_spec spec_prags ; let global' = (global `setInlinePragma` defaultInlinePragma) `addIdSpecialisations` rules -- Kill the INLINE pragma because it applies to -- the user written (local) function. The global -- Id is just the selector. Hmm. ; return (fromOL spec_binds ++ [(global', rhs)]) } } ; export_binds_s <- mapM mk_bind (exports ++ extra_exports) ; return ( exported_force_vars , (poly_tup_id, poly_tup_rhs) : concat export_binds_s) } where mk_aux_bind :: (Id,CoreExpr) -> (Id,CoreExpr) mk_aux_bind (lcl_id, rhs) = let lcl_w_inline = lookupVarEnv inline_env lcl_id `orElse` lcl_id in makeCorePair dflags lcl_w_inline False 0 rhs inline_env :: IdEnv Id -- Maps a monomorphic local Id to one with -- the inline pragma from the source -- The type checker put the inline pragma -- on the *global* Id, so we need to transfer it inline_env = mkVarEnv [ (lcl_id, setInlinePragma lcl_id prag) | ABE { abe_mono = lcl_id, abe_poly = gbl_id } <- exports , let prag = idInlinePragma gbl_id ] global_env :: IdEnv Id -- Maps local Id to its global exported Id global_env = mkVarEnv [ (local, global) | ABE { abe_mono = local, abe_poly = global } <- exports ] -- find variables that are not exported get_new_force_vars lcls = foldr (\lcl acc -> case lookupVarEnv global_env lcl of Just _ -> acc Nothing -> lcl:acc) [] lcls -- find exports or make up new exports for force variables get_exports :: [Id] -> DsM ([Id], [ABExport]) get_exports lcls = foldM (\(glbls, exports) lcl -> case lookupVarEnv global_env lcl of Just glbl -> return (glbl:glbls, exports) Nothing -> do export <- mk_export lcl let glbl = abe_poly export return (glbl:glbls, export:exports)) ([],[]) lcls mk_export local = do global <- newSysLocalMDs (exprType (mkLams tyvars (mkLams dicts (Var local)))) return (ABE { abe_poly = global , abe_mono = local , abe_wrap = WpHole , abe_prags = SpecPrags [] }) -- | This is where we apply INLINE and INLINABLE pragmas. All we need to -- do is to attach the unfolding information to the Id. -- -- Other decisions about whether to inline are made in -- `calcUnfoldingGuidance` but the decision about whether to then expose -- the unfolding in the interface file is made in `GHC.Iface.Tidy.addExternal` -- using this information. ------------------------ makeCorePair :: DynFlags -> Id -> Bool -> Arity -> CoreExpr -> (Id, CoreExpr) makeCorePair dflags gbl_id is_default_method dict_arity rhs | is_default_method -- Default methods are *always* inlined -- See Note [INLINE and default methods] in GHC.Tc.TyCl.Instance = (gbl_id `setIdUnfolding` mkCompulsoryUnfolding' simpl_opts rhs, rhs) | otherwise = case inlinePragmaSpec inline_prag of NoUserInlinePrag -> (gbl_id, rhs) NoInline {} -> (gbl_id, rhs) Opaque {} -> (gbl_id, rhs) Inlinable {} -> (gbl_id `setIdUnfolding` inlinable_unf, rhs) Inline {} -> inline_pair where simpl_opts = initSimpleOpts dflags inline_prag = idInlinePragma gbl_id inlinable_unf = mkInlinableUnfolding simpl_opts StableUserSrc rhs inline_pair | Just arity <- inlinePragmaSat inline_prag -- Add an Unfolding for an INLINE (but not for NOINLINE) -- And eta-expand the RHS; see Note [Eta-expanding INLINE things] , let real_arity = dict_arity + arity -- NB: The arity passed to mkInlineUnfoldingWithArity -- must take account of the dictionaries = ( gbl_id `setIdUnfolding` mkInlineUnfoldingWithArity simpl_opts StableUserSrc real_arity rhs , etaExpand real_arity rhs) | otherwise = pprTrace "makeCorePair: arity missing" (ppr gbl_id) $ (gbl_id `setIdUnfolding` mkInlineUnfoldingNoArity simpl_opts StableUserSrc rhs, rhs) dictArity :: [Var] -> Arity -- Don't count coercion variables in arity dictArity dicts = count isId dicts {- Note [Desugaring AbsBinds] ~~~~~~~~~~~~~~~~~~~~~~~~~~ In the general AbsBinds case we desugar the binding to this: tup a (d:Num a) = let fm = ...gm... gm = ...fm... in (fm,gm) f a d = case tup a d of { (fm,gm) -> fm } g a d = case tup a d of { (fm,gm) -> fm } Note [Rules and inlining] ~~~~~~~~~~~~~~~~~~~~~~~~~ Common special case: no type or dictionary abstraction This is a bit less trivial than you might suppose The naive way would be to desugar to something like f_lcl = ...f_lcl... -- The "binds" from AbsBinds M.f = f_lcl -- Generated from "exports" But we don't want that, because if M.f isn't exported, it'll be inlined unconditionally at every call site (its rhs is trivial). That would be ok unless it has RULES, which would thereby be completely lost. Bad, bad, bad. Instead we want to generate M.f = ...f_lcl... f_lcl = M.f Now all is cool. The RULES are attached to M.f (by SimplCore), and f_lcl is rapidly inlined away. This does not happen in the same way to polymorphic binds, because they desugar to M.f = /\a. let f_lcl = ...f_lcl... in f_lcl Although I'm a bit worried about whether full laziness might float the f_lcl binding out and then inline M.f at its call site Note [Specialising in no-dict case] ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ Even if there are no tyvars or dicts, we may have specialisation pragmas. Class methods can generate AbsBinds [] [] [( ... spec-prag] { AbsBinds [tvs] [dicts] ...blah } So the overloading is in the nested AbsBinds. A good example is in GHC.Float: class (Real a, Fractional a) => RealFrac a where round :: (Integral b) => a -> b instance RealFrac Float where {-# SPECIALIZE round :: Float -> Int #-} The top-level AbsBinds for $cround has no tyvars or dicts (because the instance does not). But the method is locally overloaded! Note [The no-tyvar no-dict case] ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ Suppose we are desugaring AbsBinds { tyvars = [] , dicts = [] , exports = [ ABE f fm, ABE g gm ] , binds = B , ev_binds = EB } That is: no type variables or dictionary abstractions. Here, `f` and `fm` are the polymorphic and monomorphic versions of `f`; in this special case they will both have the same type. Specialising Note [Desugaring AbsBinds] for this case gives the desugaring tup = letrec EB' in letrec B' in (fm,gm) f = case tup of { (fm,gm) -> fm } g = case tup of { (fm,gm) -> fm } where B' is the result of desugaring B. This desugaring is a little silly: we don't need the intermediate tuple (contrast with the general case where fm and f have different types). So instead, in this case, we desugar to EB'; B'; f=fm; g=gm This is done in the `null tyvars, null dicts` case of `dsAbsBinds`. But there is a wrinkle (DSB1). If the original binding group was /non-recursive/, we want to return a bunch of non-recursive bindings in dependency order: see Note [Return non-recursive bindings in dependency order]. But there is no guarantee that EB', the desugared evidence bindings, will be non-recursive. Happily, in the non-recursive case, B will have just a single binding (f = rhs), so we can wrap EB' around its RHS, thus: fm = letrec EB' in rhs; f = fm There is a sub-wrinkle (DSB2). If B is a /pattern/ bindings, it will desugar to a "main" binding followed by a bunch of selectors. The main binding always comes first, so we can pick it out and wrap EB' around its RHS. For example AbsBinds { tyvars = [] , dicts = [] , exports = [ ABE p pm, ABE q qm ] , binds = PatBind (pm, Just qm) rhs , ev_binds = EB } can desguar to pt = let EB' in case rhs of (pm,Just qm) -> (pm,qm) pm = case pt of (pm,qm) -> pm qm = case pt of (pm,qm) -> qm p = pm q = qm The first three bindings come from desugaring the PatBind, and subsequently wrapping the RHS of the main binding in EB'. Why got to this trouble? It's a common case, and it removes the quadratic-sized tuple desugaring. Less clutter, hopefully faster compilation, especially in a case where there are a *lot* of bindings. Note [Eta-expanding INLINE things] ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ Consider foo :: Eq a => a -> a {-# INLINE foo #-} foo x = ... If (foo d) ever gets floated out as a common sub-expression (which can happen as a result of method sharing), there's a danger that we never get to do the inlining, which is a Terribly Bad thing given that the user said "inline"! To avoid this we preemptively eta-expand the definition, so that foo has the arity with which it is declared in the source code. In this example it has arity 2 (one for the Eq and one for x). Doing this should mean that (foo d) is a PAP and we don't share it. Note [Nested arities] ~~~~~~~~~~~~~~~~~~~~~ For reasons that are not entirely clear, method bindings come out looking like this: AbsBinds [] [] [$cfromT <= [] fromT] $cfromT [InlPrag=INLINE] :: T Bool -> Bool { AbsBinds [] [] [fromT <= [] fromT_1] fromT :: T Bool -> Bool { fromT_1 ((TBool b)) = not b } } } Note the nested AbsBind. The arity for the unfolding on $cfromT should be gotten from the binding for fromT_1. It might be better to have just one level of AbsBinds, but that requires more thought! Note [Desugar Strict binds] ~~~~~~~~~~~~~~~~~~~~~~~~~~~ See https://gitlab.haskell.org/ghc/ghc/wikis/strict-pragma Desugaring strict variable bindings looks as follows (core below ==>) let !x = rhs in body ==> let x = rhs in x `seq` body -- seq the variable and if it is a pattern binding the desugaring looks like let !pat = rhs in body ==> let x = rhs -- bind the rhs to a new variable pat = x in x `seq` body -- seq the new variable if there is no variable in the pattern desugaring looks like let False = rhs in body ==> let x = case rhs of {False -> (); _ -> error "Match failed"} in x `seq` body In order to force the Ids in the binding group they are passed around in the dsHsBind family of functions, and later seq'ed in GHC.HsToCore.Expr.ds_val_bind. Consider a recursive group like this letrec f : g = rhs[f,g] in
Without `Strict`, we get a translation like this: let t = /\a. letrec tm = rhs[fm,gm] fm = case t of fm:_ -> fm gm = case t of _:gm -> gm in (fm,gm) in let f = /\a. case t a of (fm,_) -> fm in let g = /\a. case t a of (_,gm) -> gm in Here `tm` is the monomorphic binding for `rhs`. With `Strict`, we want to force `tm`, but NOT `fm` or `gm`. Alas, `tm` isn't in scope in the `in ` part. The simplest thing is to return it in the polymorphic tuple `t`, thus: let t = /\a. letrec tm = rhs[fm,gm] fm = case t of fm:_ -> fm gm = case t of _:gm -> gm in (tm, fm, gm) in let f = /\a. case t a of (_,fm,_) -> fm in let g = /\a. case t a of (_,_,gm) -> gm in let tm = /\a. case t a of (tm,_,_) -> tm in tm `seq` See https://gitlab.haskell.org/ghc/ghc/wikis/strict-pragma for a more detailed explanation of the desugaring of strict bindings. Wrinkle 1: forcing linear variables Consider let %1 !x = rhs in ==> let x = rhs in x `seq` In the desugared version x is used in both arguments of seq. This isn't recognised a linear. So we can't strictly speaking use seq. Instead, the code is really desugared as let x = rhs in case x of x { _ -> } The shadowing with the case-binder is crucial. The linear linter (see Note [Linting linearity] in GHC.Core.Lint) understands this as linear. This is what the seqVar function does. To be more precise, suppose x has multiplicity p, the fully annotated seqVar (in Core, p is really stored inside x) is case x of %p x { _ -> } In linear Core, case u of %p y { _ -> v } consumes u with multiplicity p, and makes y available with multiplicity p in v. Which is exactly what we want. Wrinkle 2: linear patterns Consider the following linear binding (linear lets are always non-recursive): let %1 f : g = rhs in The general case would desugar it to let t = let tm = rhs fm = case tm of fm:_ -> fm gm = case tm of _:gm -> gm in (tm, fm, gm) in let f = case t a of (_,fm,_) -> fm in let g = case t a of (_,_,gm) -> gm in let tm = case t a of (tm,_,_) -> tm in tm `seq` But all the case expression drop variables, which is prohibited by linearity. But because this is a non-recursive let (in particular we're desugaring a single binding), we can (and do) desugar the binding as a simple case-expression instead: case rhs of { (f:g) -> } This is handled by the special case: a non-recursive PatBind in GHC.HsToCore.Expr.ds_val_bind. Note [Strict binds checks] ~~~~~~~~~~~~~~~~~~~~~~~~~~ There are several checks around properly formed strict bindings. They all link to this Note. These checks must be here in the desugarer because we cannot know whether or not a type is unlifted until after zonking, due to representation polymorphism. These checks all used to be handled in the typechecker in checkStrictBinds (before Jan '17). We define an "unlifted bind" to be any bind that binds an unlifted id. Note that x :: Char (# True, x #) = blah is *not* an unlifted bind. Unlifted binds are detected by GHC.Hs.Utils.isUnliftedHsBind. Define a "banged bind" to have a top-level bang. Detected by GHC.Hs.Pat.isBangedHsBind. Define a "strict bind" to be either an unlifted bind or a banged bind. The restrictions are: 1. Strict binds may not be top-level. Checked in dsTopLHsBinds. 2. Unlifted binds must also be banged. (There is no trouble to compile an unbanged unlifted bind, but an unbanged bind looks lazy, and we don't want users to be surprised by the strictness of an unlifted bind.) Checked in first clause of GHC.HsToCore.Expr.ds_val_bind. 3. Unlifted binds may not have polymorphism (#6078). (That is, no quantified type variables or constraints.) Checked in first clause of GHC.HsToCore.Expr.ds_val_bind. 4. Unlifted binds may not be recursive. Checked in second clause of ds_val_bind. Note [Desugaring new-form SPECIALISE pragmas] ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ "New-form" SPECIALISE pragmas generate a SpecPragE record in the typechecker, which is desugared in this module by `dsSpec`. For the context see Note [Handling new-form SPECIALISE pragmas] in GHC.Tc.Gen.Sig Suppose we have f :: forall a b c d. (Ord a, Ord b, Eq c, Ix d) => ... f = rhs {-# SPECIALISE f @p @[p] @[Int] @(q,r) #-} The type-checker generates `the_call` which looks like spe_bndrs = (dx1 :: Ord p) (dx2::Ix q) (dx3::Ix r) the_call = let d6 = dx1 d2 = $fOrdList d6 d3 = $fEqList $fEqInt d7 = dx1 -- Solver may introduce d1 = d7 -- these indirections d4 = $fIxPair dx2 dx3 in f @p @p @[Int] @(q,r) (d1::Ord p) (d2::Ord [p]) (d3::Eq [Int]) (d4::Ix (q,r) We /could/ generate RULE f d1 d2 d3 d4 e1..en = $sf d1 d2 d3 d4 $sf d1 d2 d3 d4 =