2
0
Fork 1
mirror of https://github.com/async-rs/async-std.git synced 2025-10-24 21:36:37 +00:00

Add context to more errors

cc #569
This commit is contained in:
Pascal Hertleif 2019-11-21 00:22:06 +01:00
parent b3d30de4a1
commit e01f07d72a
21 changed files with 181 additions and 39 deletions

View file

@ -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
} }

View file

@ -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
} }

View file

@ -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
} }

View file

@ -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
} }

View file

@ -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))

View file

@ -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
} }

View file

@ -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
} }

View file

@ -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.

View file

@ -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
} }

View file

@ -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
} }

View file

@ -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
} }

View file

@ -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
} }

View file

@ -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
} }

View file

@ -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
} }

View file

@ -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
} }

View file

@ -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"))
} }

View file

@ -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.

View file

@ -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;
@ -8,6 +8,7 @@ use crate::net::driver::Watcher;
use crate::net::{TcpStream, ToSocketAddrs}; use crate::net::{TcpStream, ToSocketAddrs};
use crate::stream::Stream; use crate::stream::Stream;
use crate::task::{Context, Poll}; use crate::task::{Context, Poll};
use crate::utils::Context as _;
/// A TCP socket server, listening for connections. /// A TCP socket server, listening for connections.
/// ///
@ -75,8 +76,12 @@ 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
.context(|| String::from("could not resolve addresses"))?;
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 {

View file

@ -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,17 @@ 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
.context(|| String::from("could not resolve addresses"))?;
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),
}) })

View file

@ -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,14 @@ 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
.context(|| String::from("could not resolve addresses"))?;
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 +111,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 +159,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 +187,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 +215,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 +224,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 +272,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 +307,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 +463,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)?;

View file

@ -8,7 +8,7 @@ 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) &format!("{}", e)
), ),
} }