]> Untitled Git - lemmy.git/blob - crates/apub/src/http/mod.rs
More federation compat (#1894)
[lemmy.git] / crates / apub / src / http / mod.rs
1 use crate::{
2   activity_lists::SharedInboxActivities,
3   check_is_apub_id_valid,
4   context::WithContext,
5   fetcher::user_or_community::UserOrCommunity,
6   http::{community::receive_group_inbox, person::receive_person_inbox},
7   insert_activity,
8 };
9 use actix_web::{
10   body::Body,
11   web,
12   web::{Bytes, BytesMut, Payload},
13   HttpRequest,
14   HttpResponse,
15 };
16 use anyhow::{anyhow, Context};
17 use futures::StreamExt;
18 use http::StatusCode;
19 use lemmy_api_common::blocking;
20 use lemmy_apub_lib::{
21   data::Data,
22   object_id::ObjectId,
23   signatures::verify_signature,
24   traits::{ActivityHandler, ActorType},
25   APUB_JSON_CONTENT_TYPE,
26 };
27 use lemmy_db_schema::{source::activity::Activity, DbPool};
28 use lemmy_utils::{location_info, LemmyError};
29 use lemmy_websocket::LemmyContext;
30 use log::info;
31 use serde::{Deserialize, Serialize};
32 use std::{fmt::Debug, io::Read};
33 use url::Url;
34
35 mod comment;
36 mod community;
37 mod person;
38 mod post;
39 pub mod routes;
40
41 pub async fn shared_inbox(
42   request: HttpRequest,
43   payload: Payload,
44   context: web::Data<LemmyContext>,
45 ) -> Result<HttpResponse, LemmyError> {
46   let unparsed = payload_to_string(payload).await?;
47   info!("Received shared inbox activity {}", unparsed);
48   let activity_data: ActivityCommonFields = serde_json::from_str(&unparsed)?;
49   let activity = serde_json::from_str::<WithContext<SharedInboxActivities>>(&unparsed)?;
50   match activity.inner() {
51     SharedInboxActivities::GroupInboxActivities(g) => {
52       receive_group_inbox(*g, activity_data, request, &context).await
53     }
54     SharedInboxActivities::PersonInboxActivities(p) => {
55       receive_person_inbox(*p, activity_data, request, &context).await
56     }
57   }
58 }
59
60 async fn payload_to_string(mut payload: Payload) -> Result<String, LemmyError> {
61   let mut bytes = BytesMut::new();
62   while let Some(item) = payload.next().await {
63     bytes.extend_from_slice(&item?);
64   }
65   let mut unparsed = String::new();
66   Bytes::from(bytes).as_ref().read_to_string(&mut unparsed)?;
67   Ok(unparsed)
68 }
69
70 #[derive(Clone, Debug, Deserialize, Serialize)]
71 #[serde(rename_all = "camelCase")]
72 pub(crate) struct ActivityCommonFields {
73   pub(crate) id: Url,
74   pub(crate) actor: Url,
75 }
76
77 // TODO: move most of this code to library
78 async fn receive_activity<'a, T>(
79   request: HttpRequest,
80   activity: T,
81   activity_data: ActivityCommonFields,
82   context: &LemmyContext,
83 ) -> Result<HttpResponse, LemmyError>
84 where
85   T: ActivityHandler<DataType = LemmyContext>
86     + Clone
87     + Deserialize<'a>
88     + Serialize
89     + std::fmt::Debug
90     + Send
91     + 'static,
92 {
93   check_is_apub_id_valid(&activity_data.actor, false, &context.settings())?;
94   let request_counter = &mut 0;
95   let actor = ObjectId::<UserOrCommunity>::new(activity_data.actor)
96     .dereference(context, request_counter)
97     .await?;
98   verify_signature(&request, &actor.public_key().context(location_info!())?)?;
99
100   // Do nothing if we received the same activity before
101   if is_activity_already_known(context.pool(), &activity_data.id).await? {
102     return Ok(HttpResponse::Ok().finish());
103   }
104   info!("Verifying activity {}", activity_data.id.to_string());
105   activity
106     .verify(&Data::new(context.clone()), request_counter)
107     .await?;
108   assert_activity_not_local(&activity_data.id, &context.settings().hostname)?;
109
110   // Log the activity, so we avoid receiving and parsing it twice. Note that this could still happen
111   // if we receive the same activity twice in very quick succession.
112   insert_activity(&activity_data.id, &activity, false, true, context.pool()).await?;
113
114   info!("Receiving activity {}", activity_data.id.to_string());
115   activity
116     .receive(&Data::new(context.clone()), request_counter)
117     .await?;
118   Ok(HttpResponse::Ok().finish())
119 }
120
121 /// Convert the data to json and turn it into an HTTP Response with the correct ActivityPub
122 /// headers.
123 fn create_apub_response<T>(data: &T) -> HttpResponse<Body>
124 where
125   T: Serialize,
126 {
127   HttpResponse::Ok()
128     .content_type(APUB_JSON_CONTENT_TYPE)
129     .json(WithContext::new(data))
130 }
131
132 fn create_apub_tombstone_response<T>(data: &T) -> HttpResponse<Body>
133 where
134   T: Serialize,
135 {
136   HttpResponse::Gone()
137     .content_type(APUB_JSON_CONTENT_TYPE)
138     .status(StatusCode::GONE)
139     .json(WithContext::new(data))
140 }
141
142 #[derive(Deserialize)]
143 pub struct ActivityQuery {
144   type_: String,
145   id: String,
146 }
147
148 /// Return the ActivityPub json representation of a local activity over HTTP.
149 pub(crate) async fn get_activity(
150   info: web::Path<ActivityQuery>,
151   context: web::Data<LemmyContext>,
152 ) -> Result<HttpResponse<Body>, LemmyError> {
153   let settings = context.settings();
154   let activity_id = Url::parse(&format!(
155     "{}/activities/{}/{}",
156     settings.get_protocol_and_hostname(),
157     info.type_,
158     info.id
159   ))?
160   .into();
161   let activity = blocking(context.pool(), move |conn| {
162     Activity::read_from_apub_id(conn, &activity_id)
163   })
164   .await??;
165
166   let sensitive = activity.sensitive.unwrap_or(true);
167   if !activity.local || sensitive {
168     Ok(HttpResponse::NotFound().finish())
169   } else {
170     Ok(create_apub_response(&activity.data))
171   }
172 }
173
174 pub(crate) async fn is_activity_already_known(
175   pool: &DbPool,
176   activity_id: &Url,
177 ) -> Result<bool, LemmyError> {
178   let activity_id = activity_id.to_owned().into();
179   let existing = blocking(pool, move |conn| {
180     Activity::read_from_apub_id(conn, &activity_id)
181   })
182   .await?;
183   match existing {
184     Ok(_) => Ok(true),
185     Err(_) => Ok(false),
186   }
187 }
188
189 fn assert_activity_not_local(id: &Url, hostname: &str) -> Result<(), LemmyError> {
190   let activity_domain = id.domain().context(location_info!())?;
191
192   if activity_domain == hostname {
193     return Err(
194       anyhow!(
195         "Error: received activity which was sent by local instance: {:?}",
196         id
197       )
198       .into(),
199     );
200   }
201   Ok(())
202 }