Skip to content

Conversation

@wyfo
Copy link
Contributor

@wyfo wyfo commented Nov 30, 2023

Relates to #1632

Draft based on #3610

@codspeed-hq
Copy link

codspeed-hq bot commented Nov 30, 2023

CodSpeed Performance Report

Merging #3611 will not alter performance

Comparing wyfo:pyfuture (f9084e5) with main (ad5f6d4)

Summary

✅ 82 untouched

@wyfo wyfo force-pushed the pyfuture branch 17 times, most recently from d1e9e17 to 53cccb4 Compare December 7, 2023 19:17
@davidhewitt
Copy link
Member

@wyfo I'm sorry for the painfully slow review here.

Given that allow_threads is currently under intense scrutiny and we haven't yet decided on a concrete solution, #3610 risks getting stuck for a bit while we figure out a way forward for that API.

Does this patch rely on #3610 getting merged, or is it possible to rebase this on main? That would allow us to move forward with some of these remaining async PRs.

@wyfo
Copy link
Contributor Author

wyfo commented Apr 7, 2024

There is one thing bothering me with this implementation: the name PyFuture. In fact, there is Future object in Python, and it doesn't match the underlying type of PyFuture.
PyFuture is the result of calling __await__, so it's an iterator, but that's all we know, and I don't know any naming convention for this object – PEP 492 doesn't give it a name.

I've chosen PyFuture because it sounds like Rust Future, but that's maybe not a good reason. If you have some name suggestion, I'm interested.

@wyfo wyfo force-pushed the pyfuture branch 2 times, most recently from e15675f to 053bfc2 Compare April 7, 2024 09:40
@wyfo
Copy link
Contributor Author

wyfo commented Apr 7, 2024

The error in CI (other than non_local_definition lint) is due to the bug mentioned in #4055.

@wyfo wyfo force-pushed the pyfuture branch 3 times, most recently from 2ebb268 to 18f59ea Compare April 25, 2024 09:20
@wyfo wyfo changed the title feat: add PyFuture to await Python awaitables feat: add coroutine::await_in_coroutine to await awaitables in coroutine context May 7, 2024
@wyfo
Copy link
Contributor Author

wyfo commented May 7, 2024

As written above, the name PyFuture was not a good name (the Python object doesn't even have a name, see this discussion), so I dropped it here to reuse it in #4057 where it's more suited.
Instead, I chose the more explicit name await_in_coroutine, making it easier to document, and for the user to understand that it must be used in coroutine context.

@wyfo wyfo marked this pull request as ready for review January 15, 2025 23:03
@wyfo
Copy link
Contributor Author

wyfo commented Jan 15, 2025

@davidhewitt As promised, the PR has been rebased on main and is now ready to review.

Copy link
Member

@davidhewitt davidhewitt left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Thanks for this epic piece of engineering, and I'm very sorry for my long delay in review; it's a complex piece of code and I've only now reviewed!

Overall this looks great and makes sense to proceed with. I asked a ton of questions and had suggestions for cleanup, I think once these are addressed there will likely be another round of review. Now that my head is much more engaged with this code I promise the next review will come much sooner! 🙏


## Restrictions

As the name suggests, `await_in_coroutine` resulting future can only be awaited in coroutine context. Otherwise, it
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

By "coroutine context", I understand that means "within an async call stack underneath a #[pyfunction] or #[pymethods]"?

Maybe we can adjust wording to something like that? It took me a few reads to process this, and it's maybe not obvious to all users that async Rust functions become coroutines.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

You're right, I will try to reword it. But it will maybe more easily understandable when the Coroutine type will be stabilized.

Comment on lines +147 to +151
pub fn PyIter_Send(
iter: *mut PyObject,
arg: *mut PyObject,
presult: *mut *mut PyObject,
) -> c_int;
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I think this was fixed in #4746, will need to rebase.

/// })
/// # }
/// ```
pub fn await_in_coroutine(
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

API question: do you think it's better to have it this way or as a method on PyAnyMethods?

e.g. obj.bind(py).await_in_coroutine()?

Is there ever a reasonable way to await one a Python awaitable without being in coroutine context? I guess that there would be no way to send / throw / close because the enclosing context would not have such a mechanism. Even more, I suppose that driving a Python awaitable really requires you to be in a Python event loop (i.e. in coroutine context).

That makes me think, is the key difference that "coroutine context" means something to be run on the Python event loop, as opposed to in a Rust runtime?

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Coroutine context technically means that the Waker inside the Context used to poll the Future is the one instantiated in Coroutine::poll_inner. That's not really related to being run on the Python event loop, even if you expect your Coroutine object to be run on it.
That concept should be properly documented, as you mentioned in another comment.

Is there ever a reasonable way to await one a Python awaitable without being in coroutine context?

Awaiting a Python awaitable means delegating send/throw/close when it's possible. That's the goal of this PR, to make things as much as it would be done in pure Python.

Actually, it would be technically feasible to "await" a python awaitable in a Rust runtime, but the main issue is that Python async stack is not supposed to be thread safe, and I assume that most awaitables assume to be run by a Python event loop by using asyncio API, so you should expect to have issue if you don't use the Python runtime.
Another point is that Python awaitables have a different semantic than Rust future regarding cancellation: Python awaitable should always be run until completion, there is no such thing as "dropped in the middle of execution" like Rust future (otherwise, finally block are not executed, and that's so much counterintuitive to debug; I speak from experience, as I've already seen encountered nasty things like this). So wrapping an awaitable in a Rust future that is not guaranteed to be polled into completion is not the best thing to do — Coroutine are not technically guaranteed to be run until completion, but again, they are supposed to be run on the Python event loop.
That's why I didn't think at that time it's worth to allow something almost guaranteed to behave or fail badly, and I put this conservative protection, i.e. only allows await_in_coroutine inside "coroutine context"; I do think that panicking is better that returning a PyErr wrapping things like RuntimeError: no running event loop.

API question: do you think it's better to have it this way or as a method on PyAnyMethods?

I didn't think about it, but yes, it could be better than a badly named free function like this one.

Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Makes total sense, thank you 👍

Comment on lines +12 to +21
fn get_running_loop(py: Python<'_>) -> PyResult<Bound<'_, PyAny>> {
static GET_RUNNING_LOOP: GILOnceCell<PyObject> = GILOnceCell::new();
let import = || -> PyResult<_> {
let module = py.import("asyncio")?;
Ok(module.getattr("get_running_loop")?.into())
};
GET_RUNNING_LOOP
.get_or_try_init(py, import)?
.bind(py)
.call0()
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Same comment that we can use GILOnceCell::import to simplify here.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

A very welcomed QOL improvement indeed!

Comment on lines +42 to +44
// `asyncio.Future` must be awaited; in normal case, it implements `__iter__ = __await__`,
// but `create_future` may have been overriden
let mut iter = match PyIterator::from_object(self.future.bind(py)) {
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Sounds like this might go wrong if the overridden future defines __next__ and also has important logic in its __await__ method. Should we just always do the call to __await__ (maybe via a slot call again to avoid Python dispatch)?

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Indeed, it might go wrong, even if it would be very surprising to do such thing. I only know two alternative event loops:

  • uvloop, by far the most used after asyncio I belive, reuse asyncio.Future;
  • leviathan defines __await__ as __iter__.
    Also, alternative implementations would try to be compatible with asyncio.Future, and this one defines __iter__ = __await__. That's why I think it can be a reasonable assumption to rely on the iterator protocol for an object returned by create_future. And I obviously chose to use the iterator protocol for performance reason over Python dispatch.

However, I didn't think about using am_await slot (don't know how to do for now, will dig), so I should maybe benchmark both approaches to decide which one to keep.

Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

wyfo and others added 3 commits April 15, 2025 12:41
Copy link
Contributor Author

@wyfo wyfo left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Glad to read you again! And thank you a lot for this detailed review!
As I've written in some comments, Rust 1.83 changes things radically. My hack is no more needed, but there is more. In fact, Waker::vtable could be used to detect this much written-about "coroutine context", and it could be use to handle cancellation in a much better way.
CancelHandle is indeed no longer needed. We could just provide an asynchronous function waiting for thrown exception, and awaiting it would register the exception catch in Coroutine state machine. We could also do the same for close and GeneratorExit exception.
In fact, I would like to use Coroutine static method for that, because it would make it clearer that this features are related to being polled in a coroutine context. For example:

impl Coroutine {
    /// Returns the argument of `Coroutine::throw` whenever it's called.
    async fn catch_throw() -> PyResult<()> {
        todo!()
    }
    /// Returns whenever `Coroutine::close` is called.
    async fn catch_close() {
        todo!()
    }
    /// Wrap a Python awaitable into a Rust `Future` that can be awaited in the context of a `Coroutine`.
    async fn delegate(
        awaitable: obj: &Bound<'_, PyAny>
    ) -> PyResult<impl Future<Output = PyResult<PyObject>> + Send + Sync + 'static> {
        todo!()
    }

What do you think about that idea?


## Restrictions

As the name suggests, `await_in_coroutine` resulting future can only be awaited in coroutine context. Otherwise, it
Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

You're right, I will try to reword it. But it will maybe more easily understandable when the Coroutine type will be stabilized.

fn close(&mut self, py: Python<'_>) -> PyResult<()> {
match self.poll(py, CoroOp::Close) {
Ok(_) => Ok(()),
Err(err) if err.is_instance_of::<PyGeneratorExit>(py) => Ok(()),
Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Because that's how coroutine are supposed to works: https://docs.python.org/3/reference/datamodel.html#coroutine.close, so I mimic the behavior.
For example, you can execute this code:

async def example():
    try:
        import asyncio
        await asyncio.Future()
    except GeneratorExit:
        print("close")
        raise

coro = example()
coro.send(None)
coro.close()
# print "close" but don't reraise the exception

There is no close_callback now, but if there was, the error could be caught by the code and be reraised. And with the changes I want to do, it would indeed maybe be possible to catch it in the code, so why not reraising it.

Comment on lines +12 to +21
fn get_running_loop(py: Python<'_>) -> PyResult<Bound<'_, PyAny>> {
static GET_RUNNING_LOOP: GILOnceCell<PyObject> = GILOnceCell::new();
let import = || -> PyResult<_> {
let module = py.import("asyncio")?;
Ok(module.getattr("get_running_loop")?.into())
};
GET_RUNNING_LOOP
.get_or_try_init(py, import)?
.bind(py)
.call0()
Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

A very welcomed QOL improvement indeed!

Comment on lines +42 to +44
// `asyncio.Future` must be awaited; in normal case, it implements `__iter__ = __await__`,
// but `create_future` may have been overriden
let mut iter = match PyIterator::from_object(self.future.bind(py)) {
Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Indeed, it might go wrong, even if it would be very surprising to do such thing. I only know two alternative event loops:

  • uvloop, by far the most used after asyncio I belive, reuse asyncio.Future;
  • leviathan defines __await__ as __iter__.
    Also, alternative implementations would try to be compatible with asyncio.Future, and this one defines __iter__ = __await__. That's why I think it can be a reasonable assumption to rely on the iterator protocol for an object returned by create_future. And I obviously chose to use the iterator protocol for performance reason over Python dispatch.

However, I didn't think about using am_await slot (don't know how to do for now, will dig), so I should maybe benchmark both approaches to decide which one to keep.

"CancelledError"
)
});
assert!(!cancel.is_cancelled());
Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Indeed, the equivalent Python code would be

async def wrap_cancellable(awaitable):
    try:
        await awaitable
    except Exception as err:
        assert type(err).__name__ == "CancelledError"

Because cancellation is delegated to the awaitable, this one will reraise it (and not the CancelHandle). Then if we catch the error in wrap_cancellable and don't reraise it, then the outer task is not cancelled.

But your question makes me understand I should add some comments to better explain the tests.

Comment on lines +168 to +169
res = future.fuse() => res,
_ = checkpoint().fuse() => unreachable!(),
Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

The same panic is indeed raised at two different places in the code depending on the polling order. I will add some comments to clarify what happens.

Comment on lines +99 to 102
enum WakerHack {
Argument(PyObject),
Result(Poll<PyResult<PyObject>>),
}
Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Yes, I'm completely for raising the MSRV of the async feature to 1.83!
When I wrote this code, back in 1.74, the feature was far from stabilized, which is why I came up with this hack. But using 1.83 would in fact bring other benefits (more details in the review comment).

/// })
/// # }
/// ```
pub fn await_in_coroutine(
Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Coroutine context technically means that the Waker inside the Context used to poll the Future is the one instantiated in Coroutine::poll_inner. That's not really related to being run on the Python event loop, even if you expect your Coroutine object to be run on it.
That concept should be properly documented, as you mentioned in another comment.

Is there ever a reasonable way to await one a Python awaitable without being in coroutine context?

Awaiting a Python awaitable means delegating send/throw/close when it's possible. That's the goal of this PR, to make things as much as it would be done in pure Python.

Actually, it would be technically feasible to "await" a python awaitable in a Rust runtime, but the main issue is that Python async stack is not supposed to be thread safe, and I assume that most awaitables assume to be run by a Python event loop by using asyncio API, so you should expect to have issue if you don't use the Python runtime.
Another point is that Python awaitables have a different semantic than Rust future regarding cancellation: Python awaitable should always be run until completion, there is no such thing as "dropped in the middle of execution" like Rust future (otherwise, finally block are not executed, and that's so much counterintuitive to debug; I speak from experience, as I've already seen encountered nasty things like this). So wrapping an awaitable in a Rust future that is not guaranteed to be polled into completion is not the best thing to do — Coroutine are not technically guaranteed to be run until completion, but again, they are supposed to be run on the Python event loop.
That's why I didn't think at that time it's worth to allow something almost guaranteed to behave or fail badly, and I put this conservative protection, i.e. only allows await_in_coroutine inside "coroutine context"; I do think that panicking is better that returning a PyErr wrapping things like RuntimeError: no running event loop.

API question: do you think it's better to have it this way or as a method on PyAnyMethods?

I didn't think about it, but yes, it could be better than a badly named free function like this one.

@davidhewitt
Copy link
Member

Thanks for the thorough set of responses here (and sorry I took a few weeks to loop back round, I have been reviewing a LOT of overdue PRs 👀).

I think the proposal to bump MSRV on the experimental-async feature is totally reasonable and the APIs it enables look good to me. 👍

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment

Labels

None yet

Projects

None yet

Development

Successfully merging this pull request may close these issues.

2 participants