[Git][ghc/ghc][wip/wasm-jsffi-sync-export] 9 commits: Remove most of `GHC.Internal.Pack`
Cheng Shao (@TerrorJack)
gitlab at gitlab.haskell.org
Mon Mar 3 20:58:55 UTC 2025
Cheng Shao pushed to branch wip/wasm-jsffi-sync-export at Glasgow Haskell Compiler / GHC
Commits:
3b78e139 by John Ericson at 2025-03-03T15:27:39-05:00
Remove most of `GHC.Internal.Pack`
Since bd82ac9f4716e28b185758ae514691d5a50c003f when `GHC.Pack` was
deleted, it is no longer used except for one function by the RTS.
- - - - -
b4fe0850 by Rodrigo Mesquita at 2025-03-03T15:28:16-05:00
ghci: Don't set virtualCWD on every iteration
The calls to withVirtualCWD were introduced to fix #2973, but this bug
is no longer reproducible, even when `withVirtualCWD` is dropped.
This cleanup was originally motivated by the performance of :steplocal,
but the performance problem has now been fixed at its root in the next
commit.
Even then, `withVirtualCWD` seems to now be an unnecessary artifact, and
removing it simplifies the interpreter with no apparent drawbacks (testsuite is
also happy with this change)
- - - - -
73ba1e6e by Rodrigo Mesquita at 2025-03-03T15:28:16-05:00
ghci debugger: improve break/resume control flow
After interpreting bytecode (`evalStmt`), we may want to hand off
control to "GHCi.UI" in order to display an interactive break prompt:
1. When an /active/ breakpoint (one set with :break ...) is hit
2. At any breakpoint, when using :step from a breakpoint
3. At any breakpoint in the same function f, when :steplocal is called
from a breakpoint in f
4. At any breakpoint in the same module, when :stepmodule is used
Whether to pass control to the UI is now fully determined by
`handleRunStatus` which transforms an `EvalStatus_` into an
`ExecResult`. When `ExecBreak` is returned from `handleRunStatus` to
GHCi, it always means GHCi breaks.
`handleRunStatus` determines whether to loop and resume evaluation right away, or
when to return to GHCi (by returning `ExecBreak` or `ExecComplete`).
- (1) is queried using the `BreakpointStatus` message (the
`breakpointStatus` call)
- (2,3,4) are determined by the predicate `breakHere step span`, which
inspects the improved `SingleStep` type to determine whether we care
about this breakpoint even if it is not active.
This refactor solves two big performance problems with the previous control flow:
- We no longer call `withArgs/withProgram` repeatedly in the
break/resume loop, but rather just once "at the top".
- We now avoid computing the expensive `bindLocalsAtBreakpoint` for
breakpoints we'd never inspect.
In the interpreter_steplocal test added, calling `:steplocal` after breaking on `main = fib 25`
now takes 12 seconds rather than 49 seconds on my machine.
```
interpreter_steplocal(ghci) ghc/alloc 6,124,821,176 540,181,392 -91.2% GOOD
```
Fixes #25779
-------------------------
Metric Decrease:
interpreter_steplocal
-------------------------
- - - - -
c78d8f55 by Cheng Shao at 2025-03-03T20:54:41+00:00
rts: fix top handler closure type signatures
This commit fixes the runIO/runNonIO closure type signatures in the
RTS which should be extern StgClosure. This allows us to remove an
unnecessary type cast in the C foreign desugaring logic, as well as
unneeded complications of JSFFI desugaring logic that also needs to
generate C stubs that may refer to those top handler closures.
Otherwise, we'll have to take special care to avoid generating "extern
StgClosure" declarations for them as we would for other closures, just
to avoid conflicting type signature error at stub compile time.
- - - - -
a204df3a by Cheng Shao at 2025-03-03T20:54:41+00:00
compiler: allow arbitrary label string for JSFFI exports
This commit allows arbitrary label string to appear in a foreign
export declaration, as long as the calling convention is javascript.
Well, doesn't make sense to enforce it's a C function symbol for a
JSFFI declaration anyway, and it gets in the way of implementing the
"sync" flavour of exports.
- - - - -
03ebab52 by Cheng Shao at 2025-03-03T20:54:41+00:00
compiler: wasm backend JSFFI sync exports
This commit implements the synchronous flavour of the wasm backend
JSFFI exports:
- `foreign export javascript "foo sync"` exports a top-level Haskell
binding as a synchronous JS function
- `foreign import javascript "wrapper sync"` dynamically exports a
Haskell function closure as a synchronous JS function
- `foreign import javascript unsafe` is now re-entrant by lowering to
a safe ccall
- Also fix the issue that JSFFI dynamic exports didn't really work in
TH & ghci (#25473)
- - - - -
b6ae908b by Cheng Shao at 2025-03-03T20:54:41+00:00
testsuite: test wasm backend JSFFI sync exports
This commit repurposes some existing JSFFI test cases to make them
cover JSFFI sync exports as well.
- - - - -
edae2874 by Cheng Shao at 2025-03-03T20:54:41+00:00
docs: document wasm backend JSFFI sync exports
This commit updates wasm backend documentation to reflect the new
JSFFI sync exports feature.
- - - - -
9b54eecb by Cheng Shao at 2025-03-03T20:56:21+00:00
wasm: add error message to WouldBlockException
This commit attaches an error message to WouldBlockException, for now
the error message consists of the JS async import code snippet that
thunk is trying to block for. This is useful for debugging synchronous
callbacks that accidentally call an async JS function.
- - - - -
18 changed files:
- compiler/GHC/HsToCore/Foreign/C.hs
- compiler/GHC/HsToCore/Foreign/Wasm.hs
- compiler/GHC/Runtime/Eval.hs
- compiler/GHC/Runtime/Eval/Types.hs
- compiler/GHC/Tc/Gen/Foreign.hs
- docs/users_guide/wasm.rst
- ghc/GHCi/UI.hs
- ghc/GHCi/UI/Monad.hs
- libraries/ghc-internal/src/GHC/Internal/Pack.hs
- libraries/ghc-internal/src/GHC/Internal/Wasm/Prim/Imports.hs
- libraries/ghc-internal/src/GHC/Internal/Wasm/Prim/Types.hs
- rts/include/RtsAPI.h
- testsuite/tests/jsffi/jsffigc.hs
- testsuite/tests/jsffi/jsffigc.mjs
- testsuite/tests/jsffi/jsffisleep.hs
- testsuite/tests/jsffi/jsffisleep.stdout
- testsuite/tests/jsffi/textconv.hs
- testsuite/tests/jsffi/textconv.mjs
Changes:
=====================================
compiler/GHC/HsToCore/Foreign/C.hs
=====================================
@@ -515,8 +515,7 @@ mkFExportCBits dflags c_nm maybe_target arg_htys res_hty is_IO_res_ty cc
, text "rts_inCall" <> parens (
char '&' <> cap <>
text "rts_apply" <> parens (
- cap <>
- text "(HaskellObj)"
+ cap
<> (if is_IO_res_ty
then text "runIO_closure"
else text "runNonIO_closure")
=====================================
compiler/GHC/HsToCore/Foreign/Wasm.hs
=====================================
@@ -11,6 +11,7 @@ import Data.List
( intercalate,
stripPrefix,
)
+import Data.List qualified
import Data.Maybe
import GHC.Builtin.Names
import GHC.Builtin.Types
@@ -46,6 +47,9 @@ import GHC.Utils.Outputable
import GHC.Utils.Panic
import Language.Haskell.Syntax.Basic
+data Synchronicity = Sync | Async
+ deriving (Eq)
+
dsWasmJSImport ::
Id ->
Coercion ->
@@ -53,10 +57,15 @@ dsWasmJSImport ::
Safety ->
DsM ([Binding], CHeader, CStub, [Id])
dsWasmJSImport id co (CFunction (StaticTarget _ js_src mUnitId _)) safety
- | js_src == "wrapper" = dsWasmJSDynamicExport id co mUnitId
+ | js_src == "wrapper" = dsWasmJSDynamicExport Async id co mUnitId
+ | js_src == "wrapper sync" = dsWasmJSDynamicExport Sync id co mUnitId
| otherwise = do
- (bs, h, c) <- dsWasmJSStaticImport id co (unpackFS js_src) mUnitId safety
+ (bs, h, c) <- dsWasmJSStaticImport id co (unpackFS js_src) mUnitId sync
pure (bs, h, c, [])
+ where
+ sync = case safety of
+ PlayRisky -> Sync
+ _ -> Async
dsWasmJSImport _ _ _ _ = panic "dsWasmJSImport: unreachable"
{-
@@ -77,17 +86,24 @@ We desugar it to three bindings under the hood:
mk_wrapper_worker :: StablePtr HsFuncType -> HsFuncType
mk_wrapper_worker sp = unsafeDupablePerformIO (deRefStablePtr sp)
-No need to bother with eta-expansion here. Also, the worker function
-is marked as a JSFFI static export.
+The worker function is marked as a JSFFI static export. It turns a
+dynamic export to a static one by prepending a StablePtr to the
+argument list.
+
+We don't actually generate a Core binding for the worker function
+though; the JSFFI static export C stub generation logic would just
+generate a function that doesn't need to refer to the worker Id's
+closure. This is not just for convenience, it's actually required for
+correctness, see #25473.
2. The adjustor function
foreign import javascript unsafe "(...args) => __exports.mk_wrapper_worker($1, ...args)"
mk_wrapper_adjustor :: StablePtr HsFuncType -> IO JSVal
-It generates a JavaScript callback that captures the stable pointer.
-When the callback is invoked later, it calls our worker function and
-passes the stable pointer as well as the rest of the arguments.
+Now that mk_wrapper_worker is exported in __exports, we need to make a
+JavaScript callback that invokes mk_wrapper_worker with the right
+StablePtr as well as the rest of the arguments.
3. The wrapper function
@@ -102,43 +118,47 @@ a StablePtr# field which is NULL by default, but for JSFFI dynamic
exports, it's set to the Haskell function's stable pointer. This way,
when we call freeJSVal, the Haskell function can be freed as well.
+By default, JSFFI exports are async JavaScript functions. One can use
+"wrapper sync" instead of "wrapper" to indicate the Haskell function
+is meant to be exported as a sync JavaScript function. All the
+comments above still hold, with only only difference:
+mk_wrapper_worker is exported as a sync function. See
+Note [Desugaring JSFFI static export] for further details.
+
-}
dsWasmJSDynamicExport ::
- Id -> Coercion -> Maybe Unit -> DsM ([Binding], CHeader, CStub, [Id])
-dsWasmJSDynamicExport fn_id co mUnitId = do
+ Synchronicity ->
+ Id ->
+ Coercion ->
+ Maybe Unit ->
+ DsM ([Binding], CHeader, CStub, [Id])
+dsWasmJSDynamicExport sync fn_id co mUnitId = do
sp_tycon <- dsLookupTyCon stablePtrTyConName
let ty = coercionLKind co
(tv_bndrs, fun_ty) = tcSplitForAllTyVarBinders ty
([Scaled ManyTy arg_ty], io_jsval_ty) = tcSplitFunTys fun_ty
sp_ty = mkTyConApp sp_tycon [arg_ty]
- (real_arg_tys, _) = tcSplitFunTys arg_ty
sp_id <- newSysLocalMDs sp_ty
- work_uniq <- newUnique
- work_export_name <- uniqueCFunName
- deRefStablePtr_id <- lookupGhcInternalVarId "GHC.Internal.Stable" "deRefStablePtr"
+ work_export_name <- unpackFS <$> uniqueCFunName
+ deRefStablePtr_id <-
+ lookupGhcInternalVarId
+ "GHC.Internal.Stable"
+ "deRefStablePtr"
unsafeDupablePerformIO_id <-
lookupGhcInternalVarId
"GHC.Internal.IO.Unsafe"
"unsafeDupablePerformIO"
- let work_id =
- mkExportedVanillaId
- ( mkExternalName
- work_uniq
- (nameModule $ getName fn_id)
- (mkVarOcc $ "jsffi_" ++ occNameString (getOccName fn_id) ++ "_work")
- generatedSrcSpan
- )
- work_ty
- work_rhs =
+ let work_rhs =
mkCoreLams ([tv | Bndr tv _ <- tv_bndrs] ++ [sp_id])
$ mkApps
(Var unsafeDupablePerformIO_id)
[Type arg_ty, mkApps (Var deRefStablePtr_id) [Type arg_ty, Var sp_id]]
work_ty = exprType work_rhs
(work_h, work_c, _, work_ids, work_bs) <-
- dsWasmJSExport
- work_id
+ dsWasmJSExport'
+ sync
+ Nothing
(mkRepReflCo work_ty)
work_export_name
adjustor_uniq <- newUnique
@@ -157,21 +177,18 @@ dsWasmJSDynamicExport fn_id co mUnitId = do
adjustor_ty
adjustor_ty = mkForAllTys tv_bndrs $ mkVisFunTysMany [sp_ty] io_jsval_ty
adjustor_js_src =
- "("
- ++ intercalate "," ["a" ++ show i | i <- [1 .. length real_arg_tys]]
- ++ ") => __exports."
- ++ unpackFS work_export_name
- ++ "($1"
- ++ mconcat [",a" ++ show i | i <- [1 .. length real_arg_tys]]
- ++ ")"
+ "(...args) => __exports." ++ work_export_name ++ "($1, ...args)"
(adjustor_bs, adjustor_h, adjustor_c) <-
dsWasmJSStaticImport
adjustor_id
(mkRepReflCo adjustor_ty)
adjustor_js_src
mUnitId
- PlayRisky
- mkJSCallback_id <- lookupGhcInternalVarId "GHC.Internal.Wasm.Prim.Exports" "mkJSCallback"
+ Sync
+ mkJSCallback_id <-
+ lookupGhcInternalVarId
+ "GHC.Internal.Wasm.Prim.Exports"
+ "mkJSCallback"
let wrap_rhs =
mkCoreLams [tv | Bndr tv _ <- tv_bndrs]
$ mkApps
@@ -182,7 +199,7 @@ dsWasmJSDynamicExport fn_id co mUnitId = do
[Type $ mkTyVarTy tv | Bndr tv _ <- tv_bndrs]
]
pure
- ( [(fn_id, Cast wrap_rhs co), (work_id, work_rhs)] ++ work_bs ++ adjustor_bs,
+ ( [(fn_id, Cast wrap_rhs co)] ++ work_bs ++ adjustor_bs,
work_h `mappend` adjustor_h,
work_c `mappend` adjustor_c,
work_ids
@@ -194,7 +211,7 @@ Note [Desugaring JSFFI import]
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
The simplest case is JSFFI sync import, those marked as unsafe. It is
-implemented on top of C FFI unsafe import.
+implemented on top of C FFI safe import.
Unlike C FFI which generates a worker/wrapper pair that unboxes the
arguments and boxes the result in Haskell, we only desugar to a single
@@ -202,10 +219,11 @@ Haskell binding that case-binds the arguments to ensure they're
evaluated, then passes the boxed arguments directly to C and receive
the boxed result from C as well.
-This is of course less efficient than how C FFI does it, and unboxed
-FFI types aren't supported, but it's the easiest way to implement it,
+This is slightly less efficient than how C FFI does it, and unboxed
+FFI types aren't supported, but it's the simplest way to implement it,
especially since leaving all the boxing/unboxing business to C unifies
-the implementation of JSFFI imports and exports.
+the implementation of JSFFI imports and exports
+(rts_mkJSVal/rts_getJSVal).
Now, each sync import calls a generated C function with a unique
symbol. The C function uses rts_get* to unbox the arguments, call into
@@ -240,6 +258,14 @@ module. Note that above is assembly source file, but we're only
generating a C stub, so we need to smuggle the assembly code into C
via __asm__.
+The C FFI import that calls the generated C function is always marked
+as safe. There is some extra overhead, but this allows re-entrance by
+Haskell -> JavaScript -> Haskell function calls with each call being a
+synchronous one. It's possible to steal the "interruptible" keyword to
+indicate async imports, "safe" for sync imports and "unsafe" for sync
+imports sans the safe C FFI overhead, but it's simply not worth the
+extra complexity.
+
JSFFI async import is implemented on top of JSFFI sync import. We
still desugar it to a single Haskell binding that calls C, with some
subtle differences:
@@ -250,12 +276,6 @@ subtle differences:
"($1, $2)". As you can see, it is the arrow function binder, and the
post-linker will respect the async binder and allow await in the
function body.
-- The C import is also marked as safe. This is required since the
- JavaScript code may re-enter Haskell. If re-entrance only happens in
- future event loop tasks, it's fine to mark the C import as unsafe
- since the current Haskell execution context has already been freed
- at that point, but there's no such guarantee, so better safe than
- sorry here.
Now we have the Promise JSVal, we apply stg_blockPromise to it to get
a thunk with the desired return type. When the thunk is forced, it
@@ -270,9 +290,9 @@ dsWasmJSStaticImport ::
Coercion ->
String ->
Maybe Unit ->
- Safety ->
+ Synchronicity ->
DsM ([Binding], CHeader, CStub)
-dsWasmJSStaticImport fn_id co js_src' mUnitId safety = do
+dsWasmJSStaticImport fn_id co js_src' mUnitId sync = do
cfun_name <- uniqueCFunName
let ty = coercionLKind co
(tvs, fun_ty) = tcSplitForAllInvisTyVars ty
@@ -289,36 +309,31 @@ dsWasmJSStaticImport fn_id co js_src' mUnitId safety = do
++ ")"
| otherwise =
js_src'
- case safety of
- PlayRisky -> do
- rhs <-
- importBindingRHS
- mUnitId
- PlayRisky
- cfun_name
- tvs
- arg_tys
- orig_res_ty
- id
+ case sync of
+ Sync -> do
+ rhs <- importBindingRHS mUnitId cfun_name tvs arg_tys orig_res_ty id
pure
( [(fn_id, Cast rhs co)],
CHeader commonCDecls,
- importCStub
- PlayRisky
- cfun_name
- (map scaledThing arg_tys)
- res_ty
- js_src
+ importCStub Sync cfun_name (map scaledThing arg_tys) res_ty js_src
)
- _ -> do
+ Async -> do
+ err_msg <- mkStringExpr $ js_src
io_tycon <- dsLookupTyCon ioTyConName
- jsval_ty <- mkTyConTy <$> lookupGhcInternalTyCon "GHC.Internal.Wasm.Prim.Types" "JSVal"
+ jsval_ty <-
+ mkTyConTy
+ <$> lookupGhcInternalTyCon "GHC.Internal.Wasm.Prim.Types" "JSVal"
bindIO_id <- dsLookupGlobalId bindIOName
returnIO_id <- dsLookupGlobalId returnIOName
promise_id <- newSysLocalMDs jsval_ty
- blockPromise_id <- lookupGhcInternalVarId "GHC.Internal.Wasm.Prim.Imports" "stg_blockPromise"
+ blockPromise_id <-
+ lookupGhcInternalVarId
+ "GHC.Internal.Wasm.Prim.Imports"
+ "stg_blockPromise"
msgPromise_id <-
- lookupGhcInternalVarId "GHC.Internal.Wasm.Prim.Imports" $ "stg_messagePromise" ++ ffiType res_ty
+ lookupGhcInternalVarId "GHC.Internal.Wasm.Prim.Imports"
+ $ "stg_messagePromise"
+ ++ ffiType res_ty
unsafeDupablePerformIO_id <-
lookupGhcInternalVarId
"GHC.Internal.IO.Unsafe"
@@ -326,7 +341,6 @@ dsWasmJSStaticImport fn_id co js_src' mUnitId safety = do
rhs <-
importBindingRHS
mUnitId
- PlaySafe
cfun_name
tvs
arg_tys
@@ -350,19 +364,14 @@ dsWasmJSStaticImport fn_id co js_src' mUnitId safety = do
[ Type res_ty,
mkApps
(Var blockPromise_id)
- [Type res_ty, Var promise_id, Var msgPromise_id]
+ [Type res_ty, err_msg, Var promise_id, Var msgPromise_id]
]
]
)
pure
( [(fn_id, Cast rhs co)],
CHeader commonCDecls,
- importCStub
- PlaySafe
- cfun_name
- (map scaledThing arg_tys)
- jsval_ty
- js_src
+ importCStub Async cfun_name (map scaledThing arg_tys) jsval_ty js_src
)
uniqueCFunName :: DsM FastString
@@ -372,92 +381,91 @@ uniqueCFunName = do
importBindingRHS ::
Maybe Unit ->
- Safety ->
FastString ->
[TyVar] ->
[Scaled Type] ->
Type ->
(CoreExpr -> CoreExpr) ->
DsM CoreExpr
-importBindingRHS mUnitId safety cfun_name tvs arg_tys orig_res_ty res_trans =
- do
- ccall_uniq <- newUnique
- args_unevaled <- newSysLocalsDs arg_tys
- args_evaled <- newSysLocalsDs arg_tys
- -- ccall_action_ty: type of the_call, State# RealWorld -> (# State# RealWorld, a #)
- -- res_wrapper: turn the_call to (IO a) or a
- (ccall_action_ty, res_wrapper) <- case tcSplitIOType_maybe orig_res_ty of
- Just (io_tycon, res_ty) -> do
- s0_id <- newSysLocalMDs realWorldStatePrimTy
- s1_id <- newSysLocalMDs realWorldStatePrimTy
- let io_data_con = tyConSingleDataCon io_tycon
- toIOCon = dataConWorkId io_data_con
- (ccall_res_ty, wrap)
- | res_ty `eqType` unitTy =
- ( mkTupleTy Unboxed [realWorldStatePrimTy],
- \the_call ->
- mkApps
- (Var toIOCon)
- [ Type res_ty,
- Lam s0_id
- $ mkWildCase
- (App the_call (Var s0_id))
- (unrestricted ccall_res_ty)
- (mkTupleTy Unboxed [realWorldStatePrimTy, unitTy])
- [ Alt
- (DataAlt (tupleDataCon Unboxed 1))
- [s1_id]
- (mkCoreUnboxedTuple [Var s1_id, unitExpr])
- ]
- ]
- )
- | otherwise =
- ( mkTupleTy Unboxed [realWorldStatePrimTy, res_ty],
- \the_call -> mkApps (Var toIOCon) [Type res_ty, the_call]
- )
- pure (realWorldStatePrimTy `mkVisFunTyMany` ccall_res_ty, wrap)
- Nothing -> do
- unsafeDupablePerformIO_id <-
- lookupGhcInternalVarId
- "GHC.Internal.IO.Unsafe"
- "unsafeDupablePerformIO"
- io_data_con <- dsLookupDataCon ioDataConName
- let ccall_res_ty =
- mkTupleTy Unboxed [realWorldStatePrimTy, orig_res_ty]
- toIOCon = dataConWorkId io_data_con
- wrap the_call =
- mkApps
- (Var unsafeDupablePerformIO_id)
- [ Type orig_res_ty,
- mkApps (Var toIOCon) [Type orig_res_ty, the_call]
- ]
- pure (realWorldStatePrimTy `mkVisFunTyMany` ccall_res_ty, wrap)
- let cfun_fcall =
- CCall
- ( CCallSpec
- (StaticTarget NoSourceText cfun_name mUnitId True)
- CCallConv
- safety
- )
- call_app =
- mkFCall ccall_uniq cfun_fcall (map Var args_evaled) ccall_action_ty
- rhs =
- mkCoreLams (tvs ++ args_unevaled)
- $ foldr
- (\(arg_u, arg_e) acc -> mkDefaultCase (Var arg_u) arg_e acc)
- -- res_trans transforms the result. When desugaring
- -- JSFFI sync imports, the result is just (IO a) or a,
- -- and res_trans is id; for async cases, the result is
- -- always (IO JSVal), and res_trans will wrap it in a
- -- thunk that has the original return type. This way, we
- -- can reuse most of the RHS generation logic for both
- -- sync/async imports.
- (res_trans $ res_wrapper call_app)
- (zip args_unevaled args_evaled)
- pure rhs
-
-importCStub :: Safety -> FastString -> [Type] -> Type -> String -> CStub
-importCStub safety cfun_name arg_tys res_ty js_src = CStub c_doc [] []
+importBindingRHS mUnitId cfun_name tvs arg_tys orig_res_ty res_trans = do
+ ccall_uniq <- newUnique
+ args_unevaled <- newSysLocalsDs arg_tys
+ args_evaled <- newSysLocalsDs arg_tys
+ -- ccall_action_ty: type of the_call, State# RealWorld -> (# State# RealWorld, a #)
+ -- res_wrapper: turn the_call to (IO a) or a
+ (ccall_action_ty, res_wrapper) <- case tcSplitIOType_maybe orig_res_ty of
+ Just (io_tycon, res_ty) -> do
+ s0_id <- newSysLocalMDs realWorldStatePrimTy
+ s1_id <- newSysLocalMDs realWorldStatePrimTy
+ let io_data_con = tyConSingleDataCon io_tycon
+ toIOCon = dataConWorkId io_data_con
+ (ccall_res_ty, wrap)
+ | res_ty `eqType` unitTy =
+ ( mkTupleTy Unboxed [realWorldStatePrimTy],
+ \the_call ->
+ mkApps
+ (Var toIOCon)
+ [ Type res_ty,
+ Lam s0_id
+ $ mkWildCase
+ (App the_call (Var s0_id))
+ (unrestricted ccall_res_ty)
+ (mkTupleTy Unboxed [realWorldStatePrimTy, unitTy])
+ [ Alt
+ (DataAlt (tupleDataCon Unboxed 1))
+ [s1_id]
+ (mkCoreUnboxedTuple [Var s1_id, unitExpr])
+ ]
+ ]
+ )
+ | otherwise =
+ ( mkTupleTy Unboxed [realWorldStatePrimTy, res_ty],
+ \the_call -> mkApps (Var toIOCon) [Type res_ty, the_call]
+ )
+ pure (realWorldStatePrimTy `mkVisFunTyMany` ccall_res_ty, wrap)
+ Nothing -> do
+ unsafeDupablePerformIO_id <-
+ lookupGhcInternalVarId
+ "GHC.Internal.IO.Unsafe"
+ "unsafeDupablePerformIO"
+ io_data_con <- dsLookupDataCon ioDataConName
+ let ccall_res_ty = mkTupleTy Unboxed [realWorldStatePrimTy, orig_res_ty]
+ toIOCon = dataConWorkId io_data_con
+ wrap the_call =
+ mkApps
+ (Var unsafeDupablePerformIO_id)
+ [ Type orig_res_ty,
+ mkApps (Var toIOCon) [Type orig_res_ty, the_call]
+ ]
+ pure (realWorldStatePrimTy `mkVisFunTyMany` ccall_res_ty, wrap)
+ let cfun_fcall =
+ CCall
+ ( CCallSpec
+ (StaticTarget NoSourceText cfun_name mUnitId True)
+ CCallConv
+ -- Same even for foreign import javascript unsafe, for
+ -- the sake of re-entrancy.
+ PlaySafe
+ )
+ call_app =
+ mkFCall ccall_uniq cfun_fcall (map Var args_evaled) ccall_action_ty
+ rhs =
+ mkCoreLams (tvs ++ args_unevaled)
+ $ foldr
+ (\(arg_u, arg_e) acc -> mkDefaultCase (Var arg_u) arg_e acc)
+ -- res_trans transforms the result. When desugaring
+ -- JSFFI sync imports, the result is just (IO a) or a,
+ -- and res_trans is id; for async cases, the result is
+ -- always (IO JSVal), and res_trans will wrap it in a
+ -- thunk that has the original return type. This way, we
+ -- can reuse most of the RHS generation logic for both
+ -- sync/async imports.
+ (res_trans $ res_wrapper call_app)
+ (zip args_unevaled args_evaled)
+ pure rhs
+
+importCStub :: Synchronicity -> FastString -> [Type] -> Type -> String -> CStub
+importCStub sync cfun_name arg_tys res_ty js_src = CStub c_doc [] []
where
import_name = fromJust $ stripPrefix "ghczuwasmzujsffi" (unpackFS cfun_name)
import_asm =
@@ -465,18 +473,18 @@ importCStub safety cfun_name arg_tys res_ty js_src = CStub c_doc [] []
<> parens
( vcat
[ text (show l)
- | l <-
- [ ".section .custom_section.ghc_wasm_jsffi,\"\",@\n",
- ".asciz \"" ++ import_name ++ "\"\n",
- ".asciz \""
- ++ ( case safety of
- PlayRisky -> "("
- _ -> "async ("
- )
- ++ intercalate "," ["$" ++ show i | i <- [1 .. length arg_tys]]
- ++ ")\"\n",
- ".asciz " ++ show js_src ++ "\n"
- ]
+ | l <-
+ [ ".section .custom_section.ghc_wasm_jsffi,\"\",@\n",
+ ".asciz \"" ++ import_name ++ "\"\n",
+ ".asciz \""
+ ++ ( case sync of
+ Sync -> "("
+ Async -> "async ("
+ )
+ ++ intercalate "," ["$" ++ show i | i <- [1 .. length arg_tys]]
+ ++ ")\"\n",
+ ".asciz " ++ show js_src ++ "\n"
+ ]
]
)
<> semi
@@ -488,8 +496,8 @@ importCStub safety cfun_name arg_tys res_ty js_src = CStub c_doc [] []
( punctuate
comma
[ text k <> parens (doubleQuotes (text v))
- | (k, v) <-
- [("import_module", "ghc_wasm_jsffi"), ("import_name", import_name)]
+ | (k, v) <-
+ [("import_module", "ghc_wasm_jsffi"), ("import_name", import_name)]
]
)
)
@@ -501,7 +509,7 @@ importCStub safety cfun_name arg_tys res_ty js_src = CStub c_doc [] []
| otherwise = text ("Hs" ++ ffiType res_ty)
import_arg_list =
[ text ("Hs" ++ ffiType arg_ty) <+> char 'a' <> int i
- | (i, arg_ty) <- zip [1 ..] arg_tys
+ | (i, arg_ty) <- zip [1 ..] arg_tys
]
import_args = case import_arg_list of
[] -> text "void"
@@ -528,7 +536,7 @@ importCStub safety cfun_name arg_tys res_ty js_src = CStub c_doc [] []
( punctuate
comma
[ cfun_make_arg arg_ty (char 'a' <> int n)
- | (arg_ty, n) <- zip arg_tys [1 ..]
+ | (arg_ty, n) <- zip arg_tys [1 ..]
]
)
)
@@ -554,7 +562,8 @@ Note [Desugaring JSFFI static export]
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
A JSFFI static export wraps a top-level Haskell binding as a wasm
-module export that can be called in JavaScript as an async function:
+module export that can be called in JavaScript as an async/sync
+function:
foreign export javascript "plus"
(+) :: Int -> Int -> Int
@@ -565,32 +574,27 @@ stub for a JSFFI export as well:
__attribute__((export_name("plus")))
HsJSVal plus(HsInt a1, HsInt a2) { ... }
+The generated C stub function would be exported as __exports.plus and
+can be called in JavaScript. By default, it's exported as an async
+function, so the C stub would always return an HsJSVal which
+represents the result Promise; in case of a sync export (using "plus
+sync" instead of "plus"), it returns the original result type.
+
+The C stub function body applies the function closure to arguments,
+wrap it with a runIO/runNonIO top handler function, then schedules
+Haskell computation to happen, then fetches the result. In case of an
+async export, the top handler creates a JavaScript Promise that stands
+for Haskell evaluation result, and the Promise will eventually be
+resolved with the result or rejected with an exception. That Promise
+is what we return in the C stub function. See
+Note [Async JSFFI scheduler] for detailed explanation.
+
At link time, you need to pass -optl-Wl,--export=plus,--export=... to
specify your entrypoint function symbols as roots of wasm-ld link-time
garbage collection. As for the auto-generated exports when desugaring
the JSFFI dynamic exports, they will be transitively included as well
due to the export_name attribute.
-For each JSFFI static export, we create an internal worker function
-which takes the same arguments as the exported Haskell binding, but
-always returns (IO JSVal). Its RHS simply applies the arguments to the
-original binding, then applies a runIO/runNonIO top handler function
-to the result. The top handler creates a JavaScript Promise that
-stands for Haskell evaluation result, schedules Haskell computation to
-happen, and the Promise will eventually be resolved with the result or
-rejected with an exception. That Promise is what we return in the C
-stub function. See Note [Async JSFFI scheduler] for detailed
-explanation.
-
-There's nothing else to explain about the C stub function body; just
-like C FFI exports, it calls rts_mk* to box the arguments, rts_apply
-to apply them to the worker function, evaluates the result, then
-unboxes the resulting Promise using rts_getJSVal and returns it.
-
-Now, in JavaScript, once the wasm instance is initialized, you can
-directly call these exports and await them, as if they're real
-JavaScript async functions.
-
-}
dsWasmJSExport ::
@@ -598,108 +602,140 @@ dsWasmJSExport ::
Coercion ->
CLabelString ->
DsM (CHeader, CStub, String, [Id], [Binding])
-dsWasmJSExport fn_id co ext_name = do
- work_uniq <- newUnique
+dsWasmJSExport fn_id co str = dsWasmJSExport' sync (Just fn_id) co ext_name
+ where
+ (sync, ext_name) = case words $ unpackFS str of
+ [ext_name] -> (Async, ext_name)
+ [ext_name, "sync"] -> (Sync, ext_name)
+ _ -> panic "dsWasmJSExport: unrecognized label string"
+
+dsWasmJSExport' ::
+ Synchronicity ->
+ Maybe Id ->
+ Coercion ->
+ String ->
+ DsM (CHeader, CStub, String, [Id], [Binding])
+dsWasmJSExport' sync m_fn_id co ext_name = do
let ty = coercionRKind co
- (tvs, fun_ty) = tcSplitForAllInvisTyVars ty
+ (_, fun_ty) = tcSplitForAllInvisTyVars ty
(arg_tys, orig_res_ty) = tcSplitFunTys fun_ty
(res_ty, is_io) = case tcSplitIOType_maybe orig_res_ty of
Just (_, res_ty) -> (res_ty, True)
Nothing -> (orig_res_ty, False)
- (_, res_ty_args) = splitTyConApp res_ty
res_ty_str = ffiType res_ty
- args <- newSysLocalsDs arg_tys
+ top_handler_mod = case sync of
+ Sync -> "GHC.Internal.TopHandler"
+ Async -> "GHC.Internal.Wasm.Prim.Exports"
+ top_handler_name
+ | is_io = "runIO"
+ | otherwise = "runNonIO"
+ -- In case of sync export, we use the normal C FFI tophandler
+ -- functions. They would call flushStdHandles in case of uncaught
+ -- exception but not in normal cases, but we want flushStdHandles to
+ -- be called so that there are less run-time surprises for users,
+ -- and that's what our tophandler functions already do.
+ --
+ -- So for each sync export, we first wrap the computation with a C
+ -- FFI tophandler, and then sequence it with flushStdHandles using
+ -- (<*) :: IO a -> IO b -> IO a. But it's trickier to call (<*)
+ -- using RTS API given type class dictionary is involved, so we'll
+ -- just use finally.
+ finally_id <-
+ lookupGhcInternalVarId
+ "GHC.Internal.Control.Exception.Base"
+ "finally"
+ flushStdHandles_id <-
+ lookupGhcInternalVarId
+ "GHC.Internal.TopHandler"
+ "flushStdHandles"
promiseRes_id <-
- lookupGhcInternalVarId "GHC.Internal.Wasm.Prim.Exports" $ "js_promiseResolve" ++ res_ty_str
- runIO_id <- lookupGhcInternalVarId "GHC.Internal.Wasm.Prim.Exports" "runIO"
- runNonIO_id <- lookupGhcInternalVarId "GHC.Internal.Wasm.Prim.Exports" "runNonIO"
- let work_id =
- mkExportedVanillaId
- ( mkExternalName
- work_uniq
- (nameModule $ getName fn_id)
- (mkVarOcc $ "jsffi_" ++ occNameString (getOccName fn_id))
- generatedSrcSpan
- )
- (exprType work_rhs)
- work_rhs =
- mkCoreLams (tvs ++ args)
- $ mkApps
- (Var $ if is_io then runIO_id else runNonIO_id)
- [ Type res_ty,
- mkApps (Var promiseRes_id) $ map Type res_ty_args,
- mkApps (Cast (Var fn_id) co)
- $ map (Type . mkTyVarTy) tvs
- ++ map Var args
- ]
- work_closure = ppr work_id <> text "_closure"
- work_closure_decl = text "extern StgClosure" <+> work_closure <> semi
+ lookupGhcInternalVarId "GHC.Internal.Wasm.Prim.Exports"
+ $ "js_promiseResolve"
+ ++ res_ty_str
+ top_handler_id <- lookupGhcInternalVarId top_handler_mod top_handler_name
+ let ppr_closure c = ppr c <> text "_closure"
+ mk_extern_closure_decl c =
+ text "extern StgClosure" <+> ppr_closure c <> semi
+ gc_root_closures = maybeToList m_fn_id ++ case sync of
+ -- In case of C FFI top handlers, they are already declared in
+ -- RtsAPI.h and registered as GC roots in initBuiltinGcRoots.
+ -- flushStdHandles is already registered but somehow the C
+ -- stub can't access its declaration, won't hurt to declare it
+ -- again here.
+ Sync -> [finally_id, flushStdHandles_id]
+ Async -> [top_handler_id, promiseRes_id]
+ extern_closure_decls = vcat $ map mk_extern_closure_decl gc_root_closures
cstub_attr =
text "__attribute__"
<> parens
- (parens $ text "export_name" <> parens (doubleQuotes $ ftext ext_name))
+ (parens $ text "export_name" <> parens (doubleQuotes $ text ext_name))
cstub_arg_list =
[ text ("Hs" ++ ffiType (scaledThing arg_ty)) <+> char 'a' <> int i
- | (i, arg_ty) <- zip [1 ..] arg_tys
+ | (i, arg_ty) <- zip [1 ..] arg_tys
]
cstub_args = case cstub_arg_list of
[] -> text "void"
_ -> hsep $ punctuate comma cstub_arg_list
- cstub_proto = text "HsJSVal" <+> ftext ext_name <> parens cstub_args
+ cstub_proto
+ | Sync <- sync,
+ res_ty `eqType` unitTy =
+ text "void" <+> text ext_name <> parens cstub_args
+ | Sync <- sync =
+ text ("Hs" ++ res_ty_str) <+> text ext_name <> parens cstub_args
+ | Async <- sync =
+ text "HsJSVal" <+> text ext_name <> parens cstub_args
+ c_closure c = char '&' <> ppr_closure c
+ c_call fn args = text fn <> parens (hsep $ punctuate comma args)
+ c_rts_apply =
+ Data.List.foldl1' $ \fn arg -> c_call "rts_apply" [text "cap", fn, arg]
+ apply_top_handler expr = case sync of
+ Sync ->
+ c_rts_apply
+ [ c_closure finally_id,
+ c_rts_apply [c_closure top_handler_id, expr],
+ c_closure flushStdHandles_id
+ ]
+ Async ->
+ c_rts_apply [c_closure top_handler_id, c_closure promiseRes_id, expr]
+ cstub_ret
+ | Sync <- sync, res_ty `eqType` unitTy = empty
+ | Sync <- sync = text $ "return rts_get" ++ res_ty_str ++ "(ret);"
+ | Async <- sync = text "return rts_getJSVal(ret);"
+ (cstub_target, real_args)
+ | Just fn_id <- m_fn_id = (c_closure fn_id, zip [1 ..] arg_tys)
+ | otherwise = (text "(HaskellObj)deRefStablePtr(a1)", zip [2 ..] $ tail arg_tys)
cstub_body =
vcat
[ lbrace,
text "Capability *cap = rts_lock();",
text "HaskellObj ret;",
- -- rts_evalLazyIO is fine, the top handler always returns
- -- an evaluated result
- text "rts_evalLazyIO"
- <> parens
- ( hsep
- $ punctuate
- comma
- [ text "&cap",
- foldl'
- ( \acc (i, arg_ty) ->
- text "rts_apply"
- <> parens
- ( hsep
- $ punctuate
- comma
- [ text "cap",
- acc,
- text ("rts_mk" ++ ffiType (scaledThing arg_ty))
- <> parens
- (hsep $ punctuate comma [text "cap", char 'a' <> int i])
- ]
- )
- )
- (char '&' <> work_closure)
- $ zip [1 ..] arg_tys,
- text "&ret"
- ]
- )
+ c_call
+ "rts_inCall"
+ [ text "&cap",
+ apply_top_handler
+ $ c_rts_apply
+ $ cstub_target
+ : [ c_call
+ ("rts_mk" ++ ffiType (scaledThing arg_ty))
+ [text "cap", char 'a' <> int i]
+ | (i, arg_ty) <- real_args
+ ],
+ text "&ret"
+ ]
<> semi,
- text "rts_checkSchedStatus"
- <> parens (doubleQuotes (ftext ext_name) <> comma <> text "cap")
+ c_call "rts_checkSchedStatus" [doubleQuotes (text ext_name), text "cap"]
<> semi,
text "rts_unlock(cap);",
- text "return rts_getJSVal(ret);",
+ cstub_ret,
rbrace
]
cstub =
commonCDecls
- $+$ work_closure_decl
+ $+$ extern_closure_decls
$+$ cstub_attr
$+$ cstub_proto
$+$ cstub_body
- pure
- ( CHeader commonCDecls,
- CStub cstub [] [],
- "",
- [work_id],
- [(work_id, work_rhs)]
- )
+ pure (CHeader commonCDecls, CStub cstub [] [], "", gc_root_closures, [])
lookupGhcInternalVarId :: FastString -> String -> DsM Id
lookupGhcInternalVarId m v = do
=====================================
compiler/GHC/Runtime/Eval.hs
=====================================
@@ -18,7 +18,7 @@ module GHC.Runtime.Eval (
abandon, abandonAll,
getResumeContext,
getHistorySpan,
- getModBreaks,
+ getModBreaks, readModBreaks,
getHistoryModule,
setupBreakpoint,
back, forward,
@@ -130,14 +130,12 @@ import GHC.Tc.Zonk.Env ( ZonkFlexi (SkolemiseFlexi) )
import GHC.IfaceToCore
import Control.Monad
-import Control.Monad.Catch as MC
import Data.Array
import Data.Dynamic
import Data.IntMap (IntMap)
import qualified Data.IntMap as IntMap
import Data.List (find,intercalate)
import Data.List.NonEmpty (NonEmpty)
-import System.Directory
import Unsafe.Coerce ( unsafeCoerce )
import qualified GHC.Unit.Home.Graph as HUG
@@ -156,9 +154,8 @@ getHistoryModule = ibi_tick_mod . historyBreakpointId
getHistorySpan :: HscEnv -> History -> IO SrcSpan
getHistorySpan hsc_env hist = do
let ibi = historyBreakpointId hist
- HUG.lookupHugByModule (ibi_tick_mod ibi) (hsc_HUG hsc_env) >>= pure . \case
- Just hmi -> modBreaks_locs (getModBreaks hmi) ! ibi_tick_index ibi
- _ -> panic "getHistorySpan"
+ brks <- readModBreaks hsc_env (ibi_tick_mod ibi)
+ return $ modBreaks_locs brks ! ibi_tick_index ibi
{- | Finds the enclosing top level function name -}
-- ToDo: a better way to do this would be to keep hold of the decl_path computed
@@ -166,9 +163,8 @@ getHistorySpan hsc_env hist = do
-- for each tick.
findEnclosingDecls :: HscEnv -> InternalBreakpointId -> IO [String]
findEnclosingDecls hsc_env ibi = do
- hmi <- expectJust <$> HUG.lookupHugByModule (ibi_tick_mod ibi) (hsc_HUG hsc_env)
- return $
- modBreaks_decls (getModBreaks hmi) ! ibi_tick_index ibi
+ brks <- readModBreaks hsc_env (ibi_tick_mod ibi)
+ return $ modBreaks_decls brks ! ibi_tick_index ibi
-- | Update fixity environment in the current interactive context.
updateFixityEnv :: GhcMonad m => FixityEnv -> m ()
@@ -232,10 +228,9 @@ execStmt' stmt stmt_text ExecOptions{..} = do
updateFixityEnv fix_env
status <-
- withVirtualCWD $
- liftIO $ do
- let eval_opts = initEvalOpts idflags' (isStep execSingleStep)
- evalStmt interp eval_opts (execWrap hval)
+ liftIO $ do
+ let eval_opts = initEvalOpts idflags' (enableGhcStepMode execSingleStep)
+ evalStmt interp eval_opts (execWrap hval)
let ic = hsc_IC hsc_env
bindings = (ic_tythings ic, ic_gre_cache ic)
@@ -282,38 +277,17 @@ them. The relevant predicate is OccName.isDerivedOccName.
See #11051 for more background and examples.
-}
-withVirtualCWD :: GhcMonad m => m a -> m a
-withVirtualCWD m = do
- hsc_env <- getSession
-
- -- a virtual CWD is only necessary when we're running interpreted code in
- -- the same process as the compiler.
- case interpInstance <$> hsc_interp hsc_env of
- Just (ExternalInterp {}) -> m
- _ -> do
- let ic = hsc_IC hsc_env
- let set_cwd = do
- dir <- liftIO $ getCurrentDirectory
- case ic_cwd ic of
- Just dir -> liftIO $ setCurrentDirectory dir
- Nothing -> return ()
- return dir
-
- reset_cwd orig_dir = do
- virt_dir <- liftIO $ getCurrentDirectory
- hsc_env <- getSession
- let old_IC = hsc_IC hsc_env
- setSession hsc_env{ hsc_IC = old_IC{ ic_cwd = Just virt_dir } }
- liftIO $ setCurrentDirectory orig_dir
-
- MC.bracket set_cwd reset_cwd $ \_ -> m
-
parseImportDecl :: GhcMonad m => String -> m (ImportDecl GhcPs)
parseImportDecl expr = withSession $ \hsc_env -> liftIO $ hscImport hsc_env expr
emptyHistory :: Int -> BoundedList History
emptyHistory size = nilBL size
+-- | Turn an 'EvalStatus_' result from interpreting Haskell into a GHCi 'ExecResult'.
+--
+-- This function is responsible for resuming execution at an intermediate
+-- breakpoint if we don't care about that breakpoint (e.g. if using :steplocal
+-- or :stepmodule, rather than :step, we only care about certain breakpoints).
handleRunStatus :: GhcMonad m
=> SingleStep -> String
-> ResumeBindings
@@ -322,92 +296,107 @@ handleRunStatus :: GhcMonad m
-> BoundedList History
-> m ExecResult
-handleRunStatus step expr bindings final_ids status history0
- | RunAndLogSteps <- step = tracing
- | otherwise = not_tracing
- where
- tracing
- | EvalBreak apStack_ref (Just eval_break) resume_ctxt _ccs <- status
- = do
- hsc_env <- getSession
- let interp = hscInterp hsc_env
- let dflags = hsc_dflags hsc_env
- ibi <- liftIO $ evalBreakpointToId (hsc_HPT hsc_env) eval_break
- hmi <- liftIO $ expectJust <$>
- lookupHpt (hsc_HPT hsc_env) (moduleName (ibi_tick_mod ibi))
- let breaks = getModBreaks hmi
-
- b <- liftIO $
- breakpointStatus interp (modBreaks_flags breaks) (ibi_tick_index ibi)
- if b
- then not_tracing
- -- This breakpoint is explicitly enabled; we want to stop
- -- instead of just logging it.
- else do
- apStack_fhv <- liftIO $ mkFinalizedHValue interp apStack_ref
- history1 <- liftIO $ mkHistory hsc_env apStack_fhv ibi
- let !history' = history1 `consBL` history0
- -- history is strict, otherwise our BoundedList is pointless.
- fhv <- liftIO $ mkFinalizedHValue interp resume_ctxt
- let eval_opts = initEvalOpts dflags True
- status <- liftIO $ GHCi.resumeStmt interp eval_opts fhv
- handleRunStatus RunAndLogSteps expr bindings final_ids
- status history'
- | otherwise
- = not_tracing
-
- not_tracing
- -- Hit a breakpoint
- | EvalBreak apStack_ref maybe_break resume_ctxt ccs <- status
- = do
- hsc_env <- getSession
- let interp = hscInterp hsc_env
- resume_ctxt_fhv <- liftIO $ mkFinalizedHValue interp resume_ctxt
- apStack_fhv <- liftIO $ mkFinalizedHValue interp apStack_ref
- ibi <- case maybe_break of
- Nothing -> pure Nothing
- Just break -> fmap Just $ liftIO $
- evalBreakpointToId (hsc_HPT hsc_env) break
- (hsc_env1, names, span, decl) <- liftIO $
- bindLocalsAtBreakpoint hsc_env apStack_fhv ibi
- let
- resume = Resume
- { resumeStmt = expr
- , resumeContext = resume_ctxt_fhv
- , resumeBindings = bindings
- , resumeFinalIds = final_ids
- , resumeApStack = apStack_fhv
- , resumeBreakpointId = ibi
- , resumeSpan = span
- , resumeHistory = toListBL history0
- , resumeDecl = decl
- , resumeCCS = ccs
- , resumeHistoryIx = 0
- }
- hsc_env2 = pushResume hsc_env1 resume
-
- setSession hsc_env2
- return (ExecBreak names ibi)
+handleRunStatus step expr bindings final_ids status history0 = do
+ hsc_env <- getSession
+ let
+ interp = hscInterp hsc_env
+ dflags = hsc_dflags hsc_env
+ case status of
-- Completed successfully
- | EvalComplete allocs (EvalSuccess hvals) <- status
- = do hsc_env <- getSession
- let final_ic = extendInteractiveContextWithIds (hsc_IC hsc_env) final_ids
- final_names = map getName final_ids
- interp = hscInterp hsc_env
- liftIO $ Loader.extendLoadedEnv interp (zip final_names hvals)
- hsc_env' <- liftIO $ rttiEnvironment hsc_env{hsc_IC=final_ic}
- setSession hsc_env'
- return (ExecComplete (Right final_names) allocs)
+ EvalComplete allocs (EvalSuccess hvals) -> do
+ let
+ final_ic = extendInteractiveContextWithIds (hsc_IC hsc_env) final_ids
+ final_names = map getName final_ids
+ liftIO $ Loader.extendLoadedEnv interp (zip final_names hvals)
+ hsc_env' <- liftIO $ rttiEnvironment hsc_env{hsc_IC=final_ic}
+ setSession hsc_env'
+ return (ExecComplete (Right final_names) allocs)
-- Completed with an exception
- | EvalComplete alloc (EvalException e) <- status
- = return (ExecComplete (Left (fromSerializableException e)) alloc)
-
+ EvalComplete alloc (EvalException e) ->
+ return (ExecComplete (Left (fromSerializableException e)) alloc)
+
+ -- Nothing case: we stopped when an exception was raised, not at a breakpoint.
+ EvalBreak apStack_ref Nothing resume_ctxt ccs -> do
+ resume_ctxt_fhv <- liftIO $ mkFinalizedHValue interp resume_ctxt
+ apStack_fhv <- liftIO $ mkFinalizedHValue interp apStack_ref
+ let span = mkGeneralSrcSpan (fsLit "<unknown>")
+ (hsc_env1, names) <- liftIO $
+ bindLocalsAtBreakpoint hsc_env apStack_fhv span Nothing
+ let
+ resume = Resume
+ { resumeStmt = expr
+ , resumeContext = resume_ctxt_fhv
+ , resumeBindings = bindings
+ , resumeFinalIds = final_ids
+ , resumeApStack = apStack_fhv
+ , resumeBreakpointId = Nothing
+ , resumeSpan = span
+ , resumeHistory = toListBL history0
+ , resumeDecl = "<exception thrown>"
+ , resumeCCS = ccs
+ , resumeHistoryIx = 0
+ }
+ hsc_env2 = pushResume hsc_env1 resume
+
+ setSession hsc_env2
+ return (ExecBreak names Nothing)
+
+ -- Just case: we stopped at a breakpoint
+ EvalBreak apStack_ref (Just eval_break) resume_ctxt ccs -> do
+ ibi <- liftIO $ evalBreakpointToId (hsc_HPT hsc_env) eval_break
+ tick_brks <- liftIO $ readModBreaks hsc_env (ibi_tick_mod ibi)
+ let
+ span = modBreaks_locs tick_brks ! ibi_tick_index ibi
+ decl = intercalate "." $ modBreaks_decls tick_brks ! ibi_tick_index ibi
+
+ b <- liftIO $ breakpointStatus interp (modBreaks_flags tick_brks) (ibi_tick_index ibi)
+
+ apStack_fhv <- liftIO $ mkFinalizedHValue interp apStack_ref
+ resume_ctxt_fhv <- liftIO $ mkFinalizedHValue interp resume_ctxt
+
+ -- This breakpoint is explicitly enabled; we want to stop
+ -- instead of just logging it.
+ if b || breakHere step span then do
+ -- This function only returns control to ghci with 'ExecBreak' when it is really meant to break.
+ -- Specifically, for :steplocal or :stepmodule, don't return control
+ -- and simply resume execution from here until we hit a breakpoint we do want to stop at.
+ (hsc_env1, names) <- liftIO $
+ bindLocalsAtBreakpoint hsc_env apStack_fhv span (Just ibi)
+ let
+ resume = Resume
+ { resumeStmt = expr
+ , resumeContext = resume_ctxt_fhv
+ , resumeBindings = bindings
+ , resumeFinalIds = final_ids
+ , resumeApStack = apStack_fhv
+ , resumeBreakpointId = Just ibi
+ , resumeSpan = span
+ , resumeHistory = toListBL history0
+ , resumeDecl = decl
+ , resumeCCS = ccs
+ , resumeHistoryIx = 0
+ }
+ hsc_env2 = pushResume hsc_env1 resume
+ setSession hsc_env2
+ return (ExecBreak names (Just ibi))
+ else do
+ let eval_opts = initEvalOpts dflags (enableGhcStepMode step)
+ status <- liftIO $ GHCi.resumeStmt interp eval_opts resume_ctxt_fhv
+ history <- if not tracing then pure history0 else do
+ history1 <- liftIO $ mkHistory hsc_env apStack_fhv ibi
+ let !history' = history1 `consBL` history0
+ -- history is strict, otherwise our BoundedList is pointless.
+ return history'
+ handleRunStatus step expr bindings final_ids status history
+ where
+ tracing | RunAndLogSteps <- step = True
+ | otherwise = False
-resumeExec :: GhcMonad m => (SrcSpan->Bool) -> SingleStep -> Maybe Int
+resumeExec :: GhcMonad m => SingleStep -> Maybe Int
-> m ExecResult
-resumeExec canLogSpan step mbCnt
+resumeExec step mbCnt
= do
hsc_env <- getSession
let ic = hsc_IC hsc_env
@@ -445,42 +434,41 @@ resumeExec canLogSpan step mbCnt
, resumeBreakpointId = mb_brkpt
, resumeSpan = span
, resumeHistory = hist } ->
- withVirtualCWD $ do
+ do
-- When the user specified a break ignore count, set it
-- in the interpreter
case (mb_brkpt, mbCnt) of
(Just brkpt, Just cnt) -> setupBreakpoint hsc_env (toBreakpointId brkpt) cnt
_ -> return ()
- let eval_opts = initEvalOpts dflags (isStep step)
+ let eval_opts = initEvalOpts dflags (enableGhcStepMode step)
status <- liftIO $ GHCi.resumeStmt interp eval_opts fhv
let prevHistoryLst = fromListBL 50 hist
hist' = case mb_brkpt of
Nothing -> pure prevHistoryLst
Just bi
- | not $ canLogSpan span -> pure prevHistoryLst
- | otherwise -> do
+ | breakHere step span -> do
hist1 <- liftIO (mkHistory hsc_env apStack bi)
return $ hist1 `consBL` fromListBL 50 hist
+ | otherwise -> pure prevHistoryLst
handleRunStatus step expr bindings final_ids status =<< hist'
setupBreakpoint :: GhcMonad m => HscEnv -> BreakpointId -> Int -> m () -- #19157
setupBreakpoint hsc_env bi cnt = do
let modl = bi_tick_mod bi
- modBreaks <- getModBreaks . expectJust <$>
- liftIO (lookupHpt (hsc_HPT hsc_env) (moduleName modl))
+ modBreaks <- liftIO $ readModBreaks hsc_env modl
let breakarray = modBreaks_flags modBreaks
interp = hscInterp hsc_env
_ <- liftIO $ GHCi.storeBreakpoint interp breakarray (bi_tick_index bi) cnt
pure ()
-back :: GhcMonad m => Int -> m ([Name], Int, SrcSpan, String)
+back :: GhcMonad m => Int -> m ([Name], Int, SrcSpan)
back n = moveHist (+n)
-forward :: GhcMonad m => Int -> m ([Name], Int, SrcSpan, String)
+forward :: GhcMonad m => Int -> m ([Name], Int, SrcSpan)
forward n = moveHist (subtract n)
-moveHist :: GhcMonad m => (Int -> Int) -> m ([Name], Int, SrcSpan, String)
+moveHist :: GhcMonad m => (Int -> Int) -> m ([Name], Int, SrcSpan)
moveHist fn = do
hsc_env <- getSession
case ic_resume (hsc_IC hsc_env) of
@@ -498,15 +486,20 @@ moveHist fn = do
let
update_ic apStack mb_info = do
- (hsc_env1, names, span, decl) <-
- liftIO $ bindLocalsAtBreakpoint hsc_env apStack mb_info
+ span <- case mb_info of
+ Nothing -> return $ mkGeneralSrcSpan (fsLit "<unknown>")
+ Just ibi -> liftIO $ do
+ brks <- readModBreaks hsc_env (ibi_tick_mod ibi)
+ return $ modBreaks_locs brks ! ibi_tick_index ibi
+ (hsc_env1, names) <-
+ liftIO $ bindLocalsAtBreakpoint hsc_env apStack span mb_info
let ic = hsc_IC hsc_env1
r' = r { resumeHistoryIx = new_ix }
ic' = ic { ic_resume = r':rs }
setSession hsc_env1{ hsc_IC = ic' }
- return (names, new_ix, span, decl)
+ return (names, new_ix, span)
-- careful: we want apStack to be the AP_STACK itself, not a thunk
-- around it, hence the cases are carefully constructed below to
@@ -527,19 +520,25 @@ moveHist fn = do
result_fs :: FastString
result_fs = fsLit "_result"
+-- | Read the 'ModBreaks' of the given home 'Module' from the 'HomeUnitGraph'.
+readModBreaks :: HscEnv -> Module -> IO ModBreaks
+readModBreaks hsc_env mod =
+ getModBreaks . expectJust <$>
+ HUG.lookupHugByModule mod (hsc_HUG hsc_env)
+
bindLocalsAtBreakpoint
:: HscEnv
-> ForeignHValue
+ -> SrcSpan
-> Maybe InternalBreakpointId
- -> IO (HscEnv, [Name], SrcSpan, String)
+ -> IO (HscEnv, [Name])
-- Nothing case: we stopped when an exception was raised, not at a
-- breakpoint. We have no location information or local variables to
-- bind, all we can do is bind a local variable to the exception
-- value.
-bindLocalsAtBreakpoint hsc_env apStack Nothing = do
+bindLocalsAtBreakpoint hsc_env apStack span Nothing = do
let exn_occ = mkVarOccFS (fsLit "_exception")
- span = mkGeneralSrcSpan (fsLit "<unknown>")
exn_name <- newInteractiveBinder hsc_env exn_occ span
let e_fs = fsLit "e"
@@ -552,32 +551,21 @@ bindLocalsAtBreakpoint hsc_env apStack Nothing = do
interp = hscInterp hsc_env
--
Loader.extendLoadedEnv interp [(exn_name, apStack)]
- return (hsc_env{ hsc_IC = ictxt1 }, [exn_name], span, "<exception thrown>")
+ return (hsc_env{ hsc_IC = ictxt1 }, [exn_name])
-- Just case: we stopped at a breakpoint, we have information about the location
-- of the breakpoint and the free variables of the expression.
-bindLocalsAtBreakpoint hsc_env apStack_fhv (Just ibi) = do
- let
- interp = hscInterp hsc_env
-
- info_mod = ibi_info_mod ibi
- info_hmi <- expectJust <$> lookupHpt (hsc_HPT hsc_env) (moduleName info_mod)
- let
- info_brks = getModBreaks info_hmi
- info = expectJust $ IntMap.lookup (ibi_info_index ibi) (modBreaks_breakInfo info_brks)
-
- tick_mod = ibi_tick_mod ibi
- tick_hmi <- expectJust <$> lookupHpt (hsc_HPT hsc_env) (moduleName tick_mod)
- let
- tick_brks = getModBreaks tick_hmi
- occs = modBreaks_vars tick_brks ! ibi_tick_index ibi
- span = modBreaks_locs tick_brks ! ibi_tick_index ibi
- decl = intercalate "." $ modBreaks_decls tick_brks ! ibi_tick_index ibi
+bindLocalsAtBreakpoint hsc_env apStack_fhv span (Just ibi) = do
+ info_brks <- readModBreaks hsc_env (ibi_info_mod ibi)
+ tick_brks <- readModBreaks hsc_env (ibi_tick_mod ibi)
+ let info = expectJust $ IntMap.lookup (ibi_info_index ibi) (modBreaks_breakInfo info_brks)
+ interp = hscInterp hsc_env
+ occs = modBreaks_vars tick_brks ! ibi_tick_index ibi
-- Rehydrate to understand the breakpoint info relative to the current environment.
-- This design is critical to preventing leaks (#22530)
(mbVars, result_ty) <- initIfaceLoad hsc_env
- $ initIfaceLcl info_mod (text "debugger") NotBoot
+ $ initIfaceLcl (ibi_info_mod ibi) (text "debugger") NotBoot
$ hydrateCgBreakInfo info
let
@@ -624,7 +612,7 @@ bindLocalsAtBreakpoint hsc_env apStack_fhv (Just ibi) = do
Loader.extendLoadedEnv interp (zip names fhvs)
when result_ok $ Loader.extendLoadedEnv interp [(result_name, apStack_fhv)]
hsc_env1 <- rttiEnvironment hsc_env{ hsc_IC = ictxt1 }
- return (hsc_env1, if result_ok then result_name:names else names, span, decl)
+ return (hsc_env1, if result_ok then result_name:names else names)
where
-- We need a fresh Unique for each Id we bind, because the linker
-- state is single-threaded and otherwise we'd spam old bindings
=====================================
compiler/GHC/Runtime/Eval/Types.hs
=====================================
@@ -9,7 +9,8 @@
module GHC.Runtime.Eval.Types (
Resume(..), ResumeBindings, IcGlobalRdrEnv(..),
History(..), ExecResult(..),
- SingleStep(..), isStep, ExecOptions(..)
+ SingleStep(..), enableGhcStepMode, breakHere,
+ ExecOptions(..)
) where
import GHC.Prelude
@@ -35,21 +36,59 @@ data ExecOptions
, execWrap :: ForeignHValue -> EvalExpr ForeignHValue
}
+-- | What kind of stepping are we doing?
data SingleStep
= RunToCompletion
- | SingleStep
+
+ -- | :trace [expr]
| RunAndLogSteps
-isStep :: SingleStep -> Bool
-isStep RunToCompletion = False
-isStep _ = True
+ -- | :step [expr]
+ | SingleStep
+
+ -- | :steplocal [expr]
+ | LocalStep
+ { breakAt :: SrcSpan }
+
+ -- | :stepmodule [expr]
+ | ModuleStep
+ { breakAt :: SrcSpan }
+
+-- | Whether this 'SingleStep' mode requires instructing the interpreter to
+-- step at every breakpoint.
+enableGhcStepMode :: SingleStep -> Bool
+enableGhcStepMode RunToCompletion = False
+enableGhcStepMode _ = True
+
+-- | Given a 'SingleStep' mode and the SrcSpan of a breakpoint we hit, return
+-- @True@ if based on the step-mode alone we should stop at this breakpoint.
+--
+-- In particular, this will always be @False@ for @'RunToCompletion'@ and
+-- @'RunAndLogSteps'@. We'd need further information e.g. about the user
+-- breakpoints to determine whether to break in those modes.
+breakHere :: SingleStep -> SrcSpan -> Bool
+breakHere step break_span = case step of
+ RunToCompletion -> False
+ RunAndLogSteps -> False
+ SingleStep -> True
+ LocalStep span -> break_span `isSubspanOf` span
+ ModuleStep span -> srcSpanFileName_maybe span == srcSpanFileName_maybe break_span
data ExecResult
+
+ -- | Execution is complete
= ExecComplete
{ execResult :: Either SomeException [Name]
, execAllocation :: Word64
}
- | ExecBreak
+
+ -- | Execution stopped at a breakpoint.
+ --
+ -- Note: `ExecBreak` is only returned by `handleRunStatus` when GHCi should
+ -- definitely stop at this breakpoint. GHCi is /not/ responsible for
+ -- subsequently deciding whether to really stop here.
+ -- `ExecBreak` always means GHCi breaks.
+ | ExecBreak
{ breakNames :: [Name]
, breakPointId :: Maybe InternalBreakpointId
}
=====================================
compiler/GHC/Tc/Gen/Foreign.hs
=====================================
@@ -78,7 +78,7 @@ import GHC.Data.Bag
import GHC.Driver.Hooks
import qualified GHC.LanguageExtensions as LangExt
-import Control.Monad ( zipWithM )
+import Control.Monad ( when, zipWithM )
import Control.Monad.Trans.Writer.CPS
( WriterT, runWriterT, tell )
import Control.Monad.Trans.Class
@@ -444,7 +444,7 @@ tcFExport d = pprPanic "tcFExport" (ppr d)
tcCheckFEType :: Type -> ForeignExport GhcRn -> TcM (ForeignExport GhcTc)
tcCheckFEType sig_ty edecl@(CExport src (L l (CExportStatic esrc str cconv))) = do
checkCg (Left edecl) backendValidityOfCExport
- checkTc (isCLabelString str) (TcRnInvalidCIdentifier str)
+ when (cconv /= JavaScriptCallConv) $ checkTc (isCLabelString str) (TcRnInvalidCIdentifier str)
cconv' <- checkCConv (Left edecl) cconv
checkForeignArgs isFFIExternalTy arg_tys
checkForeignRes nonIOok noCheckSafe isFFIExportResultTy res_ty
=====================================
docs/users_guide/wasm.rst
=====================================
@@ -231,15 +231,15 @@ There are two kinds of JSFFI imports: synchronous/asynchronous imports.
``unsafe`` indicates synchronous imports, which has the following
caveats:
-- The calling thread as well as the entire runtime blocks on waiting
- for the import result.
-- If the JavaScript code throws, the runtime crashes with the same
- error. A JavaScript exception cannot be handled as a Haskell
- exception here, so you need to use a JavaScript ``catch`` explicitly
- shall the need arise.
-- Like ``unsafe`` C imports, re-entrance is not supported, the imported
- foreign code must not call into Haskell again. Doing so would result
- in a runtime panic.
+- The calling thread as well as the entire runtime blocks on waiting for
+ the import result.
+- If the JavaScript code throws, the runtime crashes with the same
+ error. A JavaScript exception cannot be handled as a Haskell exception
+ here, so you need to use a JavaScript ``catch`` explicitly shall the
+ need arise.
+- Unlike ``unsafe`` C imports, re-entrance is actually supported, the
+ imported JavaScript code can call into Haskell again, provided that
+ Haskell function is exported as a synchronous one.
When a JSFFI import is marked as ``safe`` / ``interruptible`` or lacks
safety annotation, then it’s treated as an asynchronous import. The
@@ -274,14 +274,12 @@ runtime, and resumed when the ``Promise`` actually resolves or rejects.
Compared to synchronous JSFFI imports, asynchronous JSFFI imports have
the following notable pros/cons:
-- Waiting for the result only blocks a single Haskell thread, other
- threads can still make progress and garbage collection may still
- happen.
-- If the ``Promise`` rejects, Haskell code can catch JavaScript errors
- as ``JSException``\ s.
-- Re-entrance is supported. The JavaScript code may call into Haskell
- again and vice versa.
-- Of course, it has higher overhead than synchronous JSFFI imports.
+- Waiting for the result only blocks a single Haskell thread, other
+ threads can still make progress and garbage collection may still
+ happen.
+- If the ``Promise`` rejects, Haskell code can catch JavaScript errors
+ as ``JSException``\ s.
+- It has higher overhead than synchronous JSFFI imports.
Using thunks to encapsulate ``Promise`` result allows cheaper
concurrency without even needing to fork Haskell threads just for
@@ -345,12 +343,17 @@ wrapper, and as long as the wasm instance is properly initialized, you
can call ``await instance.exports.my_fib(10)`` to invoke the exported
Haskell function and get the result.
-Unlike JSFFI imports which have synchronous/asynchronous flavors, JSFFI
-exports are always asynchronous. Calling them always return a
-``Promise`` in JavaScript that needs to be ``await``\ ed for the real
-result. If the Haskell function throws, the ``Promise`` is rejected with
-a ``WebAssembly.RuntimeError``, and the ``message`` field contains a
-JavaScript string of the Haskell exception.
+JSFFI exports are asynchronous by default. Calling an async export
+return a ``Promise`` in JavaScript that needs to be ``await``\ ed for
+the real result. If the Haskell function throws, the ``Promise`` is
+rejected with a ``WebAssembly.RuntimeError``, and the ``message`` field
+contains a JavaScript string of the Haskell exception.
+
+Additionally, sync exports are also supported by using ``"my_fib sync"``
+instead of ``"my_fib"``. With ``sync`` added alongside export function
+name, the JavaScript function would return the result synchronously. For
+the time being, sync exports don’t support propagating uncaught Haskell
+exception to a JavaScript exception at the call site yet.
Above is the static flavor of JSFFI exports. It’s also possible to
export a dynamically created Haskell function closure as a JavaScript
@@ -366,8 +369,9 @@ function and obtain its ``JSVal``:
This is also much like ``foreign import ccall "wrapper"``, which wraps a
Haskell function closure as a C function pointer. Note that ``unsafe`` /
``safe`` annotation is ignored here, since the ``JSVal`` that represent
-the exported function is always returned synchronously, but it is always
-an asynchronous JavaScript function, just like static JSFFI exports.
+the exported function is always returned synchronously. Likewise, you
+can use ``"wrapper sync"`` instead of ``"wrapper"`` to indicate the
+returned JavaScript function is sync instead of async.
The ``JSVal`` callbacks created by dynamic JSFFI exports can be passed
to the rest of JavaScript world to be invoked later. But wait, didn’t we
=====================================
ghc/GHCi/UI.hs
=====================================
@@ -1310,7 +1310,7 @@ runStmt input step = do
m_result <- GhciMonad.runStmt stmt input step
case m_result of
Nothing -> return Nothing
- Just result -> Just <$> afterRunStmt (const True) result
+ Just result -> Just <$> afterRunStmt step result
-- `x = y` (a declaration) should be treated as `let x = y` (a statement).
-- The reason is because GHCi wasn't designed to support `x = y`, but then
@@ -1342,7 +1342,7 @@ runStmt input step = do
_ <- liftIO $ tryIO $ hFlushAll stdin
m_result <- GhciMonad.runDecls' decls
forM m_result $ \result ->
- afterRunStmt (const True) (GHC.ExecComplete (Right result) 0)
+ afterRunStmt step (GHC.ExecComplete (Right result) 0)
mk_stmt :: SrcSpan -> HsBind GhcPs -> GhciLStmt GhcPs
mk_stmt loc bind =
@@ -1359,9 +1359,9 @@ runStmt input step = do
modStr = moduleNameString $ moduleName $ icInteractiveModule $ ic
-- | Clean up the GHCi environment after a statement has run
-afterRunStmt :: GhciMonad m
- => (SrcSpan -> Bool) -> GHC.ExecResult -> m GHC.ExecResult
-afterRunStmt step_here run_result = do
+afterRunStmt :: GhciMonad m => SingleStep {-^ Type of step we took just before -}
+ -> GHC.ExecResult -> m GHC.ExecResult
+afterRunStmt step run_result = do
resumes <- GHC.getResumeContext
case run_result of
GHC.ExecComplete{..} ->
@@ -1372,9 +1372,7 @@ afterRunStmt step_here run_result = do
when show_types $ printTypeOfNames names
GHC.ExecBreak names mb_info
| first_resume : _ <- resumes
- , isNothing mb_info ||
- step_here (GHC.resumeSpan first_resume) -> do
- mb_id_loc <- toBreakIdAndLocation mb_info
+ -> do mb_id_loc <- toBreakIdAndLocation mb_info
let bCmd = maybe "" ( \(_,l) -> onBreakCmd l ) mb_id_loc
if (null bCmd)
then printStoppedAtBreakInfo first_resume names
@@ -1383,8 +1381,9 @@ afterRunStmt step_here run_result = do
st <- getGHCiState
enqueueCommands [stop st]
return ()
- | otherwise -> resume step_here GHC.SingleStep Nothing >>=
- afterRunStmt step_here >> return ()
+
+ | otherwise -> resume step Nothing >>=
+ afterRunStmt step >> return ()
flushInterpBuffers
withSignalHandlers $ do
@@ -3810,7 +3809,7 @@ forceCmd = pprintClosureCommand False True
stepCmd :: GhciMonad m => String -> m ()
stepCmd arg = withSandboxOnly ":step" $ step arg
where
- step [] = doContinue (const True) GHC.SingleStep
+ step [] = doContinue GHC.SingleStep
step expression = runStmt expression GHC.SingleStep >> return ()
stepLocalCmd :: GhciMonad m => String -> m ()
@@ -3829,7 +3828,7 @@ stepLocalCmd arg = withSandboxOnly ":steplocal" $ step arg
Just loc -> do
md <- fromMaybe (panic "stepLocalCmd") <$> getCurrentBreakModule
current_toplevel_decl <- enclosingTickSpan md loc
- doContinue (`isSubspanOf` RealSrcSpan current_toplevel_decl Strict.Nothing) GHC.SingleStep
+ doContinue (GHC.LocalStep (RealSrcSpan current_toplevel_decl Strict.Nothing))
stepModuleCmd :: GhciMonad m => String -> m ()
stepModuleCmd arg = withSandboxOnly ":stepmodule" $ step arg
@@ -3840,9 +3839,7 @@ stepModuleCmd arg = withSandboxOnly ":stepmodule" $ step arg
mb_span <- getCurrentBreakSpan
case mb_span of
Nothing -> stepCmd []
- Just pan -> do
- let f some_span = srcSpanFileName_maybe pan == srcSpanFileName_maybe some_span
- doContinue f GHC.SingleStep
+ Just pan -> doContinue (GHC.ModuleStep pan)
-- | Returns the span of the largest tick containing the srcspan given
enclosingTickSpan :: GhciMonad m => Module -> SrcSpan -> m RealSrcSpan
@@ -3863,14 +3860,14 @@ traceCmd :: GhciMonad m => String -> m ()
traceCmd arg
= withSandboxOnly ":trace" $ tr arg
where
- tr [] = doContinue (const True) GHC.RunAndLogSteps
+ tr [] = doContinue GHC.RunAndLogSteps
tr expression = runStmt expression GHC.RunAndLogSteps >> return ()
continueCmd :: GhciMonad m => String -> m () -- #19157
continueCmd argLine = withSandboxOnly ":continue" $
case contSwitch (words argLine) of
Left sdoc -> printForUser sdoc
- Right mbCnt -> doContinue' (const True) GHC.RunToCompletion mbCnt
+ Right mbCnt -> doContinue' GHC.RunToCompletion mbCnt
where
contSwitch :: [String] -> Either SDoc (Maybe Int)
contSwitch [ ] = Right Nothing
@@ -3878,13 +3875,13 @@ continueCmd argLine = withSandboxOnly ":continue" $
contSwitch _ = Left $
text "After ':continue' only one ignore count is allowed"
-doContinue :: GhciMonad m => (SrcSpan -> Bool) -> SingleStep -> m ()
-doContinue pre step = doContinue' pre step Nothing
+doContinue :: GhciMonad m => SingleStep -> m ()
+doContinue step = doContinue' step Nothing
-doContinue' :: GhciMonad m => (SrcSpan -> Bool) -> SingleStep -> Maybe Int -> m ()
-doContinue' pre step mbCnt= do
- runResult <- resume pre step mbCnt
- _ <- afterRunStmt pre runResult
+doContinue' :: GhciMonad m => SingleStep -> Maybe Int -> m ()
+doContinue' step mbCnt= do
+ runResult <- resume step mbCnt
+ _ <- afterRunStmt step runResult
return ()
abandonCmd :: GhciMonad m => String -> m ()
@@ -4036,7 +4033,7 @@ backCmd arg
| otherwise = liftIO $ putStrLn "Syntax: :back [num]"
where
back num = withSandboxOnly ":back" $ do
- (names, _, pan, _) <- GHC.back num
+ (names, _, pan) <- GHC.back num
printForUser $ text "Logged breakpoint at" <+> ppr pan
printTypeOfNames names
-- run the command set with ":set stop <cmd>"
@@ -4050,7 +4047,7 @@ forwardCmd arg
| otherwise = liftIO $ putStrLn "Syntax: :forward [num]"
where
forward num = withSandboxOnly ":forward" $ do
- (names, ix, pan, _) <- GHC.forward num
+ (names, ix, pan) <- GHC.forward num
printForUser $ (if (ix == 0)
then text "Stopped at"
else text "Logged breakpoint at") <+> ppr pan
=====================================
ghc/GHCi/UI/Monad.hs
=====================================
@@ -401,14 +401,14 @@ runDecls' decls = do
return Nothing)
(Just <$> GHC.runParsedDecls decls)
-resume :: GhciMonad m => (SrcSpan -> Bool) -> GHC.SingleStep -> Maybe Int -> m GHC.ExecResult
-resume canLogSpan step mbIgnoreCnt = do
+resume :: GhciMonad m => GHC.SingleStep -> Maybe Int -> m GHC.ExecResult
+resume step mbIgnoreCnt = do
st <- getGHCiState
reifyGHCi $ \x ->
withProgName (progname st) $
withArgs (args st) $
reflectGHCi x $ do
- GHC.resumeExec canLogSpan step mbIgnoreCnt
+ GHC.resumeExec step mbIgnoreCnt
-- --------------------------------------------------------------------------
-- timing & statistics
=====================================
libraries/ghc-internal/src/GHC/Internal/Pack.hs
=====================================
@@ -12,95 +12,20 @@
-- Stability : internal
-- Portability : non-portable (GHC Extensions)
--
--- ⚠ Warning: Starting @base-4.18@, this module is being deprecated.
--- See https://gitlab.haskell.org/ghc/ghc/-/issues/21461 for more information.
---
---
---
--- This module provides a small set of low-level functions for packing
--- and unpacking a chunk of bytes. Used by code emitted by the compiler
--- plus the prelude libraries.
---
--- The programmer level view of packed strings is provided by a GHC
--- system library PackedString.
+-- This function is just used by `rts_mkString`
--
-----------------------------------------------------------------------------
module GHC.Internal.Pack
(
- -- (**) - emitted by compiler.
-
- packCString#,
unpackCString,
- unpackCString#,
- unpackNBytes#,
- unpackFoldrCString#, -- (**)
- unpackAppendCString#, -- (**)
)
where
import GHC.Internal.Base
-import GHC.Internal.List ( length )
-import GHC.Internal.ST
import GHC.Internal.Ptr
-data ByteArray ix = ByteArray ix ix ByteArray#
-data MutableByteArray s ix = MutableByteArray ix ix (MutableByteArray# s)
-
unpackCString :: Ptr a -> [Char]
unpackCString a@(Ptr addr)
| a == nullPtr = []
| otherwise = unpackCString# addr
-
-packCString# :: [Char] -> ByteArray#
-packCString# str = case (packString str) of { ByteArray _ _ bytes -> bytes }
-
-packString :: [Char] -> ByteArray Int
-packString str = runST (packStringST str)
-
-packStringST :: [Char] -> ST s (ByteArray Int)
-packStringST str =
- let len = length str in
- packNBytesST len str
-
-packNBytesST :: Int -> [Char] -> ST s (ByteArray Int)
-packNBytesST (I# length#) str =
- {-
- allocate an array that will hold the string
- (not forgetting the NUL byte at the end)
- -}
- new_ps_array (length# +# 1#) >>= \ ch_array ->
- -- fill in packed string from "str"
- fill_in ch_array 0# str >>
- -- freeze the puppy:
- freeze_ps_array ch_array length#
- where
- fill_in :: MutableByteArray s Int -> Int# -> [Char] -> ST s ()
- fill_in arr_in# idx [] =
- write_ps_array arr_in# idx (chr# 0#) >>
- return ()
-
- fill_in arr_in# idx (C# c : cs) =
- write_ps_array arr_in# idx c >>
- fill_in arr_in# (idx +# 1#) cs
-
--- (Very :-) ``Specialised'' versions of some CharArray things...
-
-new_ps_array :: Int# -> ST s (MutableByteArray s Int)
-write_ps_array :: MutableByteArray s Int -> Int# -> Char# -> ST s ()
-freeze_ps_array :: MutableByteArray s Int -> Int# -> ST s (ByteArray Int)
-
-new_ps_array size = ST $ \ s ->
- case (newByteArray# size s) of { (# s2#, barr# #) ->
- (# s2#, MutableByteArray bot bot barr# #) }
- where
- bot = errorWithoutStackTrace "new_ps_array"
-
-write_ps_array (MutableByteArray _ _ barr#) n ch = ST $ \ s# ->
- case writeCharArray# barr# n ch s# of { s2# ->
- (# s2#, () #) }
-
--- same as unsafeFreezeByteArray
-freeze_ps_array (MutableByteArray _ _ arr#) len# = ST $ \ s# ->
- case unsafeFreezeByteArray# arr# s# of { (# s2#, frozen# #) ->
- (# s2#, ByteArray 0 (I# len#) frozen# #) }
=====================================
libraries/ghc-internal/src/GHC/Internal/Wasm/Prim/Imports.hs
=====================================
@@ -79,9 +79,9 @@ filled is generated via raiseJSException.
-}
-stg_blockPromise :: JSVal -> (JSVal -> StablePtr Any -> IO ()) -> r
-stg_blockPromise p msg_p = unsafeDupablePerformIO $ IO $ \s0 ->
- case stg_jsffi_check (unsafeCoerce# $ toException WouldBlockException) s0 of
+stg_blockPromise :: String -> JSVal -> (JSVal -> StablePtr Any -> IO ()) -> r
+stg_blockPromise err_msg p msg_p = unsafeDupablePerformIO $ IO $ \s0 ->
+ case stg_jsffi_check (unsafeCoerce# $ toException $ WouldBlockException err_msg) s0 of
(# s1 #) -> case myThreadId# s1 of
(# s2, tso #) -> case makeStablePtr# tso s2 of
(# s3, sp #) ->
=====================================
libraries/ghc-internal/src/GHC/Internal/Wasm/Prim/Types.hs
=====================================
@@ -139,8 +139,8 @@ foreign import javascript unsafe "`${$1.stack ? $1.stack : $1}`"
instance Exception JSException
-data WouldBlockException
- = WouldBlockException
+newtype WouldBlockException
+ = WouldBlockException String
deriving (Show)
instance Exception WouldBlockException
=====================================
rts/include/RtsAPI.h
=====================================
@@ -587,15 +587,15 @@ void rts_done (void);
// the base package itself.
//
#if defined(COMPILING_WINDOWS_DLL) && !defined(COMPILING_GHC_INTERNAL_PACKAGE)
-__declspec(dllimport) extern StgWord ghczminternal_GHCziInternalziTopHandler_runIO_closure[];
-__declspec(dllimport) extern StgWord ghczminternal_GHCziInternalziTopHandler_runNonIO_closure[];
+__declspec(dllimport) extern StgClosure ghczminternal_GHCziInternalziTopHandler_runIO_closure;
+__declspec(dllimport) extern StgClosure ghczminternal_GHCziInternalziTopHandler_runNonIO_closure;
#else
-extern StgWord ghczminternal_GHCziInternalziTopHandler_runIO_closure[];
-extern StgWord ghczminternal_GHCziInternalziTopHandler_runNonIO_closure[];
+extern StgClosure ghczminternal_GHCziInternalziTopHandler_runIO_closure;
+extern StgClosure ghczminternal_GHCziInternalziTopHandler_runNonIO_closure;
#endif
-#define runIO_closure ghczminternal_GHCziInternalziTopHandler_runIO_closure
-#define runNonIO_closure ghczminternal_GHCziInternalziTopHandler_runNonIO_closure
+#define runIO_closure DLL_IMPORT_DATA_REF(ghczminternal_GHCziInternalziTopHandler_runIO_closure)
+#define runNonIO_closure DLL_IMPORT_DATA_REF(ghczminternal_GHCziInternalziTopHandler_runNonIO_closure)
/* ------------------------------------------------------------------------ */
=====================================
testsuite/tests/jsffi/jsffigc.hs
=====================================
@@ -10,17 +10,16 @@ import System.Mem
type BinOp a = a -> a -> a
-foreign import javascript "wrapper"
+foreign import javascript "wrapper sync"
js_from_hs :: BinOp Int -> IO JSVal
--- This must be safe since we intend to call back into Haskell again.
-foreign import javascript safe "dynamic"
+foreign import javascript unsafe "dynamic"
js_to_hs :: JSVal -> BinOp Int
foreign import javascript "wrapper"
js_mk_cont :: IO () -> IO JSVal
-foreign export javascript "testDynExportFree"
+foreign export javascript "testDynExportFree sync"
testDynExportFree :: Int -> Int -> Int -> IO ()
-- JSVal uses Weak# under the hood for garbage collection support,
=====================================
testsuite/tests/jsffi/jsffigc.mjs
=====================================
@@ -8,7 +8,7 @@ async function reallyGC() {
}
export default async (__exports) => {
- await __exports.testDynExportFree(114, 514, 1919810);
+ __exports.testDynExportFree(114, 514, 1919810);
const cont = await __exports.testDynExportGC(114, 514, 1919810);
await reallyGC();
=====================================
testsuite/tests/jsffi/jsffisleep.hs
=====================================
@@ -20,8 +20,8 @@ foreign export ccall "testWouldBlock"
-- non-main exports in C FFI. In JSFFI, it's always done automatically
-- for every export though.
testWouldBlock :: IO ()
-testWouldBlock = catch (threadDelay 1000000) $ \WouldBlockException -> do
- print WouldBlockException
+testWouldBlock = catch (threadDelay 1000000) $ \(WouldBlockException err) -> do
+ print $ WouldBlockException err
flushStdHandles
foreign export javascript "testLazySleep"
=====================================
testsuite/tests/jsffi/jsffisleep.stdout
=====================================
@@ -1,4 +1,4 @@
-WouldBlockException
+WouldBlockException "new Promise(res => setTimeout(res, $1 / 1000))"
zzzzzzz
i sleep
Left thread killed
=====================================
testsuite/tests/jsffi/textconv.hs
=====================================
@@ -45,7 +45,7 @@ textToJSString (Text (ByteArray ba#) (I# off#) (I# len#)) = unsafeDupablePerform
(# s1, mba# #) -> case copyByteArray# ba# off# mba# 0# len# s1 of
s2 -> keepAlive# mba# s2 $ unIO $ js_to_str (Ptr (mutableByteArrayContents# mba#)) $ I# len#
-foreign export javascript "main"
+foreign export javascript "main sync"
main :: IO ()
main :: IO ()
=====================================
testsuite/tests/jsffi/textconv.mjs
=====================================
@@ -1,3 +1,3 @@
-export default async (__exports) => {
- await __exports.main();
+export default (__exports) => {
+ __exports.main();
}
View it on GitLab: https://gitlab.haskell.org/ghc/ghc/-/compare/3add7dc2927050afdefa75f44228a3d4e62d706d...9b54eecbee7329543e5016cec1574831bfb788c2
--
View it on GitLab: https://gitlab.haskell.org/ghc/ghc/-/compare/3add7dc2927050afdefa75f44228a3d4e62d706d...9b54eecbee7329543e5016cec1574831bfb788c2
You're receiving this email because of your account on gitlab.haskell.org.
-------------- next part --------------
An HTML attachment was scrubbed...
URL: <http://mail.haskell.org/pipermail/ghc-commits/attachments/20250303/d7a8aef6/attachment-0001.html>
More information about the ghc-commits
mailing list