executor.rs – Coroutines, Self-Referential Structs, and Pinning

The first thing we must do is make sure our dependencies are correct. The only change we’re making here is adding Pin from the standard library:

ch09/e-coroutines-pin/src/runtime/executor.rs

    thread::{self, Thread},
pin::Pin
,
};

 The next line we’ll change is our Task type alias so that it now refers to Pin<Box<…>>:
type Task =
Pin<
Box<dyn Future<Output = String>>
>
;

The last line we’ll change for now is in our spawn function. We have to pin the futures to the heap:
e.tasks.borrow_mut().insert(id, Box::
pin
(future));

If we try to run our example now, it won’t even compile and give us the following error:
error[E0599]: no method named `poll` found for struct `Pin<Box<dyn future::Future<Output = String>>>` in the current scope
  –> src\runtime\executor.rs:89:30

It won’t even let us poll the future anymore without us pinning it first since poll is only callable for Pin<&mut Self> types and not &mut self anymore.

So, we have to decide whether we pin the value to the stack or the heap before we even try to poll it. In our case, our whole executor works by heap allocating futures, so that’s the only thing that makes sense to do.

Let’s remove our optimization entirely and change one line of code to make our executor work again:

ch09/e-coroutines-pin/src/runtime/executor.rs
match future.
as_mut()
.poll(&waker) {

If you try to run the program again by writing cargo run, you should get the expected output back and not have to worry about the coroutine/wait generated futures being moved again (the output has been abbreviated slightly):
Finished dev [unoptimized + debuginfo] target(s) in 0.02s
     Running `target\debug\e-coroutines-pin.exe`
Program starting
FIRST POLL – START OPERATION
main: 1 pending tasks.
Sleep until notified.
FIRST POLL – START OPERATION
main: 1 pending tasks.
Sleep until notified.
BUFFER:
—-
HTTP/1.1 200 OK
content-length: 15
[=== ABBREVIATED ===]
date: Sun, 03 Dec 2023 23:18:12 GMT
HelloAsyncAwait
main: All tasks are finished

You now have self-referential coroutines that can safely store both data and references across wait points. Congratulations!

Even though making these changes took up quite a few pages, the changes themselves were part pretty trivial for the most part. Most of the changes were due to Pin having a different API than what we had when using references before.

The good thing is that this sets us up nicely for migrating our whole runtime over to futures created by async/await instead of our own futures created by coroutine/wait with very few changes.

Leave a Reply

Your email address will not be published. Required fields are marked *