futures-await

Async/await syntax for Rust and the [futures] crate

What is this?

The primary way of working with futures today in Rust is through the various combinators on the [Future] trait. This is not quite "callback hell" but can sometimes feel like it as the rightward drift of code increases for each new closure you tack on. The purpose of async/await is to provide a much more "synchronous" feeling to code while retaining all the power of asynchronous code!

Here's a small taste of what this crate does:

```rust

[async]

fn fetchrustlang(client: hyper::Client) -> io::Result { let response = await!(client.get("https://www.rust-lang.org"))?; if !response.status().issuccess() { return Err(io::Error::new(io::ErrorKind::Other, "request failed")) } let body = await!(response.body().concat())?; let string = String::fromutf8(body)?; Ok(string) } ```

The notable points here are:

You can also have async methods:

rust impl Foo { #[async] fn do_work(self) -> io::Result<u32> { // ... } }

You can specify that you actually would prefer a trait object is returned instead, e.g. Box<Future<Item = i32, Error = io::Error>>

```rust

[async(boxed)]

fn foo() -> io::Result { // ... } ```

You can also have "async for loops" which operate over the [Stream] trait:

```rust

[async]

for message in stream { // ... } ```

An async for loop will propagate errors out of the function so message has the Item type of the stream passed in. Note that async for loops can only be used inside of an #[async] function.

And finally, you can create a Stream instead of a Future via #[async_stream(item = _)]:

```rust

[async]

fn fetch(client: hyper::Client, url: &'static str) -> io::Result { // ... }

/// Fetch all provided urls one at a time

[async_stream(item = String)]

fn fetchall(client: hyper::Client, urls: Vec<&'static str>) -> io::Result<()> { for url in urls { let s = await!(fetch(client, url))?; streamyield!(s); } Ok(()) } ```

#[async_stream] must have an item type specified via item = some::Path and the values output from the stream must be wrapped into a Result and yielded via the stream_yield! macro. This macro also supports the same features as #[async], an additional boxed argument to return a Box<Stream>, async for loops, etc.

How do I use this?

This implementation is currently fundamentally built on generators/coroutines. This feature has just landed and will be in the nightly channel of Rust as of 2017-08-29. You can acquire the nightly channel via;

rustup update nightly

After doing this you'll want to ensure that Cargo's using the nightly toolchain by invoking it like:

cargo +nightly build

Next you'll add this to your Cargo.toml

toml [dependencies] futures-await = "0.1"

and then...

```rust

![feature(procmacro, conservativeimpl_trait, generators)]

extern crate futures_await as futures;

use futures::prelude::*;

[async]

fn foo() -> Result { Ok(1 + await!(bar())?) }

[async]

fn bar() -> Result { Ok(2) }

fn main() { assert_eq!(foo().wait(), Ok(3)); } ```

This crate is intended to "masquerade" as the [futures] crate, reexporting its entire hierarchy and just augmenting it with the necessary runtime support, the async attribute, and the await! macro. These imports are all contained in futures::prelude::* when you import it.

For a whole mess of examples in a whole mess of code, you can also check out the async-await branch of sccache which is an in-progress transition to using async/await syntax in many locations. You'll typically find that the code is much more readable afterwards, especially [these changes]

Technical Details

As mentioned before this crate is fundamentally built on the feature of generators in Rust. Generators, otherwise known in this case as stackless coroutines, allow the compiler to generate an optimal implementation for a Future for a function to transform a synchronous-looking block of code into a Future that can execute asynchronously. The desugaring here is surprisingly straightforward from code you write to code rustc compiles, and you can browse the source of the futures-async-macro crate for more details here.

Otherwise there's a few primary "APIs" provided by this crate:

Nightly features

Right now this crate requires two nightly features to be used, and practically requires three features to be used to its fullest extent. These three features are:

The intention with this crate is that the newest feature, generators, will be the last to stabilize. The other two, proc_macro and conservative_impl_trait, should hopefully stabilize ahead of generators!

What's next?

This crate is still quite new and generators have only just landed on the nightly channel for Rust. While no major change is planned to this crate at this time, we'll have to see how this all pans out! One of the major motivational factors for landing generators so soon in the language was to transitively empower this implementation of async/await, and your help is needed in assessing that!

Notably, we're looking for feedback on async/await in this crate itself as well as generators as a language feature. We want to be sure that if we were to stabilize generators or procedural macros they're providing the optimal async/await experience!

At the moment you're encouraged to take caution when using this in production. This crate itself has only been very lightly tested and the generators language feature has also only been lightly tested so far. Caution is advised along with a suggestion to keep your eyes peeled for bugs! If you run into any questions or have any issues, you're more than welcome to open an issue!

Caveats

As can be expected with many nightly features, there are a number of caveats to be aware of when working with this project. Despite this bug reports or experience reports are more than welcome, always good to know what needs to be fixed regardless!

Borrowing

Borrowing doesn't really work so well today. The compiler will either reject many borrows or there may be some unsafety lurking as the generators feature is being developed. For example if you have a function such as:

```rust

[async]

fn foo(s: &str) -> io::Result<()> { // .. } ```

This may not compile! The reason for this is that the returned future typically needs to adhere to the 'static bound. Async functions currently execute no code when called, they only make progress when polled. This means that when you call an async function what happens is it creates a future, packages up the arguments, and then returns that to you. In this case it'd have to return the &str back up, which doesn't always have the lifetimes work out.

An example of how to get the above function compiling would be to do:

```rust

[async]

fn foo(s: String) -> io::Result<()> { // ... } ```

or somehow otherwise use an owned value instead of a borrowed reference.

Note that arguments are not the only point of pain with borrowing. For example code like this will not (or at least shouldn't) compile today:

rust for line in string.lines() { await!(process(line)); println!("processed: {}", line); }

The problem here is that line is a borrowed value that is alive across a yield point, namely the call to await!. This means that when the future may return back up the stack was part of the await! process it'd have to restore the line variable when it reenters the future. This isn't really all implemented and may be unsafe today. As a rule of thumb for now you'll need to only have owned values (no borrowed internals) alive across calls to await! or during async for loops.

Lots of thought is being put in to figure out how to alleviate this restriction! Borrowing is the crux of many ergonomic patterns in Rust, and we'd like this to work!

As one final point, a consequence of the "no borrowed arguments" today is that function signatures like:

```rust

[async]

fn foo(&self) -> io::Result<()> { // ... } ```

unfortunately will not work. You'll either need to take self by value or defer to a different #[async] function.

Futures in traits

Let's say you've got a trait like so:

rust trait MyStuff { fn do_async_task(??self) -> Box<Future<...>>; }

We'll gloss over the self details here for a bit, but in essence we've got a function in a trait that wants to return a future. Unfortunately it's actually quite difficult to use this! Right now there's a few of caveats:

So basically in summary you've got one of two options to return futures in traits today:

rust trait MyStuff { // Trait is not object safe because of `self` so can't have virtual // dispatch, and the allocation of `Box<..>` as a return value is required // until the compiler implements returning `impl Future` from traits. // // Note that the upside of this approach, though, is that `self` could be // something like `Rc` or have a bunch fo `Rc` inside of `self`, so this // could be cheap to call. #[async] fn do_async_task(self) -> Box<Future<...>>; }

or the alternative:

rust trait MyStuff { // Like above we returned a trait object but here the trait is indeed object // safe, allowing virtual dispatch. The downside is that we must have a // `Box` on hand every time we call this function, which may be costly in // some situations. #[async] fn do_async_task(self: Box<Self>) -> Box<Future<...>>; }

The ideal end goal for futures-in-traits is this:

rust trait MyStuff { #[async] fn do_async_task(self: Rc<Self>) -> Result<i32, u32>; }

but this needs two pieces to be implemented:

You can emulate this today with a non-object-safe implementation via:

```rust trait Foo { #[async] fn doasynctask(me: Rc) -> Result; }

fn foo(t: Rc) { let x = Foo::trait_fn(t); // ... } ```

But that's not exactly the most ergonomic!

Associated types

Another limitation when using futures with traits is with associated types. Say you've got a trait like:

```rust trait Service { type Request; type Error; type Future: Future;

fn call(&self) -> Self::Future;

} ```

If you want to implement call with async_block!, or by returning a future from another function which was generated with #[async], you'd probably want to use impl Future. Unfortunately, it's not current possible to express an associated constant like Service::Future with an impl Trait.

For now the best solution is to use Box<Future<...>>:

```rust impl Service for MyStruct { type Request = ...; type Error = ...; type Future = Box>;

fn call(&self) -> Self::Future {
    // ...
    Box::new(future)
}

} ```

License

This project is licensed under either of

at your option.

Contribution

Unless you explicitly state otherwise, any contribution intentionally submitted for inclusion in futures-await by you, as defined in the Apache-2.0 license, shall be dual licensed as above, without any additional terms or conditions.