]> Untitled Git - lemmy.git/blob - crates/api_crud/src/post/create.rs
Change to_apub and from_apub to take by value and avoid cloning
[lemmy.git] / crates / api_crud / src / post / create.rs
1 use crate::PerformCrud;
2 use actix_web::web::Data;
3 use lemmy_api_common::{
4   blocking,
5   check_community_ban,
6   check_community_deleted_or_removed,
7   get_local_user_view_from_jwt,
8   honeypot_check,
9   mark_post_as_read,
10   post::*,
11 };
12 use lemmy_apub::{
13   fetcher::post_or_comment::PostOrComment,
14   generate_local_apub_endpoint,
15   objects::post::ApubPost,
16   protocol::activities::{
17     create_or_update::post::CreateOrUpdatePost,
18     voting::vote::{Vote, VoteType},
19     CreateOrUpdateType,
20   },
21   EndpointType,
22 };
23 use lemmy_db_schema::{
24   source::post::{Post, PostForm, PostLike, PostLikeForm},
25   traits::{Crud, Likeable},
26 };
27 use lemmy_utils::{
28   request::fetch_site_data,
29   utils::{check_slurs, check_slurs_opt, clean_url_params, is_valid_post_title},
30   ApiError,
31   ConnectionId,
32   LemmyError,
33 };
34 use lemmy_websocket::{send::send_post_ws_message, LemmyContext, UserOperationCrud};
35 use log::warn;
36 use url::Url;
37 use webmention::{Webmention, WebmentionError};
38
39 #[async_trait::async_trait(?Send)]
40 impl PerformCrud for CreatePost {
41   type Response = PostResponse;
42
43   async fn perform(
44     &self,
45     context: &Data<LemmyContext>,
46     websocket_id: Option<ConnectionId>,
47   ) -> Result<PostResponse, LemmyError> {
48     let data: &CreatePost = self;
49     let local_user_view =
50       get_local_user_view_from_jwt(&data.auth, context.pool(), context.secret()).await?;
51
52     let slur_regex = &context.settings().slur_regex();
53     check_slurs(&data.name, slur_regex)?;
54     check_slurs_opt(&data.body, slur_regex)?;
55     honeypot_check(&data.honeypot)?;
56
57     if !is_valid_post_title(&data.name) {
58       return Err(ApiError::err_plain("invalid_post_title").into());
59     }
60
61     check_community_ban(local_user_view.person.id, data.community_id, context.pool()).await?;
62     check_community_deleted_or_removed(data.community_id, context.pool()).await?;
63
64     // Fetch post links and pictrs cached image
65     let data_url = data.url.as_ref();
66     let (metadata_res, pictrs_thumbnail) =
67       fetch_site_data(context.client(), &context.settings(), data_url).await;
68     let (embed_title, embed_description, embed_html) = metadata_res
69       .map(|u| (u.title, u.description, u.html))
70       .unwrap_or((None, None, None));
71
72     let post_form = PostForm {
73       name: data.name.trim().to_owned(),
74       url: data_url.map(|u| clean_url_params(u.to_owned()).into()),
75       body: data.body.to_owned(),
76       community_id: data.community_id,
77       creator_id: local_user_view.person.id,
78       nsfw: data.nsfw,
79       embed_title,
80       embed_description,
81       embed_html,
82       thumbnail_url: pictrs_thumbnail.map(|u| u.into()),
83       ..PostForm::default()
84     };
85
86     let inserted_post =
87       match blocking(context.pool(), move |conn| Post::create(conn, &post_form)).await? {
88         Ok(post) => post,
89         Err(e) => {
90           let err_type = if e.to_string() == "value too long for type character varying(200)" {
91             "post_title_too_long"
92           } else {
93             "couldnt_create_post"
94           };
95
96           return Err(ApiError::err(err_type, e).into());
97         }
98       };
99
100     let inserted_post_id = inserted_post.id;
101     let protocol_and_hostname = context.settings().get_protocol_and_hostname();
102     let updated_post = blocking(context.pool(), move |conn| -> Result<Post, LemmyError> {
103       let apub_id = generate_local_apub_endpoint(
104         EndpointType::Post,
105         &inserted_post_id.to_string(),
106         &protocol_and_hostname,
107       )?;
108       Ok(Post::update_ap_id(conn, inserted_post_id, apub_id)?)
109     })
110     .await?
111     .map_err(|e| ApiError::err("couldnt_create_post", e))?;
112
113     // They like their own post by default
114     let person_id = local_user_view.person.id;
115     let post_id = inserted_post.id;
116     let like_form = PostLikeForm {
117       post_id,
118       person_id,
119       score: 1,
120     };
121
122     let like = move |conn: &'_ _| PostLike::like(conn, &like_form);
123     if blocking(context.pool(), like).await?.is_err() {
124       return Err(ApiError::err_plain("couldnt_like_post").into());
125     }
126
127     // Mark the post as read
128     mark_post_as_read(person_id, post_id, context.pool()).await?;
129
130     if let Some(url) = &updated_post.url {
131       let mut webmention =
132         Webmention::new::<Url>(updated_post.ap_id.clone().into(), url.clone().into())?;
133       webmention.set_checked(true);
134       match webmention.send().await {
135         Ok(_) => {}
136         Err(WebmentionError::NoEndpointDiscovered(_)) => {}
137         Err(e) => warn!("Failed to send webmention: {}", e),
138       }
139     }
140
141     let apub_post: ApubPost = updated_post.into();
142     CreateOrUpdatePost::send(
143       apub_post.clone(),
144       &local_user_view.person.clone().into(),
145       CreateOrUpdateType::Create,
146       context,
147     )
148     .await?;
149     let object = PostOrComment::Post(Box::new(apub_post));
150     Vote::send(
151       &object,
152       &local_user_view.person.clone().into(),
153       inserted_post.community_id,
154       VoteType::Like,
155       context,
156     )
157     .await?;
158
159     send_post_ws_message(
160       inserted_post.id,
161       UserOperationCrud::CreatePost,
162       websocket_id,
163       Some(local_user_view.person.id),
164       context,
165     )
166     .await
167   }
168 }