]> Untitled Git - lemmy.git/blob - crates/apub/src/lib.rs
d5d682a7d006dc34d4219b2a46cad9a56289c717
[lemmy.git] / crates / apub / src / lib.rs
1 #[macro_use]
2 extern crate lazy_static;
3
4 pub mod activities;
5 pub mod activity_queue;
6 pub mod extensions;
7 pub mod fetcher;
8 pub mod http;
9 pub mod inbox;
10 pub mod objects;
11
12 use crate::extensions::{
13   group_extensions::GroupExtension,
14   page_extension::PageExtension,
15   signatures::{PublicKey, PublicKeyExtension},
16 };
17 use activitystreams::{
18   activity::Follow,
19   actor::{ApActor, Group, Person},
20   base::AnyBase,
21   object::{ApObject, Note, Page},
22 };
23 use activitystreams_ext::{Ext1, Ext2};
24 use anyhow::{anyhow, Context};
25 use diesel::NotFound;
26 use lemmy_db_queries::{source::activity::Activity_, ApubObject, DbPool};
27 use lemmy_db_schema::source::{
28   activity::Activity,
29   comment::Comment,
30   community::Community,
31   post::Post,
32   private_message::PrivateMessage,
33   user::User_,
34 };
35 use lemmy_structs::blocking;
36 use lemmy_utils::{location_info, settings::Settings, LemmyError};
37 use lemmy_websocket::LemmyContext;
38 use serde::Serialize;
39 use std::net::IpAddr;
40 use url::{ParseError, Url};
41
42 /// Activitystreams type for community
43 type GroupExt = Ext2<ApActor<ApObject<Group>>, GroupExtension, PublicKeyExtension>;
44 /// Activitystreams type for user
45 type PersonExt = Ext1<ApActor<ApObject<Person>>, PublicKeyExtension>;
46 /// Activitystreams type for post
47 type PageExt = Ext1<ApObject<Page>, PageExtension>;
48 type NoteExt = ApObject<Note>;
49
50 pub static APUB_JSON_CONTENT_TYPE: &str = "application/activity+json";
51
52 /// Checks if the ID is allowed for sending or receiving.
53 ///
54 /// In particular, it checks for:
55 /// - federation being enabled (if its disabled, only local URLs are allowed)
56 /// - the correct scheme (either http or https)
57 /// - URL being in the allowlist (if it is active)
58 /// - URL not being in the blocklist (if it is active)
59 ///
60 /// Note that only one of allowlist and blacklist can be enabled, not both.
61 fn check_is_apub_id_valid(apub_id: &Url) -> Result<(), LemmyError> {
62   let settings = Settings::get();
63   let domain = apub_id.domain().context(location_info!())?.to_string();
64   let local_instance = settings.get_hostname_without_port()?;
65
66   if !settings.federation.enabled {
67     return if domain == local_instance {
68       Ok(())
69     } else {
70       Err(
71         anyhow!(
72           "Trying to connect with {}, but federation is disabled",
73           domain
74         )
75         .into(),
76       )
77     };
78   }
79
80   let host = apub_id.host_str().context(location_info!())?;
81   let host_as_ip = host.parse::<IpAddr>();
82   if host == "localhost" || host_as_ip.is_ok() {
83     return Err(anyhow!("invalid hostname: {:?}", host).into());
84   }
85
86   if apub_id.scheme() != Settings::get().get_protocol_string() {
87     return Err(anyhow!("invalid apub id scheme: {:?}", apub_id.scheme()).into());
88   }
89
90   let mut allowed_instances = Settings::get().get_allowed_instances();
91   let blocked_instances = Settings::get().get_blocked_instances();
92   if allowed_instances.is_empty() && blocked_instances.is_empty() {
93     Ok(())
94   } else if !allowed_instances.is_empty() {
95     // need to allow this explicitly because apub receive might contain objects from our local
96     // instance. split is needed to remove the port in our federation test setup.
97     allowed_instances.push(local_instance);
98
99     if allowed_instances.contains(&domain) {
100       Ok(())
101     } else {
102       Err(anyhow!("{} not in federation allowlist", domain).into())
103     }
104   } else if !blocked_instances.is_empty() {
105     if blocked_instances.contains(&domain) {
106       Err(anyhow!("{} is in federation blocklist", domain).into())
107     } else {
108       Ok(())
109     }
110   } else {
111     panic!("Invalid config, both allowed_instances and blocked_instances are specified");
112   }
113 }
114
115 /// Common functions for ActivityPub objects, which are implemented by most (but not all) objects
116 /// and actors in Lemmy.
117 #[async_trait::async_trait(?Send)]
118 pub trait ApubObjectType {
119   async fn send_create(&self, creator: &User_, context: &LemmyContext) -> Result<(), LemmyError>;
120   async fn send_update(&self, creator: &User_, context: &LemmyContext) -> Result<(), LemmyError>;
121   async fn send_delete(&self, creator: &User_, context: &LemmyContext) -> Result<(), LemmyError>;
122   async fn send_undo_delete(
123     &self,
124     creator: &User_,
125     context: &LemmyContext,
126   ) -> Result<(), LemmyError>;
127   async fn send_remove(&self, mod_: &User_, context: &LemmyContext) -> Result<(), LemmyError>;
128   async fn send_undo_remove(&self, mod_: &User_, context: &LemmyContext) -> Result<(), LemmyError>;
129 }
130
131 #[async_trait::async_trait(?Send)]
132 pub trait ApubLikeableType {
133   async fn send_like(&self, creator: &User_, context: &LemmyContext) -> Result<(), LemmyError>;
134   async fn send_dislike(&self, creator: &User_, context: &LemmyContext) -> Result<(), LemmyError>;
135   async fn send_undo_like(&self, creator: &User_, context: &LemmyContext)
136     -> Result<(), LemmyError>;
137 }
138
139 /// Common methods provided by ActivityPub actors (community and user). Not all methods are
140 /// implemented by all actors.
141 #[async_trait::async_trait(?Send)]
142 pub trait ActorType {
143   fn actor_id_str(&self) -> String;
144
145   // TODO: every actor should have a public key, so this shouldnt be an option (needs to be fixed in db)
146   fn public_key(&self) -> Option<String>;
147   fn private_key(&self) -> Option<String>;
148
149   async fn send_follow(
150     &self,
151     follow_actor_id: &Url,
152     context: &LemmyContext,
153   ) -> Result<(), LemmyError>;
154   async fn send_unfollow(
155     &self,
156     follow_actor_id: &Url,
157     context: &LemmyContext,
158   ) -> Result<(), LemmyError>;
159
160   async fn send_accept_follow(
161     &self,
162     follow: Follow,
163     context: &LemmyContext,
164   ) -> Result<(), LemmyError>;
165
166   async fn send_delete(&self, context: &LemmyContext) -> Result<(), LemmyError>;
167   async fn send_undo_delete(&self, context: &LemmyContext) -> Result<(), LemmyError>;
168
169   async fn send_remove(&self, context: &LemmyContext) -> Result<(), LemmyError>;
170   async fn send_undo_remove(&self, context: &LemmyContext) -> Result<(), LemmyError>;
171
172   async fn send_announce(
173     &self,
174     activity: AnyBase,
175     context: &LemmyContext,
176   ) -> Result<(), LemmyError>;
177
178   /// For a given community, returns the inboxes of all followers.
179   async fn get_follower_inboxes(&self, pool: &DbPool) -> Result<Vec<Url>, LemmyError>;
180
181   fn actor_id(&self) -> Result<Url, ParseError> {
182     Url::parse(&self.actor_id_str())
183   }
184
185   // TODO move these to the db rows
186   fn get_inbox_url(&self) -> Result<Url, ParseError> {
187     Url::parse(&format!("{}/inbox", &self.actor_id_str()))
188   }
189
190   fn get_shared_inbox_url(&self) -> Result<Url, LemmyError> {
191     let actor_id = self.actor_id()?;
192     let url = format!(
193       "{}://{}{}/inbox",
194       &actor_id.scheme(),
195       &actor_id.host_str().context(location_info!())?,
196       if let Some(port) = actor_id.port() {
197         format!(":{}", port)
198       } else {
199         "".to_string()
200       },
201     );
202     Ok(Url::parse(&url)?)
203   }
204
205   fn get_outbox_url(&self) -> Result<Url, ParseError> {
206     Url::parse(&format!("{}/outbox", &self.actor_id_str()))
207   }
208
209   fn get_followers_url(&self) -> Result<Url, ParseError> {
210     Url::parse(&format!("{}/followers", &self.actor_id_str()))
211   }
212
213   fn get_public_key_ext(&self) -> Result<PublicKeyExtension, LemmyError> {
214     Ok(
215       PublicKey {
216         id: format!("{}#main-key", self.actor_id_str()),
217         owner: self.actor_id_str(),
218         public_key_pem: self.public_key().context(location_info!())?,
219       }
220       .to_ext(),
221     )
222   }
223 }
224
225 /// Store a sent or received activity in the database, for logging purposes. These records are not
226 /// persistent.
227 pub(crate) async fn insert_activity<T>(
228   ap_id: &Url,
229   activity: T,
230   local: bool,
231   sensitive: bool,
232   pool: &DbPool,
233 ) -> Result<(), LemmyError>
234 where
235   T: Serialize + std::fmt::Debug + Send + 'static,
236 {
237   let ap_id = ap_id.to_string();
238   blocking(pool, move |conn| {
239     Activity::insert(conn, ap_id, &activity, local, sensitive)
240   })
241   .await??;
242   Ok(())
243 }
244
245 pub(crate) enum PostOrComment {
246   Comment(Comment),
247   Post(Post),
248 }
249
250 /// Tries to find a post or comment in the local database, without any network requests.
251 /// This is used to handle deletions and removals, because in case we dont have the object, we can
252 /// simply ignore the activity.
253 pub(crate) async fn find_post_or_comment_by_id(
254   context: &LemmyContext,
255   apub_id: Url,
256 ) -> Result<PostOrComment, LemmyError> {
257   let ap_id = apub_id.to_string();
258   let post = blocking(context.pool(), move |conn| {
259     Post::read_from_apub_id(conn, &ap_id)
260   })
261   .await?;
262   if let Ok(p) = post {
263     return Ok(PostOrComment::Post(p));
264   }
265
266   let ap_id = apub_id.to_string();
267   let comment = blocking(context.pool(), move |conn| {
268     Comment::read_from_apub_id(conn, &ap_id)
269   })
270   .await?;
271   if let Ok(c) = comment {
272     return Ok(PostOrComment::Comment(c));
273   }
274
275   Err(NotFound.into())
276 }
277
278 pub(crate) enum Object {
279   Comment(Comment),
280   Post(Post),
281   Community(Community),
282   User(User_),
283   PrivateMessage(PrivateMessage),
284 }
285
286 pub(crate) async fn find_object_by_id(
287   context: &LemmyContext,
288   apub_id: Url,
289 ) -> Result<Object, LemmyError> {
290   if let Ok(pc) = find_post_or_comment_by_id(context, apub_id.to_owned()).await {
291     return Ok(match pc {
292       PostOrComment::Post(p) => Object::Post(p),
293       PostOrComment::Comment(c) => Object::Comment(c),
294     });
295   }
296
297   let ap_id = apub_id.to_string();
298   let user = blocking(context.pool(), move |conn| {
299     User_::read_from_apub_id(conn, &ap_id)
300   })
301   .await?;
302   if let Ok(u) = user {
303     return Ok(Object::User(u));
304   }
305
306   let ap_id = apub_id.to_string();
307   let community = blocking(context.pool(), move |conn| {
308     Community::read_from_apub_id(conn, &ap_id)
309   })
310   .await?;
311   if let Ok(c) = community {
312     return Ok(Object::Community(c));
313   }
314
315   let ap_id = apub_id.to_string();
316   let private_message = blocking(context.pool(), move |conn| {
317     PrivateMessage::read_from_apub_id(conn, &ap_id)
318   })
319   .await?;
320   if let Ok(pm) = private_message {
321     return Ok(Object::PrivateMessage(pm));
322   }
323
324   Err(NotFound.into())
325 }