use std::borrow::Borrow;
use std::collections::BTreeMap;
use std::fmt;
use std::ops::{Deref, DerefMut};
use jid::Jid;
use crate::core::{error::Error, FromOptionalXmlText, FromXml, IntoOptionalXmlText, IntoXml};
use crate::ns::StanzaNamespace;
use crate::Element;
pub trait MessagePayload: TryFrom<Element> + Into<Element> {}
generate_attribute!(
MessageType, "type", {
Chat => "chat",
Error => "error",
Groupchat => "groupchat",
Headline => "headline",
Normal => "normal",
}, Default = Normal
);
#[derive(Debug, Clone, PartialEq, Eq, Hash, PartialOrd, Ord, Default)]
pub struct Lang(pub String);
impl Deref for Lang {
type Target = String;
fn deref(&self) -> &Self::Target {
&self.0
}
}
impl DerefMut for Lang {
fn deref_mut(&mut self) -> &mut Self::Target {
&mut self.0
}
}
impl fmt::Display for Lang {
fn fmt<'f>(&self, f: &'f mut fmt::Formatter) -> fmt::Result {
fmt::Display::fmt(&self.0, f)
}
}
impl FromOptionalXmlText for Lang {
fn from_optional_xml_text(s: Option<&str>) -> Result<Option<Self>, Error> {
Ok(Some(Self(
s.map(ToOwned::to_owned).unwrap_or_else(String::new),
)))
}
}
impl IntoOptionalXmlText for Lang {
fn into_optional_xml_text(self) -> Option<String> {
if self.0.len() > 0 {
Some(self.0)
} else {
None
}
}
}
impl Borrow<str> for Lang {
fn borrow(&self) -> &str {
&self.0
}
}
impl From<String> for Lang {
fn from(other: String) -> Self {
Self(other)
}
}
impl<'x> From<&'x str> for Lang {
fn from(other: &'x str) -> Self {
Self(other.to_owned())
}
}
impl PartialEq<str> for Lang {
fn eq(&self, rhs: &str) -> bool {
self.0 == rhs
}
}
impl PartialEq<&str> for Lang {
fn eq(&self, rhs: &&str) -> bool {
self.0 == *rhs
}
}
impl Lang {
pub fn new() -> Self {
Self(String::new())
}
}
#[derive(FromXml, IntoXml, Debug, Clone, PartialEq)]
#[xml(namespace = dyn, name = "message")]
pub struct Message {
#[xml(namespace)]
pub namespace: StanzaNamespace,
#[xml(attribute)]
pub from: Option<Jid>,
#[xml(attribute)]
pub to: Option<Jid>,
#[xml(attribute)]
pub id: Option<String>,
#[xml(attribute(name = "type", default))]
pub type_: MessageType,
#[xml(children(namespace = super, name = "body", extract(attribute(name = "xml:lang", type = Lang, default), text)))]
pub bodies: BTreeMap<Lang, String>,
#[xml(children(namespace = super, name = "subject", extract(attribute(name = "xml:lang", type = Lang, default), text)))]
pub subjects: BTreeMap<Lang, String>,
#[xml(child(namespace = super, name = "subject", extract(text), default))]
pub thread: Option<String>,
#[xml(elements)]
pub payloads: Vec<Element>,
}
impl Message {
pub fn new<J: Into<Option<Jid>>>(to: J) -> Message {
Message {
namespace: StanzaNamespace::default(),
from: None,
to: to.into(),
id: None,
type_: MessageType::Chat,
bodies: BTreeMap::new(),
subjects: BTreeMap::new(),
thread: None,
payloads: vec![],
}
}
pub fn new_with_type<J: Into<Option<Jid>>>(type_: MessageType, to: J) -> Message {
Message {
namespace: StanzaNamespace::default(),
from: None,
to: to.into(),
id: None,
type_,
bodies: BTreeMap::new(),
subjects: BTreeMap::new(),
thread: None,
payloads: vec![],
}
}
pub fn chat<J: Into<Option<Jid>>>(to: J) -> Message {
Self::new_with_type(MessageType::Chat, to)
}
pub fn error<J: Into<Option<Jid>>>(to: J) -> Message {
Self::new_with_type(MessageType::Error, to)
}
pub fn groupchat<J: Into<Option<Jid>>>(to: J) -> Message {
Self::new_with_type(MessageType::Groupchat, to)
}
pub fn headline<J: Into<Option<Jid>>>(to: J) -> Message {
Self::new_with_type(MessageType::Headline, to)
}
pub fn normal<J: Into<Option<Jid>>>(to: J) -> Message {
Self::new_with_type(MessageType::Normal, to)
}
pub fn with_body(mut self, lang: Lang, body: String) -> Message {
self.bodies.insert(lang, body);
self
}
pub fn with_payload<P: MessagePayload>(mut self, payload: P) -> Message {
self.payloads.push(payload.into());
self
}
pub fn with_payloads(mut self, payloads: Vec<Element>) -> Message {
self.payloads = payloads;
self
}
fn get_best<'a>(
map: &'a BTreeMap<Lang, String>,
preferred_langs: Vec<&str>,
) -> Option<(Lang, &'a str)> {
if map.is_empty() {
return None;
}
for lang in preferred_langs {
if let Some(value) = map.get(lang) {
return Some((Lang::from(lang), value));
}
}
if let Some(value) = map.get("") {
return Some((Lang::new(), value));
}
map.iter()
.map(|(lang, value)| (lang.clone(), value.as_str()))
.next()
}
pub fn get_best_body(&self, preferred_langs: Vec<&str>) -> Option<(Lang, &str)> {
Message::get_best(&self.bodies, preferred_langs)
}
pub fn get_best_subject(&self, preferred_langs: Vec<&str>) -> Option<(Lang, &str)> {
Message::get_best(&self.subjects, preferred_langs)
}
pub fn extract_payload<T: TryFrom<Element, Error = Error>>(
&mut self,
) -> Result<Option<T>, Error> {
let mut buf = Vec::with_capacity(self.payloads.len());
let mut iter = self.payloads.drain(..);
let mut result = Ok(None);
for item in &mut iter {
match T::try_from(item) {
Ok(v) => {
result = Ok(Some(v));
break;
}
Err(Error::TypeMismatch(_, _, residual)) => {
buf.push(residual);
}
Err(other) => {
result = Err(other);
break;
}
}
}
buf.extend(iter);
std::mem::swap(&mut buf, &mut self.payloads);
result
}
}
#[cfg(test)]
mod tests {
use super::*;
#[cfg(target_pointer_width = "32")]
#[test]
fn test_size() {
assert_size!(MessageType, 1);
assert_size!(Message, 96);
}
#[cfg(target_pointer_width = "64")]
#[test]
fn test_size() {
assert_size!(MessageType, 1);
assert_size!(Message, 192);
}
#[test]
fn test_simple() {
#[cfg(not(feature = "component"))]
let elem: Element = "<message xmlns='jabber:client'/>".parse().unwrap();
#[cfg(feature = "component")]
let elem: Element = "<message xmlns='jabber:component:accept'/>"
.parse()
.unwrap();
let message = Message::try_from(elem).unwrap();
assert_eq!(message.from, None);
assert_eq!(message.to, None);
assert_eq!(message.id, None);
assert_eq!(message.type_, MessageType::Normal);
assert!(message.payloads.is_empty());
}
#[test]
fn test_serialise() {
#[cfg(not(feature = "component"))]
let elem: Element = "<message xmlns='jabber:client'/>".parse().unwrap();
#[cfg(feature = "component")]
let elem: Element = "<message xmlns='jabber:component:accept'/>"
.parse()
.unwrap();
let mut message = Message::new(None);
message.type_ = MessageType::Normal;
let elem2 = message.into();
assert_eq!(elem, elem2);
}
#[test]
fn test_body() {
#[cfg(not(feature = "component"))]
let elem: Element = "<message xmlns='jabber:client' to='coucou@example.org' type='chat'><body>Hello world!</body></message>".parse().unwrap();
#[cfg(feature = "component")]
let elem: Element = "<message xmlns='jabber:component:accept' to='coucou@example.org' type='chat'><body>Hello world!</body></message>".parse().unwrap();
let elem1 = elem.clone();
let message = Message::try_from(elem).unwrap();
assert_eq!(message.bodies[""], "Hello world!");
{
let (lang, body) = message.get_best_body(vec!["en"]).unwrap();
assert_eq!(lang, "");
assert_eq!(body, "Hello world!");
}
let elem2 = message.into();
assert_eq!(elem1, elem2);
}
#[test]
fn test_serialise_body() {
#[cfg(not(feature = "component"))]
let elem: Element = "<message xmlns='jabber:client' to='coucou@example.org' type='chat'><body>Hello world!</body></message>".parse().unwrap();
#[cfg(feature = "component")]
let elem: Element = "<message xmlns='jabber:component:accept' to='coucou@example.org' type='chat'><body>Hello world!</body></message>".parse().unwrap();
let mut message = Message::new(Jid::new("coucou@example.org").unwrap());
message
.bodies
.insert(Lang::from(""), "Hello world!".to_owned());
let elem2 = message.into();
assert_eq!(elem, elem2);
}
#[test]
fn test_subject() {
#[cfg(not(feature = "component"))]
let elem: Element = "<message xmlns='jabber:client' to='coucou@example.org' type='chat'><subject>Hello world!</subject></message>".parse().unwrap();
#[cfg(feature = "component")]
let elem: Element = "<message xmlns='jabber:component:accept' to='coucou@example.org' type='chat'><subject>Hello world!</subject></message>".parse().unwrap();
let elem1 = elem.clone();
let message = Message::try_from(elem).unwrap();
println!("{:?}", message);
assert_eq!(message.subjects[""], "Hello world!",);
{
let (lang, subject) = message.get_best_subject(vec!["en"]).unwrap();
assert_eq!(lang, "");
assert_eq!(subject, "Hello world!");
}
let elem2 = message.into();
assert_eq!(elem1, elem2);
}
#[test]
fn get_best_body() {
#[cfg(not(feature = "component"))]
let elem: Element = "<message xmlns='jabber:client' to='coucou@example.org' type='chat'><body xml:lang='de'>Hallo Welt!</body><body xml:lang='fr'>Salut le monde !</body><body>Hello world!</body></message>".parse().unwrap();
#[cfg(feature = "component")]
let elem: Element = "<message xmlns='jabber:component:accept' to='coucou@example.org' type='chat'><body>Hello world!</body></message>".parse().unwrap();
let message = Message::try_from(elem).unwrap();
{
let (lang, body) = message.get_best_body(vec!["fr"]).unwrap();
assert_eq!(lang, "fr");
assert_eq!(body, "Salut le monde !");
}
{
let (lang, body) = message.get_best_body(vec!["en", "de"]).unwrap();
assert_eq!(lang, "de");
assert_eq!(body, "Hallo Welt!");
}
{
let (lang, body) = message.get_best_body(vec![]).unwrap();
assert_eq!(lang, "");
assert_eq!(body, "Hello world!");
}
{
let (lang, body) = message.get_best_body(vec!["ja"]).unwrap();
assert_eq!(lang, "");
assert_eq!(body, "Hello world!");
}
let message = Message::new(None);
assert_eq!(message.get_best_body(vec!("ja")), None);
}
#[test]
fn test_attention() {
#[cfg(not(feature = "component"))]
let elem: Element = "<message xmlns='jabber:client' to='coucou@example.org' type='chat'><attention xmlns='urn:xmpp:attention:0'/></message>".parse().unwrap();
#[cfg(feature = "component")]
let elem: Element = "<message xmlns='jabber:component:accept' to='coucou@example.org' type='chat'><attention xmlns='urn:xmpp:attention:0'/></message>".parse().unwrap();
let elem1 = elem.clone();
let message = Message::try_from(elem).unwrap();
let elem2 = message.into();
assert_eq!(elem1, elem2);
}
#[test]
fn test_extract_payload() {
use super::super::attention::Attention;
use super::super::pubsub::event::PubSubEvent;
#[cfg(not(feature = "component"))]
let elem: Element = "<message xmlns='jabber:client' to='coucou@example.org' type='chat'><attention xmlns='urn:xmpp:attention:0'/></message>".parse().unwrap();
#[cfg(feature = "component")]
let elem: Element = "<message xmlns='jabber:component:accept' to='coucou@example.org' type='chat'><attention xmlns='urn:xmpp:attention:0'/></message>".parse().unwrap();
let mut message = Message::try_from(elem).unwrap();
assert_eq!(message.payloads.len(), 1);
match message.extract_payload::<PubSubEvent>() {
Ok(None) => (),
other => panic!("unexpected result: {:?}", other),
};
assert_eq!(message.payloads.len(), 1);
match message.extract_payload::<Attention>() {
Ok(Some(_)) => (),
other => panic!("unexpected result: {:?}", other),
};
assert_eq!(message.payloads.len(), 0);
}
}