feat(eth-wire): use UnauthedEthStream to create EthStream (#162)

* Create UnauthedEthStream

* remove authed flag from EthStream

* encode and decode in status handshake

 * update test to assert the proper status is communicated

* cargo fmt

Co-authored-by: Matthias Seitz <matthias.seitz@outlook.de>
This commit is contained in:
Dan Cline
2022-11-04 03:36:40 -04:00
committed by GitHub
parent 43a0a2b160
commit 9b74d7d39d
2 changed files with 77 additions and 41 deletions

View File

@ -16,62 +16,62 @@ use tokio_stream::Stream;
// https://github.com/ethereum/go-ethereum/blob/30602163d5d8321fbc68afdcbbaf2362b2641bde/eth/protocols/eth/protocol.go#L50 // https://github.com/ethereum/go-ethereum/blob/30602163d5d8321fbc68afdcbbaf2362b2641bde/eth/protocols/eth/protocol.go#L50
const MAX_MESSAGE_SIZE: usize = 10 * 1024 * 1024; const MAX_MESSAGE_SIZE: usize = 10 * 1024 * 1024;
/// An `EthStream` wraps over any `Stream` that yields bytes and makes it /// An un-authenticated [`EthStream`]. This is consumed and returns a [`EthStream`] after the
/// compatible with eth-networking protocol messages, which get RLP encoded/decoded. /// `Status` handshake is completed.
#[pin_project] #[pin_project]
pub struct EthStream<S> { pub struct UnauthedEthStream<S> {
#[pin] #[pin]
inner: S, inner: S,
/// Whether the `Status` handshake has been completed
authed: bool,
} }
impl<S> EthStream<S> { impl<S> UnauthedEthStream<S> {
/// Creates a new unauthed [`EthStream`] from a provided stream. You will need /// Create a new `UnauthedEthStream` from a type `S` which implements `Stream` and `Sink`.
/// to manually handshake a peer.
pub fn new(inner: S) -> Self { pub fn new(inner: S) -> Self {
Self { inner, authed: false } Self { inner }
} }
} }
impl<S, E> EthStream<S> impl<S, E> UnauthedEthStream<S>
where where
S: Stream<Item = Result<bytes::BytesMut, E>> + Sink<bytes::Bytes, Error = E> + Unpin, S: Stream<Item = Result<bytes::BytesMut, E>> + Sink<bytes::Bytes, Error = E> + Unpin,
EthStreamError: From<E>, EthStreamError: From<E>,
{ {
/// Given an instantiated transport layer, it proceeds to return an [`EthStream`] /// Consumes the [`UnauthedEthStream`] and returns an [`EthStream`] after the `Status`
/// after performing a [`Status`] message handshake as specified in /// handshake is completed successfully. This also returns the `Status` message sent by the
pub async fn connect( /// remote peer.
inner: S,
status: Status,
fork_filter: ForkFilter,
) -> Result<Self, EthStreamError> {
let mut this = Self::new(inner);
this.handshake(status, fork_filter).await?;
Ok(this)
}
/// Performs a handshake with the connected peer over the transport stream.
pub async fn handshake( pub async fn handshake(
&mut self, mut self,
status: Status, status: Status,
fork_filter: ForkFilter, fork_filter: ForkFilter,
) -> Result<(), EthStreamError> { ) -> Result<(EthStream<S>, Status), EthStreamError> {
tracing::trace!("sending eth status ..."); tracing::trace!("sending eth status ...");
self.send(EthMessage::Status(status)).await?;
// we need to encode and decode here on our own because we don't have an `EthStream` yet
let mut our_status_bytes = BytesMut::new();
ProtocolMessage::from(EthMessage::Status(status)).encode(&mut our_status_bytes);
let our_status_bytes = our_status_bytes.freeze();
self.inner.send(our_status_bytes).await?;
tracing::trace!("waiting for eth status from peer ..."); tracing::trace!("waiting for eth status from peer ...");
let msg = self let their_msg = self
.inner
.next() .next()
.await .await
.ok_or(EthStreamError::HandshakeError(HandshakeError::NoResponse))??; .ok_or(EthStreamError::HandshakeError(HandshakeError::NoResponse))??;
if their_msg.len() > MAX_MESSAGE_SIZE {
return Err(EthStreamError::MessageTooBig(their_msg.len()))
}
let msg = match ProtocolMessage::decode(&mut their_msg.as_ref()) {
Ok(m) => m,
Err(err) => return Err(err.into()),
};
// TODO: Add any missing checks // TODO: Add any missing checks
// https://github.com/ethereum/go-ethereum/blob/9244d5cd61f3ea5a7645fdf2a1a96d53421e412f/eth/protocols/eth/handshake.go#L87-L89 // https://github.com/ethereum/go-ethereum/blob/9244d5cd61f3ea5a7645fdf2a1a96d53421e412f/eth/protocols/eth/handshake.go#L87-L89
match msg { match msg.message {
EthMessage::Status(resp) => { EthMessage::Status(resp) => {
self.authed = true;
if status.genesis != resp.genesis { if status.genesis != resp.genesis {
return Err(HandshakeError::MismatchedGenesis { return Err(HandshakeError::MismatchedGenesis {
expected: status.genesis, expected: status.genesis,
@ -96,13 +96,35 @@ where
.into()) .into())
} }
Ok(fork_filter.validate(resp.forkid).map_err(HandshakeError::InvalidFork)?) fork_filter.validate(resp.forkid).map_err(HandshakeError::InvalidFork)?;
// now we can create the `EthStream` because the peer has successfully completed
// the handshake
let stream = EthStream::new(self.inner);
Ok((stream, resp))
} }
_ => Err(EthStreamError::HandshakeError(HandshakeError::NonStatusMessageInHandshake)), _ => Err(EthStreamError::HandshakeError(HandshakeError::NonStatusMessageInHandshake)),
} }
} }
} }
/// An `EthStream` wraps over any `Stream` that yields bytes and makes it
/// compatible with eth-networking protocol messages, which get RLP encoded/decoded.
#[pin_project]
pub struct EthStream<S> {
#[pin]
inner: S,
}
impl<S> EthStream<S> {
/// Creates a new unauthed [`EthStream`] from a provided stream. You will need
/// to manually handshake a peer.
pub fn new(inner: S) -> Self {
Self { inner }
}
}
impl<S, E> Stream for EthStream<S> impl<S, E> Stream for EthStream<S>
where where
S: Stream<Item = Result<bytes::BytesMut, E>> + Unpin, S: Stream<Item = Result<bytes::BytesMut, E>> + Unpin,
@ -128,7 +150,7 @@ where
Err(err) => return Poll::Ready(Some(Err(err.into()))), Err(err) => return Poll::Ready(Some(Err(err.into()))),
}; };
if *this.authed && matches!(msg.message, EthMessage::Status(_)) { if matches!(msg.message, EthMessage::Status(_)) {
return Poll::Ready(Some(Err(EthStreamError::HandshakeError( return Poll::Ready(Some(Err(EthStreamError::HandshakeError(
HandshakeError::StatusNotInHandshake, HandshakeError::StatusNotInHandshake,
)))) ))))
@ -150,7 +172,7 @@ where
} }
fn start_send(self: Pin<&mut Self>, item: EthMessage) -> Result<(), Self::Error> { fn start_send(self: Pin<&mut Self>, item: EthMessage) -> Result<(), Self::Error> {
if self.authed && matches!(item, EthMessage::Status(_)) { if matches!(item, EthMessage::Status(_)) {
return Err(EthStreamError::HandshakeError(HandshakeError::StatusNotInHandshake)) return Err(EthStreamError::HandshakeError(HandshakeError::StatusNotInHandshake))
} }
@ -189,6 +211,8 @@ mod tests {
use ethers_core::types::Chain; use ethers_core::types::Chain;
use reth_primitives::{H256, U256}; use reth_primitives::{H256, U256};
use super::UnauthedEthStream;
#[tokio::test] #[tokio::test]
async fn can_handshake() { async fn can_handshake() {
let genesis = H256::random(); let genesis = H256::random();
@ -213,14 +237,24 @@ mod tests {
// roughly based off of the design of tokio::net::TcpListener // roughly based off of the design of tokio::net::TcpListener
let (incoming, _) = listener.accept().await.unwrap(); let (incoming, _) = listener.accept().await.unwrap();
let stream = crate::PassthroughCodec::default().framed(incoming); let stream = crate::PassthroughCodec::default().framed(incoming);
let _ = EthStream::connect(stream, status_clone, fork_filter_clone).await.unwrap(); let (_, their_status) = UnauthedEthStream::new(stream)
.handshake(status_clone, fork_filter_clone)
.await
.unwrap();
// just make sure it equals our status (our status is a clone of their status)
assert_eq!(their_status, status_clone);
}); });
let outgoing = TcpStream::connect(local_addr).await.unwrap(); let outgoing = TcpStream::connect(local_addr).await.unwrap();
let sink = crate::PassthroughCodec::default().framed(outgoing); let sink = crate::PassthroughCodec::default().framed(outgoing);
// try to connect // try to connect
let _ = EthStream::connect(sink, status, fork_filter).await.unwrap(); let (_, their_status) =
UnauthedEthStream::new(sink).handshake(status, fork_filter).await.unwrap();
// their status is a clone of our status, these should be equal
assert_eq!(their_status, status);
// wait for it to finish // wait for it to finish
handle.await.unwrap(); handle.await.unwrap();
@ -349,8 +383,10 @@ mod tests {
let unauthed_stream = UnauthedP2PStream::new(stream); let unauthed_stream = UnauthedP2PStream::new(stream);
let (p2p_stream, _) = unauthed_stream.handshake(server_hello).await.unwrap(); let (p2p_stream, _) = unauthed_stream.handshake(server_hello).await.unwrap();
let mut eth_stream = EthStream::new(p2p_stream); let (mut eth_stream, _) = UnauthedEthStream::new(p2p_stream)
eth_stream.handshake(status_copy, fork_filter_clone).await.unwrap(); .handshake(status_copy, fork_filter_clone)
.await
.unwrap();
// use the stream to get the next message // use the stream to get the next message
let message = eth_stream.next().await.unwrap().unwrap(); let message = eth_stream.next().await.unwrap().unwrap();
@ -378,8 +414,8 @@ mod tests {
let unauthed_stream = UnauthedP2PStream::new(sink); let unauthed_stream = UnauthedP2PStream::new(sink);
let (p2p_stream, _) = unauthed_stream.handshake(client_hello).await.unwrap(); let (p2p_stream, _) = unauthed_stream.handshake(client_hello).await.unwrap();
let mut client_stream = EthStream::new(p2p_stream); let (mut client_stream, _) =
client_stream.handshake(status, fork_filter).await.unwrap(); UnauthedEthStream::new(p2p_stream).handshake(status, fork_filter).await.unwrap();
client_stream.send(test_msg).await.unwrap(); client_stream.send(test_msg).await.unwrap();

View File

@ -60,7 +60,7 @@ pub struct UnauthedP2PStream<S> {
} }
impl<S> UnauthedP2PStream<S> { impl<S> UnauthedP2PStream<S> {
/// Create a new `UnauthedP2PStream` from a `Stream` of bytes. /// Create a new `UnauthedP2PStream` from a type `S` which implements `Stream` and `Sink`.
pub fn new(inner: S) -> Self { pub fn new(inner: S) -> Self {
Self { inner } Self { inner }
} }
@ -635,7 +635,7 @@ impl Display for DisconnectReason {
DisconnectReason::SubprotocolSpecific => "Some other reason specific to a subprotocol", DisconnectReason::SubprotocolSpecific => "Some other reason specific to a subprotocol",
}; };
write!(f, "{}", message) write!(f, "{message}")
} }
} }