Futures

Let’s take a closer look at futures. Tokio is built on top of the futures crateand uses its runtime model. This allows Tokio to interop with other libraries alsousing the futures crate.

Note: This runtime model is very different than async libraries found inother languages. While, at a high level, APIs can look similar, the way codegets executed differs.

We’ll be taking a closer look at the runtime in the upcoming sections, but abasic understanding of the runtime is necessary to understand futures. To gainthis understanding, we’ll first look at the synchronous model that Rust uses bydefault and see how this differs from Tokio’s asynchronous model.

Synchronous Model

First, let’s talk briefly about the synchronous (or blocking) model that theRust standard library uses.

  1. # use std::io::prelude::*;
  2. # use std::net::TcpStream;
  3. # fn dox(mut socket: TcpStream) {
  4. // let socket = ...;
  5. let mut buf = [0; 1024];
  6. let n = socket.read(&mut buf).unwrap();
  7. // Do something with &buf[..n];
  8. # }

When socket.read is called, either the socket has pending data in its receivebuffer or it does not. If there is pending data, the call to read will returnimmediately and buf will be filled with that data. However, if there is nopending data, the read function will block the current thread until data isreceived. Once the data is received, buf will be filled with this newly receiveddata and the read function will return.

In order to perform reads on many different sockets concurrently, a thread persocket is required. Using a thread per socket does not scale up very well tolarge numbers of sockets. This is known as the c10k problem.

Non-blocking sockets

The way to avoid blocking a thread when performing an operation like read is tonot block the thread! Non-blocking sockets allow performing operations, like read,without blocking the thread. When the socket has no pending data in its receivebuffer, the read function returns immediately, indicating that the socket was “notready” to perform the read operation.

When using a Tokio TcpStream, a call to read will always immediately returna value (ErrorKind::WouldBlock) even if there is no pending data to read.If there is no pending data, the caller is responsible for calling read againat a later time. The trick is to know when that “later time” is.

Another way to think about a non-blocking read is as ‘polling’ the socket fordata to read.

Futures are an abstraction around this polling model. A Future represents a valuethat will be available at “some point in the future”. We can poll the future andask if the value is ready or not. Let’s take a look in more detail.

A closer look at futures

A future is a value that represents the completion of an asynchronouscomputation. Usually, the future completes due to an event that happenselsewhere in the system. While we’ve been looking at things from the perspectiveof basic I/O, you can use a future to represent a wide range of events, e.g.:

  • A database query, when the query finishes, the future is completed, andits value is the result of the query.

  • An RPC invocation to a server. When the server replies, the future iscompleted, and its value is the server’s response.

  • A timeout. When time is up, the future is completed, and its value is().

  • A long-running CPU-intensive task, running on a thread pool. When the taskfinishes, the future is completed, and its value is the return value of thetask.

  • Reading bytes from a socket. When the bytes are ready, the future iscompleted – and depending on the buffering strategy, the bytes might bereturned directly, or written as a side-effect into some existing buffer.

The entire point of the future abstraction is to allow asynchronous functions,i.e., functions that cannot immediately return a value, to be able to returnsomething.

For example, an asynchronous HTTP client could provide a get function thatlooks like this:

  1. pub fn get(&self, uri: &str) -> ResponseFuture { ... }

Then, the user of the library would use the function as so:

  1. let response_future = client.get("https://www.example.com");

Now, the response_future isn’t the actual response. It is a future that willcomplete once the response is received. However, since the caller has a concretevalue (the future), they can start to use it. For example, they may chaincomputations using combinators to perform once the response is received or theymight pass the future to a function.

  1. let response_is_ok = response_future
  2. .map(|response| {
  3. response.status().is_ok()
  4. });
  5. track_response_success(response_is_ok);

None of those actions taken with the future perform any immediate work.They cannot because they don’t have the actual HTTP response. Instead, theydefine the work to be done when the response future completes and the actualresponse is available.

Both the futures crate and Tokio come with a collection of combinatorfunctions that can be used to work with futures. So far we’ve seen and_then whichchains two futures together, then which allows to chain a future to a previousone even if the previous one errored, and map which simply maps a future’s valuefrom one type to another.

We’ll be exploring more combinators later in this guide.

Poll based Futures

As hinted at earlier, Rust futures are poll based. This means that instead of aFuture being responsible for pushing the data somewhere once it is complete, itrelies on being asked whether it is complete or not.

This is a unique aspect of the Rust future library. Most future libraries for otherprogramming languages use a push based model where callbacks are supplied to thefuture and the computation invokes the callback immediately with the computationresult.

Using a poll based model offers many advantages, including being a zero costabstraction, i.e., using Rust futures has no added overhead compared to writingthe asynchronous code by hand.

We’ll take a closer look at this poll based model in the next section.

The Future trait

The Future trait is as follows:

  1. trait Future {
  2. /// The type of the value returned when the future completes.
  3. type Item;
  4. /// The type representing errors that occurred while processing the computation.
  5. type Error;
  6. /// The function that will be repeatedly called to see if the future
  7. /// has completed or not
  8. fn poll(&mut self) -> Result<Async<Self::Item>, Self::Error>;
  9. }

For now it’s just important to know that futures have two associated types: Itemand Error. Item is the type of the value that the Future will yield when itcompletes. Error is the type of Error that the Future may yield if there’s anerror before that causes the Future from being able to complete.

Finally, Futures have one method named poll. We won’t go into too much detailabout poll in this section since you don’t need to know about poll to usefutures with combinators. The only thing to be aware for now is that poll iswhat the runtime will call in order to see if the Future is complete yet or not.If you’re curious: Async is an enum with values Ready(Item) or NotReady whichinforms the runtime of if the future is complete or not.

In a future section, we’ll be implementing a Future from scratch including writinga poll function that properly informs the runtime when the future is complete.

Streams

Streams are the iterator equivalent of futures. Instead of yielding a value at somepoint in the future, streams yield a collection of values each at some point in thefuture. In other words, streams don’t yield just one value at one point in thefuture like futures do. They rather keep yielding values over time.

Just like futures, you can use streams to represent a wide range of things as longas those things produce discrete values at different points sometime in the future.For instance:

  • UI Events caused by the user interacting with a GUI in different ways. When anevent happens the stream yields a different message to your app over time.
  • Push Notifications from a server. Sometimes a request/response model is notwhat you need. A client can establish a notification stream with a server to beable to receive messages from the server without specifically being requested.
  • Incoming socket connections. As different clients connect to a server, theconnections stream will yield socket connections.
    Streams are very similar to futures in their implementation:
  1. trait Stream {
  2. /// The type of the value yielded by the stream.
  3. type Item;
  4. /// The type representing errors that occurred while processing the computation.
  5. type Error;
  6. /// The function that will be repeatedly called to see if the stream has
  7. /// another value it can yield
  8. fn poll(&mut self) -> Poll<Option<Self::Item>, Self::Error>;
  9. }

Streams come with their own set of combinators and will be covered in more depthin the working with futures section.

Next up: Runtime