aboutsummaryrefslogtreecommitdiff
diff options
context:
space:
mode:
authorQuentin Dufour <quentin@deuxfleurs.fr>2022-06-09 10:43:38 +0200
committerQuentin Dufour <quentin@deuxfleurs.fr>2022-06-09 10:43:38 +0200
commit1e4d5eb8f1fe1d7abe726572b9ee063d91f72a98 (patch)
treea7564736678f9dd99038b4fb7c61b89bf1446d13
parentcbcc339d50fc2c30e51776c3a60818190ffb4f23 (diff)
downloadaerogramme-1e4d5eb8f1fe1d7abe726572b9ee063d91f72a98.tar.gz
aerogramme-1e4d5eb8f1fe1d7abe726572b9ee063d91f72a98.zip
Compiling with a MPSC channel
-rw-r--r--src/command.rs34
-rw-r--r--src/service.rs53
2 files changed, 51 insertions, 36 deletions
diff --git a/src/command.rs b/src/command.rs
index 9b2f12d..4c2ec41 100644
--- a/src/command.rs
+++ b/src/command.rs
@@ -12,15 +12,14 @@ use crate::mailstore::Mailstore;
use crate::mailbox::Mailbox;
use crate::service::Session;
-pub struct Command {
+pub struct Command<'a> {
tag: Tag,
- mailstore: Arc<Mailstore>,
- session: Arc<Mutex<Session>>,
+ session: &'a mut Session,
}
-impl Command {
- pub fn new(tag: Tag, mailstore: Arc<Mailstore>, session: Arc<Mutex<Session>>) -> Self {
- Self { tag, mailstore, session }
+impl<'a> Command<'a> {
+ pub fn new(tag: Tag, session: &'a mut Session) -> Self {
+ Self { tag, session }
}
pub async fn capability(&self) -> Result<Response, BalError> {
@@ -31,24 +30,19 @@ impl Command {
Ok(r)
}
- pub async fn login(&self, username: AString, password: AString) -> Result<Response, BalError> {
+ pub async fn login(&mut self, username: AString, password: AString) -> Result<Response, BalError> {
let (u, p) = match (String::try_from(username), String::try_from(password)) {
(Ok(u), Ok(p)) => (u, p),
_ => return Response::bad("Invalid characters"),
};
tracing::debug!(user = %u, "command.login");
- let creds = match self.mailstore.login_provider.login(&u, &p).await {
+ let creds = match self.session.mailstore.login_provider.login(&u, &p).await {
Err(_) => return Response::no("[AUTHENTICATIONFAILED] Authentication failed."),
Ok(c) => c,
};
- let mut session = match self.session.lock() {
- Err(_) => return Response::bad("[AUTHENTICATIONFAILED] Unable to acquire lock on session."),
- Ok(s) => s,
- };
- session.creds = Some(creds);
- drop(session);
+ self.session.creds = Some(creds);
Response::ok("Logged in")
}
@@ -61,16 +55,10 @@ impl Command {
Response::bad("Not implemented")
}
- pub async fn select(&self, mailbox: MailboxCodec) -> Result<Response, BalError> {
-
- let mut session = match self.session.lock() {
- Err(_) => return Response::no("[SELECTFAILED] Unable to acquire lock on session."),
- Ok(s) => s,
- };
+ pub async fn select(&mut self, mailbox: MailboxCodec) -> Result<Response, BalError> {
- let mb = Mailbox::new(session.creds.as_ref().unwrap(), "TestMailbox".to_string()).unwrap();
- session.selected = Some(mb);
- drop(session);
+ let mb = Mailbox::new(self.session.creds.as_ref().unwrap(), "TestMailbox".to_string()).unwrap();
+ self.session.selected = Some(mb);
Response::bad("Not implemented")
}
diff --git a/src/service.rs b/src/service.rs
index a2fca4d..051e065 100644
--- a/src/service.rs
+++ b/src/service.rs
@@ -6,7 +6,10 @@ use boitalettres::server::accept::addr::AddrStream;
use boitalettres::errors::Error as BalError;
use boitalettres::proto::{Request, Response};
use futures::future::BoxFuture;
+use futures::future::FutureExt;
use imap_codec::types::command::CommandBody;
+use tokio::sync::mpsc;
+use tokio::sync::mpsc::error::TrySendError;
use tower::Service;
use crate::command;
@@ -14,6 +17,8 @@ use crate::login::Credentials;
use crate::mailstore::Mailstore;
use crate::mailbox::Mailbox;
+const MAX_PIPELINED_COMMANDS: usize = 10;
+
pub struct Instance {
pub mailstore: Arc<Mailstore>,
}
@@ -38,18 +43,17 @@ impl<'a> Service<&'a AddrStream> for Instance {
}
}
-pub struct Session {
- pub creds: Option<Credentials>,
- pub selected: Option<Mailbox>,
-}
-
pub struct Connection {
- pub mailstore: Arc<Mailstore>,
- pub session: Arc<Mutex<Session>>,
+ pub tx: mpsc::Sender<Request>,
}
impl Connection {
pub fn new(mailstore: Arc<Mailstore>) -> Self {
- Self { mailstore, session: Arc::new(Mutex::new(Session { creds: None, selected: None, })) }
+ let (tx, mut rx) = mpsc::channel(MAX_PIPELINED_COMMANDS);
+ tokio::spawn(async move {
+ let mut session = Session::new(mailstore, rx);
+ session.run().await;
+ });
+ Self { tx }
}
}
impl Service<Request> for Connection {
@@ -63,9 +67,32 @@ impl Service<Request> for Connection {
fn call(&mut self, req: Request) -> Self::Future {
tracing::debug!("Got request: {:#?}", req);
- let cmd = command::Command::new(req.tag, self.mailstore.clone(), self.session.clone());
- Box::pin(async move {
- match req.body {
+ match self.tx.try_send(req) {
+ Ok(()) => return async { Response::ok("Ok") }.boxed(),
+ Err(TrySendError::Full(_)) => return async { Response::bad("Too fast! Send less pipelined requests!") }.boxed(),
+ Err(TrySendError::Closed(_)) => return async { Response::bad("The session task has exited") }.boxed(),
+ }
+
+ // send a future that await here later a oneshot command
+ }
+}
+
+pub struct Session {
+ pub mailstore: Arc<Mailstore>,
+ pub creds: Option<Credentials>,
+ pub selected: Option<Mailbox>,
+ rx: mpsc::Receiver<Request>,
+}
+
+impl Session {
+ pub fn new(mailstore: Arc<Mailstore>, rx: mpsc::Receiver<Request>) -> Self {
+ Self { mailstore, rx, creds: None, selected: None, }
+ }
+
+ pub async fn run(&mut self) {
+ while let Some(req) = self.rx.recv().await {
+ let mut cmd = command::Command::new(req.tag, self);
+ let _ = match req.body {
CommandBody::Capability => cmd.capability().await,
CommandBody::Login { username, password } => cmd.login(username, password).await,
CommandBody::Lsub { reference, mailbox_wildcard } => cmd.lsub(reference, mailbox_wildcard).await,
@@ -73,8 +100,8 @@ impl Service<Request> for Connection {
CommandBody::Select { mailbox } => cmd.select(mailbox).await,
CommandBody::Fetch { sequence_set, attributes, uid } => cmd.fetch(sequence_set, attributes, uid).await,
_ => Response::bad("Error in IMAP command received by server."),
- }
- })
+ };
+ }
}
}