mirror of
https://github.com/async-rs/async-std.git
synced 2025-01-16 02:39:55 +00:00
Add draft text of some chapters
This commit is contained in:
parent
297d9f189d
commit
cc19d7e76b
3 changed files with 170 additions and 68 deletions
|
@ -1,22 +1,17 @@
|
|||
# Futures
|
||||
|
||||
> I have looked into the future, everyone is slightly older.
|
||||
A notable point about Rust is [*fearless concurrency*](https://blog.rust-lang.org/2015/04/10/Fearless-Concurrency.html). That is the notion that you should be empowered to do concurrent things, without giving up safety. Also, Rust being a low-level language, it's about fearless concurrency *without picking a specific implementation strategy*. This means we *must* abstract over the strategy, to allow choice *later*, if we want to have any way to share code between users of different strategies.
|
||||
|
||||
-- Future of the Left -- The Plot Against Common Sense
|
||||
|
||||
A notable point about Rust is [_fearless concurrency_][fearless-concurrency]. That is the notion that you should be empowered to do concurrent things, without giving up safety. Also, Rust being a low-level language, it's about fearless concurrency _without picking a specific implementation strategy_. This means we _must_ abstract over the strategy, to allow choice _later_, if we want to have any way to share code between users of different strategies.
|
||||
|
||||
Futures abstract over _computation_. They describe the "what", independent of the "where" and the "when". For that, they aim to break code into small, composable actions that can then be executed by a part of our system. Let's take a tour through what it means to compute things to find where we can abstract.
|
||||
Futures abstract over *computation*. They describe the "what", independent of the "where" and the "when". For that, they aim to break code into small, composable actions that can then be executed by a part of our system. Let's take a tour through what it means to compute things to find where we can abstract.
|
||||
|
||||
## Send and Sync
|
||||
|
||||
Luckily, concurrent Rust already has two well-known and effective concepts abstracting over sharing between Rust concurrent parts of a program: Send and Sync. Notably, both the Send and Sync traits abstract over _strategies_ of concurrent work, compose neatly, and don't prescribe an implementation.
|
||||
Luckily, concurrent Rust already has two well-known and effective concepts abstracting over sharing between Rust concurrent parts of a program: Send and Sync. Notably, both the Send and Sync traits abstract over *strategies* of concurrent work, compose neatly, and don't prescribe an implementation.
|
||||
|
||||
As a quick summary, `Send` abstracts over passing data in a computation over to another concurrent computation (let's call it the receiver), losing access to it on the sender side. In many programming languages, this strategy is commonly implemented, but missing support from the language side expects you to keep up this behaviour yourself. This is a regular source of bugs: senders keeping handles to sent things around and maybe even working with them after sending. Rust mitigates this problem by making this behaviour known. Types can be `Send` or not (by implementing the appropriate marker trait), allowing or disallowing sending them around.
|
||||
|
||||
Note how we avoided any word like _"thread"_, but instead opted for "computation". The full power of `Send` (and subsequently also `Sync`) is that they relieve you of the burden of knowing _what_ shares. At the point of implementation, you only need to know which method of sharing is appropriate for the type at hand. This keeps reasoning local and is not influenced by whatever implementation the user of that type later uses.
|
||||
|
||||
`Sync` is about sharing data between two concurrent parts of a program. This is another common pattern: as writing to a memory location or reading while another party is writing is inherently unsafe, this access needs to be moderated through synchronisation.[^1] There are many common ways of two parties to agree on not using the same part in memory at the same time, for example mutexes and spinlocks. Again, Rust gives you the option of (safely!) not caring. Rust gives you the ability to express that something _needs_ synchronisation while not being specific about the _how_.
|
||||
Note how we avoided any word like *"thread"*, but instead opted for "computation". The full power of `Send` (and subsequently also `Sync`) is that they relieve you of the burden of knowing *what* shares. At the point of implementation, you only need to know which method of sharing is appropriate for the type at hand. This keeps reasoning local and is not influenced by whatever implementation the user of that type later uses.
|
||||
`Sync` is about sharing data between two concurrent parts of a program. This is another common pattern: as writing to a memory location or reading while another party is writing is inherently unsafe, this access needs to be moderated through synchronisation.[^1] There are many common ways of two parties to agree on not using the same part in memory at the same time, for example mutexes and spinlocks. Again, Rust gives you the option of (safely!) not caring. Rust gives you the ability to express that something *needs* synchronisation while not being specific about the *how*.
|
||||
|
||||
`Send` and `Sync` can be composed in interesting fashions, but that's beyond the scope here. You can find examples in the [Rust Book][rust-book-sync].
|
||||
|
||||
|
@ -24,99 +19,100 @@ To sum up: Rust gives us the ability to safely abstract over important propertie
|
|||
|
||||
## An easy view of computation
|
||||
|
||||
While computation is a subject to write a whole [book][understanding-computation] about, a very simplified view of them suffices for us:
|
||||
|
||||
* computation is a sequence of composable operations
|
||||
* they can branch based on a decision
|
||||
* they either run to succession and yield a result or they can yield an error
|
||||
While computation is a subject to write a whole [book](https://computationbook.com/) about, a very simplified view of them suffices for us:
|
||||
|
||||
- computation is a sequence of composable operations
|
||||
- they can branch based on a decision
|
||||
- they either run to succession and yield a result or they can yield an error
|
||||
## Deferring computation
|
||||
|
||||
As mentioned above `Send` and `Sync` are about data. But programs are not only about data, they also talk about _computing_ the data. And that's what [Futures][futures] do. We are going to have a close look at how that works in the next chapter. Let's look at what Futures allow us to express, in English. Futures go from this plan:
|
||||
As mentioned above `Send` and `Sync` are about data. But programs are not only about data, they also talk about *computing* the data. And that's what \[Futures\][futures] do. We are going to have a close look at how that works in the next chapter. Let's look at what Futures allow us to express, in English. Futures go from this plan:
|
||||
|
||||
* Do X
|
||||
* If X succeeds, do Y
|
||||
- Do X
|
||||
- If X succeeds, do Y
|
||||
|
||||
towards
|
||||
|
||||
* Start doing X
|
||||
* Once X succeeds, start doing Y
|
||||
- Start doing X
|
||||
- Once X succeeds, start doing Y
|
||||
|
||||
Remember the talk about "deferred computation" in the intro? That's all it is. Instead of telling the computer what to execute and decide upon _now_, you tell it what to start doing and how to react on potential events the... well... `Future`.
|
||||
Remember the talk about "deferred computation" in the intro? That's all it is. Instead of telling the computer what to execute and decide upon *now*, you tell it what to start doing and how to react on potential events the... well... `Future`.
|
||||
|
||||
## Orienting towards the beginning
|
||||
|
||||
Let's have a look at a simple function, specifically the return value:
|
||||
|
||||
```rust
|
||||
fn compute_value() -> String {
|
||||
"test".into()
|
||||
}
|
||||
```
|
||||
fn read_file(path: &str) -> Result<String, io::Error> {
|
||||
let mut file = File.open(path)?;
|
||||
let mut contents = String::new();
|
||||
file.read_to_string(&mut contents)?;
|
||||
contents
|
||||
}
|
||||
|
||||
You can call that at any time, so you are in full control on when you call it. But here's the problem: the moment you call it, you transfer control to the called function. It returns a value.
|
||||
|
||||
Note that this return value talks about the past. The past has a drawback: all decisions have been made. It has an advantage: the outcome is visible. We can unwrap the presents of program past and then decide what to do with it.
|
||||
|
||||
But here's a problem: we wanted to abstract over _computation_ to be allowed to let someone else choose how to run it. That's fundamentally incompatible with looking at the results of previous computation all the time. So, let's find a type that describes a computation without running it. Let's look at the function again:
|
||||
But here's a problem: we wanted to abstract over *computation* to be allowed to let someone else choose how to run it. That's fundamentally incompatible with looking at the results of previous computation all the time. So, let's find a type that describes a computation without running it. Let's look at the function again:
|
||||
|
||||
```rust
|
||||
fn compute_value() -> String {
|
||||
"test".into()
|
||||
}
|
||||
```
|
||||
fn read_file(path: &str) -> Result<String, io::Error> {
|
||||
let mut file = File.open(path)?;
|
||||
let mut contents = String::new();
|
||||
file.read_to_string(&mut contents)?;
|
||||
contents
|
||||
}
|
||||
|
||||
Speaking in terms of time, we can only take action _before_ calling the function or _after_ the function returned. This is not desireable, as it takes from us the ability to do something _while_ it runs. When working with parallel code, this would take from us the ability to start a parallel task while the first runs (because we gave away control).
|
||||
|
||||
This is the moment where we could reach for [threads][threads]. But threads are a very specific concurrency primitive and we said that we are searching for an abstraction.
|
||||
Speaking in terms of time, we can only take action *before* calling the function or *after* the function returned. This is not desirable, as it takes from us the ability to do something *while* it runs. When working with parallel code, this would take from us the ability to start a parallel task while the first runs (because we gave away control).
|
||||
|
||||
This is the moment where we could reach for [threads](https://en.wikipedia.org/wiki/Thread_). But threads are a very specific concurrency primitive and we said that we are searching for an abstraction.
|
||||
What we are searching is something that represents ongoing work towards a result in the future. Whenever we say `something` in Rust, we almost always mean a trait. Let's start with an incomplete definition of the `Future` trait:
|
||||
|
||||
```rust
|
||||
trait Future {
|
||||
type Output;
|
||||
|
||||
fn poll(self: Pin<&mut Self>, cx: &mut Context) -> Poll<Self::Output>;
|
||||
}
|
||||
```
|
||||
trait Future {
|
||||
type Output;
|
||||
|
||||
fn poll(self: Pin<&mut Self>, cx: &mut Context) -> Poll<Self::Output>;
|
||||
}
|
||||
|
||||
Ignore `Pin` and `Context` for now, you don't need them for high-level understanding. Looking at it closely, we see the following: it is generic over the `Output`. It provides a function called `poll`, which allows us to check on the state of the current computation.
|
||||
|
||||
Every call to `poll()` can result in one of these two cases:
|
||||
|
||||
1. The future is done, `poll` will return [`Poll::Ready`][poll-ready]
|
||||
2. The future has not finished executing, it will return [`Poll::Pending`][poll-pending]
|
||||
1. The future is done, `poll` will return `[Poll::Ready](https://doc.rust-lang.org/std/task/enum.Poll.html#variant.Ready)`
|
||||
2. The future has not finished executing, it will return `[Poll::Pending](https://doc.rust-lang.org/std/task/enum.Poll.html#variant.Pending)`
|
||||
|
||||
This allows us to externally check if a `Future` has finished doing its work, or is finally done and can give us the value. The most simple way (but not efficient) would be to just constantly poll futures in a loop. There's optimistions here, and this is what a good runtime is does for you.
|
||||
|
||||
Note that calling `poll` after case 1 happened may result in confusing behaviour. See the [futures-docs][futures-docs] for details.
|
||||
Note that calling `poll` after case 1 happened may result in confusing behaviour. See the [futures-docs](https://doc.rust-lang.org/std/future/trait.Future.html) for details.
|
||||
|
||||
## Async
|
||||
|
||||
While the `Future` trait has existed in Rust for a while, it was inconvenient to build and describe them. For this, Rust now has a special syntax: `async`. It takes the idea introduced above: if we want to have a function that sets up a deferred computation, we call it an `async` function:
|
||||
While the `Future` trait has existed in Rust for a while, it was inconvenient to build and describe them. For this, Rust now has a special syntax: `async`. The example from above, implemented in `async-std`, would look like this:
|
||||
|
||||
```rust
|
||||
async fn compute_value() -> String {
|
||||
"test".into()
|
||||
}
|
||||
```
|
||||
|
||||
When this function is called, it will produce a `Future<Output=String>` instead of immediately returning a String. (Or, more precisely, generate a type for you that implements `Future<Output=String>`.)
|
||||
use async_std::fs::File;
|
||||
|
||||
async fn read_file(path: &str) -> Result<String, io::Error> {
|
||||
let mut file = File.open(path).await?;
|
||||
let mut contents = String::new();
|
||||
file.read_to_string(&mut contents).await?;
|
||||
contents
|
||||
}
|
||||
|
||||
Amazingly little difference, right? All we did is label the function `async` and insert 2 special commands: `.await`.
|
||||
|
||||
This function sets up a deferred computation. When this function is called, it will produce a `Future<Output=String>` instead of immediately returning a String. (Or, more precisely, generate a type for you that implements `Future<Output=String>`.)
|
||||
|
||||
## What does `.await` do?
|
||||
|
||||
The `.await` postfix does exactly what it says on the tin: the moment you use it, the code will wait until the requested action (e.g. opening a file or reading all data in it) is finished. `.await?` is not special, it’s just the application of the `?` operator to the result of `.await`. So, what is gained over the initial code example? We’re getting futures and then immediately waiting for them?
|
||||
|
||||
The `.await` points act as a marker. Here, the code will wait for a `Future` to produce its value. How will a future finish? You don’t need to care! The marker allows the code later *executing* this piece of code (usually called the “runtime”) when it can take some time to care about all the other things it has to do. It will come back to this point when the operation you are doing in the background is done. This is why this style of programming is also called *evented programming*. We are waiting for *things to happen* (e.g. a file to be opened) and then react (by starting to read).
|
||||
|
||||
When executing 2 or more of these functions at the same time, our runtime system is then able to fill the wait time with handling *all the other events* currently going on.
|
||||
|
||||
## Conclusion
|
||||
|
||||
Working from values, we searched for something that expresses _working towards a value available sometime later_. From there, we talked about the concept of polling.
|
||||
Working from values, we searched for something that expresses *working towards a value available sometime later*. From there, we talked about the concept of polling.
|
||||
|
||||
A `Future` is any data type that does not represent a value, but the ability to _produce a value at some point in the future_. Implementations of this are very varied and detailled depending on use-case, but the interface is simple.
|
||||
|
||||
From here on, we are going to introduce you to two other important concepts: `tasks` and `streams`, to then talk about how we combine the three to build things.
|
||||
A `Future` is any data type that does not represent a value, but the ability to *produce a value at some point in the future*. Implementations of this are very varied and detailled depending on use-case, but the interface is simple.
|
||||
|
||||
Next, we will introduce you to `tasks`, which we need to actually *run* Futures.
|
||||
|
||||
[^1]: Two parties reading while it is guaranteed that no one is writing is always safe.
|
||||
|
||||
[poll-ready]: https://doc.rust-lang.org/std/task/enum.Poll.html#variant.Ready
|
||||
[poll-pending]: https://doc.rust-lang.org/std/task/enum.Poll.html#variant.Pending
|
||||
[futures-docs]: https://doc.rust-lang.org/std/future/trait.Future.html
|
||||
[fearless-concurrency]: https://blog.rust-lang.org/2015/04/10/Fearless-Concurrency.html
|
||||
[understanding-computation]: https://computationbook.com/
|
||||
[threads]: https://en.wikipedia.org/wiki/Thread_(computing)
|
||||
|
|
|
@ -1 +1,81 @@
|
|||
# tasks
|
||||
# Tasks
|
||||
Now that we know what Futures are, we now want to run them!
|
||||
|
||||
In `async-std`, the `tasks` (TODO: link) module is responsible for this. The simplest way is using the `block_on` function:
|
||||
|
||||
```rust
|
||||
use async_std::fs::File;
|
||||
use async_std::task;
|
||||
|
||||
async fn read_file(path: &str) -> Result<String, io::Error> {
|
||||
let mut file = File.open(path).await?;
|
||||
let mut contents = String::new();
|
||||
file.read_to_string(&mut contents).await?;
|
||||
contents
|
||||
}
|
||||
|
||||
fn main() {
|
||||
let task = task::spawn(async {
|
||||
let result = read_file("data.csv");
|
||||
match result {
|
||||
Ok(s) => println!("{}", s),
|
||||
Err(e) => println!("Error reading file: {:?}", e)
|
||||
}
|
||||
});
|
||||
println!("Started task!");
|
||||
task::block_on(task);
|
||||
println!("Stopped task!");
|
||||
}
|
||||
```
|
||||
|
||||
This asks the runtime baked into `async_std` to execute the code that reads a file. Let’s go one by one, though, inside to outside.
|
||||
|
||||
```rust
|
||||
async {
|
||||
let result = read_file("data.csv");
|
||||
match result {
|
||||
Ok(s) => println!("{}", s),
|
||||
Err(e) => println!("Error reading file: {:?}", e)
|
||||
}
|
||||
}
|
||||
```
|
||||
|
||||
This is an `async` *block*. Async blocks are necessary to call `async` functions, and will instruct the compiler to include all the relevant instructions to do so. In Rust, all blocks return a value and `async` blocks happen to return a value of the kind `Future`.
|
||||
|
||||
But let’s get to the interesting part:
|
||||
|
||||
```rust
|
||||
task::spawn(async { })
|
||||
```
|
||||
|
||||
`spawn` takes a Future and starts running it on a `Task`. It returns a `JoinHandle`. Futures in Rust are sometimes called *cold* Futures. You need something that starts running them. To run a Future, there may be some additional bookkeeping required, e.g. if it’s running or finished, where it is being placed in memory and what the current state is. This bookkeeping part is abstracted away in a `Task`. A `Task` is similar to a `Thread`, with some minor differences: it will be scheduled by the program instead of the operating system kernel and if it encounters a point where it needs to wait, the program itself responsible for waking it up again. We’ll talk a little bit about that later. An `async_std` task can also has a name and an ID, just like a thread.
|
||||
|
||||
For now, it is enough to know that once you `spawn`ed a task, it will continue running in the background. The `TaskHandle` in itself is a future that will finish once the `Task` ran to conclusion. Much like with `threads` and the `join` function, we can now call `block_on` on the handle to *block* the program (or the calling thread, to be specific) to wait for it to finish.
|
||||
|
||||
|
||||
## Tasks in `async_std`
|
||||
|
||||
Tasks in `async_std` are one of the core abstractions. Much like Rust’s `thread`s, they provide some practical functionality over the raw concept. `Tasks` have a relationship to the runtime, but they are in themselves separate. `async_std` tasks have a number of desirable properties:
|
||||
|
||||
|
||||
- They are single-allocated
|
||||
- All tasks have a *backchannel*, which allows them to propagate results and errors to the spawning task through the `TaskHandle`
|
||||
- The carry desirable metadata for debugging
|
||||
- They support task local storage
|
||||
|
||||
`async_std` s task api handles setup and teardown of a backing runtime for you and doesn’t rely on a runtime being started.
|
||||
|
||||
## Blocking
|
||||
|
||||
TODO: fill me in
|
||||
|
||||
## Errors and panics
|
||||
|
||||
TODO: fill me in
|
||||
|
||||
|
||||
## Conclusion
|
||||
|
||||
`async_std` comes with a useful `Task` type that works with an API similar to `std::thread`. It covers error and panic behaviour in a structured and defined way.
|
||||
|
||||
Tasks are separate concurrent units and sometimes they need to communicate. That’s where `Stream`s come in.
|
||||
|
|
|
@ -1 +1,27 @@
|
|||
# `std::future` and `futures-rs`
|
||||
# `std::future` and `futures-rs`
|
||||
|
||||
Rust has two kinds of types commonly referred to as `Future`:
|
||||
|
||||
|
||||
- the first is `std::future::Future` from Rust’s [standard library](https://doc.rust-lang.org/std/future/trait.Future.html).
|
||||
- the second is `futures::future::Future` from the [futures-rs crate](https://docs.rs/futures-preview/0.3.0-alpha.17/futures/prelude/trait.Future.html), currently released as `futures-preview`.
|
||||
|
||||
The future defined in the [futures-rs](https://docs.rs/futures-preview/0.3.0-alpha.17/futures/prelude/trait.Future.html) crate was the original implementation of the type. To enable the `async/await` syntax, the core Future trait was moved into Rust’s standard library and became `std::future::Future`. In some sense, the `std``::future::Future` can be seen as a minimal subset of `futures::future::Future`.
|
||||
|
||||
It is critical to understand the difference between `std::future::Future` and `futures::future::Future`, and the approach that `async-std` takes towards them. In itself, `std::future::Future` is not something you want to interact with as a user—except by calling `.await` on it. The inner workings of `std::future::Future` are mostly of interest to people implementing `Future`. Make no mistake—this is very useful! Most of the functionality that used to be defined on `Future` itself has been moved to an extension trait called `[FuturesExt](https://docs.rs/futures-preview/0.3.0-alpha.17/futures/future/trait.FutureExt.html)`. From this information, you might be able to infer that the `futures` library serves as an extension to the core Rust async features.
|
||||
|
||||
In the same tradition as `futures`, `async-std` re-exports the core `std::future::``Future` type. You can get actively opt into the extensions provided by the `futures-preview` crate by adding it your `Cargo.toml` and importing `FuturesExt`.
|
||||
|
||||
## Interfaces and Stability
|
||||
|
||||
`async-std` aims to be a stable and reliable library, at the level of the Rust standard library. This also means that we don't rely on the `futures` library for our interface. Yet, we appreciate that many users have come to like the conveniences that `futures-rs` brings. For that reason, `async-std` implements all `futures` traits for its types.
|
||||
|
||||
Luckily, the approach from above gives you full flexibility. If you care about stability a lot, you can just use `async-std` as is. If you prefer the `futures` library interfaces, you link those in.. Both uses are first class.
|
||||
|
||||
## `async_std::future`
|
||||
|
||||
There’s some support functions that we see as important for working with futures of any kind. These can be found in the `async_std::future` module and are covered by our stability guarantees.
|
||||
|
||||
## Streams and Read/Write/Seek/BufRead traits
|
||||
|
||||
Due to limitations of the Rust compiler, those are currently implemented in `async_std`, but cannot be implemented by users themselves.
|
Loading…
Reference in a new issue