]> Untitled Git - lemmy.git/blob - crates/utils/src/utils.rs
98eada07edbe67fabaf606acb75942b6214bdd98
[lemmy.git] / crates / utils / src / utils.rs
1 use crate::{settings::structs::Settings, ApiError};
2 use actix_web::dev::ConnectionInfo;
3 use chrono::{DateTime, FixedOffset, NaiveDateTime};
4 use itertools::Itertools;
5 use rand::{distributions::Alphanumeric, thread_rng, Rng};
6 use regex::{Regex, RegexBuilder};
7
8 lazy_static! {
9 static ref EMAIL_REGEX: Regex = Regex::new(r"^[a-zA-Z0-9.!#$%&’*+/=?^_`{|}~-]+@[a-zA-Z0-9-]+(?:\.[a-zA-Z0-9-]+)*$").unwrap();
10 static ref SLUR_REGEX: Regex = RegexBuilder::new(r"(fag(g|got|tard)?\b|cock\s?sucker(s|ing)?|\bn(i|1)g(\b|g?(a|er)?(s|z)?)\b|mudslime?s?|kikes?|\bspi(c|k)s?\b|\bchinks?|gooks?|bitch(es|ing|y)?|whor(es?|ing)|\btr(a|@)nn?(y|ies?)|\b(b|re|r)tard(ed)?s?)").case_insensitive(true).build().unwrap();
11 static ref USERNAME_MATCHES_REGEX: Regex = Regex::new(r"/u/[a-zA-Z][0-9a-zA-Z_]*").unwrap();
12 // TODO keep this old one, it didn't work with port well tho
13 // static ref MENTIONS_REGEX: Regex = Regex::new(r"@(?P<name>[\w.]+)@(?P<domain>[a-zA-Z0-9._-]+\.[a-zA-Z0-9_-]+)").unwrap();
14 static ref MENTIONS_REGEX: Regex = Regex::new(r"@(?P<name>[\w.]+)@(?P<domain>[a-zA-Z0-9._:-]+)").unwrap();
15 static ref VALID_USERNAME_REGEX: Regex = Regex::new(r"^[a-zA-Z0-9_]{3,20}$").unwrap();
16 static ref VALID_COMMUNITY_NAME_REGEX: Regex = Regex::new(r"^[a-z0-9_]{3,20}$").unwrap();
17 static ref VALID_POST_TITLE_REGEX: Regex = Regex::new(r".*\S.*").unwrap();
18 }
19
20 pub fn naive_from_unix(time: i64) -> NaiveDateTime {
21   NaiveDateTime::from_timestamp(time, 0)
22 }
23
24 pub fn convert_datetime(datetime: NaiveDateTime) -> DateTime<FixedOffset> {
25   DateTime::<FixedOffset>::from_utc(datetime, FixedOffset::east(0))
26 }
27
28 pub fn remove_slurs(test: &str) -> String {
29   SLUR_REGEX.replace_all(test, "*removed*").to_string()
30 }
31
32 pub(crate) fn slur_check(test: &str) -> Result<(), Vec<&str>> {
33   let mut matches: Vec<&str> = SLUR_REGEX.find_iter(test).map(|mat| mat.as_str()).collect();
34
35   // Unique
36   matches.sort_unstable();
37   matches.dedup();
38
39   if matches.is_empty() {
40     Ok(())
41   } else {
42     Err(matches)
43   }
44 }
45
46 pub fn check_slurs(text: &str) -> Result<(), ApiError> {
47   if let Err(slurs) = slur_check(text) {
48     Err(ApiError::err(&slurs_vec_to_str(slurs)))
49   } else {
50     Ok(())
51   }
52 }
53
54 pub fn check_slurs_opt(text: &Option<String>) -> Result<(), ApiError> {
55   match text {
56     Some(t) => check_slurs(t),
57     None => Ok(()),
58   }
59 }
60
61 pub(crate) fn slurs_vec_to_str(slurs: Vec<&str>) -> String {
62   let start = "No slurs - ";
63   let combined = &slurs.join(", ");
64   [start, combined].concat()
65 }
66
67 pub fn generate_random_string() -> String {
68   thread_rng()
69     .sample_iter(&Alphanumeric)
70     .map(char::from)
71     .take(30)
72     .collect()
73 }
74
75 pub fn markdown_to_html(text: &str) -> String {
76   comrak::markdown_to_html(text, &comrak::ComrakOptions::default())
77 }
78
79 // TODO nothing is done with community / group webfingers yet, so just ignore those for now
80 #[derive(Clone, PartialEq, Eq, Hash)]
81 pub struct MentionData {
82   pub name: String,
83   pub domain: String,
84 }
85
86 impl MentionData {
87   pub fn is_local(&self) -> bool {
88     Settings::get().hostname().eq(&self.domain)
89   }
90   pub fn full_name(&self) -> String {
91     format!("@{}@{}", &self.name, &self.domain)
92   }
93 }
94
95 pub fn scrape_text_for_mentions(text: &str) -> Vec<MentionData> {
96   let mut out: Vec<MentionData> = Vec::new();
97   for caps in MENTIONS_REGEX.captures_iter(text) {
98     out.push(MentionData {
99       name: caps["name"].to_string(),
100       domain: caps["domain"].to_string(),
101     });
102   }
103   out.into_iter().unique().collect()
104 }
105
106 pub fn is_valid_username(name: &str) -> bool {
107   VALID_USERNAME_REGEX.is_match(name)
108 }
109
110 // Can't do a regex here, reverse lookarounds not supported
111 pub fn is_valid_preferred_username(preferred_username: &str) -> bool {
112   !preferred_username.starts_with('@')
113     && preferred_username.chars().count() >= 3
114     && preferred_username.chars().count() <= 20
115 }
116
117 pub fn is_valid_community_name(name: &str) -> bool {
118   VALID_COMMUNITY_NAME_REGEX.is_match(name)
119 }
120
121 pub fn is_valid_post_title(title: &str) -> bool {
122   VALID_POST_TITLE_REGEX.is_match(title)
123 }
124
125 pub fn get_ip(conn_info: &ConnectionInfo) -> String {
126   conn_info
127     .realip_remote_addr()
128     .unwrap_or("127.0.0.1:12345")
129     .split(':')
130     .next()
131     .unwrap_or("127.0.0.1")
132     .to_string()
133 }