Most often you’ll see stackless coroutines simply referred to as coroutines. To try to keep some consistency (you remember I don’t like to introduce terms that mean different things based on the context), I’ve consistently referred to coroutines as either stackless or stackful, but going forward, I’ll simply refer to stackless coroutines as coroutines. This is also what you’ll have to expect when reading about them in other sources.
Fibers/green threads represent this kind of resumable task in a very similar way to how an operating system does. A task has a stack where it stores/restores its current execution state, making it possible to pause and resume the task.
A state machine in its simplest form is a data structure that has a predetermined set of states it can be in. In the case of coroutines, each state represents a possible pause/resume point. We don’t store the state needed to pause/resume the task in a separate stack. We save it in a data structure instead.
This has some advantages, which I’ve covered before, but the most prominent ones are that they’re very efficient and flexible. The downside is that you’d never want to write these state machines by hand (you’ll see why in this chapter), so you need some kind of support from the compiler or another mechanism for rewriting your code to state machines instead of normal function calls.
The result is that you get something that looks very simple. It looks like a function/subroutine that you can easily map to something that you can run using a simple call instruction in assembly, but what you actually get is something pretty complex and different from this, and it doesn’t look anything like what you’d expect.
Generators vs coroutines
Generators are state machines as well, exactly the kind we’ll cover in this chapter. They’re usually implemented in a language to create state machines that yield values to the calling function.
Theoretically, you could make a distinction between coroutines and generators based on what they yield to. Generators are usually limited to yielding to the calling function. Coroutines can yield to another coroutine, a scheduler, or simply the caller, in which case they’re just like generators.
In my eyes, there is really no point in making a distinction between them. They represent the same underlying mechanism for creating tasks that can pause and resume their executions, so in this book, we’ll treat them as basically the same thing.
Now that we’ve covered what coroutines are in text, we can start looking at what they look like in code.