]> Untitled Git - lemmy.git/blob - lemmy_utils/src/utils.rs
Fixing drone tests.
[lemmy.git] / lemmy_utils / src / utils.rs
1 use crate::{settings::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)?|maricos?|cock\s?sucker(s|ing)?|\bn(i|1)g(\b|g?(a|er)?(s|z)?)\b|dindu(s?)|mudslime?s?|kikes?|mongoloids?|towel\s*heads?|\bspi(c|k)s?\b|\bchinks?|niglets?|beaners?|\bnips?\b|\bcoons?\b|jungle\s*bunn(y|ies?)|jigg?aboo?s?|\bpakis?\b|rag\s*heads?|gooks?|cunts?|bitch(es|ing|y)?|puss(y|ies?)|twats?|feminazis?|whor(es?|ing)|\bslut(s|t?y)?|\btr(a|@)nn?(y|ies?)|ladyboy(s?)|\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().sample_iter(&Alphanumeric).take(30).collect()
69 }
70
71 pub fn markdown_to_html(text: &str) -> String {
72   comrak::markdown_to_html(text, &comrak::ComrakOptions::default())
73 }
74
75 // TODO nothing is done with community / group webfingers yet, so just ignore those for now
76 #[derive(Clone, PartialEq, Eq, Hash)]
77 pub struct MentionData {
78   pub name: String,
79   pub domain: String,
80 }
81
82 impl MentionData {
83   pub fn is_local(&self) -> bool {
84     Settings::get().hostname.eq(&self.domain)
85   }
86   pub fn full_name(&self) -> String {
87     format!("@{}@{}", &self.name, &self.domain)
88   }
89 }
90
91 pub fn scrape_text_for_mentions(text: &str) -> Vec<MentionData> {
92   let mut out: Vec<MentionData> = Vec::new();
93   for caps in MENTIONS_REGEX.captures_iter(text) {
94     out.push(MentionData {
95       name: caps["name"].to_string(),
96       domain: caps["domain"].to_string(),
97     });
98   }
99   out.into_iter().unique().collect()
100 }
101
102 pub fn is_valid_username(name: &str) -> bool {
103   VALID_USERNAME_REGEX.is_match(name)
104 }
105
106 // Can't do a regex here, reverse lookarounds not supported
107 pub fn is_valid_preferred_username(preferred_username: &str) -> bool {
108   !preferred_username.starts_with('@')
109     && preferred_username.len() >= 3
110     && preferred_username.len() <= 20
111 }
112
113 pub fn is_valid_community_name(name: &str) -> bool {
114   VALID_COMMUNITY_NAME_REGEX.is_match(name)
115 }
116
117 pub fn is_valid_post_title(title: &str) -> bool {
118   VALID_POST_TITLE_REGEX.is_match(title)
119 }
120
121 pub fn get_ip(conn_info: &ConnectionInfo) -> String {
122   conn_info
123     .realip_remote_addr()
124     .unwrap_or("127.0.0.1:12345")
125     .split(':')
126     .next()
127     .unwrap_or("127.0.0.1")
128     .to_string()
129 }