]> Untitled Git - lemmy.git/blob - crates/apub/src/activities/comment/mod.rs
Move resolving of activitypub objects to separate api endpoint (fixes #1584)
[lemmy.git] / crates / apub / src / activities / comment / mod.rs
1 use crate::{fetcher::person::get_or_fetch_and_upsert_person, ActorType};
2 use activitystreams::{
3   base::BaseExt,
4   link::{LinkExt, Mention},
5 };
6 use anyhow::anyhow;
7 use itertools::Itertools;
8 use lemmy_api_common::{blocking, send_local_notifs};
9 use lemmy_apub_lib::webfinger::WebfingerResponse;
10 use lemmy_db_queries::{Crud, DbPool};
11 use lemmy_db_schema::{
12   source::{comment::Comment, community::Community, person::Person, post::Post},
13   LocalUserId,
14 };
15 use lemmy_utils::{
16   request::{retry, RecvError},
17   settings::structs::Settings,
18   utils::{scrape_text_for_mentions, MentionData},
19   LemmyError,
20 };
21 use lemmy_websocket::LemmyContext;
22 use log::debug;
23 use reqwest::Client;
24 use url::Url;
25
26 pub mod create_or_update;
27
28 async fn get_notif_recipients(
29   actor: &Url,
30   comment: &Comment,
31   context: &LemmyContext,
32   request_counter: &mut i32,
33 ) -> Result<Vec<LocalUserId>, LemmyError> {
34   let post_id = comment.post_id;
35   let post = blocking(context.pool(), move |conn| Post::read(conn, post_id)).await??;
36   let actor = get_or_fetch_and_upsert_person(actor, context, request_counter).await?;
37
38   // Note:
39   // Although mentions could be gotten from the post tags (they are included there), or the ccs,
40   // Its much easier to scrape them from the comment body, since the API has to do that
41   // anyway.
42   // TODO: for compatibility with other projects, it would be much better to read this from cc or tags
43   let mentions = scrape_text_for_mentions(&comment.content);
44   send_local_notifs(mentions, comment.clone(), actor, post, context.pool(), true).await
45 }
46
47 pub struct MentionsAndAddresses {
48   pub ccs: Vec<Url>,
49   pub inboxes: Vec<Url>,
50   pub tags: Vec<Mention>,
51 }
52
53 /// This takes a comment, and builds a list of to_addresses, inboxes,
54 /// and mention tags, so they know where to be sent to.
55 /// Addresses are the persons / addresses that go in the cc field.
56 pub async fn collect_non_local_mentions(
57   comment: &Comment,
58   community: &Community,
59   context: &LemmyContext,
60 ) -> Result<MentionsAndAddresses, LemmyError> {
61   let parent_creator = get_comment_parent_creator(context.pool(), comment).await?;
62   let mut addressed_ccs = vec![community.actor_id(), parent_creator.actor_id()];
63   // Note: dont include community inbox here, as we send to it separately with `send_to_community()`
64   let mut inboxes = vec![parent_creator.get_shared_inbox_or_inbox_url()];
65
66   // Add the mention tag
67   let mut tags = Vec::new();
68
69   // Get the person IDs for any mentions
70   let mentions = scrape_text_for_mentions(&comment.content)
71     .into_iter()
72     // Filter only the non-local ones
73     .filter(|m| !m.is_local())
74     .collect::<Vec<MentionData>>();
75
76   for mention in &mentions {
77     // TODO should it be fetching it every time?
78     if let Ok(actor_id) = fetch_webfinger_url(mention, context.client()).await {
79       debug!("mention actor_id: {}", actor_id);
80       addressed_ccs.push(actor_id.to_owned().to_string().parse()?);
81
82       let mention_person = get_or_fetch_and_upsert_person(&actor_id, context, &mut 0).await?;
83       inboxes.push(mention_person.get_shared_inbox_or_inbox_url());
84
85       let mut mention_tag = Mention::new();
86       mention_tag.set_href(actor_id).set_name(mention.full_name());
87       tags.push(mention_tag);
88     }
89   }
90
91   let inboxes = inboxes.into_iter().unique().collect();
92
93   Ok(MentionsAndAddresses {
94     ccs: addressed_ccs,
95     inboxes,
96     tags,
97   })
98 }
99
100 /// Returns the apub ID of the person this comment is responding to. Meaning, in case this is a
101 /// top-level comment, the creator of the post, otherwise the creator of the parent comment.
102 async fn get_comment_parent_creator(
103   pool: &DbPool,
104   comment: &Comment,
105 ) -> Result<Person, LemmyError> {
106   let parent_creator_id = if let Some(parent_comment_id) = comment.parent_id {
107     let parent_comment =
108       blocking(pool, move |conn| Comment::read(conn, parent_comment_id)).await??;
109     parent_comment.creator_id
110   } else {
111     let parent_post_id = comment.post_id;
112     let parent_post = blocking(pool, move |conn| Post::read(conn, parent_post_id)).await??;
113     parent_post.creator_id
114   };
115   Ok(blocking(pool, move |conn| Person::read(conn, parent_creator_id)).await??)
116 }
117
118 /// Turns a person id like `@name@example.com` into an apub ID, like `https://example.com/user/name`,
119 /// using webfinger.
120 async fn fetch_webfinger_url(mention: &MentionData, client: &Client) -> Result<Url, LemmyError> {
121   let fetch_url = format!(
122     "{}://{}/.well-known/webfinger?resource=acct:{}@{}",
123     Settings::get().get_protocol_string(),
124     mention.domain,
125     mention.name,
126     mention.domain
127   );
128   debug!("Fetching webfinger url: {}", &fetch_url);
129
130   let response = retry(|| client.get(&fetch_url).send()).await?;
131
132   let res: WebfingerResponse = response
133     .json()
134     .await
135     .map_err(|e| RecvError(e.to_string()))?;
136
137   let link = res
138     .links
139     .iter()
140     .find(|l| l.type_.eq(&Some("application/activity+json".to_string())))
141     .ok_or_else(|| anyhow!("No application/activity+json link found."))?;
142   link
143     .href
144     .to_owned()
145     .ok_or_else(|| anyhow!("No href found.").into())
146 }