]> Untitled Git - lemmy.git/blob - crates/db_schema/src/utils.rs
Speeding up comment-ltree migration, fixing index creation. Fixes #2664 (#2670)
[lemmy.git] / crates / db_schema / src / utils.rs
1 use crate::{
2   diesel::Connection,
3   diesel_migrations::MigrationHarness,
4   newtypes::DbUrl,
5   CommentSortType,
6   SortType,
7 };
8 use activitypub_federation::{core::object_id::ObjectId, traits::ApubObject};
9 use bb8::PooledConnection;
10 use chrono::NaiveDateTime;
11 use diesel::{
12   backend::Backend,
13   deserialize::FromSql,
14   pg::Pg,
15   result::{Error as DieselError, Error::QueryBuilderError},
16   serialize::{Output, ToSql},
17   sql_types::Text,
18   PgConnection,
19 };
20 use diesel_async::{
21   pg::AsyncPgConnection,
22   pooled_connection::{bb8::Pool, AsyncDieselConnectionManager},
23 };
24 use diesel_migrations::EmbeddedMigrations;
25 use lemmy_utils::{error::LemmyError, settings::structs::Settings};
26 use once_cell::sync::Lazy;
27 use regex::Regex;
28 use std::{env, env::VarError};
29 use tracing::info;
30 use url::Url;
31
32 const FETCH_LIMIT_DEFAULT: i64 = 10;
33 pub const FETCH_LIMIT_MAX: i64 = 50;
34
35 pub type DbPool = Pool<AsyncPgConnection>;
36
37 pub async fn get_conn(
38   pool: &DbPool,
39 ) -> Result<PooledConnection<AsyncDieselConnectionManager<AsyncPgConnection>>, DieselError> {
40   pool.get().await.map_err(|e| QueryBuilderError(e.into()))
41 }
42
43 pub fn get_database_url_from_env() -> Result<String, VarError> {
44   env::var("LEMMY_DATABASE_URL")
45 }
46
47 pub fn fuzzy_search(q: &str) -> String {
48   let replaced = q.replace('%', "\\%").replace('_', "\\_").replace(' ', "%");
49   format!("%{}%", replaced)
50 }
51
52 pub fn limit_and_offset(
53   page: Option<i64>,
54   limit: Option<i64>,
55 ) -> Result<(i64, i64), diesel::result::Error> {
56   let page = match page {
57     Some(page) => {
58       if page < 1 {
59         return Err(QueryBuilderError("Page is < 1".into()));
60       } else {
61         page
62       }
63     }
64     None => 1,
65   };
66   let limit = match limit {
67     Some(limit) => {
68       if !(1..=FETCH_LIMIT_MAX).contains(&limit) {
69         return Err(QueryBuilderError(
70           format!("Fetch limit is > {}", FETCH_LIMIT_MAX).into(),
71         ));
72       } else {
73         limit
74       }
75     }
76     None => FETCH_LIMIT_DEFAULT,
77   };
78   let offset = limit * (page - 1);
79   Ok((limit, offset))
80 }
81
82 pub fn limit_and_offset_unlimited(page: Option<i64>, limit: Option<i64>) -> (i64, i64) {
83   let limit = limit.unwrap_or(FETCH_LIMIT_DEFAULT);
84   let offset = limit * (page.unwrap_or(1) - 1);
85   (limit, offset)
86 }
87
88 pub fn is_email_regex(test: &str) -> bool {
89   EMAIL_REGEX.is_match(test)
90 }
91
92 pub fn diesel_option_overwrite(opt: &Option<String>) -> Option<Option<String>> {
93   match opt {
94     // An empty string is an erase
95     Some(unwrapped) => {
96       if !unwrapped.eq("") {
97         Some(Some(unwrapped.clone()))
98       } else {
99         Some(None)
100       }
101     }
102     None => None,
103   }
104 }
105
106 pub fn diesel_option_overwrite_to_url(
107   opt: &Option<String>,
108 ) -> Result<Option<Option<DbUrl>>, LemmyError> {
109   match opt.as_ref().map(std::string::String::as_str) {
110     // An empty string is an erase
111     Some("") => Ok(Some(None)),
112     Some(str_url) => match Url::parse(str_url) {
113       Ok(url) => Ok(Some(Some(url.into()))),
114       Err(e) => Err(LemmyError::from_error_message(e, "invalid_url")),
115     },
116     None => Ok(None),
117   }
118 }
119
120 pub fn diesel_option_overwrite_to_url_create(
121   opt: &Option<String>,
122 ) -> Result<Option<DbUrl>, LemmyError> {
123   match opt.as_ref().map(std::string::String::as_str) {
124     // An empty string is nothing
125     Some("") => Ok(None),
126     Some(str_url) => match Url::parse(str_url) {
127       Ok(url) => Ok(Some(url.into())),
128       Err(e) => Err(LemmyError::from_error_message(e, "invalid_url")),
129     },
130     None => Ok(None),
131   }
132 }
133
134 async fn build_db_pool_settings_opt(settings: Option<&Settings>) -> Result<DbPool, LemmyError> {
135   let db_url = get_database_url(settings);
136   let pool_size = settings.map(|s| s.database.pool_size).unwrap_or(5);
137   let manager = AsyncDieselConnectionManager::<AsyncPgConnection>::new(&db_url);
138   let pool = Pool::builder()
139     .max_size(pool_size)
140     .min_idle(Some(1))
141     .build(manager)
142     .await?;
143
144   // If there's no settings, that means its a unit test, and migrations need to be run
145   if settings.is_none() {
146     run_migrations(&db_url);
147   }
148
149   Ok(pool)
150 }
151
152 pub const MIGRATIONS: EmbeddedMigrations = embed_migrations!();
153
154 pub fn run_migrations(db_url: &str) {
155   // Needs to be a sync connection
156   let mut conn =
157     PgConnection::establish(db_url).unwrap_or_else(|_| panic!("Error connecting to {}", db_url));
158   info!("Running Database migrations (This may take a long time)...");
159   let _ = &mut conn
160     .run_pending_migrations(MIGRATIONS)
161     .unwrap_or_else(|_| panic!("Couldn't run DB Migrations"));
162   info!("Database migrations complete.");
163 }
164
165 pub async fn build_db_pool(settings: &Settings) -> Result<DbPool, LemmyError> {
166   build_db_pool_settings_opt(Some(settings)).await
167 }
168
169 pub async fn build_db_pool_for_tests() -> DbPool {
170   build_db_pool_settings_opt(None)
171     .await
172     .expect("db pool missing")
173 }
174
175 pub fn get_database_url(settings: Option<&Settings>) -> String {
176   // The env var should override anything in the settings config
177   match get_database_url_from_env() {
178     Ok(url) => url,
179     Err(e) => match settings {
180       Some(settings) => settings.get_database_url(),
181       None => panic!(
182         "Failed to read database URL from env var LEMMY_DATABASE_URL: {}",
183         e
184       ),
185     },
186   }
187 }
188
189 pub fn naive_now() -> NaiveDateTime {
190   chrono::prelude::Utc::now().naive_utc()
191 }
192
193 pub fn post_to_comment_sort_type(sort: SortType) -> CommentSortType {
194   match sort {
195     SortType::Active | SortType::Hot => CommentSortType::Hot,
196     SortType::New | SortType::NewComments | SortType::MostComments => CommentSortType::New,
197     SortType::Old => CommentSortType::Old,
198     SortType::TopDay
199     | SortType::TopAll
200     | SortType::TopWeek
201     | SortType::TopYear
202     | SortType::TopMonth => CommentSortType::Top,
203   }
204 }
205
206 static EMAIL_REGEX: Lazy<Regex> = Lazy::new(|| {
207   Regex::new(r"^[a-zA-Z0-9.!#$%&’*+/=?^_`{|}~-]+@[a-zA-Z0-9-]+(?:\.[a-zA-Z0-9-]+)*$")
208     .expect("compile email regex")
209 });
210
211 pub mod functions {
212   use diesel::sql_types::{BigInt, Text, Timestamp};
213
214   sql_function! {
215     fn hot_rank(score: BigInt, time: Timestamp) -> Integer;
216   }
217
218   sql_function!(fn lower(x: Text) -> Text);
219 }
220
221 impl ToSql<Text, Pg> for DbUrl {
222   fn to_sql(&self, out: &mut Output<Pg>) -> diesel::serialize::Result {
223     <std::string::String as ToSql<Text, Pg>>::to_sql(&self.0.to_string(), &mut out.reborrow())
224   }
225 }
226
227 impl<DB: Backend> FromSql<Text, DB> for DbUrl
228 where
229   String: FromSql<Text, DB>,
230 {
231   fn from_sql(value: diesel::backend::RawValue<'_, DB>) -> diesel::deserialize::Result<Self> {
232     let str = String::from_sql(value)?;
233     Ok(DbUrl(Url::parse(&str)?))
234   }
235 }
236
237 impl<Kind> From<ObjectId<Kind>> for DbUrl
238 where
239   Kind: ApubObject + Send + 'static,
240   for<'de2> <Kind as ApubObject>::ApubType: serde::Deserialize<'de2>,
241 {
242   fn from(id: ObjectId<Kind>) -> Self {
243     DbUrl(id.into())
244   }
245 }
246
247 #[cfg(test)]
248 mod tests {
249   use super::{fuzzy_search, *};
250   use crate::utils::is_email_regex;
251
252   #[test]
253   fn test_fuzzy_search() {
254     let test = "This %is% _a_ fuzzy search";
255     assert_eq!(
256       fuzzy_search(test),
257       "%This%\\%is\\%%\\_a\\_%fuzzy%search%".to_string()
258     );
259   }
260
261   #[test]
262   fn test_email() {
263     assert!(is_email_regex("gush@gmail.com"));
264     assert!(!is_email_regex("nada_neutho"));
265   }
266
267   #[test]
268   fn test_diesel_option_overwrite() {
269     assert_eq!(diesel_option_overwrite(&None), None);
270     assert_eq!(diesel_option_overwrite(&Some(String::new())), Some(None));
271     assert_eq!(
272       diesel_option_overwrite(&Some("test".to_string())),
273       Some(Some("test".to_string()))
274     );
275   }
276
277   #[test]
278   fn test_diesel_option_overwrite_to_url() {
279     assert!(matches!(diesel_option_overwrite_to_url(&None), Ok(None)));
280     assert!(matches!(
281       diesel_option_overwrite_to_url(&Some(String::new())),
282       Ok(Some(None))
283     ));
284     assert!(matches!(
285       diesel_option_overwrite_to_url(&Some("invalid_url".to_string())),
286       Err(_)
287     ));
288     let example_url = "https://example.com";
289     assert!(matches!(
290       diesel_option_overwrite_to_url(&Some(example_url.to_string())),
291       Ok(Some(Some(url))) if url == Url::parse(example_url).unwrap().into()
292     ));
293   }
294 }