xmpp-rs-mirror/src/component/auth.rs

95 lines
3.2 KiB
Rust
Raw Normal View History

2017-07-22 00:59:51 +00:00
use std::mem::replace;
2018-08-01 23:01:41 +00:00
use futures::{Future, Poll, Async, sink, Stream};
2017-07-22 00:59:51 +00:00
use tokio_io::{AsyncRead, AsyncWrite};
use xmpp_parsers::component::Handshake;
2017-07-22 00:59:51 +00:00
use xmpp_codec::Packet;
use xmpp_stream::XMPPStream;
2018-09-06 15:46:06 +00:00
use {Error, AuthError};
2017-07-22 00:59:51 +00:00
const NS_JABBER_COMPONENT_ACCEPT: &str = "jabber:component:accept";
pub struct ComponentAuth<S: AsyncWrite> {
state: ComponentAuthState<S>,
}
enum ComponentAuthState<S: AsyncWrite> {
WaitSend(sink::Send<XMPPStream<S>>),
WaitRecv(XMPPStream<S>),
Invalid,
}
impl<S: AsyncWrite> ComponentAuth<S> {
2018-09-06 15:46:06 +00:00
// TODO: doesn't have to be a Result<> actually
pub fn new(stream: XMPPStream<S>, password: String) -> Result<Self, Error> {
2017-07-22 00:59:51 +00:00
// FIXME: huge hack, shouldnt be an element!
let sid = stream.stream_features.name().to_owned();
let mut this = ComponentAuth {
state: ComponentAuthState::Invalid,
};
this.send(
stream,
Handshake::from_password_and_stream_id(&password, &sid)
2017-07-22 00:59:51 +00:00
);
2018-09-06 21:57:42 +00:00
Ok(this)
2017-07-22 00:59:51 +00:00
}
fn send(&mut self, stream: XMPPStream<S>, handshake: Handshake) {
let nonza = handshake;
let send = stream.send_stanza(nonza);
2017-07-22 00:59:51 +00:00
self.state = ComponentAuthState::WaitSend(send);
}
}
impl<S: AsyncRead + AsyncWrite> Future for ComponentAuth<S> {
type Item = XMPPStream<S>;
2018-09-06 15:46:06 +00:00
type Error = Error;
2017-07-22 00:59:51 +00:00
fn poll(&mut self) -> Poll<Self::Item, Self::Error> {
let state = replace(&mut self.state, ComponentAuthState::Invalid);
match state {
ComponentAuthState::WaitSend(mut send) =>
match send.poll() {
Ok(Async::Ready(stream)) => {
self.state = ComponentAuthState::WaitRecv(stream);
self.poll()
},
Ok(Async::NotReady) => {
self.state = ComponentAuthState::WaitSend(send);
Ok(Async::NotReady)
},
Err(e) =>
2018-09-06 21:57:42 +00:00
Err(e)?
2017-07-22 00:59:51 +00:00
},
ComponentAuthState::WaitRecv(mut stream) =>
match stream.poll() {
Ok(Async::Ready(Some(Packet::Stanza(ref stanza))))
2017-08-14 01:56:08 +00:00
if stanza.is("handshake", NS_JABBER_COMPONENT_ACCEPT) =>
2017-07-22 00:59:51 +00:00
{
self.state = ComponentAuthState::Invalid;
Ok(Async::Ready(stream))
},
Ok(Async::Ready(Some(Packet::Stanza(ref stanza))))
if stanza.is("error", "http://etherx.jabber.org/streams") =>
{
2018-09-06 15:46:06 +00:00
Err(AuthError::ComponentFail.into())
2017-07-22 00:59:51 +00:00
},
Ok(Async::Ready(event)) => {
println!("ComponentAuth ignore {:?}", event);
Ok(Async::NotReady)
},
Ok(_) => {
self.state = ComponentAuthState::WaitRecv(stream);
Ok(Async::NotReady)
},
Err(e) =>
2018-09-06 21:57:42 +00:00
Err(e)?
2017-07-22 00:59:51 +00:00
},
ComponentAuthState::Invalid =>
unreachable!(),
}
}
}