data:image/s3,"s3://crabby-images/5e17f/5e17fc50aa9a2113843f166d0d68e7bf2134a268" alt="Can you enable multiple resumption by implementing your own call stack?"
❓
This is a Deep Research report with GPT o3-mini
💭
<goal> If I wanted to build and design an algebraic effect system in a language that didn't support delimited continuations (like python), but I wanted multi-resumption, I wouldn't be able to use generators. So how would I go about implementing such a system? </goal>
You have a strong foundation on this topic, and I appreciate the depth of your inquiry! Before diving into the explanations and design, I'd like to clarify a few things:
Regarding monads and free monads:
- Are you specifically looking for how monads simulate control flow in terms of a stack-like behavior, or are you more interested in their use in modeling side effects?
- When you mention free monads, do you want an explanation of how they enable effect handling, or do you also want insights into their performance implications compared to algebraic effects?
For React:
- Are you looking for a comparison between React's rendering process and algebraic effects, or do you specifically want to understand how React’s reconciliation algorithm relates to control flow?
For the algebraic effect system design:
- Should the design be optimized for practical use in Python, or would you prefer a more general theoretical construction that could be implemented in multiple languages?
- Would you like concrete examples of how such a system could be applied, e.g., for structured concurrency, dependency injection, or other real-world scenarios?
Answering these will help me tailor my response to exactly what you're aiming for.
💭
1. - I'm looking for an explanation that connects how monad does control flow to call stack behavior. Like if monads are controlling control flow, how does each part of what a monad does have an analogy to call stack operations?
Got it! I'll break this down into three main areas:
- Monads and Call Stack Analogy – I'll explain how monads control flow in a way that mirrors a call stack, including how sequencing operations work in a stack-like manner.
- Free Monads and Effect Systems – I'll connect how free monads structure computation in a way similar to delimited continuations, making explicit the connection between algebraic effects and call stack management.
- React's Reconciliation and Control Flow – I'll analyze React's reconciliation algorithm and draw explicit parallels to control flow and stack behavior, including any connections to delimited continuations.
Then, I'll design an algebraic effect system for Python that supports multiple resumptions, avoiding generators. I'll also contrast this with a more general theoretical model.
I'll let you know when I have the full breakdown ready!
Monads Simulate Control Flow
Monads in functional programming let us embed control flow (like sequencing, branching, looping) into a single composable abstraction
unison-lang.org. Each step in a monadic computation represents a stage of execution, much like each function call in an imperative program’s call stack. By chaining operations in a monad, we can dictate what happens first, next, and so on even in a pure functional setting. For example, Haskell’s IO
or Maybe
monads let you sequence actions or short-circuit on failure, respectively, mimicking imperative control structures (do this, then that, or stop if something fails). In this way, each monadic operation acts like a call in a traditional call stack – it has an input (the context from previous operations) and produces an output (passed to the next operation), enforcing an execution order.
bind
(>>=) as Stack Frame Transitions
The monadic bind operation >>=
is the glue that links these steps. Bind takes the result of one computation and “calls” the next computation with that result, akin to popping one stack frame’s return value and pushing it into the next function call’s stack frame. In an imperative call stack, when function A
returns x
, the runtime passes x
back to the caller (say function B
), which then continues. Similarly, m >>= f
runs monadic action m
, then feeds its result into function f
to produce the next action. This “threading” of results is analogous to the way a stack threads return values between calls. All the monadic calls are chained together, each waiting for the previous to finish and hand off its output
Monadic composition replaces explicit stack manipulation. Instead of the programmer manually managing function returns, jumps, or stack frames, the monad’s bind
handles it. For instance, in a series of monadic operations m1 >>= \\x -> m2 >>= \\y -> m3
, the monad ensures m1
runs fully before m2
, and so on, much like the call stack ensures function calls execute in sequence. We don’t need to push or pop frames explicitly – the monad abstracts that. A concrete example is the Maybe
monad’s bind: if one step returns Nothing
, it short-circuits the chain (analogous to unwinding the call stack on an error) and skips remaining steps
stackoverflow.com. In summary, >>=
behaves like the transition between stack frames – ensuring the next computation is invoked with the prior result – and monadic do-notation gives us structured control flow without manually handling the program counter or stack.
Free Monads as a Call Stack of Effects
Free monads allow us to represent effectful computations as data – essentially building an explicit call stack (or tree) of operations that can be interpreted later. A free monad is a data structure (often an AST of instructions) where each node captures an operation to perform and holds the continuation (the rest of the computation)
calwoo.github.io. This is very much like capturing the state of a call stack: each suspended operation node contains what to do next, akin to a stack frame holding the return address and local state. By constructing a program as a free monad, we separate the description of the computation from its executioncalwoo.github.io. The sequence of Impure
nodes in a free monad represents nested effectful calls, and interpreting this structure is like unwinding a call stack, handling each operation in order.
In an algebraic effects system, the free monad serves as a bookkeeping device for effects: you accumulate operations (e.g., “Log this message”, “Get state”, etc.) in the monadic structure. The shape of this structure mirrors the control flow of the program (each nested operation corresponding to a deeper call). At runtime, an interpreter or handler will process this structure, much like a CPU would pop stack frames – handling one operation and then moving to the continuation. Thus, free monads give us a first-class representation of the call stack for effectful computations, which we can manipulate or inspect before executing. This makes things like debugging or optimizing effects easier, at the cost of building an explicit structure.
Free Monads vs. Delimited Continuations for Effects
Both free monads and delimited continuations enable user-defined effect handling, but they do so differently. A delimited continuation captures the rest of the computation at a certain point (up to a delimiter) as a first-class object, which an effect handler can invoke (resume) one or multiple times. Free monads achieve a similar outcome by building the rest of the computation into the data structure explicitly. In other words, using a free monad, when an effect (operation) is encountered, it doesn’t execute immediately – it becomes an Impure
node holding a callback (continuation) for what to do after the effect. This is conceptually similar to what happens with a delimited continuation: the program at an effect yield point is paused, waiting for the handler to give a result and continue.
The key difference is how the continuation is managed: free monads manage it denotationally (as data to be interpreted), whereas delimited continuations manage it operationally (by the runtime capturing the stack). With free monads, we write our program as a pure data structure and then hand it to a handler (interpreter) that pattern-matches on each operation and decides how to handle it. With algebraic effect handlers (which often use delimited continuations under the hood), the running program hits an effect and the language runtime packages up the current continuation and gives it to the handler. In practice, both approaches can express the same kinds of effects, but effect handlers (with real continuations) are more flexible in that the handler can resume at the original call site directly
reddit.com (and even multiple times), rather than having to thread through a monadic structure.
There is also a difference in ergonomics and performance: Free monads are a library approach to effects – you work within a monad and possibly compose multiple effects via monad transformers or similar. This can get verbose and is known to be less efficient (due to layers of wrapping and interpretation). By contrast, a language with algebraic effect handlers treats effects as a native concept: handlers use mechanisms like delimited continuations for efficiency, avoiding the overhead of building large intermediate ASTs
reddit.com. In summary, free monads and effect handlers both allow defining custom effects (that feel like extending the language), but free monads do so by reifying the call stack as a pure structure to interpret, whereas effect systems do so by capturing and manipulating the actual call stack (continuation) at runtime.
Operational vs. Denotational Perspective
The distinction between these approaches can be seen as operational vs. denotational. Denotationally, a free monad + interpreter gives a clear, mathematical semantics: you define what each operation means by interpreting the AST (much like giving meaning to a program in a structured way). Each effect operation in the free monad is like a symbol, and the handler is a function mapping that symbol (plus a continuation) to a result – essentially an algebra for the monad
calwoo.github.io. Operationally, algebraic effect handlers perform a similar mapping, but on the fly: when an effect is invoked, the runtime operationally transfers control to the handler along with a live continuation that represents “the rest of the program”. The handler then decides what to do (produce a result, resume the continuation, resume it multiple times, etc.).
Despite these differences, there is a strong connection: many monads correspond to algebraic effects. In fact, a handler for an algebraic effect can be seen as providing a model (an algebra) for the free monad of that effect. For example, the State monad is one way to represent stateful computations (with a fixed single resumption), whereas an algebraic state effect handler can accomplish the same operationally. The free monad of the state effect contains all the “get” and “put” operations (like a log of actions), and a handler gives them meaning by specifying how to fetch or update real state. The two approaches should agree on final outcomes even if their execution strategy differs. In essence, free monads provide a denotational blueprint for effects, whereas effect handlers provide a runtime mechanism – they meet in the middle by implementing the same equations (laws) of the effect. One practical upshot is that any program written with free monads could be executed by an effect handler, and conversely, an effect handler’s behavior can often be modeled by a free monad and an interpreter, proving the correctness of the handler.
Managing Control Flow in Reconciliation
React’s reconciliation algorithm is responsible for updating the UI by comparing (diffing) the new UI tree with the previous one and applying necessary changes. This process is essentially a tree traversal, which means React is managing control flow across a recursive structure of components. In older versions of React (pre-Fiber), reconciliation was implemented with a pure recursive algorithm: when a component needed updating, React would synchronously traverse into all of its children, depth-first, using the JavaScript call stack to manage the recursion. This is straightforward – each component’s render is like a function call, and the call stack naturally handles entering child components and returning back up to parents. The control flow here is tied to the JS engine’s stack: it goes down the tree (pushing new frames for child component renders) and unwinds back up after reaching the leaves.
However, this recursive, synchronous strategy can lead to problems if the UI tree is large or updates are numerous, because it might block the main thread for too long (dropping frames in animations, for example). React addresses this by introducing the Fiber reconciler, which fundamentally changes how control flow is managed during rendering. Instead of letting the JavaScript call stack drive the whole update, React Fiber implements its own cooperative scheduling for reconciliation. It breaks the work into units and spreads them across frames when needed. To do this, React reimplemented the call stack on the heap: a Fiber is essentially a data structure that acts like a stack frame
github.com. Each Fiber holds information about a component (state, props, etc.) and pointers to child, sibling, and parent (return) fibers, forming a linked structure of the component treeblog.logrocket.com. React walks this fiber tree in a controlled manner: it can pause after processing one fiber (one component) and put off processing its children until later, if higher-priority updates need to run first.
In summary, React’s reconciliation now manages control flow explicitly by traversing the Fiber tree iteratively (using a while loop and pointers) rather than relying on recursive function calls. This gives React the ability to schedule, pause, abort, or resume rendering work as needed. For example, it can begin updating a part of the UI, then if it realizes there’s a more urgent update (like a user input), it can pause the current work (save the current Fiber pointer, akin to saving the stack state) and switch to the urgent work. This kind of fine-grained control flow management is how React avoids blocking the main thread for too long. Essentially, React’s reconciler acts like an interpreter of a tree, controlling the “call stack” of component renders itself – doing work, yielding control, and coming back to do more work later
Render Tree Traversal vs. Function Call Stack
The traversal of React’s render tree can be directly compared to typical function call stack operations. In the traditional (pre-Fiber) approach, when a parent component calls (renders) a child, you can think of it exactly like a function call: the parent’s render function invokes the child’s render, pushing a new frame on the stack. Once the child (and its subtree) finishes rendering and returns, the parent can continue – this is just like unwinding the call stack back to the parent frame. The depth-first traversal of the component tree naturally mirrors the last-in-first-out behavior of the call stack.
With Fiber, React explicitly maintains this traversal order via pointers. Each fiber has a link to its child (like a function making a call), its sibling (like moving to the next statement after a function returns, or a loop iteration), and a return pointer to its parent (equivalent to the return address on the call stack)
github.com. The algorithm goes something like: start at the root fiber, process it, then go to its child fiber (down one level, like a recursive call), then that child’s child, and so on until a leaf is reached. When finishing a fiber (say a component has no more children), React uses the return pointer to go back up to the parent – just as a function returns to its caller. If a fiber has a sibling, React will then move to that sibling (which is like after returning from a function call, moving to the next operation in the parent’s context). This approach is effectively simulating recursion using a linked list data structureblog.logrocket.com. The major difference is that React can stop or pause at any point in this traversal, whereas a normal call stack would run to completion unless an external interrupt occurs.
So, the render tree traversal in React Fiber is very much like managing your own call stack frames manually. Each Fiber corresponds to a stack frame of work for a component, and the pointers (child
, sibling
, return
) play the role of the program counter (which function to go into next, and where to return to). By controlling this traversal manually, React can ensure that after handling one component, it can decide whether to continue to the child, jump to a sibling, or yield to let the browser update the screen. In essence, React’s fiber tree traversal uses the same logic as a function call stack (parent -> child -> return to parent -> next sibling), but it’s under React’s control rather than the JavaScript engine’s.
Similarities to Delimited Continuations
Interestingly, the Fiber architecture has parallels to the concept of delimited continuations from programming language theory. A delimited continuation captures a portion of the call stack – up to a certain boundary – and makes it a first-class object that can be resumed or invoked later. React Fiber is doing something analogous: it takes what would be the call stack of the rendering process and makes it manual and sliceable. Each fiber can be seen as a checkpoint in the computation (rendering) that can be paused and resumed. React can pause in the middle of the tree traversal (middle of what would be a recursive call stack), and later continue from that exact point – this is essentially resuming a saved continuation.
React’s ability to keep stack frames in memory and execute them later
github.com is exactly the power that continuations provide. In Fiber, because each component’s work is an object on the heap, React can decide to resume that work at a later time or even abandon it if it’s no longer needed. For example, if an asynchronous data load triggers a low-priority update, React may start working on it but pause if a high-priority event (like a user typing) comes in, and then continue the low-priority work afterward. That’s similar to capturing the continuation of the low-priority task, storing it, and coming back to it later. Traditional call stacks can’t do this easily – once you’re in deep calls, you’d have to unwind completely to do something else. Fiber breaks that rule by not using the real call stack for deep rendering; it can unwind partially or cooperatively. This is “interrupting the call stack at will and manipulating stack frames manually”, which was exactly the design goal of Fibergithub.com.
Another similarity is how error boundaries in React can catch errors in the tree without unwinding the whole app – they capture the rest of the tree’s work and abort it, which is analogous to a continuation that is never resumed (like throwing to an exception handler, which is itself a delimited continuation scenario). In summary, React’s reconciliation (especially with Fiber) implements a form of controlled, delimited continuation for rendering. It doesn’t use the formalism of continuations, but the idea is the same: it turns the recursive UI update process into reified stack frames that it can pause, resume, or discard, achieving a level of control very comparable to what one can do with first-class continuations or coroutines.
Design Approach in Python (No Generators or Delimited Continuations)
Implementing algebraic effects in Python (which doesn’t natively support them) requires simulating the behavior of effect handlers. One practical way is to leverage Python’s exception-handling to imitate the “throw and resume” pattern of algebraic effects
stackoverflow.com. The core idea is that when an effect is performed, instead of immediately producing a value, it will yield control to a handler along with a description of the operation (and a placeholder for the continuation). In Python, we can do this by raising a special exception to signal an effect, and catching it at some handler level that knows what to do.
For example, suppose we want to design an effect called Choose
that picks an option from a list of values. We can define an exception class to represent this effect:
class ChooseEffect(Exception):
def __init__(self, options, cont):
self.options = options # the choices to pick from
self.continuation = cont # a callable to resume the computation
Here cont
will be a function representing the continuation of the computation – what to do with the chosen value. Now, our effectful function can be written in a style where it checks if it needs to perform an effect and raises the exception. One way to achieve this is to structure the function so that whenever it wants to do Choose
, it does something like:
def do_something():
# ... some code ...
# Need to choose a value
raise ChooseEffect(options=[1, 2, 3], cont=lambda val: continue_with(val))
# ... rest of function in continue_with(val) ...
Of course, in normal Python, once you raise an exception, the function will exit. The trick is that the exception carries a cont
function that, when called with a chosen value, will execute “the rest of the computation” as if the function had continued. The handler will catch the ChooseEffect
, and invoke the continuation with different values. Pseudocode for a handler loop might look like:
def handle_effects(func):
try:
result = func() # run the effectful function
except ChooseEffect as e:
results = []
for option in e.options:
# resume the computation for each possible option
try:
res = e.continuation(option)
except ChooseEffect as nested_e:
# handle nested effects recursively
res = handle_effects(lambda: e.continuation(option))
results.append(res)
return results
In this sketch, handle_effects
runs an effectful function func
. If no effect is raised, great – we got a result. If a ChooseEffect
is raised, we iterate over each possible option
, and for each one, we call e.continuation(option)
to resume the computation as if that choice was made. The continuation cont
is essentially the remaining code of func
after the point of the effect, packaged as a callable. Notably, if that continuation itself triggers another effect (nested effect), we catch it with a recursive call to handle_effects
. This approach ensures that multiple resumptions are possible: the handler can call the continuation as many times as needed (here, once per option).
Crucially, designing continuation=lambda val: continue_with(val)
requires splitting the original function at the effect point. In practice, you might write the function in CPS form or use a trampoline. Without generators or actual continuations, you often end up writing the function such that when an effect is needed, you return
a description (like an object or lambda) instead of doing it inline. Another technique is to use a dispatcher: instead of raising an exception, have the function return a special EffectRequest
object that contains the options
and a continuation function. Then your handle_effects
can pattern-match on that. The pattern is similar: represent the effect request and how to resume, then interpret it.
Enabling Multiple Resumptions
The above design inherently supports multiple resumptions. In algebraic effect terms, most effects either don’t resume (like an exception – once handled, it doesn’t go back), resume exactly once (like a state get/put – after handling you continue exactly once), or can resume many times (like nondeterministic choice or backtracking). Our ChooseEffect
example is a multi-resumption effect: the handler provided resumes the computation for each choice. Each time we call e.continuation(option)
, we are effectively cloning the rest of the computation for that specific option. The result is that one execution of the effectful function can produce multiple outcomes – e.g., exploring different branches of a decision tree.
This is analogous to the amb (ambiguity) or nondeterminism effect often shown in literature. For instance, one could implement a boolean choice effect Flip
that non-deterministically returns true or false. A handler for Flip
could invoke the continuation twice – once with True
and once with False
– collecting both results
microsoft.com. In our Python approach, this is exactly what the loop over e.options
does. Each iteration is a fresh resumption of the computation from the point of the effect. Python doesn’t clone call stacks, but because our continuation is a callable (closing over the remaining logic), calling it creates a new logical path of execution. We must be careful that any mutable state captured in that closure is properly isolated (or else each resume might interfere with others), but if we structure continuations as pure functions of the value, we’re effectively copying the execution.
To illustrate, imagine our effectful function is supposed to compute some result based on a user choice and a random coin flip. It might perform two effects in sequence: choice = Choose([OptionA, OptionB])
, then coin = Flip()
. With our system, the Choose
handler will branch into two continuations (one where choice=OptionA
, one where choice=OptionB
). Each of those continuations when executed might raise FlipEffect
, which a corresponding handler would then resume twice (once with True
, once with False
). In total, we’d end up exploring 4 combinations (A/true, A/false, B/true, B/false). Each branch is a result of multiple resumptions of continuations at different effect points.
Comparison to Theoretical Model
Our Python design is essentially emulating the theoretical model of algebraic effects using ordinary language features. In the theoretical model (as seen in languages like Eff, Multicore OCaml, or Koka), when an effect is performed, the language runtime captures the continuation and passes it to a handler, and that handler can invoke (resume) that continuation however it sees fit. This is usually implemented with support from the runtime or compiler (often using a form of delimited continuation under the hood). In our design, we manually captured the continuation in the form of a lambda (or a function object). The ChooseEffect
exception carried that lambda, which is conceptually the same as a runtime capturing the current continuation. We then manually iterated to simulate multiple resumes. So functionally, we achieved the same outcome: the computation paused at the effect, a handler decided how to continue (and how many times to continue).
One difference is that our approach requires writing the code in a stylized way (splitting the function at effect points, using exceptions or special return values), whereas a language with native algebraic effects allows you to write it in direct style and the compiler transforms it (via CPS or similar) behind the scenes
stackoverflow.com. Another difference is performance: our Python simulation might be slower and use more heap (creating many lambdas and exceptions), while a real effect handler mechanism can optimize this (possibly by sharing stack frames or using jump instead of actual exception unwinding). Moreover, our handler uses Python control flow (try/except, loops) to mimic what in theory is handled by the language’s evaluator. This means edge cases (like interacting with Python’s own call stack or other exceptions) need careful management.
In the theoretical model, algebraic effects have well-defined scoping and composition rules: handlers can be scoped to regions of the computation, and multiple effects can be handled by different handlers without tangled logic. We can achieve something similar by nesting handle_effects
contexts or by dispatching on exception types. For instance, we could have a base Effect
class and multiple subclasses for different operations, and a single handler that knows how to route each type to the appropriate logic. This mirrors how an effect handler can handle multiple operation types.
Finally, our approach demonstrates multi-resumption explicitly with a loop. In a formal effect handler, writing a multi-resume handler (like exploring all choices) is as simple as calling the provided continuation multiple times. The outcome is the same. Notably, algebraic effects are often described as “exceptions that can resume”
stackoverflow.com, and our design literally treats them as exceptions but with the twist that the handler doesn’t just handle and end the story – it injects a value and continues the computation. We even allowed it to continue multiple times. Thus, conceptually, we’ve aligned with the theoretical model: an effect is an operation that, when invoked, offers a bundle (the continuation) to a handler, and the handler can decide to invoke that bundle any number of times (or not at all).
In conclusion, it’s entirely possible to build a mini effect system in Python with careful discipline. The multiple resumption feature shows the power: we can do things like backtracking search or multi-result computations in a single function, which ordinarily would require cumbersome state management. The trade-off is that without language-level support, the syntax is not as transparent – but the underlying mechanics correspond closely to the formal semantics of algebraic effects and handlers (specifically, we manually implement the capture and resumption of delimited continuations). The approach illustrates the principles in a “Pythonic” way, but a dedicated language feature would handle the bookkeeping invisibly and likely more efficiently.
Sources: Monads and their control-flow abstraction unison-lang.orgwilliamyaoh.com; Free monads and algebraic effects calwoo.github.ioreddit.comreddit.com; React Fiber as reified call stack github.comblog.logrocket.com; Algebraic effects as resumable exceptions stackoverflow.commicrosoft.com.