meli/melib/src/backends/jmap/protocol.rs

361 lines
11 KiB
Rust
Raw Normal View History

2019-12-03 13:25:49 +02:00
/*
* meli - jmap module.
*
* Copyright 2019 Manos Pitsidianakis
*
* This file is part of meli.
*
* meli is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* meli is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with meli. If not, see <http://www.gnu.org/licenses/>.
*/
use super::folder::JmapFolder;
use super::*;
2019-12-07 14:03:54 +02:00
use serde::Serialize;
2019-12-03 13:25:49 +02:00
use serde_json::{json, Value};
use smallvec::SmallVec;
2019-12-07 16:44:29 +02:00
use std::collections::hash_map::DefaultHasher;
2019-12-04 19:42:31 +02:00
use std::convert::TryFrom;
2019-12-07 16:44:29 +02:00
use std::hash::{Hash, Hasher};
2019-12-03 13:25:49 +02:00
2019-12-03 21:29:26 +02:00
pub type Id = String;
pub type UtcDate = String;
use super::rfc8620::Object;
2019-12-04 01:04:38 +02:00
macro_rules! get_request_no {
($lock:expr) => {{
let mut lck = $lock.lock().unwrap();
let ret = *lck;
*lck += 1;
ret
}};
}
2019-12-07 16:44:29 +02:00
macro_rules! tag_hash {
($t:ident) => {{
let mut hasher = DefaultHasher::default();
$t.hash(&mut hasher);
hasher.finish()
}};
($t:literal) => {{
let mut hasher = DefaultHasher::default();
$t.hash(&mut hasher);
hasher.finish()
}};
}
2019-12-04 19:42:31 +02:00
pub trait Response<OBJ: Object> {
2019-12-03 21:29:26 +02:00
const NAME: &'static str;
}
2019-12-04 19:42:31 +02:00
pub trait Method<OBJ: Object>: Serialize {
const NAME: &'static str;
2019-12-03 21:29:26 +02:00
}
2019-12-04 19:42:31 +02:00
2019-12-03 13:25:49 +02:00
static USING: &'static [&'static str] = &["urn:ietf:params:jmap:core", "urn:ietf:params:jmap:mail"];
2019-12-03 21:29:26 +02:00
#[derive(Serialize)]
#[serde(rename_all = "camelCase")]
pub struct Request {
using: &'static [&'static str],
/* Why is this Value instead of Box<dyn Method<_>>? The Method trait cannot be made into a
* Trait object because its serialize() will be generic. */
method_calls: Vec<Value>,
2019-12-04 01:04:38 +02:00
2019-12-04 19:42:31 +02:00
#[serde(skip)]
2019-12-04 01:04:38 +02:00
request_no: Arc<Mutex<usize>>,
2019-12-03 21:29:26 +02:00
}
impl Request {
2019-12-04 01:04:38 +02:00
pub fn new(request_no: Arc<Mutex<usize>>) -> Self {
2019-12-03 21:29:26 +02:00
Request {
using: USING,
method_calls: Vec::new(),
2019-12-04 01:04:38 +02:00
request_no,
2019-12-03 21:29:26 +02:00
}
}
2019-12-05 00:04:03 +02:00
pub fn add_call<M: Method<O>, O: Object>(&mut self, call: &M) -> usize {
2019-12-04 01:04:38 +02:00
let seq = get_request_no!(self.request_no);
2019-12-03 21:29:26 +02:00
self.method_calls
2019-12-04 01:04:38 +02:00
.push(serde_json::to_value((M::NAME, call, &format!("m{}", seq))).unwrap());
seq
2019-12-03 21:29:26 +02:00
}
}
2019-12-04 01:04:38 +02:00
pub fn get_mailboxes(conn: &JmapConnection) -> Result<FnvHashMap<FolderHash, JmapFolder>> {
let seq = get_request_no!(conn.request_no);
2019-12-03 13:25:49 +02:00
let res = conn
.client
2019-12-04 01:04:38 +02:00
.lock()
.unwrap()
2019-12-13 00:01:59 +02:00
.post(&conn.session.api_url)
.basic_auth(
&conn.server_conf.server_username,
Some(&conn.server_conf.server_password),
)
2019-12-03 13:25:49 +02:00
.json(&json!({
"using": ["urn:ietf:params:jmap:core", "urn:ietf:params:jmap:mail"],
2019-12-13 00:01:59 +02:00
"methodCalls": [["Mailbox/get", {
"accountId": conn.mail_account_id()
},
2019-12-04 01:04:38 +02:00
format!("#m{}",seq).as_str()]],
2019-12-03 13:25:49 +02:00
}))
.send();
2019-12-04 19:42:31 +02:00
let res_text = res?.text()?;
let mut v: MethodResponse = serde_json::from_str(&res_text).unwrap();
*conn.online_status.lock().unwrap() = (std::time::Instant::now(), Ok(()));
2019-12-04 19:42:31 +02:00
let m = GetResponse::<MailboxObject>::try_from(v.method_responses.remove(0))?;
let GetResponse::<MailboxObject> {
list, account_id, ..
} = m;
*conn.account_id.lock().unwrap() = account_id;
Ok(list
.into_iter()
.map(|r| {
let MailboxObject {
id,
is_subscribed,
my_rights,
name,
parent_id,
role,
sort_order,
total_emails,
total_threads,
unread_emails,
unread_threads,
} = r;
2020-02-09 17:07:43 +02:00
let hash = crate::get_path_hash!(&name);
2019-12-04 19:42:31 +02:00
(
hash,
JmapFolder {
name: name.clone(),
hash,
path: name,
v: Vec::new(),
2019-12-03 13:25:49 +02:00
id,
is_subscribed,
my_rights,
parent_id,
role,
2019-12-04 19:42:31 +02:00
usage: Default::default(),
2019-12-03 13:25:49 +02:00
sort_order,
total_emails: Arc::new(Mutex::new(total_emails)),
2019-12-03 13:25:49 +02:00
total_threads,
unread_emails: Arc::new(Mutex::new(unread_emails)),
2019-12-03 13:25:49 +02:00
unread_threads,
2019-12-04 19:42:31 +02:00
},
)
})
.collect())
2019-12-03 13:25:49 +02:00
}
#[derive(Deserialize, Debug)]
#[serde(rename_all = "camelCase")]
2019-12-04 19:42:31 +02:00
pub struct JsonResponse<'a> {
#[serde(borrow)]
method_responses: Vec<MethodResponse<'a>>,
2019-12-03 13:25:49 +02:00
}
2019-12-04 01:04:38 +02:00
pub fn get_message_list(conn: &JmapConnection, folder: &JmapFolder) -> Result<Vec<String>> {
2019-12-13 00:01:59 +02:00
let email_call: EmailQuery = EmailQuery::new(
Query::new()
.account_id(conn.mail_account_id().to_string())
.filter(Some(
EmailFilterCondition::new().in_mailbox(Some(folder.id.clone())),
))
.position(0),
)
.collapse_threads(false);
2019-12-03 21:29:26 +02:00
2019-12-04 01:04:38 +02:00
let mut req = Request::new(conn.request_no.clone());
2019-12-05 00:04:03 +02:00
req.add_call(&email_call);
2019-12-03 21:29:26 +02:00
2019-12-03 13:25:49 +02:00
let res = conn
.client
2019-12-04 01:04:38 +02:00
.lock()
.unwrap()
2019-12-13 00:01:59 +02:00
.post(&conn.session.api_url)
.basic_auth(
&conn.server_conf.server_username,
Some(&conn.server_conf.server_password),
)
2019-12-04 01:04:38 +02:00
.json(&req)
2019-12-03 13:25:49 +02:00
.send();
2019-12-04 19:42:31 +02:00
let res_text = res?.text()?;
let mut v: MethodResponse = serde_json::from_str(&res_text).unwrap();
*conn.online_status.lock().unwrap() = (std::time::Instant::now(), Ok(()));
2019-12-04 19:42:31 +02:00
let m = QueryResponse::<EmailObject>::try_from(v.method_responses.remove(0))?;
let QueryResponse::<EmailObject> { ids, .. } = m;
Ok(ids)
2019-12-03 13:25:49 +02:00
}
2019-12-04 01:04:38 +02:00
pub fn get_message(conn: &JmapConnection, ids: &[String]) -> Result<Vec<Envelope>> {
2019-12-04 19:42:31 +02:00
let email_call: EmailGet = EmailGet::new(
Get::new()
2019-12-05 00:04:03 +02:00
.ids(Some(JmapArgument::value(
ids.iter().cloned().collect::<Vec<String>>(),
)))
2019-12-13 00:01:59 +02:00
.account_id(conn.mail_account_id().to_string()),
2019-12-04 19:42:31 +02:00
);
2019-12-04 01:04:38 +02:00
let mut req = Request::new(conn.request_no.clone());
2019-12-05 00:04:03 +02:00
req.add_call(&email_call);
2019-12-03 13:25:49 +02:00
let res = conn
.client
2019-12-04 01:04:38 +02:00
.lock()
.unwrap()
2019-12-13 00:01:59 +02:00
.post(&conn.session.api_url)
.basic_auth(
&conn.server_conf.server_username,
Some(&conn.server_conf.server_password),
)
2019-12-04 01:04:38 +02:00
.json(&req)
.send();
let res_text = res?.text()?;
2019-12-04 19:42:31 +02:00
let mut v: MethodResponse = serde_json::from_str(&res_text).unwrap();
let e = GetResponse::<EmailObject>::try_from(v.method_responses.remove(0))?;
let GetResponse::<EmailObject> { list, .. } = e;
Ok(list
.into_iter()
.map(std::convert::Into::into)
.collect::<Vec<Envelope>>())
2019-12-04 01:04:38 +02:00
}
2019-12-06 10:06:15 +02:00
pub fn get(
conn: &JmapConnection,
store: &Arc<RwLock<Store>>,
2019-12-07 16:44:29 +02:00
tag_index: &Arc<RwLock<BTreeMap<u64, String>>>,
2019-12-06 10:06:15 +02:00
folder: &JmapFolder,
) -> Result<Vec<Envelope>> {
2019-12-13 00:01:59 +02:00
let email_query_call: EmailQuery = EmailQuery::new(
Query::new()
.account_id(conn.mail_account_id().to_string())
.filter(Some(
EmailFilterCondition::new().in_mailbox(Some(folder.id.clone())),
))
.position(0),
)
.collapse_threads(false);
2019-12-05 00:04:03 +02:00
let mut req = Request::new(conn.request_no.clone());
let prev_seq = req.add_call(&email_query_call);
let email_call: EmailGet = EmailGet::new(
Get::new()
.ids(Some(JmapArgument::reference(
prev_seq,
2019-12-13 00:01:59 +02:00
EmailQuery::RESULT_FIELD_IDS,
2019-12-05 00:04:03 +02:00
)))
2019-12-13 00:01:59 +02:00
.account_id(conn.mail_account_id().to_string()),
2019-12-05 00:04:03 +02:00
);
req.add_call(&email_call);
let res = conn
.client
.lock()
.unwrap()
2019-12-13 00:01:59 +02:00
.post(&conn.session.api_url)
.basic_auth(
&conn.server_conf.server_username,
Some(&conn.server_conf.server_password),
)
2019-12-05 00:04:03 +02:00
.json(&req)
.send();
let res_text = res?.text()?;
let mut v: MethodResponse = serde_json::from_str(&res_text).unwrap();
let e = GetResponse::<EmailObject>::try_from(v.method_responses.pop().unwrap())?;
2019-12-06 14:12:27 +02:00
let GetResponse::<EmailObject> { list, state, .. } = e;
{
let mut states_lck = conn.method_call_states.lock().unwrap();
if let Some(prev_state) = states_lck.get_mut(&EmailGet::NAME) {
debug!("{:?}: prev_state was {}", EmailGet::NAME, prev_state);
2019-12-07 16:44:29 +02:00
if *prev_state != state { /* FIXME Query Changes. */ }
2019-12-06 14:12:27 +02:00
*prev_state = state;
debug!("{:?}: curr state is {}", EmailGet::NAME, prev_state);
} else {
debug!("{:?}: inserting state {}", EmailGet::NAME, &state);
states_lck.insert(EmailGet::NAME, state);
}
}
2019-12-07 16:44:29 +02:00
let mut tag_lck = tag_index.write().unwrap();
2019-12-06 10:06:15 +02:00
let ids = list
.iter()
2019-12-07 16:44:29 +02:00
.map(|obj| {
let tags = obj
.keywords()
.keys()
.map(|tag| {
let tag_hash = {
let mut hasher = DefaultHasher::default();
tag.hash(&mut hasher);
hasher.finish()
};
if !tag_lck.contains_key(&tag_hash) {
tag_lck.insert(tag_hash, tag.to_string());
}
tag_hash
})
.collect::<SmallVec<[u64; 1024]>>();
2019-12-07 16:44:29 +02:00
(tags, obj.id.clone(), obj.blob_id.clone())
})
.collect::<Vec<(SmallVec<[u64; 1024]>, Id, Id)>>();
2019-12-07 16:44:29 +02:00
drop(tag_lck);
let mut ret = list
2019-12-05 00:04:03 +02:00
.into_iter()
.map(std::convert::Into::into)
2019-12-06 10:06:15 +02:00
.collect::<Vec<Envelope>>();
2019-12-07 16:44:29 +02:00
2019-12-06 10:06:15 +02:00
let mut store_lck = store.write().unwrap();
2019-12-07 16:44:29 +02:00
debug_assert_eq!(tag_hash!("$draft"), 6613915297903591176);
debug_assert_eq!(tag_hash!("$seen"), 1683863812294339685);
debug_assert_eq!(tag_hash!("$flagged"), 2714010747478170100);
debug_assert_eq!(tag_hash!("$answered"), 8940855303929342213);
debug_assert_eq!(tag_hash!("$junk"), 2656839745430720464);
debug_assert_eq!(tag_hash!("$notjunk"), 4091323799684325059);
for (env, (tags, id, blob_id)) in ret.iter_mut().zip(ids.into_iter()) {
2019-12-06 10:06:15 +02:00
store_lck.id_store.insert(env.hash(), id);
store_lck.blob_id_store.insert(env.hash(), blob_id);
2019-12-07 16:44:29 +02:00
for t in tags {
match t {
6613915297903591176 => {
env.set_flags(env.flags() | Flag::DRAFT);
}
1683863812294339685 => {
env.set_flags(env.flags() | Flag::SEEN);
}
2714010747478170100 => {
env.set_flags(env.flags() | Flag::FLAGGED);
}
8940855303929342213 => {
env.set_flags(env.flags() | Flag::REPLIED);
}
2656839745430720464 | 4091323799684325059 => { /* ignore */ }
_ => env.labels_mut().push(t),
}
}
2019-12-06 10:06:15 +02:00
}
Ok(ret)
2019-12-05 00:04:03 +02:00
}