]> Untitled Git - lemmy.git/blob - crates/api_crud/src/user/create.rs
feat: re-added captcha checks (#3289)
[lemmy.git] / crates / api_crud / src / user / create.rs
1 use crate::PerformCrud;
2 use activitypub_federation::http_signatures::generate_actor_keypair;
3 use actix_web::web::Data;
4 use lemmy_api_common::{
5   context::LemmyContext,
6   person::{LoginResponse, Register},
7   utils::{
8     generate_inbox_url,
9     generate_local_apub_endpoint,
10     generate_shared_inbox_url,
11     honeypot_check,
12     local_site_to_slur_regex,
13     password_length_check,
14     send_new_applicant_email_to_admins,
15     send_verification_email,
16     EndpointType,
17   },
18 };
19 use lemmy_db_schema::{
20   aggregates::structs::PersonAggregates,
21   source::{
22     captcha_answer::{CaptchaAnswer, CheckCaptchaAnswer},
23     local_user::{LocalUser, LocalUserInsertForm},
24     person::{Person, PersonInsertForm},
25     registration_application::{RegistrationApplication, RegistrationApplicationInsertForm},
26   },
27   traits::Crud,
28   RegistrationMode,
29 };
30 use lemmy_db_views::structs::{LocalUserView, SiteView};
31 use lemmy_utils::{
32   claims::Claims,
33   error::LemmyError,
34   utils::{
35     slurs::{check_slurs, check_slurs_opt},
36     validation::is_valid_actor_name,
37   },
38 };
39
40 #[async_trait::async_trait(?Send)]
41 impl PerformCrud for Register {
42   type Response = LoginResponse;
43
44   #[tracing::instrument(skip(self, context))]
45   async fn perform(&self, context: &Data<LemmyContext>) -> Result<LoginResponse, LemmyError> {
46     let data: &Register = self;
47
48     let site_view = SiteView::read_local(context.pool()).await?;
49     let local_site = site_view.local_site;
50     let require_registration_application =
51       local_site.registration_mode == RegistrationMode::RequireApplication;
52
53     if local_site.registration_mode == RegistrationMode::Closed {
54       return Err(LemmyError::from_message("registration_closed"));
55     }
56
57     password_length_check(&data.password)?;
58     honeypot_check(&data.honeypot)?;
59
60     if local_site.require_email_verification && data.email.is_none() {
61       return Err(LemmyError::from_message("email_required"));
62     }
63
64     if local_site.site_setup && require_registration_application && data.answer.is_none() {
65       return Err(LemmyError::from_message(
66         "registration_application_answer_required",
67       ));
68     }
69
70     // Make sure passwords match
71     if data.password != data.password_verify {
72       return Err(LemmyError::from_message("passwords_dont_match"));
73     }
74
75     if local_site.site_setup && local_site.captcha_enabled {
76       if let Some(captcha_uuid) = &data.captcha_uuid {
77         let uuid = uuid::Uuid::parse_str(captcha_uuid)?;
78         let check = CaptchaAnswer::check_captcha(
79           context.pool(),
80           CheckCaptchaAnswer {
81             uuid,
82             answer: data.captcha_answer.clone().unwrap_or_default(),
83           },
84         )
85         .await?;
86         if !check {
87           return Err(LemmyError::from_message("captcha_incorrect"));
88         }
89       } else {
90         return Err(LemmyError::from_message("captcha_incorrect"));
91       }
92     }
93
94     let slur_regex = local_site_to_slur_regex(&local_site);
95     check_slurs(&data.username, &slur_regex)?;
96     check_slurs_opt(&data.answer, &slur_regex)?;
97
98     let actor_keypair = generate_actor_keypair()?;
99     is_valid_actor_name(&data.username, local_site.actor_name_max_length as usize)?;
100     let actor_id = generate_local_apub_endpoint(
101       EndpointType::Person,
102       &data.username,
103       &context.settings().get_protocol_and_hostname(),
104     )?;
105
106     if let Some(email) = &data.email {
107       if LocalUser::is_email_taken(context.pool(), email).await? {
108         return Err(LemmyError::from_message("email_already_exists"));
109       }
110     }
111
112     // We have to create both a person, and local_user
113
114     // Register the new person
115     let person_form = PersonInsertForm::builder()
116       .name(data.username.clone())
117       .actor_id(Some(actor_id.clone()))
118       .private_key(Some(actor_keypair.private_key))
119       .public_key(actor_keypair.public_key)
120       .inbox_url(Some(generate_inbox_url(&actor_id)?))
121       .shared_inbox_url(Some(generate_shared_inbox_url(&actor_id)?))
122       // If its the initial site setup, they are an admin
123       .admin(Some(!local_site.site_setup))
124       .instance_id(site_view.site.instance_id)
125       .build();
126
127     // insert the person
128     let inserted_person = Person::create(context.pool(), &person_form)
129       .await
130       .map_err(|e| LemmyError::from_error_message(e, "user_already_exists"))?;
131
132     // Automatically set their application as accepted, if they created this with open registration.
133     // Also fixes a bug which allows users to log in when registrations are changed to closed.
134     let accepted_application = Some(!require_registration_application);
135
136     // Create the local user
137     let local_user_form = LocalUserInsertForm::builder()
138       .person_id(inserted_person.id)
139       .email(data.email.as_deref().map(str::to_lowercase))
140       .password_encrypted(data.password.to_string())
141       .show_nsfw(Some(data.show_nsfw))
142       .accepted_application(accepted_application)
143       .build();
144
145     let inserted_local_user = LocalUser::create(context.pool(), &local_user_form).await?;
146
147     if local_site.site_setup && require_registration_application {
148       // Create the registration application
149       let form = RegistrationApplicationInsertForm {
150         local_user_id: inserted_local_user.id,
151         // We already made sure answer was not null above
152         answer: data.answer.clone().expect("must have an answer"),
153       };
154
155       RegistrationApplication::create(context.pool(), &form).await?;
156     }
157
158     // Email the admins
159     if local_site.application_email_admins {
160       send_new_applicant_email_to_admins(&data.username, context.pool(), context.settings())
161         .await?;
162     }
163
164     let mut login_response = LoginResponse {
165       jwt: None,
166       registration_created: false,
167       verify_email_sent: false,
168     };
169
170     // Log the user in directly if the site is not setup, or email verification and application aren't required
171     if !local_site.site_setup
172       || (!require_registration_application && !local_site.require_email_verification)
173     {
174       login_response.jwt = Some(
175         Claims::jwt(
176           inserted_local_user.id.0,
177           &context.secret().jwt_secret,
178           &context.settings().hostname,
179         )?
180         .into(),
181       );
182     } else {
183       if local_site.require_email_verification {
184         let local_user_view = LocalUserView {
185           local_user: inserted_local_user,
186           person: inserted_person,
187           counts: PersonAggregates::default(),
188         };
189         // we check at the beginning of this method that email is set
190         let email = local_user_view
191           .local_user
192           .email
193           .clone()
194           .expect("email was provided");
195
196         send_verification_email(&local_user_view, &email, context.pool(), context.settings())
197           .await?;
198         login_response.verify_email_sent = true;
199       }
200
201       if require_registration_application {
202         login_response.registration_created = true;
203       }
204     }
205
206     Ok(login_response)
207   }
208 }