mirror of
https://github.com/async-rs/async-std.git
synced 2025-10-24 05:16:36 +00:00
Merge remote-tracking branch 'original/master' into future-timeout
This commit is contained in:
commit
1c2055fff0
33 changed files with 404 additions and 93 deletions
3
.github/CONTRIBUTING.md
vendored
Normal file
3
.github/CONTRIBUTING.md
vendored
Normal file
|
@ -0,0 +1,3 @@
|
||||||
|
Our contribution policy can be found at [async.rs/contribute][policy].
|
||||||
|
|
||||||
|
[policy]: https://async.rs/contribute/
|
1
.github/workflows/ci.yml
vendored
1
.github/workflows/ci.yml
vendored
|
@ -4,6 +4,7 @@ on:
|
||||||
pull_request:
|
pull_request:
|
||||||
push:
|
push:
|
||||||
branches:
|
branches:
|
||||||
|
- master
|
||||||
- staging
|
- staging
|
||||||
- trying
|
- trying
|
||||||
|
|
||||||
|
|
46
CHANGELOG.md
46
CHANGELOG.md
|
@ -7,6 +7,49 @@ and this project adheres to [Semantic Versioning](https://book.async.rs/overview
|
||||||
|
|
||||||
## [Unreleased]
|
## [Unreleased]
|
||||||
|
|
||||||
|
# [1.2.0] - 2019-11-27
|
||||||
|
|
||||||
|
[API Documentation](https://docs.rs/async-std/1.2.0/async-std)
|
||||||
|
|
||||||
|
This patch includes some minor quality-of-life improvements, introduces a
|
||||||
|
new `Stream::unzip` API, and adds verbose errors to our networking types.
|
||||||
|
|
||||||
|
This means if you can't connect to a socket, you'll never have to wonder again
|
||||||
|
*which* address it was you couldn't connect to, instead of having to go through
|
||||||
|
the motions to debug what the address was.
|
||||||
|
|
||||||
|
## Example
|
||||||
|
|
||||||
|
Unzip a stream of tuples into two collections:
|
||||||
|
|
||||||
|
```rust
|
||||||
|
use async_std::prelude::*;
|
||||||
|
use async_std::stream;
|
||||||
|
|
||||||
|
let s = stream::from_iter(vec![(1,2), (3,4)]);
|
||||||
|
|
||||||
|
let (left, right): (Vec<_>, Vec<_>) = s.unzip().await;
|
||||||
|
|
||||||
|
assert_eq!(left, [1, 3]);
|
||||||
|
assert_eq!(right, [2, 4]);
|
||||||
|
```
|
||||||
|
|
||||||
|
## Added
|
||||||
|
|
||||||
|
- Added `Stream::unzip` as "unstable".
|
||||||
|
- Added verbose errors to the networking types.
|
||||||
|
|
||||||
|
## Changed
|
||||||
|
|
||||||
|
- Enabled CI on master branch.
|
||||||
|
- `Future::join` and `Future::try_join` can now join futures with different
|
||||||
|
output types.
|
||||||
|
|
||||||
|
## Fixed
|
||||||
|
|
||||||
|
- Fixed the docs and `Debug` output of `BufWriter`.
|
||||||
|
- Fixed a bug in `Stream::throttle` that made it consume too much CPU.
|
||||||
|
|
||||||
# [1.1.0] - 2019-11-21
|
# [1.1.0] - 2019-11-21
|
||||||
|
|
||||||
[API Documentation](https://docs.rs/async-std/1.1.0/async-std)
|
[API Documentation](https://docs.rs/async-std/1.1.0/async-std)
|
||||||
|
@ -510,7 +553,8 @@ task::blocking(async {
|
||||||
|
|
||||||
- Initial beta release
|
- Initial beta release
|
||||||
|
|
||||||
[Unreleased]: https://github.com/async-rs/async-std/compare/v1.1.0...HEAD
|
[Unreleased]: https://github.com/async-rs/async-std/compare/v1.2.0...HEAD
|
||||||
|
[1.2.0]: https://github.com/async-rs/async-std/compare/v1.1.0...v1.2.0
|
||||||
[1.1.0]: https://github.com/async-rs/async-std/compare/v1.0.1...v1.1.0
|
[1.1.0]: https://github.com/async-rs/async-std/compare/v1.0.1...v1.1.0
|
||||||
[1.0.1]: https://github.com/async-rs/async-std/compare/v1.0.0...v1.0.1
|
[1.0.1]: https://github.com/async-rs/async-std/compare/v1.0.0...v1.0.1
|
||||||
[1.0.0]: https://github.com/async-rs/async-std/compare/v0.99.12...v1.0.0
|
[1.0.0]: https://github.com/async-rs/async-std/compare/v0.99.12...v1.0.0
|
||||||
|
|
|
@ -1,6 +1,6 @@
|
||||||
[package]
|
[package]
|
||||||
name = "async-std"
|
name = "async-std"
|
||||||
version = "1.1.0"
|
version = "1.2.0"
|
||||||
authors = [
|
authors = [
|
||||||
"Stjepan Glavina <stjepang@gmail.com>",
|
"Stjepan Glavina <stjepang@gmail.com>",
|
||||||
"Yoshua Wuyts <yoshuawuyts@gmail.com>",
|
"Yoshua Wuyts <yoshuawuyts@gmail.com>",
|
||||||
|
|
|
@ -1,6 +1,7 @@
|
||||||
use crate::io;
|
use crate::io;
|
||||||
use crate::path::{Path, PathBuf};
|
use crate::path::{Path, PathBuf};
|
||||||
use crate::task::spawn_blocking;
|
use crate::task::spawn_blocking;
|
||||||
|
use crate::utils::Context as _;
|
||||||
|
|
||||||
/// Returns the canonical form of a path.
|
/// Returns the canonical form of a path.
|
||||||
///
|
///
|
||||||
|
@ -32,5 +33,10 @@ use crate::task::spawn_blocking;
|
||||||
/// ```
|
/// ```
|
||||||
pub async fn canonicalize<P: AsRef<Path>>(path: P) -> io::Result<PathBuf> {
|
pub async fn canonicalize<P: AsRef<Path>>(path: P) -> io::Result<PathBuf> {
|
||||||
let path = path.as_ref().to_owned();
|
let path = path.as_ref().to_owned();
|
||||||
spawn_blocking(move || std::fs::canonicalize(&path).map(Into::into)).await
|
spawn_blocking(move || {
|
||||||
|
std::fs::canonicalize(&path)
|
||||||
|
.map(Into::into)
|
||||||
|
.context(|| format!("could not canonicalize `{}`", path.display()))
|
||||||
|
})
|
||||||
|
.await
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,6 +1,7 @@
|
||||||
use crate::io;
|
use crate::io;
|
||||||
use crate::path::Path;
|
use crate::path::Path;
|
||||||
use crate::task::spawn_blocking;
|
use crate::task::spawn_blocking;
|
||||||
|
use crate::utils::Context as _;
|
||||||
|
|
||||||
/// Copies the contents and permissions of a file to a new location.
|
/// Copies the contents and permissions of a file to a new location.
|
||||||
///
|
///
|
||||||
|
@ -41,5 +42,9 @@ use crate::task::spawn_blocking;
|
||||||
pub async fn copy<P: AsRef<Path>, Q: AsRef<Path>>(from: P, to: Q) -> io::Result<u64> {
|
pub async fn copy<P: AsRef<Path>, Q: AsRef<Path>>(from: P, to: Q) -> io::Result<u64> {
|
||||||
let from = from.as_ref().to_owned();
|
let from = from.as_ref().to_owned();
|
||||||
let to = to.as_ref().to_owned();
|
let to = to.as_ref().to_owned();
|
||||||
spawn_blocking(move || std::fs::copy(&from, &to)).await
|
spawn_blocking(move || {
|
||||||
|
std::fs::copy(&from, &to)
|
||||||
|
.context(|| format!("could not copy `{}` to `{}`", from.display(), to.display()))
|
||||||
|
})
|
||||||
|
.await
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,6 +1,7 @@
|
||||||
use crate::io;
|
use crate::io;
|
||||||
use crate::path::Path;
|
use crate::path::Path;
|
||||||
use crate::task::spawn_blocking;
|
use crate::task::spawn_blocking;
|
||||||
|
use crate::utils::Context as _;
|
||||||
|
|
||||||
/// Creates a new directory.
|
/// Creates a new directory.
|
||||||
///
|
///
|
||||||
|
@ -34,5 +35,9 @@ use crate::task::spawn_blocking;
|
||||||
/// ```
|
/// ```
|
||||||
pub async fn create_dir<P: AsRef<Path>>(path: P) -> io::Result<()> {
|
pub async fn create_dir<P: AsRef<Path>>(path: P) -> io::Result<()> {
|
||||||
let path = path.as_ref().to_owned();
|
let path = path.as_ref().to_owned();
|
||||||
spawn_blocking(move || std::fs::create_dir(path)).await
|
spawn_blocking(move || {
|
||||||
|
std::fs::create_dir(&path)
|
||||||
|
.context(|| format!("could not create directory `{}`", path.display()))
|
||||||
|
})
|
||||||
|
.await
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,6 +1,7 @@
|
||||||
use crate::io;
|
use crate::io;
|
||||||
use crate::path::Path;
|
use crate::path::Path;
|
||||||
use crate::task::spawn_blocking;
|
use crate::task::spawn_blocking;
|
||||||
|
use crate::utils::Context as _;
|
||||||
|
|
||||||
/// Creates a new directory and all of its parents if they are missing.
|
/// Creates a new directory and all of its parents if they are missing.
|
||||||
///
|
///
|
||||||
|
@ -29,5 +30,9 @@ use crate::task::spawn_blocking;
|
||||||
/// ```
|
/// ```
|
||||||
pub async fn create_dir_all<P: AsRef<Path>>(path: P) -> io::Result<()> {
|
pub async fn create_dir_all<P: AsRef<Path>>(path: P) -> io::Result<()> {
|
||||||
let path = path.as_ref().to_owned();
|
let path = path.as_ref().to_owned();
|
||||||
spawn_blocking(move || std::fs::create_dir_all(path)).await
|
spawn_blocking(move || {
|
||||||
|
std::fs::create_dir_all(&path)
|
||||||
|
.context(|| format!("could not create directory path `{}`", path.display()))
|
||||||
|
})
|
||||||
|
.await
|
||||||
}
|
}
|
||||||
|
|
|
@ -9,11 +9,11 @@ use std::sync::{Arc, Mutex};
|
||||||
|
|
||||||
use crate::fs::{Metadata, Permissions};
|
use crate::fs::{Metadata, Permissions};
|
||||||
use crate::future;
|
use crate::future;
|
||||||
use crate::utils::Context as _;
|
|
||||||
use crate::io::{self, Read, Seek, SeekFrom, Write};
|
use crate::io::{self, Read, Seek, SeekFrom, Write};
|
||||||
use crate::path::Path;
|
use crate::path::Path;
|
||||||
use crate::prelude::*;
|
use crate::prelude::*;
|
||||||
use crate::task::{self, spawn_blocking, Context, Poll, Waker};
|
use crate::task::{self, spawn_blocking, Context, Poll, Waker};
|
||||||
|
use crate::utils::Context as _;
|
||||||
|
|
||||||
/// An open file on the filesystem.
|
/// An open file on the filesystem.
|
||||||
///
|
///
|
||||||
|
@ -114,8 +114,7 @@ impl File {
|
||||||
pub async fn open<P: AsRef<Path>>(path: P) -> io::Result<File> {
|
pub async fn open<P: AsRef<Path>>(path: P) -> io::Result<File> {
|
||||||
let path = path.as_ref().to_owned();
|
let path = path.as_ref().to_owned();
|
||||||
let file = spawn_blocking(move || {
|
let file = spawn_blocking(move || {
|
||||||
std::fs::File::open(&path)
|
std::fs::File::open(&path).context(|| format!("could not open `{}`", path.display()))
|
||||||
.context(|| format!("Could not open {}", path.display()))
|
|
||||||
})
|
})
|
||||||
.await?;
|
.await?;
|
||||||
Ok(File::new(file, true))
|
Ok(File::new(file, true))
|
||||||
|
@ -154,7 +153,7 @@ impl File {
|
||||||
let path = path.as_ref().to_owned();
|
let path = path.as_ref().to_owned();
|
||||||
let file = spawn_blocking(move || {
|
let file = spawn_blocking(move || {
|
||||||
std::fs::File::create(&path)
|
std::fs::File::create(&path)
|
||||||
.context(|| format!("Could not create {}", path.display()))
|
.context(|| format!("could not create `{}`", path.display()))
|
||||||
})
|
})
|
||||||
.await?;
|
.await?;
|
||||||
Ok(File::new(file, true))
|
Ok(File::new(file, true))
|
||||||
|
|
|
@ -1,6 +1,7 @@
|
||||||
use crate::io;
|
use crate::io;
|
||||||
use crate::path::Path;
|
use crate::path::Path;
|
||||||
use crate::task::spawn_blocking;
|
use crate::task::spawn_blocking;
|
||||||
|
use crate::utils::Context as _;
|
||||||
|
|
||||||
/// Creates a hard link on the filesystem.
|
/// Creates a hard link on the filesystem.
|
||||||
///
|
///
|
||||||
|
@ -32,5 +33,14 @@ use crate::task::spawn_blocking;
|
||||||
pub async fn hard_link<P: AsRef<Path>, Q: AsRef<Path>>(from: P, to: Q) -> io::Result<()> {
|
pub async fn hard_link<P: AsRef<Path>, Q: AsRef<Path>>(from: P, to: Q) -> io::Result<()> {
|
||||||
let from = from.as_ref().to_owned();
|
let from = from.as_ref().to_owned();
|
||||||
let to = to.as_ref().to_owned();
|
let to = to.as_ref().to_owned();
|
||||||
spawn_blocking(move || std::fs::hard_link(&from, &to)).await
|
spawn_blocking(move || {
|
||||||
|
std::fs::hard_link(&from, &to).context(|| {
|
||||||
|
format!(
|
||||||
|
"could not create a hard link from `{}` to `{}`",
|
||||||
|
from.display(),
|
||||||
|
to.display()
|
||||||
|
)
|
||||||
|
})
|
||||||
|
})
|
||||||
|
.await
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,6 +1,7 @@
|
||||||
use crate::io;
|
use crate::io;
|
||||||
use crate::path::Path;
|
use crate::path::Path;
|
||||||
use crate::task::spawn_blocking;
|
use crate::task::spawn_blocking;
|
||||||
|
use crate::utils::Context as _;
|
||||||
|
|
||||||
/// Reads the entire contents of a file as raw bytes.
|
/// Reads the entire contents of a file as raw bytes.
|
||||||
///
|
///
|
||||||
|
@ -36,5 +37,8 @@ use crate::task::spawn_blocking;
|
||||||
/// ```
|
/// ```
|
||||||
pub async fn read<P: AsRef<Path>>(path: P) -> io::Result<Vec<u8>> {
|
pub async fn read<P: AsRef<Path>>(path: P) -> io::Result<Vec<u8>> {
|
||||||
let path = path.as_ref().to_owned();
|
let path = path.as_ref().to_owned();
|
||||||
spawn_blocking(move || std::fs::read(path)).await
|
spawn_blocking(move || {
|
||||||
|
std::fs::read(&path).context(|| format!("could not read file `{}`", path.display()))
|
||||||
|
})
|
||||||
|
.await
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,11 +1,12 @@
|
||||||
use std::pin::Pin;
|
|
||||||
use std::future::Future;
|
use std::future::Future;
|
||||||
|
use std::pin::Pin;
|
||||||
|
|
||||||
use crate::fs::DirEntry;
|
use crate::fs::DirEntry;
|
||||||
use crate::io;
|
use crate::io;
|
||||||
use crate::path::Path;
|
use crate::path::Path;
|
||||||
use crate::stream::Stream;
|
use crate::stream::Stream;
|
||||||
use crate::task::{spawn_blocking, Context, JoinHandle, Poll};
|
use crate::task::{spawn_blocking, Context, JoinHandle, Poll};
|
||||||
|
use crate::utils::Context as _;
|
||||||
|
|
||||||
/// Returns a stream of entries in a directory.
|
/// Returns a stream of entries in a directory.
|
||||||
///
|
///
|
||||||
|
@ -45,9 +46,12 @@ use crate::task::{spawn_blocking, Context, JoinHandle, Poll};
|
||||||
/// ```
|
/// ```
|
||||||
pub async fn read_dir<P: AsRef<Path>>(path: P) -> io::Result<ReadDir> {
|
pub async fn read_dir<P: AsRef<Path>>(path: P) -> io::Result<ReadDir> {
|
||||||
let path = path.as_ref().to_owned();
|
let path = path.as_ref().to_owned();
|
||||||
spawn_blocking(move || std::fs::read_dir(path))
|
spawn_blocking(move || {
|
||||||
.await
|
std::fs::read_dir(&path)
|
||||||
.map(ReadDir::new)
|
.context(|| format!("could not read directory `{}`", path.display()))
|
||||||
|
})
|
||||||
|
.await
|
||||||
|
.map(ReadDir::new)
|
||||||
}
|
}
|
||||||
|
|
||||||
/// A stream of entries in a directory.
|
/// A stream of entries in a directory.
|
||||||
|
|
|
@ -1,6 +1,7 @@
|
||||||
use crate::io;
|
use crate::io;
|
||||||
use crate::path::{Path, PathBuf};
|
use crate::path::{Path, PathBuf};
|
||||||
use crate::task::spawn_blocking;
|
use crate::task::spawn_blocking;
|
||||||
|
use crate::utils::Context as _;
|
||||||
|
|
||||||
/// Reads a symbolic link and returns the path it points to.
|
/// Reads a symbolic link and returns the path it points to.
|
||||||
///
|
///
|
||||||
|
@ -28,5 +29,10 @@ use crate::task::spawn_blocking;
|
||||||
/// ```
|
/// ```
|
||||||
pub async fn read_link<P: AsRef<Path>>(path: P) -> io::Result<PathBuf> {
|
pub async fn read_link<P: AsRef<Path>>(path: P) -> io::Result<PathBuf> {
|
||||||
let path = path.as_ref().to_owned();
|
let path = path.as_ref().to_owned();
|
||||||
spawn_blocking(move || std::fs::read_link(path).map(Into::into)).await
|
spawn_blocking(move || {
|
||||||
|
std::fs::read_link(&path)
|
||||||
|
.map(Into::into)
|
||||||
|
.context(|| format!("could not read link `{}`", path.display()))
|
||||||
|
})
|
||||||
|
.await
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,6 +1,7 @@
|
||||||
use crate::io;
|
use crate::io;
|
||||||
use crate::path::Path;
|
use crate::path::Path;
|
||||||
use crate::task::spawn_blocking;
|
use crate::task::spawn_blocking;
|
||||||
|
use crate::utils::Context as _;
|
||||||
|
|
||||||
/// Reads the entire contents of a file as a string.
|
/// Reads the entire contents of a file as a string.
|
||||||
///
|
///
|
||||||
|
@ -37,5 +38,9 @@ use crate::task::spawn_blocking;
|
||||||
/// ```
|
/// ```
|
||||||
pub async fn read_to_string<P: AsRef<Path>>(path: P) -> io::Result<String> {
|
pub async fn read_to_string<P: AsRef<Path>>(path: P) -> io::Result<String> {
|
||||||
let path = path.as_ref().to_owned();
|
let path = path.as_ref().to_owned();
|
||||||
spawn_blocking(move || std::fs::read_to_string(path)).await
|
spawn_blocking(move || {
|
||||||
|
std::fs::read_to_string(&path)
|
||||||
|
.context(|| format!("could not read file `{}`", path.display()))
|
||||||
|
})
|
||||||
|
.await
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,6 +1,7 @@
|
||||||
use crate::io;
|
use crate::io;
|
||||||
use crate::path::Path;
|
use crate::path::Path;
|
||||||
use crate::task::spawn_blocking;
|
use crate::task::spawn_blocking;
|
||||||
|
use crate::utils::Context as _;
|
||||||
|
|
||||||
/// Removes an empty directory.
|
/// Removes an empty directory.
|
||||||
///
|
///
|
||||||
|
@ -29,5 +30,9 @@ use crate::task::spawn_blocking;
|
||||||
/// ```
|
/// ```
|
||||||
pub async fn remove_dir<P: AsRef<Path>>(path: P) -> io::Result<()> {
|
pub async fn remove_dir<P: AsRef<Path>>(path: P) -> io::Result<()> {
|
||||||
let path = path.as_ref().to_owned();
|
let path = path.as_ref().to_owned();
|
||||||
spawn_blocking(move || std::fs::remove_dir(path)).await
|
spawn_blocking(move || {
|
||||||
|
std::fs::remove_dir(&path)
|
||||||
|
.context(|| format!("could not remove directory `{}`", path.display()))
|
||||||
|
})
|
||||||
|
.await
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,6 +1,7 @@
|
||||||
use crate::io;
|
use crate::io;
|
||||||
use crate::path::Path;
|
use crate::path::Path;
|
||||||
use crate::task::spawn_blocking;
|
use crate::task::spawn_blocking;
|
||||||
|
use crate::utils::Context as _;
|
||||||
|
|
||||||
/// Removes a directory and all of its contents.
|
/// Removes a directory and all of its contents.
|
||||||
///
|
///
|
||||||
|
@ -29,5 +30,9 @@ use crate::task::spawn_blocking;
|
||||||
/// ```
|
/// ```
|
||||||
pub async fn remove_dir_all<P: AsRef<Path>>(path: P) -> io::Result<()> {
|
pub async fn remove_dir_all<P: AsRef<Path>>(path: P) -> io::Result<()> {
|
||||||
let path = path.as_ref().to_owned();
|
let path = path.as_ref().to_owned();
|
||||||
spawn_blocking(move || std::fs::remove_dir_all(path)).await
|
spawn_blocking(move || {
|
||||||
|
std::fs::remove_dir_all(&path)
|
||||||
|
.context(|| format!("could not remove directory `{}`", path.display()))
|
||||||
|
})
|
||||||
|
.await
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,6 +1,7 @@
|
||||||
use crate::io;
|
use crate::io;
|
||||||
use crate::path::Path;
|
use crate::path::Path;
|
||||||
use crate::task::spawn_blocking;
|
use crate::task::spawn_blocking;
|
||||||
|
use crate::utils::Context as _;
|
||||||
|
|
||||||
/// Removes a file.
|
/// Removes a file.
|
||||||
///
|
///
|
||||||
|
@ -29,5 +30,9 @@ use crate::task::spawn_blocking;
|
||||||
/// ```
|
/// ```
|
||||||
pub async fn remove_file<P: AsRef<Path>>(path: P) -> io::Result<()> {
|
pub async fn remove_file<P: AsRef<Path>>(path: P) -> io::Result<()> {
|
||||||
let path = path.as_ref().to_owned();
|
let path = path.as_ref().to_owned();
|
||||||
spawn_blocking(move || std::fs::remove_file(path)).await
|
spawn_blocking(move || {
|
||||||
|
std::fs::remove_file(&path)
|
||||||
|
.context(|| format!("could not remove file `{}`", path.display()))
|
||||||
|
})
|
||||||
|
.await
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,6 +1,7 @@
|
||||||
use crate::io;
|
use crate::io;
|
||||||
use crate::path::Path;
|
use crate::path::Path;
|
||||||
use crate::task::spawn_blocking;
|
use crate::task::spawn_blocking;
|
||||||
|
use crate::utils::Context as _;
|
||||||
|
|
||||||
/// Renames a file or directory to a new location.
|
/// Renames a file or directory to a new location.
|
||||||
///
|
///
|
||||||
|
@ -34,5 +35,14 @@ use crate::task::spawn_blocking;
|
||||||
pub async fn rename<P: AsRef<Path>, Q: AsRef<Path>>(from: P, to: Q) -> io::Result<()> {
|
pub async fn rename<P: AsRef<Path>, Q: AsRef<Path>>(from: P, to: Q) -> io::Result<()> {
|
||||||
let from = from.as_ref().to_owned();
|
let from = from.as_ref().to_owned();
|
||||||
let to = to.as_ref().to_owned();
|
let to = to.as_ref().to_owned();
|
||||||
spawn_blocking(move || std::fs::rename(&from, &to)).await
|
spawn_blocking(move || {
|
||||||
|
std::fs::rename(&from, &to).context(|| {
|
||||||
|
format!(
|
||||||
|
"could not rename `{}` to `{}`",
|
||||||
|
from.display(),
|
||||||
|
to.display()
|
||||||
|
)
|
||||||
|
})
|
||||||
|
})
|
||||||
|
.await
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,6 +1,7 @@
|
||||||
use crate::io;
|
use crate::io;
|
||||||
use crate::path::Path;
|
use crate::path::Path;
|
||||||
use crate::task::spawn_blocking;
|
use crate::task::spawn_blocking;
|
||||||
|
use crate::utils::Context as _;
|
||||||
|
|
||||||
/// Writes a slice of bytes as the new contents of a file.
|
/// Writes a slice of bytes as the new contents of a file.
|
||||||
///
|
///
|
||||||
|
@ -33,5 +34,9 @@ use crate::task::spawn_blocking;
|
||||||
pub async fn write<P: AsRef<Path>, C: AsRef<[u8]>>(path: P, contents: C) -> io::Result<()> {
|
pub async fn write<P: AsRef<Path>, C: AsRef<[u8]>>(path: P, contents: C) -> io::Result<()> {
|
||||||
let path = path.as_ref().to_owned();
|
let path = path.as_ref().to_owned();
|
||||||
let contents = contents.as_ref().to_owned();
|
let contents = contents.as_ref().to_owned();
|
||||||
spawn_blocking(move || std::fs::write(path, contents)).await
|
spawn_blocking(move || {
|
||||||
|
std::fs::write(&path, contents)
|
||||||
|
.context(|| format!("could not write to file `{}`", path.display()))
|
||||||
|
})
|
||||||
|
.await
|
||||||
}
|
}
|
||||||
|
|
|
@ -12,7 +12,7 @@ pin_project! {
|
||||||
pub struct Join<L, R>
|
pub struct Join<L, R>
|
||||||
where
|
where
|
||||||
L: Future,
|
L: Future,
|
||||||
R: Future<Output = L::Output>
|
R: Future,
|
||||||
{
|
{
|
||||||
#[pin] left: MaybeDone<L>,
|
#[pin] left: MaybeDone<L>,
|
||||||
#[pin] right: MaybeDone<R>,
|
#[pin] right: MaybeDone<R>,
|
||||||
|
@ -22,7 +22,7 @@ pin_project! {
|
||||||
impl<L, R> Join<L, R>
|
impl<L, R> Join<L, R>
|
||||||
where
|
where
|
||||||
L: Future,
|
L: Future,
|
||||||
R: Future<Output = L::Output>,
|
R: Future,
|
||||||
{
|
{
|
||||||
pub(crate) fn new(left: L, right: R) -> Self {
|
pub(crate) fn new(left: L, right: R) -> Self {
|
||||||
Self {
|
Self {
|
||||||
|
@ -35,7 +35,7 @@ where
|
||||||
impl<L, R> Future for Join<L, R>
|
impl<L, R> Future for Join<L, R>
|
||||||
where
|
where
|
||||||
L: Future,
|
L: Future,
|
||||||
R: Future<Output = L::Output>,
|
R: Future,
|
||||||
{
|
{
|
||||||
type Output = (L::Output, R::Output);
|
type Output = (L::Output, R::Output);
|
||||||
|
|
||||||
|
|
|
@ -290,10 +290,10 @@ extension_trait! {
|
||||||
use async_std::future;
|
use async_std::future;
|
||||||
|
|
||||||
let a = future::ready(1u8);
|
let a = future::ready(1u8);
|
||||||
let b = future::ready(2u8);
|
let b = future::ready(2u16);
|
||||||
|
|
||||||
let f = a.join(b);
|
let f = a.join(b);
|
||||||
assert_eq!(f.await, (1u8, 2u8));
|
assert_eq!(f.await, (1u8, 2u16));
|
||||||
# });
|
# });
|
||||||
```
|
```
|
||||||
"#]
|
"#]
|
||||||
|
@ -305,7 +305,7 @@ extension_trait! {
|
||||||
) -> impl Future<Output = (<Self as std::future::Future>::Output, <F as std::future::Future>::Output)> [Join<Self, F>]
|
) -> impl Future<Output = (<Self as std::future::Future>::Output, <F as std::future::Future>::Output)> [Join<Self, F>]
|
||||||
where
|
where
|
||||||
Self: std::future::Future + Sized,
|
Self: std::future::Future + Sized,
|
||||||
F: std::future::Future<Output = <Self as std::future::Future>::Output>,
|
F: std::future::Future,
|
||||||
{
|
{
|
||||||
Join::new(self, other)
|
Join::new(self, other)
|
||||||
}
|
}
|
||||||
|
@ -329,30 +329,30 @@ extension_trait! {
|
||||||
use async_std::prelude::*;
|
use async_std::prelude::*;
|
||||||
use async_std::future;
|
use async_std::future;
|
||||||
|
|
||||||
let a = future::ready(Err("Error"));
|
let a = future::ready(Err::<u8, &str>("Error"));
|
||||||
let b = future::ready(Ok(1u8));
|
let b = future::ready(Ok(1u8));
|
||||||
|
|
||||||
let f = a.try_join(b);
|
let f = a.try_join(b);
|
||||||
assert_eq!(f.await, Err("Error"));
|
assert_eq!(f.await, Err("Error"));
|
||||||
|
|
||||||
let a = future::ready(Ok::<u8, String>(1u8));
|
let a = future::ready(Ok::<u8, String>(1u8));
|
||||||
let b = future::ready(Ok::<u8, String>(2u8));
|
let b = future::ready(Ok::<u16, String>(2u16));
|
||||||
|
|
||||||
let f = a.try_join(b);
|
let f = a.try_join(b);
|
||||||
assert_eq!(f.await, Ok((1u8, 2u8)));
|
assert_eq!(f.await, Ok((1u8, 2u16)));
|
||||||
#
|
#
|
||||||
# Ok(()) }) }
|
# Ok(()) }) }
|
||||||
```
|
```
|
||||||
"#]
|
"#]
|
||||||
#[cfg(any(feature = "unstable", feature = "docs"))]
|
#[cfg(any(feature = "unstable", feature = "docs"))]
|
||||||
#[cfg_attr(feature = "docs", doc(cfg(unstable)))]
|
#[cfg_attr(feature = "docs", doc(cfg(unstable)))]
|
||||||
fn try_join<F, T, E>(
|
fn try_join<F, A, B, E>(
|
||||||
self,
|
self,
|
||||||
other: F
|
other: F
|
||||||
) -> impl Future<Output = Result<(T, T), E>> [TryJoin<Self, F>]
|
) -> impl Future<Output = Result<(A, B), E>> [TryJoin<Self, F>]
|
||||||
where
|
where
|
||||||
Self: std::future::Future<Output = Result<T, E>> + Sized,
|
Self: std::future::Future<Output = Result<A, E>> + Sized,
|
||||||
F: std::future::Future<Output = <Self as std::future::Future>::Output>,
|
F: std::future::Future<Output = Result<B, E>>,
|
||||||
{
|
{
|
||||||
TryJoin::new(self, other)
|
TryJoin::new(self, other)
|
||||||
}
|
}
|
||||||
|
|
|
@ -12,7 +12,7 @@ pin_project! {
|
||||||
pub struct TryJoin<L, R>
|
pub struct TryJoin<L, R>
|
||||||
where
|
where
|
||||||
L: Future,
|
L: Future,
|
||||||
R: Future<Output = L::Output>
|
R: Future,
|
||||||
{
|
{
|
||||||
#[pin] left: MaybeDone<L>,
|
#[pin] left: MaybeDone<L>,
|
||||||
#[pin] right: MaybeDone<R>,
|
#[pin] right: MaybeDone<R>,
|
||||||
|
@ -22,7 +22,7 @@ pin_project! {
|
||||||
impl<L, R> TryJoin<L, R>
|
impl<L, R> TryJoin<L, R>
|
||||||
where
|
where
|
||||||
L: Future,
|
L: Future,
|
||||||
R: Future<Output = L::Output>,
|
R: Future,
|
||||||
{
|
{
|
||||||
pub(crate) fn new(left: L, right: R) -> Self {
|
pub(crate) fn new(left: L, right: R) -> Self {
|
||||||
Self {
|
Self {
|
||||||
|
@ -32,12 +32,12 @@ where
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
impl<L, R, T, E> Future for TryJoin<L, R>
|
impl<L, R, A, B, E> Future for TryJoin<L, R>
|
||||||
where
|
where
|
||||||
L: Future<Output = Result<T, E>>,
|
L: Future<Output = Result<A, E>>,
|
||||||
R: Future<Output = L::Output>,
|
R: Future<Output = Result<B, E>>,
|
||||||
{
|
{
|
||||||
type Output = Result<(T, T), E>;
|
type Output = Result<(A, B), E>;
|
||||||
|
|
||||||
fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
|
fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
|
||||||
let this = self.project();
|
let this = self.project();
|
||||||
|
|
|
@ -22,14 +22,14 @@ pin_project! {
|
||||||
/// times. It also provides no advantage when writing to a destination that is
|
/// times. It also provides no advantage when writing to a destination that is
|
||||||
/// in memory, like a `Vec<u8>`.
|
/// in memory, like a `Vec<u8>`.
|
||||||
///
|
///
|
||||||
/// When the `BufWriter` is dropped, the contents of its buffer will be written
|
/// Unlike the `BufWriter` type in `std`, this type does not write out the
|
||||||
/// out. However, any errors that happen in the process of flushing the buffer
|
/// contents of its buffer when it is dropped. Therefore, it is absolutely
|
||||||
/// when the writer is dropped will be ignored. Code that wishes to handle such
|
/// critical that users explicitly flush the buffer before dropping a
|
||||||
/// errors must manually call [`flush`] before the writer is dropped.
|
/// `BufWriter`.
|
||||||
///
|
///
|
||||||
/// This type is an async version of [`std::io::BufReader`].
|
/// This type is an async version of [`std::io::BufWriter`].
|
||||||
///
|
///
|
||||||
/// [`std::io::BufReader`]: https://doc.rust-lang.org/std/io/struct.BufReader.html
|
/// [`std::io::BufWriter`]: https://doc.rust-lang.org/std/io/struct.BufWriter.html
|
||||||
///
|
///
|
||||||
/// # Examples
|
/// # Examples
|
||||||
///
|
///
|
||||||
|
@ -61,10 +61,13 @@ pin_project! {
|
||||||
/// use async_std::prelude::*;
|
/// use async_std::prelude::*;
|
||||||
///
|
///
|
||||||
/// let mut stream = BufWriter::new(TcpStream::connect("127.0.0.1:34254").await?);
|
/// let mut stream = BufWriter::new(TcpStream::connect("127.0.0.1:34254").await?);
|
||||||
|
///
|
||||||
/// for i in 0..10 {
|
/// for i in 0..10 {
|
||||||
/// let arr = [i+1];
|
/// let arr = [i+1];
|
||||||
/// stream.write(&arr).await?;
|
/// stream.write(&arr).await?;
|
||||||
/// };
|
/// };
|
||||||
|
///
|
||||||
|
/// stream.flush().await?;
|
||||||
/// #
|
/// #
|
||||||
/// # Ok(()) }) }
|
/// # Ok(()) }) }
|
||||||
/// ```
|
/// ```
|
||||||
|
@ -325,7 +328,7 @@ impl<W: Write> Write for BufWriter<W> {
|
||||||
|
|
||||||
impl<W: Write + fmt::Debug> fmt::Debug for BufWriter<W> {
|
impl<W: Write + fmt::Debug> fmt::Debug for BufWriter<W> {
|
||||||
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
|
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
|
||||||
f.debug_struct("BufReader")
|
f.debug_struct("BufWriter")
|
||||||
.field("writer", &self.inner)
|
.field("writer", &self.inner)
|
||||||
.field("buf", &self.buf)
|
.field("buf", &self.buf)
|
||||||
.finish()
|
.finish()
|
||||||
|
|
|
@ -1,10 +1,11 @@
|
||||||
use std::pin::Pin;
|
|
||||||
use std::future::Future;
|
use std::future::Future;
|
||||||
|
use std::pin::Pin;
|
||||||
|
|
||||||
use pin_project_lite::pin_project;
|
use pin_project_lite::pin_project;
|
||||||
|
|
||||||
use crate::io::{self, BufRead, BufReader, Read, Write};
|
use crate::io::{self, BufRead, BufReader, Read, Write};
|
||||||
use crate::task::{Context, Poll};
|
use crate::task::{Context, Poll};
|
||||||
|
use crate::utils::Context as _;
|
||||||
|
|
||||||
/// Copies the entire contents of a reader into a writer.
|
/// Copies the entire contents of a reader into a writer.
|
||||||
///
|
///
|
||||||
|
@ -90,7 +91,7 @@ where
|
||||||
writer,
|
writer,
|
||||||
amt: 0,
|
amt: 0,
|
||||||
};
|
};
|
||||||
future.await
|
future.await.context(|| String::from("io::copy failed"))
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Copies the entire contents of a reader into a writer.
|
/// Copies the entire contents of a reader into a writer.
|
||||||
|
@ -177,5 +178,5 @@ where
|
||||||
writer,
|
writer,
|
||||||
amt: 0,
|
amt: 0,
|
||||||
};
|
};
|
||||||
future.await
|
future.await.context(|| String::from("io::copy failed"))
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,10 +1,11 @@
|
||||||
|
use std::future::Future;
|
||||||
use std::pin::Pin;
|
use std::pin::Pin;
|
||||||
use std::sync::Mutex;
|
use std::sync::Mutex;
|
||||||
use std::future::Future;
|
|
||||||
|
|
||||||
use crate::future;
|
use crate::future;
|
||||||
use crate::io::{self, Read};
|
use crate::io::{self, Read};
|
||||||
use crate::task::{spawn_blocking, Context, JoinHandle, Poll};
|
use crate::task::{spawn_blocking, Context, JoinHandle, Poll};
|
||||||
|
use crate::utils::Context as _;
|
||||||
|
|
||||||
cfg_unstable! {
|
cfg_unstable! {
|
||||||
use once_cell::sync::Lazy;
|
use once_cell::sync::Lazy;
|
||||||
|
@ -162,6 +163,7 @@ impl Stdin {
|
||||||
}
|
}
|
||||||
})
|
})
|
||||||
.await
|
.await
|
||||||
|
.context(|| String::from("could not read line on stdin"))
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Locks this handle to the standard input stream, returning a readable guard.
|
/// Locks this handle to the standard input stream, returning a readable guard.
|
||||||
|
|
|
@ -1,11 +1,12 @@
|
||||||
|
use std::future::Future;
|
||||||
use std::mem;
|
use std::mem;
|
||||||
use std::net::{IpAddr, Ipv4Addr, Ipv6Addr};
|
use std::net::{IpAddr, Ipv4Addr, Ipv6Addr};
|
||||||
use std::net::{SocketAddr, SocketAddrV4, SocketAddrV6};
|
use std::net::{SocketAddr, SocketAddrV4, SocketAddrV6};
|
||||||
use std::pin::Pin;
|
use std::pin::Pin;
|
||||||
use std::future::Future;
|
|
||||||
|
|
||||||
use crate::io;
|
use crate::io;
|
||||||
use crate::task::{spawn_blocking, Context, JoinHandle, Poll};
|
use crate::task::{spawn_blocking, Context, JoinHandle, Poll};
|
||||||
|
use crate::utils::Context as ErrorContext;
|
||||||
|
|
||||||
cfg_not_docs! {
|
cfg_not_docs! {
|
||||||
macro_rules! ret {
|
macro_rules! ret {
|
||||||
|
@ -67,6 +68,18 @@ pub enum ToSocketAddrsFuture<I> {
|
||||||
Done,
|
Done,
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// Wrap `std::io::Error` with additional message
|
||||||
|
///
|
||||||
|
/// Keeps the original error kind and stores the original I/O error as `source`.
|
||||||
|
impl<T> ErrorContext for ToSocketAddrsFuture<T> {
|
||||||
|
fn context(self, message: impl Fn() -> String) -> Self {
|
||||||
|
match self {
|
||||||
|
ToSocketAddrsFuture::Ready(res) => ToSocketAddrsFuture::Ready(res.context(message)),
|
||||||
|
x => x,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
impl<I: Iterator<Item = SocketAddr>> Future for ToSocketAddrsFuture<I> {
|
impl<I: Iterator<Item = SocketAddr>> Future for ToSocketAddrsFuture<I> {
|
||||||
type Output = io::Result<I>;
|
type Output = io::Result<I>;
|
||||||
|
|
||||||
|
@ -110,7 +123,9 @@ impl ToSocketAddrs for SocketAddrV4 {
|
||||||
impl Future<Output = Self::Iter>,
|
impl Future<Output = Self::Iter>,
|
||||||
ToSocketAddrsFuture<Self::Iter>
|
ToSocketAddrsFuture<Self::Iter>
|
||||||
) {
|
) {
|
||||||
SocketAddr::V4(*self).to_socket_addrs()
|
SocketAddr::V4(*self)
|
||||||
|
.to_socket_addrs()
|
||||||
|
.context(|| format!("could not resolve address `{}`", self))
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -123,7 +138,9 @@ impl ToSocketAddrs for SocketAddrV6 {
|
||||||
impl Future<Output = Self::Iter>,
|
impl Future<Output = Self::Iter>,
|
||||||
ToSocketAddrsFuture<Self::Iter>
|
ToSocketAddrsFuture<Self::Iter>
|
||||||
) {
|
) {
|
||||||
SocketAddr::V6(*self).to_socket_addrs()
|
SocketAddr::V6(*self)
|
||||||
|
.to_socket_addrs()
|
||||||
|
.context(|| format!("could not resolve address `{}`", self))
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -195,7 +212,9 @@ impl ToSocketAddrs for (&str, u16) {
|
||||||
|
|
||||||
let host = host.to_string();
|
let host = host.to_string();
|
||||||
let task = spawn_blocking(move || {
|
let task = spawn_blocking(move || {
|
||||||
std::net::ToSocketAddrs::to_socket_addrs(&(host.as_str(), port))
|
let addr = (host.as_str(), port);
|
||||||
|
std::net::ToSocketAddrs::to_socket_addrs(&addr)
|
||||||
|
.context(|| format!("could not resolve address `{:?}`", addr))
|
||||||
});
|
});
|
||||||
ToSocketAddrsFuture::Resolving(task)
|
ToSocketAddrsFuture::Resolving(task)
|
||||||
}
|
}
|
||||||
|
@ -215,7 +234,10 @@ impl ToSocketAddrs for str {
|
||||||
}
|
}
|
||||||
|
|
||||||
let addr = self.to_string();
|
let addr = self.to_string();
|
||||||
let task = spawn_blocking(move || std::net::ToSocketAddrs::to_socket_addrs(addr.as_str()));
|
let task = spawn_blocking(move || {
|
||||||
|
std::net::ToSocketAddrs::to_socket_addrs(addr.as_str())
|
||||||
|
.context(|| format!("could not resolve address `{:?}`", addr))
|
||||||
|
});
|
||||||
ToSocketAddrsFuture::Resolving(task)
|
ToSocketAddrsFuture::Resolving(task)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,5 +1,5 @@
|
||||||
use std::net::SocketAddr;
|
|
||||||
use std::future::Future;
|
use std::future::Future;
|
||||||
|
use std::net::SocketAddr;
|
||||||
use std::pin::Pin;
|
use std::pin::Pin;
|
||||||
|
|
||||||
use crate::future;
|
use crate::future;
|
||||||
|
@ -75,8 +75,11 @@ impl TcpListener {
|
||||||
/// [`local_addr`]: #method.local_addr
|
/// [`local_addr`]: #method.local_addr
|
||||||
pub async fn bind<A: ToSocketAddrs>(addrs: A) -> io::Result<TcpListener> {
|
pub async fn bind<A: ToSocketAddrs>(addrs: A) -> io::Result<TcpListener> {
|
||||||
let mut last_err = None;
|
let mut last_err = None;
|
||||||
|
let addrs = addrs
|
||||||
|
.to_socket_addrs()
|
||||||
|
.await?;
|
||||||
|
|
||||||
for addr in addrs.to_socket_addrs().await? {
|
for addr in addrs {
|
||||||
match mio::net::TcpListener::bind(&addr) {
|
match mio::net::TcpListener::bind(&addr) {
|
||||||
Ok(mio_listener) => {
|
Ok(mio_listener) => {
|
||||||
return Ok(TcpListener {
|
return Ok(TcpListener {
|
||||||
|
|
|
@ -7,6 +7,7 @@ use crate::io::{self, Read, Write};
|
||||||
use crate::net::driver::Watcher;
|
use crate::net::driver::Watcher;
|
||||||
use crate::net::ToSocketAddrs;
|
use crate::net::ToSocketAddrs;
|
||||||
use crate::task::{spawn_blocking, Context, Poll};
|
use crate::task::{spawn_blocking, Context, Poll};
|
||||||
|
use crate::utils::Context as _;
|
||||||
|
|
||||||
/// A TCP stream between a local and a remote socket.
|
/// A TCP stream between a local and a remote socket.
|
||||||
///
|
///
|
||||||
|
@ -71,11 +72,16 @@ impl TcpStream {
|
||||||
/// ```
|
/// ```
|
||||||
pub async fn connect<A: ToSocketAddrs>(addrs: A) -> io::Result<TcpStream> {
|
pub async fn connect<A: ToSocketAddrs>(addrs: A) -> io::Result<TcpStream> {
|
||||||
let mut last_err = None;
|
let mut last_err = None;
|
||||||
|
let addrs = addrs
|
||||||
|
.to_socket_addrs()
|
||||||
|
.await?;
|
||||||
|
|
||||||
for addr in addrs.to_socket_addrs().await? {
|
for addr in addrs {
|
||||||
let res = spawn_blocking(move || {
|
let res = spawn_blocking(move || {
|
||||||
let std_stream = std::net::TcpStream::connect(addr)?;
|
let std_stream = std::net::TcpStream::connect(addr)
|
||||||
let mio_stream = mio::net::TcpStream::from_stream(std_stream)?;
|
.context(|| format!("could not connect to {}", addr))?;
|
||||||
|
let mio_stream = mio::net::TcpStream::from_stream(std_stream)
|
||||||
|
.context(|| format!("could not open async connection to {}", addr))?;
|
||||||
Ok(TcpStream {
|
Ok(TcpStream {
|
||||||
watcher: Watcher::new(mio_stream),
|
watcher: Watcher::new(mio_stream),
|
||||||
})
|
})
|
||||||
|
|
|
@ -5,6 +5,7 @@ use std::net::{Ipv4Addr, Ipv6Addr};
|
||||||
use crate::future;
|
use crate::future;
|
||||||
use crate::net::driver::Watcher;
|
use crate::net::driver::Watcher;
|
||||||
use crate::net::ToSocketAddrs;
|
use crate::net::ToSocketAddrs;
|
||||||
|
use crate::utils::Context as _;
|
||||||
|
|
||||||
/// A UDP socket.
|
/// A UDP socket.
|
||||||
///
|
///
|
||||||
|
@ -66,10 +67,13 @@ impl UdpSocket {
|
||||||
/// #
|
/// #
|
||||||
/// # Ok(()) }) }
|
/// # Ok(()) }) }
|
||||||
/// ```
|
/// ```
|
||||||
pub async fn bind<A: ToSocketAddrs>(addr: A) -> io::Result<UdpSocket> {
|
pub async fn bind<A: ToSocketAddrs>(addrs: A) -> io::Result<UdpSocket> {
|
||||||
let mut last_err = None;
|
let mut last_err = None;
|
||||||
|
let addrs = addrs
|
||||||
|
.to_socket_addrs()
|
||||||
|
.await?;
|
||||||
|
|
||||||
for addr in addr.to_socket_addrs().await? {
|
for addr in addrs {
|
||||||
match mio::net::UdpSocket::bind(&addr) {
|
match mio::net::UdpSocket::bind(&addr) {
|
||||||
Ok(mio_socket) => {
|
Ok(mio_socket) => {
|
||||||
return Ok(UdpSocket {
|
return Ok(UdpSocket {
|
||||||
|
@ -106,7 +110,10 @@ impl UdpSocket {
|
||||||
/// # Ok(()) }) }
|
/// # Ok(()) }) }
|
||||||
/// ```
|
/// ```
|
||||||
pub fn local_addr(&self) -> io::Result<SocketAddr> {
|
pub fn local_addr(&self) -> io::Result<SocketAddr> {
|
||||||
self.watcher.get_ref().local_addr()
|
self.watcher
|
||||||
|
.get_ref()
|
||||||
|
.local_addr()
|
||||||
|
.context(|| String::from("could not get local address"))
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Sends data on the socket to the given address.
|
/// Sends data on the socket to the given address.
|
||||||
|
@ -151,6 +158,7 @@ impl UdpSocket {
|
||||||
.poll_write_with(cx, |inner| inner.send_to(buf, &addr))
|
.poll_write_with(cx, |inner| inner.send_to(buf, &addr))
|
||||||
})
|
})
|
||||||
.await
|
.await
|
||||||
|
.context(|| format!("could not send packet to {}", addr))
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Receives data from the socket.
|
/// Receives data from the socket.
|
||||||
|
@ -178,6 +186,17 @@ impl UdpSocket {
|
||||||
.poll_read_with(cx, |inner| inner.recv_from(buf))
|
.poll_read_with(cx, |inner| inner.recv_from(buf))
|
||||||
})
|
})
|
||||||
.await
|
.await
|
||||||
|
.context(|| {
|
||||||
|
use std::fmt::Write;
|
||||||
|
|
||||||
|
let mut error = String::from("could not receive data on ");
|
||||||
|
if let Ok(addr) = self.local_addr() {
|
||||||
|
let _ = write!(&mut error, "{}", addr);
|
||||||
|
} else {
|
||||||
|
error.push_str("socket");
|
||||||
|
}
|
||||||
|
error
|
||||||
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Connects the UDP socket to a remote address.
|
/// Connects the UDP socket to a remote address.
|
||||||
|
@ -195,7 +214,7 @@ impl UdpSocket {
|
||||||
/// ```no_run
|
/// ```no_run
|
||||||
/// # fn main() -> std::io::Result<()> { async_std::task::block_on(async {
|
/// # fn main() -> std::io::Result<()> { async_std::task::block_on(async {
|
||||||
/// #
|
/// #
|
||||||
/// use async_std::net::UdpSocket;
|
/// use async_std::net::UdpSocket;
|
||||||
///
|
///
|
||||||
/// let socket = UdpSocket::bind("127.0.0.1:0").await?;
|
/// let socket = UdpSocket::bind("127.0.0.1:0").await?;
|
||||||
/// socket.connect("127.0.0.1:8080").await?;
|
/// socket.connect("127.0.0.1:8080").await?;
|
||||||
|
@ -204,8 +223,12 @@ impl UdpSocket {
|
||||||
/// ```
|
/// ```
|
||||||
pub async fn connect<A: ToSocketAddrs>(&self, addrs: A) -> io::Result<()> {
|
pub async fn connect<A: ToSocketAddrs>(&self, addrs: A) -> io::Result<()> {
|
||||||
let mut last_err = None;
|
let mut last_err = None;
|
||||||
|
let addrs = addrs
|
||||||
|
.to_socket_addrs()
|
||||||
|
.await
|
||||||
|
.context(|| String::from("could not resolve addresses"))?;
|
||||||
|
|
||||||
for addr in addrs.to_socket_addrs().await? {
|
for addr in addrs {
|
||||||
// TODO(stjepang): connect on the blocking pool
|
// TODO(stjepang): connect on the blocking pool
|
||||||
match self.watcher.get_ref().connect(addr) {
|
match self.watcher.get_ref().connect(addr) {
|
||||||
Ok(()) => return Ok(()),
|
Ok(()) => return Ok(()),
|
||||||
|
@ -248,7 +271,19 @@ impl UdpSocket {
|
||||||
/// # Ok(()) }) }
|
/// # Ok(()) }) }
|
||||||
/// ```
|
/// ```
|
||||||
pub async fn send(&self, buf: &[u8]) -> io::Result<usize> {
|
pub async fn send(&self, buf: &[u8]) -> io::Result<usize> {
|
||||||
future::poll_fn(|cx| self.watcher.poll_write_with(cx, |inner| inner.send(buf))).await
|
future::poll_fn(|cx| self.watcher.poll_write_with(cx, |inner| inner.send(buf)))
|
||||||
|
.await
|
||||||
|
.context(|| {
|
||||||
|
use std::fmt::Write;
|
||||||
|
|
||||||
|
let mut error = String::from("could not send data on ");
|
||||||
|
if let Ok(addr) = self.local_addr() {
|
||||||
|
let _ = write!(&mut error, "{}", addr);
|
||||||
|
} else {
|
||||||
|
error.push_str("socket");
|
||||||
|
}
|
||||||
|
error
|
||||||
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Receives data from the socket.
|
/// Receives data from the socket.
|
||||||
|
@ -271,7 +306,19 @@ impl UdpSocket {
|
||||||
/// # Ok(()) }) }
|
/// # Ok(()) }) }
|
||||||
/// ```
|
/// ```
|
||||||
pub async fn recv(&self, buf: &mut [u8]) -> io::Result<usize> {
|
pub async fn recv(&self, buf: &mut [u8]) -> io::Result<usize> {
|
||||||
future::poll_fn(|cx| self.watcher.poll_read_with(cx, |inner| inner.recv(buf))).await
|
future::poll_fn(|cx| self.watcher.poll_read_with(cx, |inner| inner.recv(buf)))
|
||||||
|
.await
|
||||||
|
.context(|| {
|
||||||
|
use std::fmt::Write;
|
||||||
|
|
||||||
|
let mut error = String::from("could not receive data on ");
|
||||||
|
if let Ok(addr) = self.local_addr() {
|
||||||
|
let _ = write!(&mut error, "{}", addr);
|
||||||
|
} else {
|
||||||
|
error.push_str("socket");
|
||||||
|
}
|
||||||
|
error
|
||||||
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Gets the value of the `SO_BROADCAST` option for this socket.
|
/// Gets the value of the `SO_BROADCAST` option for this socket.
|
||||||
|
@ -415,7 +462,7 @@ impl UdpSocket {
|
||||||
/// use async_std::net::UdpSocket;
|
/// use async_std::net::UdpSocket;
|
||||||
///
|
///
|
||||||
/// let socket_addr = SocketAddr::new(Ipv6Addr::new(0, 0, 0, 0, 0, 0, 0, 0).into(), 0);
|
/// let socket_addr = SocketAddr::new(Ipv6Addr::new(0, 0, 0, 0, 0, 0, 0, 0).into(), 0);
|
||||||
/// let mdns_addr = Ipv6Addr::new(0xFF02, 0, 0, 0, 0, 0, 0, 0x0123) ;
|
/// let mdns_addr = Ipv6Addr::new(0xFF02, 0, 0, 0, 0, 0, 0, 0x0123);
|
||||||
/// let socket = UdpSocket::bind(&socket_addr).await?;
|
/// let socket = UdpSocket::bind(&socket_addr).await?;
|
||||||
///
|
///
|
||||||
/// socket.join_multicast_v6(&mdns_addr, 0)?;
|
/// socket.join_multicast_v6(&mdns_addr, 0)?;
|
||||||
|
|
|
@ -123,6 +123,7 @@ cfg_unstable! {
|
||||||
|
|
||||||
use count::CountFuture;
|
use count::CountFuture;
|
||||||
use partition::PartitionFuture;
|
use partition::PartitionFuture;
|
||||||
|
use unzip::UnzipFuture;
|
||||||
|
|
||||||
pub use merge::Merge;
|
pub use merge::Merge;
|
||||||
pub use flatten::Flatten;
|
pub use flatten::Flatten;
|
||||||
|
@ -137,6 +138,7 @@ cfg_unstable! {
|
||||||
mod partition;
|
mod partition;
|
||||||
mod timeout;
|
mod timeout;
|
||||||
mod throttle;
|
mod throttle;
|
||||||
|
mod unzip;
|
||||||
}
|
}
|
||||||
|
|
||||||
extension_trait! {
|
extension_trait! {
|
||||||
|
@ -334,28 +336,19 @@ extension_trait! {
|
||||||
let start = Instant::now();
|
let start = Instant::now();
|
||||||
|
|
||||||
// emit value every 5 milliseconds
|
// emit value every 5 milliseconds
|
||||||
let s = stream::interval(Duration::from_millis(5))
|
let s = stream::interval(Duration::from_millis(5)).take(2);
|
||||||
.enumerate()
|
|
||||||
.take(3);
|
|
||||||
|
|
||||||
// throttle for 10 milliseconds
|
// throttle for 10 milliseconds
|
||||||
let mut s = s.throttle(Duration::from_millis(10));
|
let mut s = s.throttle(Duration::from_millis(10));
|
||||||
|
|
||||||
assert_eq!(s.next().await, Some((0, ())));
|
s.next().await;
|
||||||
let duration_ms = start.elapsed().as_millis();
|
assert!(start.elapsed().as_millis() >= 5);
|
||||||
assert!(duration_ms >= 5);
|
|
||||||
|
|
||||||
assert_eq!(s.next().await, Some((1, ())));
|
s.next().await;
|
||||||
let duration_ms = start.elapsed().as_millis();
|
assert!(start.elapsed().as_millis() >= 15);
|
||||||
assert!(duration_ms >= 15);
|
|
||||||
|
|
||||||
assert_eq!(s.next().await, Some((2, ())));
|
s.next().await;
|
||||||
let duration_ms = start.elapsed().as_millis();
|
assert!(start.elapsed().as_millis() >= 35);
|
||||||
assert!(duration_ms >= 25);
|
|
||||||
|
|
||||||
assert_eq!(s.next().await, None);
|
|
||||||
let duration_ms = start.elapsed().as_millis();
|
|
||||||
assert!(duration_ms >= 35);
|
|
||||||
#
|
#
|
||||||
# }) }
|
# }) }
|
||||||
```
|
```
|
||||||
|
@ -1748,6 +1741,44 @@ extension_trait! {
|
||||||
Zip::new(self, other)
|
Zip::new(self, other)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[doc = r#"
|
||||||
|
Converts an stream of pairs into a pair of containers.
|
||||||
|
|
||||||
|
`unzip()` consumes an entire stream of pairs, producing two collections: one from the left elements of the pairs, and one from the right elements.
|
||||||
|
|
||||||
|
This function is, in some sense, the opposite of [`zip`].
|
||||||
|
|
||||||
|
[`zip`]: trait.Stream.html#method.zip
|
||||||
|
|
||||||
|
# Example
|
||||||
|
|
||||||
|
```
|
||||||
|
# fn main() { async_std::task::block_on(async {
|
||||||
|
#
|
||||||
|
use async_std::prelude::*;
|
||||||
|
use async_std::stream;
|
||||||
|
|
||||||
|
let s = stream::from_iter(vec![(1,2), (3,4)]);
|
||||||
|
|
||||||
|
let (left, right): (Vec<_>, Vec<_>) = s.unzip().await;
|
||||||
|
|
||||||
|
assert_eq!(left, [1, 3]);
|
||||||
|
assert_eq!(right, [2, 4]);
|
||||||
|
#
|
||||||
|
# }) }
|
||||||
|
```
|
||||||
|
"#]
|
||||||
|
#[cfg(feature = "unstable")]
|
||||||
|
#[cfg_attr(feature = "docs", doc(cfg(unstable)))]
|
||||||
|
fn unzip<A, B, FromA, FromB>(self) -> impl Future<Output = (FromA, FromB)> [UnzipFuture<Self, FromA, FromB>]
|
||||||
|
where
|
||||||
|
FromA: Default + Extend<A>,
|
||||||
|
FromB: Default + Extend<B>,
|
||||||
|
Self: Stream<Item = (A, B)> + Sized,
|
||||||
|
{
|
||||||
|
UnzipFuture::new(self)
|
||||||
|
}
|
||||||
|
|
||||||
#[doc = r#"
|
#[doc = r#"
|
||||||
Transforms a stream into a collection.
|
Transforms a stream into a collection.
|
||||||
|
|
||||||
|
|
|
@ -55,10 +55,7 @@ impl<S: Stream> Stream for Throttle<S> {
|
||||||
}
|
}
|
||||||
|
|
||||||
match this.stream.poll_next(cx) {
|
match this.stream.poll_next(cx) {
|
||||||
Poll::Pending => {
|
Poll::Pending => Poll::Pending,
|
||||||
cx.waker().wake_by_ref(); // Continue driving even though emitting Pending
|
|
||||||
Poll::Pending
|
|
||||||
}
|
|
||||||
Poll::Ready(None) => Poll::Ready(None),
|
Poll::Ready(None) => Poll::Ready(None),
|
||||||
Poll::Ready(Some(v)) => {
|
Poll::Ready(Some(v)) => {
|
||||||
*this.blocked = true;
|
*this.blocked = true;
|
||||||
|
|
57
src/stream/stream/unzip.rs
Normal file
57
src/stream/stream/unzip.rs
Normal file
|
@ -0,0 +1,57 @@
|
||||||
|
use std::future::Future;
|
||||||
|
use std::pin::Pin;
|
||||||
|
|
||||||
|
use pin_project_lite::pin_project;
|
||||||
|
|
||||||
|
use crate::stream::Stream;
|
||||||
|
use crate::task::{Context, Poll};
|
||||||
|
|
||||||
|
pin_project! {
|
||||||
|
#[derive(Clone, Debug)]
|
||||||
|
#[cfg(all(feature = "default", feature = "unstable"))]
|
||||||
|
#[cfg_attr(feature = "docs", doc(cfg(unstable)))]
|
||||||
|
pub struct UnzipFuture<S, FromA, FromB> {
|
||||||
|
#[pin]
|
||||||
|
stream: S,
|
||||||
|
res: Option<(FromA, FromB)>,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl<S: Stream, FromA, FromB> UnzipFuture<S, FromA, FromB>
|
||||||
|
where
|
||||||
|
FromA: Default,
|
||||||
|
FromB: Default,
|
||||||
|
{
|
||||||
|
pub(super) fn new(stream: S) -> Self {
|
||||||
|
UnzipFuture {
|
||||||
|
stream,
|
||||||
|
res: Some((FromA::default(), FromB::default())),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl<S, A, B, FromA, FromB> Future for UnzipFuture<S, FromA, FromB>
|
||||||
|
where
|
||||||
|
S: Stream<Item = (A, B)>,
|
||||||
|
FromA: Default + Extend<A>,
|
||||||
|
FromB: Default + Extend<B>,
|
||||||
|
{
|
||||||
|
type Output = (FromA, FromB);
|
||||||
|
|
||||||
|
fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
|
||||||
|
let mut this = self.project();
|
||||||
|
|
||||||
|
loop {
|
||||||
|
let next = futures_core::ready!(this.stream.as_mut().poll_next(cx));
|
||||||
|
|
||||||
|
match next {
|
||||||
|
Some((a, b)) => {
|
||||||
|
let res = this.res.as_mut().unwrap();
|
||||||
|
res.0.extend(Some(a));
|
||||||
|
res.1.extend(Some(b));
|
||||||
|
}
|
||||||
|
None => return Poll::Ready(this.res.take().unwrap()),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
|
@ -1,4 +1,4 @@
|
||||||
use async_std::{fs, task};
|
use async_std::{fs, io, net::ToSocketAddrs, task};
|
||||||
|
|
||||||
#[test]
|
#[test]
|
||||||
fn open_file() {
|
fn open_file() {
|
||||||
|
@ -8,7 +8,22 @@ fn open_file() {
|
||||||
match res {
|
match res {
|
||||||
Ok(_) => panic!("Found file with random name: We live in a simulation"),
|
Ok(_) => panic!("Found file with random name: We live in a simulation"),
|
||||||
Err(e) => assert_eq!(
|
Err(e) => assert_eq!(
|
||||||
"Could not open /ashjudlkahasdasdsikdhajik/asdasdasdasdasdasd/fjuiklashdbflasas",
|
"Could not open `/ashjudlkahasdasdsikdhajik/asdasdasdasdasdasd/fjuiklashdbflasas`",
|
||||||
|
&format!("{}", e)
|
||||||
|
),
|
||||||
|
}
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn resolve_address() {
|
||||||
|
task::block_on(async {
|
||||||
|
let non_existing_addr = "ashjudlkahasdasdsikdhajik.asdasdasdasdasdasd.fjuiklashdbflasas:80";
|
||||||
|
let res: Result<_, io::Error> = non_existing_addr.to_socket_addrs().await;
|
||||||
|
match res {
|
||||||
|
Ok(_) => panic!("Found address with random name: We live in a simulation"),
|
||||||
|
Err(e) => assert_eq!(
|
||||||
|
"could not resolve address `\"ashjudlkahasdasdsikdhajik.asdasdasdasdasdasd.fjuiklashdbflasas:80\"`",
|
||||||
&format!("{}", e)
|
&format!("{}", e)
|
||||||
),
|
),
|
||||||
}
|
}
|
||||||
|
|
Loading…
Reference in a new issue