]> Untitled Git - lemmy.git/blob - crates/apub/src/http/mod.rs
Fixing activity serialization. Fixes #1900 (#1901)
[lemmy.git] / crates / apub / src / http / mod.rs
1 use crate::{
2   activity_lists::SharedInboxActivities,
3   check_is_apub_id_valid,
4   context::{WithContext, WithContextJson},
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_json_apub_response(data: serde_json::Value) -> HttpResponse<Body> {
133   HttpResponse::Ok()
134     .content_type(APUB_JSON_CONTENT_TYPE)
135     .json(WithContextJson::new(data))
136 }
137
138 fn create_apub_tombstone_response<T>(data: &T) -> HttpResponse<Body>
139 where
140   T: Serialize,
141 {
142   HttpResponse::Gone()
143     .content_type(APUB_JSON_CONTENT_TYPE)
144     .status(StatusCode::GONE)
145     .json(WithContext::new(data))
146 }
147
148 #[derive(Deserialize)]
149 pub struct ActivityQuery {
150   type_: String,
151   id: String,
152 }
153
154 /// Return the ActivityPub json representation of a local activity over HTTP.
155 pub(crate) async fn get_activity(
156   info: web::Path<ActivityQuery>,
157   context: web::Data<LemmyContext>,
158 ) -> Result<HttpResponse<Body>, LemmyError> {
159   let settings = context.settings();
160   let activity_id = Url::parse(&format!(
161     "{}/activities/{}/{}",
162     settings.get_protocol_and_hostname(),
163     info.type_,
164     info.id
165   ))?
166   .into();
167   let activity = blocking(context.pool(), move |conn| {
168     Activity::read_from_apub_id(conn, &activity_id)
169   })
170   .await??;
171
172   let sensitive = activity.sensitive.unwrap_or(true);
173   if !activity.local || sensitive {
174     Ok(HttpResponse::NotFound().finish())
175   } else {
176     Ok(create_json_apub_response(activity.data))
177   }
178 }
179
180 pub(crate) async fn is_activity_already_known(
181   pool: &DbPool,
182   activity_id: &Url,
183 ) -> Result<bool, LemmyError> {
184   let activity_id = activity_id.to_owned().into();
185   let existing = blocking(pool, move |conn| {
186     Activity::read_from_apub_id(conn, &activity_id)
187   })
188   .await?;
189   match existing {
190     Ok(_) => Ok(true),
191     Err(_) => Ok(false),
192   }
193 }
194
195 fn assert_activity_not_local(id: &Url, hostname: &str) -> Result<(), LemmyError> {
196   let activity_domain = id.domain().context(location_info!())?;
197
198   if activity_domain == hostname {
199     return Err(
200       anyhow!(
201         "Error: received activity which was sent by local instance: {:?}",
202         id
203       )
204       .into(),
205     );
206   }
207   Ok(())
208 }