]> Untitled Git - lemmy.git/blob - server/lemmy_utils/src/settings.rs
Merge remote-tracking branch 'weblate/main' into main
[lemmy.git] / server / lemmy_utils / src / settings.rs
1 use config::{Config, ConfigError, Environment, File};
2 use serde::Deserialize;
3 use std::{env, fs, io::Error, net::IpAddr, sync::RwLock};
4
5 static CONFIG_FILE_DEFAULTS: &str = "config/defaults.hjson";
6 static CONFIG_FILE: &str = "config/config.hjson";
7
8 #[derive(Debug, Deserialize, Clone)]
9 pub struct Settings {
10   pub setup: Option<Setup>,
11   pub database: Database,
12   pub hostname: String,
13   pub bind: IpAddr,
14   pub port: u16,
15   pub jwt_secret: String,
16   pub front_end_dir: String,
17   pub pictrs_url: String,
18   pub rate_limit: RateLimitConfig,
19   pub email: Option<EmailConfig>,
20   pub federation: Federation,
21   pub captcha: CaptchaConfig,
22 }
23
24 #[derive(Debug, Deserialize, Clone)]
25 pub struct Setup {
26   pub admin_username: String,
27   pub admin_password: String,
28   pub admin_email: Option<String>,
29   pub site_name: String,
30 }
31
32 #[derive(Debug, Deserialize, Clone)]
33 pub struct RateLimitConfig {
34   pub message: i32,
35   pub message_per_second: i32,
36   pub post: i32,
37   pub post_per_second: i32,
38   pub register: i32,
39   pub register_per_second: i32,
40   pub image: i32,
41   pub image_per_second: i32,
42 }
43
44 #[derive(Debug, Deserialize, Clone)]
45 pub struct EmailConfig {
46   pub smtp_server: String,
47   pub smtp_login: Option<String>,
48   pub smtp_password: Option<String>,
49   pub smtp_from_address: String,
50   pub use_tls: bool,
51 }
52
53 #[derive(Debug, Deserialize, Clone)]
54 pub struct CaptchaConfig {
55   pub enabled: bool,
56   pub difficulty: String, // easy, medium, or hard
57 }
58
59 #[derive(Debug, Deserialize, Clone)]
60 pub struct Database {
61   pub user: String,
62   pub password: String,
63   pub host: String,
64   pub port: i32,
65   pub database: String,
66   pub pool_size: u32,
67 }
68
69 #[derive(Debug, Deserialize, Clone)]
70 pub struct Federation {
71   pub enabled: bool,
72   pub tls_enabled: bool,
73   pub allowed_instances: String,
74 }
75
76 lazy_static! {
77   static ref SETTINGS: RwLock<Settings> = RwLock::new(match Settings::init() {
78     Ok(c) => c,
79     Err(e) => panic!("{}", e),
80   });
81 }
82
83 impl Settings {
84   /// Reads config from the files and environment.
85   /// First, defaults are loaded from CONFIG_FILE_DEFAULTS, then these values can be overwritten
86   /// from CONFIG_FILE (optional). Finally, values from the environment (with prefix LEMMY) are
87   /// added to the config.
88   ///
89   /// Note: The env var `LEMMY_DATABASE_URL` is parsed in
90   /// `server/lemmy_db/src/lib.rs::get_database_url_from_env()`
91   fn init() -> Result<Self, ConfigError> {
92     let mut s = Config::new();
93
94     s.merge(File::with_name(&Self::get_config_defaults_location()))?;
95
96     s.merge(File::with_name(CONFIG_FILE).required(false))?;
97
98     // Add in settings from the environment (with a prefix of LEMMY)
99     // Eg.. `LEMMY_DEBUG=1 ./target/app` would set the `debug` key
100     // Note: we need to use double underscore here, because otherwise variables containing
101     //       underscore cant be set from environmnet.
102     // https://github.com/mehcode/config-rs/issues/73
103     s.merge(Environment::with_prefix("LEMMY").separator("__"))?;
104
105     s.try_into()
106   }
107
108   /// Returns the config as a struct.
109   pub fn get() -> Self {
110     SETTINGS.read().unwrap().to_owned()
111   }
112
113   pub fn get_database_url(&self) -> String {
114     format!(
115       "postgres://{}:{}@{}:{}/{}",
116       self.database.user,
117       self.database.password,
118       self.database.host,
119       self.database.port,
120       self.database.database
121     )
122   }
123
124   pub fn api_endpoint(&self) -> String {
125     format!("{}/api/v1", self.hostname)
126   }
127
128   pub fn get_config_defaults_location() -> String {
129     env::var("LEMMY_CONFIG_LOCATION").unwrap_or_else(|_| CONFIG_FILE_DEFAULTS.to_string())
130   }
131
132   pub fn read_config_file() -> Result<String, Error> {
133     fs::read_to_string(CONFIG_FILE)
134   }
135
136   pub fn save_config_file(data: &str) -> Result<String, Error> {
137     fs::write(CONFIG_FILE, data)?;
138
139     // Reload the new settings
140     // From https://stackoverflow.com/questions/29654927/how-do-i-assign-a-string-to-a-mutable-static-variable/47181804#47181804
141     let mut new_settings = SETTINGS.write().unwrap();
142     *new_settings = match Settings::init() {
143       Ok(c) => c,
144       Err(e) => panic!("{}", e),
145     };
146
147     Self::read_config_file()
148   }
149 }