Rewrite conn module
This commit is contained in:
parent
470f3455f7
commit
6916977a47
6 changed files with 328 additions and 335 deletions
|
|
@ -14,16 +14,19 @@ Procedure when bumping the version number:
|
||||||
## Unreleased
|
## Unreleased
|
||||||
|
|
||||||
### Added
|
### Added
|
||||||
- `Status` conversion utility methods
|
- `State` conversion utility methods
|
||||||
- `Time::new` constructor
|
- `Time::new` constructor
|
||||||
|
|
||||||
|
### Changed
|
||||||
|
- Rewrite `conn` module (backwards-imcompatible)
|
||||||
|
|
||||||
## v0.2.0 - 2022-12-10
|
## v0.2.0 - 2022-12-10
|
||||||
|
|
||||||
### Added
|
### Added
|
||||||
- `euphoxide::connect`
|
- `euphoxide::connect`
|
||||||
|
|
||||||
### Changed
|
### Changed
|
||||||
- Updated dependencies in backwards-incompatible way
|
- Updated dependencies (backwards-incompatible)
|
||||||
|
|
||||||
## v0.1.0 - 2022-10-23
|
## v0.1.0 - 2022-10-23
|
||||||
|
|
||||||
|
|
|
||||||
13
Cargo.toml
13
Cargo.toml
|
|
@ -4,19 +4,14 @@ version = "0.2.0"
|
||||||
edition = "2021"
|
edition = "2021"
|
||||||
|
|
||||||
[dependencies]
|
[dependencies]
|
||||||
|
futures-util = { version = "0.3.25", default-features = false, features = ["sink"] }
|
||||||
serde = { version = "1.0.149", features = ["derive"] }
|
serde = { version = "1.0.149", features = ["derive"] }
|
||||||
serde_json = "1.0.89"
|
serde_json = "1.0.89"
|
||||||
time = { version = "0.3.17", features = ["serde"] }
|
time = { version = "0.3.17", features = ["serde"] }
|
||||||
tokio = { version = "1.23.0", features = ["time", "sync", "macros", "rt"] }
|
tokio = { version = "1.23.0", features = ["time", "sync", "macros", "rt"] }
|
||||||
|
tokio-stream = "0.1.11"
|
||||||
[dependencies.futures]
|
tokio-tungstenite = "0.18.0"
|
||||||
version = "0.3.25"
|
|
||||||
default-features = false
|
|
||||||
features = ["std"]
|
|
||||||
|
|
||||||
[dependencies.tokio-tungstenite]
|
|
||||||
version = "0.18.0"
|
|
||||||
features = ["rustls-tls-native-roots"]
|
|
||||||
|
|
||||||
[dev-dependencies] # For example bot
|
[dev-dependencies] # For example bot
|
||||||
tokio = { version = "1.23.0", features = ["rt-multi-thread"] }
|
tokio = { version = "1.23.0", features = ["rt-multi-thread"] }
|
||||||
|
tokio-tungstenite = { version = "0.18.0", features = ["rustls-tls-native-roots"] }
|
||||||
|
|
|
||||||
|
|
@ -2,8 +2,11 @@ use std::error::Error;
|
||||||
use std::time::{Duration, Instant};
|
use std::time::{Duration, Instant};
|
||||||
|
|
||||||
use euphoxide::api::{Data, Nick, Send};
|
use euphoxide::api::{Data, Nick, Send};
|
||||||
|
use euphoxide::conn::Conn;
|
||||||
|
|
||||||
const URI: &str = "wss://euphoria.io/room/test/ws";
|
const TIMEOUT: Duration = Duration::from_secs(10);
|
||||||
|
const DOMAIN: &str = "euphoria.io";
|
||||||
|
const ROOM: &str = "test";
|
||||||
const NICK: &str = "TestBot";
|
const NICK: &str = "TestBot";
|
||||||
const HELP: &str = "I'm an example bot for https://github.com/Garmelon/euphoxide";
|
const HELP: &str = "I'm an example bot for https://github.com/Garmelon/euphoxide";
|
||||||
|
|
||||||
|
|
@ -44,9 +47,9 @@ fn format_delta(delta: Duration) -> String {
|
||||||
async fn main() -> Result<(), Box<dyn Error>> {
|
async fn main() -> Result<(), Box<dyn Error>> {
|
||||||
let start = Instant::now();
|
let start = Instant::now();
|
||||||
|
|
||||||
let (ws, _) = tokio_tungstenite::connect_async(URI).await?;
|
let (mut conn, _) = Conn::connect(DOMAIN, ROOM, false, None, TIMEOUT).await?;
|
||||||
let (tx, mut rx) = euphoxide::conn::wrap(ws, Duration::from_secs(30));
|
|
||||||
while let Some(packet) = rx.recv().await {
|
while let Ok(packet) = conn.recv().await {
|
||||||
let data = match packet.content {
|
let data = match packet.content {
|
||||||
Ok(data) => data,
|
Ok(data) => data,
|
||||||
Err(err) => {
|
Err(err) => {
|
||||||
|
|
@ -64,11 +67,15 @@ async fn main() -> Result<(), Box<dyn Error>> {
|
||||||
// Here, a new task is spawned so the main event loop can
|
// Here, a new task is spawned so the main event loop can
|
||||||
// continue running immediately instead of waiting for a reply
|
// continue running immediately instead of waiting for a reply
|
||||||
// from the server.
|
// from the server.
|
||||||
let tx_clone = tx.clone();
|
//
|
||||||
|
// We only need to do this because we want to log the result of
|
||||||
|
// the nick command. Otherwise, we could've just called
|
||||||
|
// tx.send() synchronously and ignored the returned Future.
|
||||||
|
let tx = conn.tx().clone();
|
||||||
tokio::spawn(async move {
|
tokio::spawn(async move {
|
||||||
// Awaiting the future returned by the send command lets you
|
// Awaiting the future returned by the send command lets you
|
||||||
// (type-safely) access the server's reply.
|
// (type-safely) access the server's reply.
|
||||||
let reply = tx_clone
|
let reply = tx
|
||||||
.send(Nick {
|
.send(Nick {
|
||||||
name: NICK.to_string(),
|
name: NICK.to_string(),
|
||||||
})
|
})
|
||||||
|
|
@ -118,7 +125,8 @@ async fn main() -> Result<(), Box<dyn Error>> {
|
||||||
// would be a race between sending the message and closing
|
// would be a race between sending the message and closing
|
||||||
// the connection as the send function can return before the
|
// the connection as the send function can return before the
|
||||||
// message has actually been sent.
|
// message has actually been sent.
|
||||||
let _ = tx
|
let _ = conn
|
||||||
|
.tx()
|
||||||
.send(Send {
|
.send(Send {
|
||||||
content: "/me dies".to_string(),
|
content: "/me dies".to_string(),
|
||||||
parent: Some(event.0.id),
|
parent: Some(event.0.id),
|
||||||
|
|
@ -131,7 +139,7 @@ async fn main() -> Result<(), Box<dyn Error>> {
|
||||||
// If you are not interested in the result, you can just
|
// If you are not interested in the result, you can just
|
||||||
// throw away the future returned by the send function.
|
// throw away the future returned by the send function.
|
||||||
println!("Sending reply...");
|
println!("Sending reply...");
|
||||||
let _ = tx.send(Send {
|
let _ = conn.tx().send(Send {
|
||||||
content: reply,
|
content: reply,
|
||||||
parent: Some(event.0.id),
|
parent: Some(event.0.id),
|
||||||
});
|
});
|
||||||
|
|
|
||||||
613
src/conn.rs
613
src/conn.rs
|
|
@ -1,24 +1,22 @@
|
||||||
//! Connection state modeling.
|
//! Connection state modeling.
|
||||||
|
|
||||||
// TODO Catch errors differently when sending into mpsc/oneshot
|
|
||||||
|
|
||||||
use std::collections::HashMap;
|
use std::collections::HashMap;
|
||||||
use std::convert::Infallible;
|
use std::convert::Infallible;
|
||||||
use std::future::Future;
|
use std::future::Future;
|
||||||
use std::time::Duration;
|
use std::time::{Duration, Instant};
|
||||||
use std::{error, fmt};
|
use std::{error, fmt, result};
|
||||||
|
|
||||||
use futures::channel::oneshot;
|
use ::time::OffsetDateTime;
|
||||||
use futures::stream::{SplitSink, SplitStream};
|
use futures_util::SinkExt;
|
||||||
use futures::{SinkExt, StreamExt};
|
|
||||||
use tokio::net::TcpStream;
|
use tokio::net::TcpStream;
|
||||||
use tokio::sync::mpsc;
|
use tokio::sync::{mpsc, oneshot};
|
||||||
use tokio::{select, task, time};
|
use tokio::{select, time};
|
||||||
|
use tokio_stream::StreamExt;
|
||||||
use tokio_tungstenite::tungstenite::client::IntoClientRequest;
|
use tokio_tungstenite::tungstenite::client::IntoClientRequest;
|
||||||
use tokio_tungstenite::tungstenite::http::{header, HeaderValue};
|
use tokio_tungstenite::tungstenite::http::{header, HeaderValue};
|
||||||
use tokio_tungstenite::{tungstenite, MaybeTlsStream, WebSocketStream};
|
use tokio_tungstenite::{tungstenite, MaybeTlsStream, WebSocketStream};
|
||||||
|
|
||||||
use crate::api::packet::{Command, Packet, ParsedPacket};
|
use crate::api::packet::{Command, ParsedPacket};
|
||||||
use crate::api::{
|
use crate::api::{
|
||||||
BounceEvent, Data, HelloEvent, LoginReply, NickEvent, PersonalAccountView, Ping, PingReply,
|
BounceEvent, Data, HelloEvent, LoginReply, NickEvent, PersonalAccountView, Ping, PingReply,
|
||||||
SessionId, SessionView, SnapshotEvent, Time, UserId,
|
SessionId, SessionView, SnapshotEvent, Time, UserId,
|
||||||
|
|
@ -29,45 +27,47 @@ pub type WsStream = WebSocketStream<MaybeTlsStream<TcpStream>>;
|
||||||
|
|
||||||
#[derive(Debug)]
|
#[derive(Debug)]
|
||||||
pub enum Error {
|
pub enum Error {
|
||||||
|
/// The connection is now closed.
|
||||||
ConnectionClosed,
|
ConnectionClosed,
|
||||||
TimedOut,
|
/// The server didn't reply to one of our commands in time.
|
||||||
IncorrectReplyType,
|
CommandTimedOut,
|
||||||
|
/// The server did something that violated the api specification.
|
||||||
|
ProtocolViolation(&'static str),
|
||||||
|
/// An error returned by the euphoria server.
|
||||||
Euph(String),
|
Euph(String),
|
||||||
|
|
||||||
|
Tungstenite(tungstenite::Error),
|
||||||
|
SerdeJson(serde_json::Error),
|
||||||
}
|
}
|
||||||
|
|
||||||
impl fmt::Display for Error {
|
impl fmt::Display for Error {
|
||||||
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
|
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
|
||||||
match self {
|
match self {
|
||||||
Self::ConnectionClosed => write!(f, "connection closed"),
|
Self::ConnectionClosed => write!(f, "connection closed"),
|
||||||
Self::TimedOut => write!(f, "packet timed out"),
|
Self::CommandTimedOut => write!(f, "server did not reply to command in time"),
|
||||||
Self::IncorrectReplyType => write!(f, "incorrect reply type"),
|
Self::ProtocolViolation(msg) => write!(f, "{msg}"),
|
||||||
Self::Euph(error_msg) => write!(f, "{error_msg}"),
|
Self::Euph(msg) => write!(f, "{msg}"),
|
||||||
|
Self::Tungstenite(err) => write!(f, "{err}"),
|
||||||
|
Self::SerdeJson(err) => write!(f, "{err}"),
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
impl From<tungstenite::Error> for Error {
|
||||||
|
fn from(err: tungstenite::Error) -> Self {
|
||||||
|
Self::Tungstenite(err)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl From<serde_json::Error> for Error {
|
||||||
|
fn from(err: serde_json::Error) -> Self {
|
||||||
|
Self::SerdeJson(err)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
impl error::Error for Error {}
|
impl error::Error for Error {}
|
||||||
|
|
||||||
type InternalResult<T> = Result<T, Box<dyn error::Error>>;
|
type Result<T> = result::Result<T, Error>;
|
||||||
|
|
||||||
#[derive(Debug)]
|
|
||||||
enum Event {
|
|
||||||
Message(tungstenite::Message),
|
|
||||||
SendCmd(Data, oneshot::Sender<PendingReply<ParsedPacket>>),
|
|
||||||
SendRpl(Option<String>, Data),
|
|
||||||
Status(oneshot::Sender<Status>),
|
|
||||||
DoPings,
|
|
||||||
}
|
|
||||||
|
|
||||||
impl Event {
|
|
||||||
fn send_cmd<C: Into<Data>>(cmd: C, rpl: oneshot::Sender<PendingReply<ParsedPacket>>) -> Self {
|
|
||||||
Self::SendCmd(cmd.into(), rpl)
|
|
||||||
}
|
|
||||||
|
|
||||||
fn send_rpl<C: Into<Data>>(id: Option<String>, rpl: C) -> Self {
|
|
||||||
Self::SendRpl(id, rpl.into())
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
#[derive(Debug, Clone, Default)]
|
#[derive(Debug, Clone, Default)]
|
||||||
pub struct Joining {
|
pub struct Joining {
|
||||||
|
|
@ -77,18 +77,19 @@ pub struct Joining {
|
||||||
}
|
}
|
||||||
|
|
||||||
impl Joining {
|
impl Joining {
|
||||||
fn on_data(&mut self, data: &Data) -> InternalResult<()> {
|
fn on_data(&mut self, data: &Data) -> Result<()> {
|
||||||
match data {
|
match data {
|
||||||
Data::BounceEvent(p) => self.bounce = Some(p.clone()),
|
Data::BounceEvent(p) => self.bounce = Some(p.clone()),
|
||||||
Data::HelloEvent(p) => self.hello = Some(p.clone()),
|
Data::HelloEvent(p) => self.hello = Some(p.clone()),
|
||||||
Data::SnapshotEvent(p) => self.snapshot = Some(p.clone()),
|
Data::SnapshotEvent(p) => self.snapshot = Some(p.clone()),
|
||||||
|
// TODO Check and maybe expand list of unexpected packet types
|
||||||
Data::JoinEvent(_)
|
Data::JoinEvent(_)
|
||||||
| Data::NetworkEvent(_)
|
| Data::NetworkEvent(_)
|
||||||
| Data::NickEvent(_)
|
| Data::NickEvent(_)
|
||||||
| Data::EditMessageEvent(_)
|
| Data::EditMessageEvent(_)
|
||||||
| Data::PartEvent(_)
|
| Data::PartEvent(_)
|
||||||
| Data::PmInitiateEvent(_)
|
| Data::PmInitiateEvent(_)
|
||||||
| Data::SendEvent(_) => return Err("unexpected packet type".into()),
|
| Data::SendEvent(_) => return Err(Error::ProtocolViolation("unexpected packet type")),
|
||||||
_ => {}
|
_ => {}
|
||||||
}
|
}
|
||||||
Ok(())
|
Ok(())
|
||||||
|
|
@ -211,12 +212,12 @@ impl Joined {
|
||||||
|
|
||||||
#[derive(Debug, Clone)]
|
#[derive(Debug, Clone)]
|
||||||
#[allow(clippy::large_enum_variant)]
|
#[allow(clippy::large_enum_variant)]
|
||||||
pub enum Status {
|
pub enum State {
|
||||||
Joining(Joining),
|
Joining(Joining),
|
||||||
Joined(Joined),
|
Joined(Joined),
|
||||||
}
|
}
|
||||||
|
|
||||||
impl Status {
|
impl State {
|
||||||
pub fn into_joining(self) -> Option<Joining> {
|
pub fn into_joining(self) -> Option<Joining> {
|
||||||
match self {
|
match self {
|
||||||
Self::Joining(joining) => Some(joining),
|
Self::Joining(joining) => Some(joining),
|
||||||
|
|
@ -246,178 +247,271 @@ impl Status {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
struct State {
|
#[allow(clippy::large_enum_variant)]
|
||||||
ws_tx: SplitSink<WsStream, tungstenite::Message>,
|
enum ConnCommand {
|
||||||
|
SendCmd(Data, oneshot::Sender<PendingReply<ParsedPacket>>),
|
||||||
|
GetState(oneshot::Sender<State>),
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Debug, Clone)]
|
||||||
|
pub struct ConnTx {
|
||||||
|
cmd_tx: mpsc::UnboundedSender<ConnCommand>,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl ConnTx {
|
||||||
|
/// The async part of sending a command.
|
||||||
|
///
|
||||||
|
/// This is split into a separate function so that [`Self::send`] can be
|
||||||
|
/// fully synchronous (you can safely throw away the returned future) while
|
||||||
|
/// still guaranteeing that the packet was sent.
|
||||||
|
async fn finish_send<C>(rx: oneshot::Receiver<PendingReply<ParsedPacket>>) -> Result<C::Reply>
|
||||||
|
where
|
||||||
|
C: Command,
|
||||||
|
C::Reply: TryFrom<Data>,
|
||||||
|
{
|
||||||
|
let pending_reply = rx
|
||||||
|
.await
|
||||||
|
// This should only happen if something goes wrong during encoding
|
||||||
|
// of the packet or while sending it through the websocket. Assuming
|
||||||
|
// the first doesn't happen, the connection is probably closed.
|
||||||
|
.map_err(|_| Error::ConnectionClosed)?;
|
||||||
|
|
||||||
|
let data = pending_reply
|
||||||
|
.get()
|
||||||
|
.await
|
||||||
|
.map_err(|e| match e {
|
||||||
|
replies::Error::TimedOut => Error::CommandTimedOut,
|
||||||
|
replies::Error::Canceled => Error::ConnectionClosed,
|
||||||
|
})?
|
||||||
|
.content
|
||||||
|
.map_err(Error::Euph)?;
|
||||||
|
|
||||||
|
data.try_into()
|
||||||
|
.map_err(|_| Error::ProtocolViolation("incorrect command reply type"))
|
||||||
|
}
|
||||||
|
|
||||||
|
/// Send a command to the server.
|
||||||
|
///
|
||||||
|
/// Returns a future containing the server's reply. This future does not
|
||||||
|
/// have to be awaited and can be safely ignored if you are not interested
|
||||||
|
/// in the reply.
|
||||||
|
///
|
||||||
|
/// This function may return before the command was sent. To ensure that it
|
||||||
|
/// was sent before doing something else, await the returned future first.
|
||||||
|
///
|
||||||
|
/// When called multiple times, this function guarantees that the commands
|
||||||
|
/// are sent in the order that the function is called.
|
||||||
|
pub fn send<C>(&self, cmd: C) -> impl Future<Output = Result<C::Reply>>
|
||||||
|
where
|
||||||
|
C: Command + Into<Data>,
|
||||||
|
C::Reply: TryFrom<Data>,
|
||||||
|
{
|
||||||
|
let (tx, rx) = oneshot::channel();
|
||||||
|
let _ = self.cmd_tx.send(ConnCommand::SendCmd(cmd.into(), tx));
|
||||||
|
Self::finish_send::<C>(rx)
|
||||||
|
}
|
||||||
|
|
||||||
|
pub async fn state(&self) -> Result<State> {
|
||||||
|
let (tx, rx) = oneshot::channel();
|
||||||
|
self.cmd_tx
|
||||||
|
.send(ConnCommand::GetState(tx))
|
||||||
|
.map_err(|_| Error::ConnectionClosed)?;
|
||||||
|
rx.await.map_err(|_| Error::ConnectionClosed)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Debug)]
|
||||||
|
pub struct Conn {
|
||||||
|
ws: WsStream,
|
||||||
last_id: usize,
|
last_id: usize,
|
||||||
replies: Replies<String, ParsedPacket>,
|
replies: Replies<String, ParsedPacket>,
|
||||||
|
|
||||||
packet_tx: mpsc::UnboundedSender<ParsedPacket>,
|
conn_tx: ConnTx,
|
||||||
|
cmd_rx: mpsc::UnboundedReceiver<ConnCommand>,
|
||||||
|
|
||||||
// The server may send a pong frame with arbitrary payload unprompted at any
|
// The websocket server may send a pong frame with arbitrary payload
|
||||||
// time (see RFC 6455 5.5.3). Because of this, we can't just remember the
|
// unprompted at any time (see RFC 6455 5.5.3). Because of this, we can't
|
||||||
// last pong payload.
|
// just remember the last pong payload.
|
||||||
ws_ping_counter: u64,
|
last_ping: Instant,
|
||||||
last_ws_ping: Option<Vec<u8>>,
|
last_ws_ping_payload: Option<Vec<u8>>,
|
||||||
last_ws_ping_replied_to: bool,
|
last_ws_ping_replied_to: bool,
|
||||||
|
last_euph_ping_payload: Option<Time>,
|
||||||
|
last_euph_ping_replied_to: bool,
|
||||||
|
|
||||||
last_euph_ping: Option<Time>,
|
state: State,
|
||||||
last_euph_pong: Option<Time>,
|
|
||||||
|
|
||||||
status: Status,
|
|
||||||
}
|
}
|
||||||
|
|
||||||
impl State {
|
enum ConnEvent {
|
||||||
async fn run(
|
Ws(Option<tungstenite::Result<tungstenite::Message>>),
|
||||||
ws: WsStream,
|
Cmd(Option<ConnCommand>),
|
||||||
timeout: Duration,
|
Ping,
|
||||||
mut tx_canary: mpsc::UnboundedReceiver<Infallible>,
|
}
|
||||||
rx_canary: oneshot::Receiver<Infallible>,
|
|
||||||
event_tx: mpsc::UnboundedSender<Event>,
|
|
||||||
mut event_rx: mpsc::UnboundedReceiver<Event>,
|
|
||||||
packet_tx: mpsc::UnboundedSender<ParsedPacket>,
|
|
||||||
) {
|
|
||||||
let (ws_tx, mut ws_rx) = ws.split();
|
|
||||||
let mut state = Self {
|
|
||||||
ws_tx,
|
|
||||||
last_id: 0,
|
|
||||||
replies: Replies::new(timeout),
|
|
||||||
packet_tx,
|
|
||||||
ws_ping_counter: 0,
|
|
||||||
last_ws_ping: None,
|
|
||||||
last_ws_ping_replied_to: false,
|
|
||||||
last_euph_ping: None,
|
|
||||||
last_euph_pong: None,
|
|
||||||
status: Status::Joining(Joining::default()),
|
|
||||||
};
|
|
||||||
|
|
||||||
select! {
|
impl Conn {
|
||||||
_ = tx_canary.recv() => (),
|
pub fn tx(&self) -> &ConnTx {
|
||||||
_ = rx_canary => (),
|
&self.conn_tx
|
||||||
_ = Self::listen(&mut ws_rx, &event_tx) => (),
|
|
||||||
_ = Self::send_ping_events(&event_tx, timeout) => (),
|
|
||||||
_ = state.handle_events(&event_tx, &mut event_rx) => (),
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
async fn listen(
|
pub fn state(&self) -> &State {
|
||||||
ws_rx: &mut SplitStream<WsStream>,
|
&self.state
|
||||||
event_tx: &mpsc::UnboundedSender<Event>,
|
|
||||||
) -> InternalResult<()> {
|
|
||||||
while let Some(msg) = ws_rx.next().await {
|
|
||||||
event_tx.send(Event::Message(msg?))?;
|
|
||||||
}
|
|
||||||
Ok(())
|
|
||||||
}
|
}
|
||||||
|
|
||||||
async fn send_ping_events(
|
pub async fn recv(&mut self) -> Result<ParsedPacket> {
|
||||||
event_tx: &mpsc::UnboundedSender<Event>,
|
|
||||||
timeout: Duration,
|
|
||||||
) -> InternalResult<()> {
|
|
||||||
loop {
|
loop {
|
||||||
event_tx.send(Event::DoPings)?;
|
|
||||||
time::sleep(timeout).await;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
async fn handle_events(
|
|
||||||
&mut self,
|
|
||||||
event_tx: &mpsc::UnboundedSender<Event>,
|
|
||||||
event_rx: &mut mpsc::UnboundedReceiver<Event>,
|
|
||||||
) -> InternalResult<()> {
|
|
||||||
while let Some(ev) = event_rx.recv().await {
|
|
||||||
self.replies.purge();
|
self.replies.purge();
|
||||||
match ev {
|
let timeout = self.replies.timeout();
|
||||||
Event::Message(msg) => self.on_msg(msg, event_tx)?,
|
|
||||||
Event::SendCmd(data, reply_tx) => self.on_send_cmd(data, reply_tx).await?,
|
// All of these functions are cancel-safe.
|
||||||
Event::SendRpl(id, data) => self.on_send_rpl(id, data).await?,
|
let event = select! {
|
||||||
Event::Status(reply_tx) => self.on_status(reply_tx),
|
msg = self.ws.next() => ConnEvent::Ws(msg),
|
||||||
Event::DoPings => self.do_pings(event_tx).await?,
|
cmd = self.cmd_rx.recv() => ConnEvent::Cmd(cmd),
|
||||||
|
_ = Self::await_next_ping(self.last_ping, timeout) => ConnEvent::Ping,
|
||||||
|
};
|
||||||
|
|
||||||
|
match event {
|
||||||
|
ConnEvent::Ws(msg) => {
|
||||||
|
if let Some(packet) = self.on_ws(msg).await? {
|
||||||
|
break Ok(packet);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
ConnEvent::Cmd(Some(cmd)) => self.on_cmd(cmd).await?,
|
||||||
|
ConnEvent::Cmd(None) => unreachable!("self contains a ConnTx"),
|
||||||
|
ConnEvent::Ping => self.on_ping().await?,
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
Ok(())
|
|
||||||
}
|
}
|
||||||
|
|
||||||
fn on_msg(
|
async fn on_ws(
|
||||||
&mut self,
|
&mut self,
|
||||||
msg: tungstenite::Message,
|
msg: Option<tungstenite::Result<tungstenite::Message>>,
|
||||||
event_tx: &mpsc::UnboundedSender<Event>,
|
) -> Result<Option<ParsedPacket>> {
|
||||||
) -> InternalResult<()> {
|
let msg = msg.ok_or(Error::ConnectionClosed)??;
|
||||||
match msg {
|
match msg {
|
||||||
tungstenite::Message::Text(t) => self.on_packet(serde_json::from_str(&t)?, event_tx)?,
|
tungstenite::Message::Text(text) => {
|
||||||
tungstenite::Message::Binary(_) => return Err("unexpected binary message".into()),
|
let packet = ParsedPacket::from_packet(serde_json::from_str(&text)?)?;
|
||||||
|
self.on_packet(&packet).await?;
|
||||||
|
return Ok(Some(packet));
|
||||||
|
}
|
||||||
|
tungstenite::Message::Binary(_) => {
|
||||||
|
return Err(Error::ProtocolViolation("unexpected binary ws message"));
|
||||||
|
}
|
||||||
tungstenite::Message::Ping(_) => {}
|
tungstenite::Message::Ping(_) => {}
|
||||||
tungstenite::Message::Pong(p) => {
|
tungstenite::Message::Pong(payload) => {
|
||||||
if self.last_ws_ping == Some(p) {
|
if self.last_ws_ping_payload == Some(payload) {
|
||||||
self.last_ws_ping_replied_to = true;
|
self.last_ws_ping_replied_to = true;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
tungstenite::Message::Close(_) => {}
|
tungstenite::Message::Close(_) => {}
|
||||||
tungstenite::Message::Frame(_) => {}
|
tungstenite::Message::Frame(_) => {}
|
||||||
}
|
}
|
||||||
Ok(())
|
Ok(None)
|
||||||
}
|
}
|
||||||
|
|
||||||
fn on_packet(
|
async fn on_packet(&mut self, packet: &ParsedPacket) -> Result<()> {
|
||||||
&mut self,
|
|
||||||
packet: Packet,
|
|
||||||
event_tx: &mpsc::UnboundedSender<Event>,
|
|
||||||
) -> InternalResult<()> {
|
|
||||||
let packet = ParsedPacket::from_packet(packet)?;
|
|
||||||
|
|
||||||
// Complete pending replies if the packet has an id
|
// Complete pending replies if the packet has an id
|
||||||
if let Some(id) = &packet.id {
|
if let Some(id) = &packet.id {
|
||||||
self.replies.complete(id, packet.clone());
|
self.replies.complete(id, packet.clone());
|
||||||
}
|
}
|
||||||
|
|
||||||
// Play a game of table tennis
|
|
||||||
match &packet.content {
|
match &packet.content {
|
||||||
Ok(Data::PingReply(p)) => self.last_euph_pong = p.time,
|
Ok(data) => self.on_data(&packet.id, data).await,
|
||||||
Ok(Data::PingEvent(p)) => {
|
Err(msg) => Err(Error::Euph(msg.clone())),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
async fn on_data(&mut self, id: &Option<String>, data: &Data) -> Result<()> {
|
||||||
|
// Play a game of table tennis
|
||||||
|
match data {
|
||||||
|
Data::PingReply(p) => {
|
||||||
|
if self.last_euph_ping_payload.is_some() && self.last_euph_ping_payload == p.time {
|
||||||
|
self.last_euph_ping_replied_to = true;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
Data::PingEvent(p) => {
|
||||||
let reply = PingReply { time: Some(p.time) };
|
let reply = PingReply { time: Some(p.time) };
|
||||||
event_tx.send(Event::send_rpl(packet.id.clone(), reply))?;
|
self.send_rpl(id.clone(), reply.into()).await?;
|
||||||
}
|
}
|
||||||
_ => {}
|
_ => {}
|
||||||
}
|
}
|
||||||
|
|
||||||
// Update internal state
|
// Update internal state
|
||||||
if let Ok(data) = &packet.content {
|
match &mut self.state {
|
||||||
match &mut self.status {
|
State::Joining(joining) => {
|
||||||
Status::Joining(joining) => {
|
joining.on_data(data)?;
|
||||||
joining.on_data(data)?;
|
if let Some(joined) = joining.joined() {
|
||||||
if let Some(joined) = joining.joined() {
|
self.state = State::Joined(joined);
|
||||||
self.status = Status::Joined(joined);
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
Status::Joined(joined) => joined.on_data(data),
|
|
||||||
}
|
|
||||||
|
|
||||||
// The euphoria server doesn't always disconnect the client
|
|
||||||
// when it would make sense to do so or when the API
|
|
||||||
// specifies it should. This ensures we always disconnect
|
|
||||||
// when it makes sense to do so.
|
|
||||||
match data {
|
|
||||||
Data::DisconnectEvent(_) => return Err("received disconnect-event".into()),
|
|
||||||
Data::LoginEvent(_) => return Err("received login-event".into()),
|
|
||||||
Data::LogoutEvent(_) => return Err("received logout-event".into()),
|
|
||||||
Data::LoginReply(LoginReply { success: true, .. }) => {
|
|
||||||
return Err("received successful login-reply".into())
|
|
||||||
}
|
|
||||||
Data::LogoutReply(_) => return Err("received logout-reply".into()),
|
|
||||||
_ => {}
|
|
||||||
}
|
}
|
||||||
|
State::Joined(joined) => joined.on_data(data),
|
||||||
}
|
}
|
||||||
|
|
||||||
// Shovel packets into self.packet_tx
|
// The euphoria server doesn't always disconnect the client when it
|
||||||
self.packet_tx.send(packet)?;
|
// would make sense to do so or when the API specifies it should. This
|
||||||
|
// ensures we always disconnect when it makes sense to do so.
|
||||||
|
if matches!(
|
||||||
|
data,
|
||||||
|
Data::DisconnectEvent(_)
|
||||||
|
| Data::LoginEvent(_)
|
||||||
|
| Data::LogoutEvent(_)
|
||||||
|
| Data::LoginReply(LoginReply { success: true, .. })
|
||||||
|
| Data::LogoutReply(_)
|
||||||
|
) {
|
||||||
|
self.disconnect().await?;
|
||||||
|
}
|
||||||
|
|
||||||
Ok(())
|
Ok(())
|
||||||
}
|
}
|
||||||
|
|
||||||
async fn on_send_cmd(
|
async fn on_cmd(&mut self, cmd: ConnCommand) -> Result<()> {
|
||||||
|
match cmd {
|
||||||
|
ConnCommand::SendCmd(data, reply_tx) => self.send_cmd(data, reply_tx).await?,
|
||||||
|
ConnCommand::GetState(reply_tx) => {
|
||||||
|
let _ = reply_tx.send(self.state.clone());
|
||||||
|
}
|
||||||
|
}
|
||||||
|
Ok(())
|
||||||
|
}
|
||||||
|
|
||||||
|
async fn await_next_ping(last_ping: Instant, timeout: Duration) {
|
||||||
|
let since_last_ping = last_ping.elapsed();
|
||||||
|
if let Some(remaining) = timeout.checked_sub(since_last_ping) {
|
||||||
|
time::sleep(remaining).await;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
async fn on_ping(&mut self) -> Result<()> {
|
||||||
|
// Check previous pings
|
||||||
|
if self.last_ws_ping_payload.is_some() && !self.last_ws_ping_replied_to {
|
||||||
|
self.disconnect().await?;
|
||||||
|
}
|
||||||
|
if self.last_euph_ping_payload.is_some() && !self.last_euph_ping_replied_to {
|
||||||
|
self.disconnect().await?;
|
||||||
|
}
|
||||||
|
|
||||||
|
let now = OffsetDateTime::now_utc();
|
||||||
|
|
||||||
|
// Send new ws ping
|
||||||
|
let ws_payload = now.unix_timestamp_nanos().to_be_bytes().to_vec();
|
||||||
|
self.last_ws_ping_payload = Some(ws_payload.clone());
|
||||||
|
self.ws.send(tungstenite::Message::Ping(ws_payload)).await?;
|
||||||
|
|
||||||
|
// Send new euph ping
|
||||||
|
let euph_payload = Time::new(now);
|
||||||
|
self.last_euph_ping_payload = Some(euph_payload);
|
||||||
|
let (tx, _) = oneshot::channel();
|
||||||
|
self.send_cmd(Ping { time: euph_payload }.into(), tx)
|
||||||
|
.await?;
|
||||||
|
|
||||||
|
self.last_ping = Instant::now();
|
||||||
|
|
||||||
|
Ok(())
|
||||||
|
}
|
||||||
|
|
||||||
|
async fn send_cmd(
|
||||||
&mut self,
|
&mut self,
|
||||||
data: Data,
|
data: Data,
|
||||||
reply_tx: oneshot::Sender<PendingReply<ParsedPacket>>,
|
reply_tx: oneshot::Sender<PendingReply<ParsedPacket>>,
|
||||||
) -> InternalResult<()> {
|
) -> Result<()> {
|
||||||
// Overkill of universe-heat-death-like proportions
|
// Overkill of universe-heat-death-like proportions
|
||||||
self.last_id = self.last_id.wrapping_add(1);
|
self.last_id = self.last_id.wrapping_add(1);
|
||||||
let id = format!("{}", self.last_id);
|
let id = format!("{}", self.last_id);
|
||||||
|
|
@ -431,14 +525,14 @@ impl State {
|
||||||
.into_packet()?;
|
.into_packet()?;
|
||||||
|
|
||||||
let msg = tungstenite::Message::Text(serde_json::to_string(&packet)?);
|
let msg = tungstenite::Message::Text(serde_json::to_string(&packet)?);
|
||||||
self.ws_tx.send(msg).await?;
|
self.ws.send(msg).await?;
|
||||||
|
|
||||||
let _ = reply_tx.send(self.replies.wait_for(id));
|
let _ = reply_tx.send(self.replies.wait_for(id));
|
||||||
|
|
||||||
Ok(())
|
Ok(())
|
||||||
}
|
}
|
||||||
|
|
||||||
async fn on_send_rpl(&mut self, id: Option<String>, data: Data) -> InternalResult<()> {
|
async fn send_rpl(&mut self, id: Option<String>, data: Data) -> Result<()> {
|
||||||
let packet = ParsedPacket {
|
let packet = ParsedPacket {
|
||||||
id,
|
id,
|
||||||
r#type: data.packet_type(),
|
r#type: data.packet_type(),
|
||||||
|
|
@ -448,168 +542,57 @@ impl State {
|
||||||
.into_packet()?;
|
.into_packet()?;
|
||||||
|
|
||||||
let msg = tungstenite::Message::Text(serde_json::to_string(&packet)?);
|
let msg = tungstenite::Message::Text(serde_json::to_string(&packet)?);
|
||||||
self.ws_tx.send(msg).await?;
|
self.ws.send(msg).await?;
|
||||||
|
|
||||||
Ok(())
|
Ok(())
|
||||||
}
|
}
|
||||||
|
|
||||||
fn on_status(&mut self, reply_tx: oneshot::Sender<Status>) {
|
async fn disconnect(&mut self) -> Result<Infallible> {
|
||||||
let _ = reply_tx.send(self.status.clone());
|
let _ = self.ws.close(None).await;
|
||||||
|
Err(Error::ConnectionClosed)
|
||||||
}
|
}
|
||||||
|
|
||||||
async fn do_pings(&mut self, event_tx: &mpsc::UnboundedSender<Event>) -> InternalResult<()> {
|
pub fn wrap(ws: WsStream, timeout: Duration) -> Self {
|
||||||
// Check old ws ping
|
let (cmd_tx, cmd_rx) = mpsc::unbounded_channel();
|
||||||
if self.last_ws_ping.is_some() && !self.last_ws_ping_replied_to {
|
Self {
|
||||||
return Err("server missed ws ping".into());
|
ws,
|
||||||
|
last_id: 0,
|
||||||
|
replies: Replies::new(timeout),
|
||||||
|
|
||||||
|
conn_tx: ConnTx { cmd_tx },
|
||||||
|
cmd_rx,
|
||||||
|
|
||||||
|
last_ping: Instant::now(), // Wait a bit before first pings
|
||||||
|
last_ws_ping_payload: None,
|
||||||
|
last_ws_ping_replied_to: false,
|
||||||
|
last_euph_ping_payload: None,
|
||||||
|
last_euph_ping_replied_to: false,
|
||||||
|
|
||||||
|
state: State::Joining(Joining::default()),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub async fn connect(
|
||||||
|
domain: &str,
|
||||||
|
room: &str,
|
||||||
|
human: bool,
|
||||||
|
cookies: Option<HeaderValue>,
|
||||||
|
timeout: Duration,
|
||||||
|
) -> tungstenite::Result<(Self, Vec<HeaderValue>)> {
|
||||||
|
let human = if human { "?h=1" } else { "" };
|
||||||
|
let uri = format!("wss://{domain}/room/{room}/ws{human}");
|
||||||
|
let mut request = uri.into_client_request().expect("valid request");
|
||||||
|
if let Some(cookies) = cookies {
|
||||||
|
request.headers_mut().append(header::COOKIE, cookies);
|
||||||
}
|
}
|
||||||
|
|
||||||
// Send new ws ping
|
let (ws, response) = tokio_tungstenite::connect_async(request).await?;
|
||||||
let ws_payload = self.ws_ping_counter.to_be_bytes().to_vec();
|
let (mut parts, _) = response.into_parts();
|
||||||
self.ws_ping_counter = self.ws_ping_counter.wrapping_add(1);
|
let set_cookies = match parts.headers.entry(header::SET_COOKIE) {
|
||||||
self.last_ws_ping = Some(ws_payload.clone());
|
header::Entry::Occupied(entry) => entry.remove_entry_mult().1.collect(),
|
||||||
self.last_ws_ping_replied_to = false;
|
header::Entry::Vacant(_) => vec![],
|
||||||
self.ws_tx
|
};
|
||||||
.send(tungstenite::Message::Ping(ws_payload))
|
let rx = Self::wrap(ws, timeout);
|
||||||
.await?;
|
Ok((rx, set_cookies))
|
||||||
|
|
||||||
// Check old euph ping
|
|
||||||
if self.last_euph_ping.is_some() && self.last_euph_ping != self.last_euph_pong {
|
|
||||||
return Err("server missed euph ping".into());
|
|
||||||
}
|
|
||||||
|
|
||||||
// Send new euph ping
|
|
||||||
let euph_payload = Time::now();
|
|
||||||
self.last_euph_ping = Some(euph_payload);
|
|
||||||
let (tx, _) = oneshot::channel();
|
|
||||||
event_tx.send(Event::send_cmd(Ping { time: euph_payload }, tx))?;
|
|
||||||
|
|
||||||
Ok(())
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
#[derive(Debug, Clone)]
|
|
||||||
pub struct ConnTx {
|
|
||||||
#[allow(dead_code)]
|
|
||||||
canary: mpsc::UnboundedSender<Infallible>,
|
|
||||||
event_tx: mpsc::UnboundedSender<Event>,
|
|
||||||
}
|
|
||||||
|
|
||||||
impl ConnTx {
|
|
||||||
async fn finish_send<C>(
|
|
||||||
rx: oneshot::Receiver<PendingReply<ParsedPacket>>,
|
|
||||||
) -> Result<C::Reply, Error>
|
|
||||||
where
|
|
||||||
C: Command,
|
|
||||||
C::Reply: TryFrom<Data>,
|
|
||||||
{
|
|
||||||
let pending_reply = rx
|
|
||||||
.await
|
|
||||||
// This should only happen if something goes wrong during encoding
|
|
||||||
// of the packet or while sending it through the websocket. Assuming
|
|
||||||
// the first doesn't happen, the connection is probably closed.
|
|
||||||
.map_err(|_| Error::ConnectionClosed)?;
|
|
||||||
let data = pending_reply
|
|
||||||
.get()
|
|
||||||
.await
|
|
||||||
.map_err(|e| match e {
|
|
||||||
replies::Error::TimedOut => Error::TimedOut,
|
|
||||||
replies::Error::Canceled => Error::ConnectionClosed,
|
|
||||||
})?
|
|
||||||
.content
|
|
||||||
.map_err(Error::Euph)?;
|
|
||||||
data.try_into().map_err(|_| Error::IncorrectReplyType)
|
|
||||||
}
|
|
||||||
|
|
||||||
/// Send a command to the server.
|
|
||||||
///
|
|
||||||
/// Returns a future containing the server's reply. This future does not
|
|
||||||
/// have to be awaited and can be safely ignored if you are not interested
|
|
||||||
/// in the reply.
|
|
||||||
///
|
|
||||||
/// This function may return before the command was sent. To ensure that it
|
|
||||||
/// was sent, await the returned future first.
|
|
||||||
///
|
|
||||||
/// When called multiple times, this function guarantees that the commands
|
|
||||||
/// are sent in the order that the function is called.
|
|
||||||
pub fn send<C>(&self, cmd: C) -> impl Future<Output = Result<C::Reply, Error>>
|
|
||||||
where
|
|
||||||
C: Command + Into<Data>,
|
|
||||||
C::Reply: TryFrom<Data>,
|
|
||||||
{
|
|
||||||
let (tx, rx) = oneshot::channel();
|
|
||||||
let _ = self.event_tx.send(Event::SendCmd(cmd.into(), tx));
|
|
||||||
Self::finish_send::<C>(rx)
|
|
||||||
}
|
|
||||||
|
|
||||||
pub async fn status(&self) -> Result<Status, Error> {
|
|
||||||
let (tx, rx) = oneshot::channel();
|
|
||||||
self.event_tx
|
|
||||||
.send(Event::Status(tx))
|
|
||||||
.map_err(|_| Error::ConnectionClosed)?;
|
|
||||||
rx.await.map_err(|_| Error::ConnectionClosed)
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
#[derive(Debug)]
|
|
||||||
pub struct ConnRx {
|
|
||||||
#[allow(dead_code)]
|
|
||||||
canary: oneshot::Sender<Infallible>,
|
|
||||||
packet_rx: mpsc::UnboundedReceiver<ParsedPacket>,
|
|
||||||
}
|
|
||||||
|
|
||||||
impl ConnRx {
|
|
||||||
pub async fn recv(&mut self) -> Option<ParsedPacket> {
|
|
||||||
self.packet_rx.recv().await
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
pub fn wrap(ws: WsStream, timeout: Duration) -> (ConnTx, ConnRx) {
|
|
||||||
let (tx_canary_tx, tx_canary_rx) = mpsc::unbounded_channel();
|
|
||||||
let (rx_canary_tx, rx_canary_rx) = oneshot::channel();
|
|
||||||
let (event_tx, event_rx) = mpsc::unbounded_channel();
|
|
||||||
let (packet_tx, packet_rx) = mpsc::unbounded_channel();
|
|
||||||
|
|
||||||
task::spawn(State::run(
|
|
||||||
ws,
|
|
||||||
timeout,
|
|
||||||
tx_canary_rx,
|
|
||||||
rx_canary_rx,
|
|
||||||
event_tx.clone(),
|
|
||||||
event_rx,
|
|
||||||
packet_tx,
|
|
||||||
));
|
|
||||||
|
|
||||||
let tx = ConnTx {
|
|
||||||
canary: tx_canary_tx,
|
|
||||||
event_tx,
|
|
||||||
};
|
|
||||||
let rx = ConnRx {
|
|
||||||
canary: rx_canary_tx,
|
|
||||||
packet_rx,
|
|
||||||
};
|
|
||||||
(tx, rx)
|
|
||||||
}
|
|
||||||
|
|
||||||
pub async fn connect(
|
|
||||||
domain: &str,
|
|
||||||
room: &str,
|
|
||||||
human: bool,
|
|
||||||
cookies: Option<HeaderValue>,
|
|
||||||
timeout: Duration,
|
|
||||||
) -> tungstenite::Result<(ConnTx, ConnRx, Vec<HeaderValue>)> {
|
|
||||||
let human = if human { "?h=1" } else { "" };
|
|
||||||
let uri = format!("wss://{domain}/room/{room}/ws{human}");
|
|
||||||
let mut request = uri.into_client_request().expect("valid request");
|
|
||||||
if let Some(cookies) = cookies {
|
|
||||||
request.headers_mut().append(header::COOKIE, cookies);
|
|
||||||
}
|
|
||||||
|
|
||||||
let (ws, response) = tokio_tungstenite::connect_async(request).await?;
|
|
||||||
let (mut parts, _) = response.into_parts();
|
|
||||||
let set_cookies = match parts.headers.entry(header::SET_COOKIE) {
|
|
||||||
header::Entry::Occupied(entry) => entry.remove_entry_mult().1.collect(),
|
|
||||||
header::Entry::Vacant(_) => vec![],
|
|
||||||
};
|
|
||||||
let (tx, rx) = wrap(ws, timeout);
|
|
||||||
Ok((tx, rx, set_cookies))
|
|
||||||
}
|
|
||||||
|
|
|
||||||
|
|
@ -14,5 +14,4 @@ pub mod conn;
|
||||||
mod huehash;
|
mod huehash;
|
||||||
mod replies;
|
mod replies;
|
||||||
|
|
||||||
pub use conn::{connect, wrap};
|
|
||||||
pub use huehash::nick_hue;
|
pub use huehash::nick_hue;
|
||||||
|
|
|
||||||
|
|
@ -49,6 +49,7 @@ pub struct Replies<I, R> {
|
||||||
pending: HashMap<I, Sender<R>>,
|
pending: HashMap<I, Sender<R>>,
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// TODO Relax bounds
|
||||||
impl<I: Eq + Hash, R> Replies<I, R> {
|
impl<I: Eq + Hash, R> Replies<I, R> {
|
||||||
pub fn new(timeout: Duration) -> Self {
|
pub fn new(timeout: Duration) -> Self {
|
||||||
Self {
|
Self {
|
||||||
|
|
@ -57,6 +58,10 @@ impl<I: Eq + Hash, R> Replies<I, R> {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub fn timeout(&self) -> Duration {
|
||||||
|
self.timeout
|
||||||
|
}
|
||||||
|
|
||||||
pub fn wait_for(&mut self, id: I) -> PendingReply<R> {
|
pub fn wait_for(&mut self, id: I) -> PendingReply<R> {
|
||||||
let (tx, rx) = oneshot::channel();
|
let (tx, rx) = oneshot::channel();
|
||||||
self.pending.insert(id, tx);
|
self.pending.insert(id, tx);
|
||||||
|
|
|
||||||
Loading…
Add table
Add a link
Reference in a new issue