//! Subscription and filter parsing use crate::error::Result; use crate::event::Event; use serde::de::Unexpected; use serde::{Deserialize, Deserializer, Serialize}; use serde_json::Value; use std::collections::HashMap; use std::collections::HashSet; /// Subscription identifier and set of request filters #[derive(Serialize, PartialEq, Debug, Clone)] pub struct Subscription { pub id: String, pub filters: Vec, } /// Filter for requests /// /// Corresponds to client-provided subscription request elements. Any /// element can be present if it should be used in filtering, or /// absent ([`None`]) if it should be ignored. #[derive(Serialize, PartialEq, Debug, Clone)] pub struct ReqFilter { /// Event hashes pub ids: Option>, /// Event kinds pub kinds: Option>, /// Events published after this time pub since: Option, /// Events published before this time pub until: Option, /// List of author public keys pub authors: Option>, /// Set of tags #[serde(skip)] pub tags: Option>>, } impl<'de> Deserialize<'de> for ReqFilter { fn deserialize(deserializer: D) -> Result where D: Deserializer<'de>, { let received: Value = Deserialize::deserialize(deserializer)?; let filter = received.as_object().ok_or_else(|| { serde::de::Error::invalid_type( Unexpected::Other("reqfilter is not an object"), &"a json object", ) })?; let mut rf = ReqFilter { ids: None, kinds: None, since: None, until: None, authors: None, tags: None, }; let mut ts = None; // iterate through each key, and assign values that exist for (key, val) in filter.into_iter() { // ids if key == "ids" { rf.ids = Deserialize::deserialize(val).ok(); } else if key == "kinds" { rf.kinds = Deserialize::deserialize(val).ok(); } else if key == "since" { rf.since = Deserialize::deserialize(val).ok(); } else if key == "until" { rf.until = Deserialize::deserialize(val).ok(); } else if key == "authors" { rf.authors = Deserialize::deserialize(val).ok(); } else if key.starts_with('#') && key.len() > 1 && val.is_array() { // remove the prefix let tagname = &key[1..]; if ts.is_none() { // Initialize the tag if necessary ts = Some(HashMap::new()); } if let Some(m) = ts.as_mut() { let tag_vals: Option> = Deserialize::deserialize(val).ok(); if let Some(v) = tag_vals { let hs = HashSet::from_iter(v.into_iter()); m.insert(tagname.to_owned(), hs); } }; } } rf.tags = ts; Ok(rf) } } impl<'de> Deserialize<'de> for Subscription { /// Custom deserializer for subscriptions, which have a more /// complex structure than the other message types. fn deserialize(deserializer: D) -> Result where D: Deserializer<'de>, { let mut v: Value = Deserialize::deserialize(deserializer)?; // this shoud be a 3-or-more element array. // verify the first element is a String, REQ // get the subscription from the second element. // convert each of the remaining objects into filters // check for array let va = v .as_array_mut() .ok_or_else(|| serde::de::Error::custom("not array"))?; // check length if va.len() < 3 { return Err(serde::de::Error::custom("not enough fields")); } let mut i = va.iter_mut(); // get command ("REQ") and ensure it is a string let req_cmd_str: serde_json::Value = i.next().unwrap().take(); let req = req_cmd_str .as_str() .ok_or_else(|| serde::de::Error::custom("first element of request was not a string"))?; if req != "REQ" { return Err(serde::de::Error::custom("missing REQ command")); } // ensure sub id is a string let sub_id_str: serde_json::Value = i.next().unwrap().take(); let sub_id = sub_id_str .as_str() .ok_or_else(|| serde::de::Error::custom("missing subscription id"))?; let mut filters = vec![]; for fv in i { let f: ReqFilter = serde_json::from_value(fv.take()) .map_err(|_| serde::de::Error::custom("could not parse filter"))?; // create indexes filters.push(f); } Ok(Subscription { id: sub_id.to_owned(), filters, }) } } impl Subscription { /// Get a copy of the subscription identifier. pub fn get_id(&self) -> String { self.id.clone() } /// Determine if this subscription matches a given [`Event`]. Any /// individual filter match is sufficient. pub fn interested_in_event(&self, event: &Event) -> bool { for f in self.filters.iter() { if f.interested_in_event(event) { return true; } } false } } impl ReqFilter { /// Check for a match within the authors list. fn ids_match(&self, event: &Event) -> bool { self.ids .as_ref() .map(|vs| vs.contains(&event.id.to_owned())) .unwrap_or(true) } fn authors_match(&self, event: &Event) -> bool { self.authors .as_ref() .map(|vs| vs.contains(&event.pubkey.to_owned())) .unwrap_or(true) } fn tag_match(&self, event: &Event) -> bool { // get the hashset from the filter. if let Some(map) = &self.tags { for (key, val) in map.iter() { let tag_match = event.generic_tag_val_intersect(key, val); // if there is no match for this tag, the match fails. if !tag_match { return false; } // if there was a match, we move on to the next one. } } // if the tag map is empty, the match succeeds (there was no filter) true } /// Check if this filter either matches, or does not care about the kind. fn kind_match(&self, kind: u64) -> bool { self.kinds .as_ref() .map(|ks| ks.contains(&kind)) .unwrap_or(true) } /// Determine if all populated fields in this filter match the provided event. pub fn interested_in_event(&self, event: &Event) -> bool { // self.id.as_ref().map(|v| v == &event.id).unwrap_or(true) self.ids_match(event) && self.since.map(|t| event.created_at > t).unwrap_or(true) && self.kind_match(event.kind) && self.authors_match(event) && self.tag_match(event) } } #[cfg(test)] mod tests { use super::*; #[test] fn empty_request_parse() -> Result<()> { let raw_json = "[\"REQ\",\"some-id\",{}]"; let s: Subscription = serde_json::from_str(raw_json)?; assert_eq!(s.id, "some-id"); assert_eq!(s.filters.len(), 1); assert_eq!(s.filters.get(0).unwrap().authors, None); Ok(()) } #[test] fn incorrect_header() { let raw_json = "[\"REQUEST\",\"some-id\",\"{}\"]"; assert!(serde_json::from_str::(raw_json).is_err()); } #[test] fn req_missing_filters() { let raw_json = "[\"REQ\",\"some-id\"]"; assert!(serde_json::from_str::(raw_json).is_err()); } #[test] fn legacy_filter() { // legacy field in filter let raw_json = "[\"REQ\",\"some-id\",{\"kind\": 3}]"; assert!(serde_json::from_str::(raw_json).is_ok()); } #[test] fn author_filter() -> Result<()> { let raw_json = r#"["REQ","some-id",{"authors": ["test-author-id"]}]"#; let s: Subscription = serde_json::from_str(raw_json)?; assert_eq!(s.id, "some-id"); assert_eq!(s.filters.len(), 1); let first_filter = s.filters.get(0).unwrap(); assert_eq!( first_filter.authors, Some(vec!("test-author-id".to_owned())) ); Ok(()) } #[test] fn interest_id_nomatch() -> Result<()> { // subscription with a filter for ID let s: Subscription = serde_json::from_str(r#"["REQ","xyz",{"ids": ["abc"]}]"#)?; let e = Event { id: "abcde".to_owned(), pubkey: "".to_owned(), created_at: 0, kind: 0, tags: Vec::new(), content: "".to_owned(), sig: "".to_owned(), tagidx: None, }; assert_eq!(s.interested_in_event(&e), false); Ok(()) } #[test] fn interest_time_and_id() -> Result<()> { // subscription with a filter for ID and time let s: Subscription = serde_json::from_str(r#"["REQ","xyz",{"ids": ["abc"], "since": 1000}]"#)?; let e = Event { id: "abc".to_owned(), pubkey: "".to_owned(), created_at: 50, kind: 0, tags: Vec::new(), content: "".to_owned(), sig: "".to_owned(), tagidx: None, }; assert_eq!(s.interested_in_event(&e), false); Ok(()) } #[test] fn interest_time_and_id2() -> Result<()> { // subscription with a filter for ID and time let s: Subscription = serde_json::from_str(r#"["REQ","xyz",{"id":"abc", "since": 1000}]"#)?; let e = Event { id: "abc".to_owned(), pubkey: "".to_owned(), created_at: 1001, kind: 0, tags: Vec::new(), content: "".to_owned(), sig: "".to_owned(), tagidx: None, }; assert_eq!(s.interested_in_event(&e), true); Ok(()) } #[test] fn interest_id() -> Result<()> { // subscription with a filter for ID let s: Subscription = serde_json::from_str(r#"["REQ","xyz",{"id":"abc"}]"#)?; let e = Event { id: "abc".to_owned(), pubkey: "".to_owned(), created_at: 0, kind: 0, tags: Vec::new(), content: "".to_owned(), sig: "".to_owned(), tagidx: None, }; assert_eq!(s.interested_in_event(&e), true); Ok(()) } #[test] fn authors_single() -> Result<()> { // subscription with a filter for ID let s: Subscription = serde_json::from_str(r#"["REQ","xyz",{"authors":["abc"]}]"#)?; let e = Event { id: "123".to_owned(), pubkey: "abc".to_owned(), created_at: 0, kind: 0, tags: Vec::new(), content: "".to_owned(), sig: "".to_owned(), tagidx: None, }; assert_eq!(s.interested_in_event(&e), true); Ok(()) } #[test] fn authors_multi_pubkey() -> Result<()> { // check for any of a set of authors, against the pubkey let s: Subscription = serde_json::from_str(r#"["REQ","xyz",{"authors":["abc", "bcd"]}]"#)?; let e = Event { id: "123".to_owned(), pubkey: "bcd".to_owned(), created_at: 0, kind: 0, tags: Vec::new(), content: "".to_owned(), sig: "".to_owned(), tagidx: None, }; assert_eq!(s.interested_in_event(&e), true); Ok(()) } #[test] fn authors_multi_no_match() -> Result<()> { // check for any of a set of authors, against the pubkey let s: Subscription = serde_json::from_str(r#"["REQ","xyz",{"authors":["abc", "bcd"]}]"#)?; let e = Event { id: "123".to_owned(), pubkey: "xyz".to_owned(), created_at: 0, kind: 0, tags: Vec::new(), content: "".to_owned(), sig: "".to_owned(), tagidx: None, }; assert_eq!(s.interested_in_event(&e), false); Ok(()) } }