]> Untitled Git - lemmy.git/blob - crates/apub/src/objects/community.rs
Remove unused ActorType methods
[lemmy.git] / crates / apub / src / objects / community.rs
1 use crate::{
2   check_is_apub_id_valid,
3   collections::{community_moderators::ApubCommunityModerators, CommunityContext},
4   generate_moderators_url,
5   generate_outbox_url,
6   protocol::{
7     objects::{group::Group, tombstone::Tombstone, Endpoints},
8     ImageObject,
9     Source,
10   },
11 };
12 use activitystreams::{actor::kind::GroupType, object::kind::ImageType};
13 use chrono::NaiveDateTime;
14 use itertools::Itertools;
15 use lemmy_api_common::blocking;
16 use lemmy_apub_lib::{
17   object_id::ObjectId,
18   traits::{ActorType, ApubObject},
19   values::MediaTypeMarkdown,
20 };
21 use lemmy_db_schema::source::community::Community;
22 use lemmy_db_views_actor::community_follower_view::CommunityFollowerView;
23 use lemmy_utils::{
24   utils::{convert_datetime, markdown_to_html},
25   LemmyError,
26 };
27 use lemmy_websocket::LemmyContext;
28 use log::debug;
29 use std::ops::Deref;
30 use url::Url;
31
32 #[derive(Clone, Debug)]
33 pub struct ApubCommunity(Community);
34
35 impl Deref for ApubCommunity {
36   type Target = Community;
37   fn deref(&self) -> &Self::Target {
38     &self.0
39   }
40 }
41
42 impl From<Community> for ApubCommunity {
43   fn from(c: Community) -> Self {
44     ApubCommunity { 0: c }
45   }
46 }
47
48 #[async_trait::async_trait(?Send)]
49 impl ApubObject for ApubCommunity {
50   type DataType = LemmyContext;
51   type ApubType = Group;
52   type TombstoneType = Tombstone;
53
54   fn last_refreshed_at(&self) -> Option<NaiveDateTime> {
55     Some(self.last_refreshed_at)
56   }
57
58   async fn read_from_apub_id(
59     object_id: Url,
60     context: &LemmyContext,
61   ) -> Result<Option<Self>, LemmyError> {
62     Ok(
63       blocking(context.pool(), move |conn| {
64         Community::read_from_apub_id(conn, object_id)
65       })
66       .await??
67       .map(Into::into),
68     )
69   }
70
71   async fn delete(self, context: &LemmyContext) -> Result<(), LemmyError> {
72     blocking(context.pool(), move |conn| {
73       Community::update_deleted(conn, self.id, true)
74     })
75     .await??;
76     Ok(())
77   }
78
79   async fn into_apub(self, _context: &LemmyContext) -> Result<Group, LemmyError> {
80     let source = self.description.clone().map(|bio| Source {
81       content: bio,
82       media_type: MediaTypeMarkdown::Markdown,
83     });
84     let icon = self.icon.clone().map(|url| ImageObject {
85       kind: ImageType::Image,
86       url: url.into(),
87     });
88     let image = self.banner.clone().map(|url| ImageObject {
89       kind: ImageType::Image,
90       url: url.into(),
91     });
92
93     let group = Group {
94       kind: GroupType::Group,
95       id: ObjectId::new(self.actor_id()),
96       preferred_username: self.name.clone(),
97       name: self.title.clone(),
98       summary: self.description.as_ref().map(|b| markdown_to_html(b)),
99       source,
100       icon,
101       image,
102       sensitive: Some(self.nsfw),
103       moderators: Some(ObjectId::<ApubCommunityModerators>::new(
104         generate_moderators_url(&self.actor_id)?,
105       )),
106       inbox: self.inbox_url.clone().into(),
107       outbox: ObjectId::new(generate_outbox_url(&self.actor_id)?),
108       followers: self.followers_url.clone().into(),
109       endpoints: Endpoints {
110         shared_inbox: self.shared_inbox_url.clone().map(|s| s.into()),
111       },
112       public_key: self.get_public_key()?,
113       published: Some(convert_datetime(self.published)),
114       updated: self.updated.map(convert_datetime),
115       unparsed: Default::default(),
116     };
117     Ok(group)
118   }
119
120   fn to_tombstone(&self) -> Result<Tombstone, LemmyError> {
121     Ok(Tombstone::new(
122       GroupType::Group,
123       self.updated.unwrap_or(self.published),
124     ))
125   }
126
127   /// Converts a `Group` to `Community`, inserts it into the database and updates moderators.
128   async fn from_apub(
129     group: Group,
130     context: &LemmyContext,
131     expected_domain: &Url,
132     request_counter: &mut i32,
133   ) -> Result<ApubCommunity, LemmyError> {
134     let form = Group::into_form(group.clone(), expected_domain, &context.settings()).await?;
135
136     // Fetching mods and outbox is not necessary for Lemmy to work, so ignore errors. Besides,
137     // we need to ignore these errors so that tests can work entirely offline.
138     let community: ApubCommunity =
139       blocking(context.pool(), move |conn| Community::upsert(conn, &form))
140         .await??
141         .into();
142     let outbox_data = CommunityContext(community.clone(), context.clone());
143
144     group
145       .outbox
146       .dereference(&outbox_data, request_counter)
147       .await
148       .map_err(|e| debug!("{}", e))
149       .ok();
150
151     if let Some(moderators) = &group.moderators {
152       moderators
153         .dereference(&outbox_data, request_counter)
154         .await
155         .map_err(|e| debug!("{}", e))
156         .ok();
157     }
158
159     Ok(community)
160   }
161 }
162
163 impl ActorType for ApubCommunity {
164   fn actor_id(&self) -> Url {
165     self.actor_id.to_owned().into()
166   }
167   fn public_key(&self) -> Option<String> {
168     self.public_key.to_owned()
169   }
170   fn private_key(&self) -> Option<String> {
171     self.private_key.to_owned()
172   }
173
174   fn inbox_url(&self) -> Url {
175     self.inbox_url.clone().into()
176   }
177
178   fn shared_inbox_url(&self) -> Option<Url> {
179     self.shared_inbox_url.clone().map(|s| s.into())
180   }
181 }
182
183 impl ApubCommunity {
184   /// For a given community, returns the inboxes of all followers.
185   pub(crate) async fn get_follower_inboxes(
186     &self,
187     additional_inboxes: Vec<Url>,
188     context: &LemmyContext,
189   ) -> Result<Vec<Url>, LemmyError> {
190     let id = self.id;
191
192     let follows = blocking(context.pool(), move |conn| {
193       CommunityFollowerView::for_community(conn, id)
194     })
195     .await??;
196     let follower_inboxes: Vec<Url> = follows
197       .into_iter()
198       .filter(|f| !f.follower.local)
199       .map(|f| {
200         f.follower
201           .shared_inbox_url
202           .unwrap_or(f.follower.inbox_url)
203           .into()
204       })
205       .collect();
206     let inboxes = vec![follower_inboxes, additional_inboxes]
207       .into_iter()
208       .flatten()
209       .unique()
210       .filter(|inbox| inbox.host_str() != Some(&context.settings().hostname))
211       // Don't send to blocked instances
212       .filter(|inbox| check_is_apub_id_valid(inbox, false, &context.settings()).is_ok())
213       .collect();
214
215     Ok(inboxes)
216   }
217 }
218
219 #[cfg(test)]
220 pub(crate) mod tests {
221   use super::*;
222   use crate::objects::tests::{file_to_json_object, init_context};
223   use lemmy_db_schema::traits::Crud;
224   use serial_test::serial;
225
226   pub(crate) async fn parse_lemmy_community(context: &LemmyContext) -> ApubCommunity {
227     let mut json: Group = file_to_json_object("assets/lemmy/objects/group.json");
228     // change these links so they dont fetch over the network
229     json.moderators = None;
230     json.outbox =
231       ObjectId::new(Url::parse("https://enterprise.lemmy.ml/c/tenforward/not_outbox").unwrap());
232
233     let url = Url::parse("https://enterprise.lemmy.ml/c/tenforward").unwrap();
234     let mut request_counter = 0;
235     let community = ApubCommunity::from_apub(json, context, &url, &mut request_counter)
236       .await
237       .unwrap();
238     // this makes two requests to the (intentionally) broken outbox/moderators collections
239     assert_eq!(request_counter, 1);
240     community
241   }
242
243   #[actix_rt::test]
244   #[serial]
245   async fn test_parse_lemmy_community() {
246     let context = init_context();
247     let community = parse_lemmy_community(&context).await;
248
249     assert_eq!(community.title, "Ten Forward");
250     assert!(community.public_key.is_some());
251     assert!(!community.local);
252     assert_eq!(community.description.as_ref().unwrap().len(), 132);
253
254     Community::delete(&*context.pool().get().unwrap(), community.id).unwrap();
255   }
256 }