]> Untitled Git - lemmy.git/blobdiff - src/main.rs
Sanitize html (#3708)
[lemmy.git] / src / main.rs
index 059262a0305ff8f76b89c89cfce1b1be45068eb0..5fc03ed025d28c567878dad7b8882497f618906a 100644 (file)
-#[macro_use]
-extern crate diesel_migrations;
-
-use actix::prelude::*;
-use actix_web::{web::Data, *};
-use diesel::{
-  r2d2::{ConnectionManager, Pool},
-  PgConnection,
-};
-use doku::json::{AutoComments, Formatting};
-use lemmy_api::match_websocket_operation;
-use lemmy_api_common::blocking;
-use lemmy_api_crud::match_websocket_operation_crud;
-use lemmy_apub_lib::activity_queue::create_activity_queue;
-use lemmy_db_schema::{get_database_url_from_env, source::secret::Secret};
-use lemmy_routes::{feeds, images, nodeinfo, webfinger};
-use lemmy_server::{api_routes, code_migrations::run_advanced_migrations, scheduled_tasks};
-use lemmy_utils::{
-  rate_limit::{rate_limiter::RateLimiter, RateLimit},
-  request::build_user_agent,
-  settings::structs::Settings,
-  LemmyError,
-};
-use lemmy_websocket::{chat_server::ChatServer, LemmyContext};
-use reqwest::Client;
-use std::{env, sync::Arc, thread};
-use tokio::sync::Mutex;
-
-embed_migrations!();
-
-#[actix_web::main]
-async fn main() -> Result<(), LemmyError> {
-  let args: Vec<String> = env::args().collect();
-  if args.len() == 2 && args[1] == "--print-config-docs" {
-    let fmt = Formatting {
-      auto_comments: AutoComments::none(),
-      ..Default::default()
-    };
-    println!("{}", doku::to_json_fmt_val(&fmt, &Settings::default()));
-    return Ok(());
+use lemmy_server::{init_logging, start_lemmy_server};
+use lemmy_utils::{error::LemmyError, settings::SETTINGS};
+
+#[tokio::main]
+pub async fn main() -> Result<(), LemmyError> {
+  init_logging(&SETTINGS.opentelemetry_url)?;
+  #[cfg(not(feature = "embed-pictrs"))]
+  start_lemmy_server().await?;
+  #[cfg(feature = "embed-pictrs")]
+  {
+    let pictrs_port = &SETTINGS
+      .pictrs_config()
+      .unwrap_or_default()
+      .url
+      .port()
+      .unwrap_or(8080);
+    let pictrs_address = ["127.0.0.1", &pictrs_port.to_string()].join(":");
+    pict_rs::ConfigSource::memory(serde_json::json!({
+        "server": {
+            "address": pictrs_address
+        },
+        "old_db": {
+            "path": "./pictrs/old"
+        },
+        "repo": {
+            "type": "sled",
+            "path": "./pictrs/sled-repo"
+        },
+        "store": {
+            "type": "filesystem",
+            "path": "./pictrs/files"
+        }
+    }))
+    .init::<&str>(None)
+    .expect("initialize pictrs config");
+    let (lemmy, pictrs) = tokio::join!(start_lemmy_server(), pict_rs::run());
+    lemmy?;
+    pictrs.expect("run pictrs");
   }
-
-  env_logger::init();
-  let settings = Settings::init().expect("Couldn't initialize settings.");
-
-  // Set up the r2d2 connection pool
-  let db_url = match get_database_url_from_env() {
-    Ok(url) => url,
-    Err(_) => settings.get_database_url(),
-  };
-  let manager = ConnectionManager::<PgConnection>::new(&db_url);
-  let pool = Pool::builder()
-    .max_size(settings.database.pool_size)
-    .build(manager)
-    .unwrap_or_else(|_| panic!("Error connecting to {}", db_url));
-
-  // Run the migrations from code
-  let protocol_and_hostname = settings.get_protocol_and_hostname();
-  blocking(&pool, move |conn| {
-    embedded_migrations::run(conn)?;
-    run_advanced_migrations(conn, &protocol_and_hostname)?;
-    Ok(()) as Result<(), LemmyError>
-  })
-  .await??;
-
-  let pool2 = pool.clone();
-  thread::spawn(move || {
-    scheduled_tasks::setup(pool2).expect("Couldn't set up scheduled_tasks");
-  });
-
-  // Set up the rate limiter
-  let rate_limiter = RateLimit {
-    rate_limiter: Arc::new(Mutex::new(RateLimiter::default())),
-    rate_limit_config: settings.rate_limit.to_owned().unwrap_or_default(),
-  };
-
-  // Initialize the secrets
-  let conn = pool.get()?;
-  let secret = Secret::init(&conn).expect("Couldn't initialize secrets.");
-
-  println!(
-    "Starting http server at {}:{}",
-    settings.bind, settings.port
-  );
-
-  let client = Client::builder()
-    .user_agent(build_user_agent(&settings))
-    .build()?;
-
-  let activity_queue = create_activity_queue();
-
-  let chat_server = ChatServer::startup(
-    pool.clone(),
-    rate_limiter.clone(),
-    |c, i, o, d| Box::pin(match_websocket_operation(c, i, o, d)),
-    |c, i, o, d| Box::pin(match_websocket_operation_crud(c, i, o, d)),
-    client.clone(),
-    activity_queue.clone(),
-    settings.clone(),
-    secret.clone(),
-  )
-  .start();
-
-  // Create Http server with websocket support
-  let settings_bind = settings.clone();
-  HttpServer::new(move || {
-    let context = LemmyContext::create(
-      pool.clone(),
-      chat_server.to_owned(),
-      client.clone(),
-      activity_queue.to_owned(),
-      settings.to_owned(),
-      secret.to_owned(),
-    );
-    let rate_limiter = rate_limiter.clone();
-    App::new()
-      .wrap(middleware::Logger::default())
-      .app_data(Data::new(context))
-      // The routes
-      .configure(|cfg| api_routes::config(cfg, &rate_limiter))
-      .configure(|cfg| lemmy_apub::http::routes::config(cfg, &settings))
-      .configure(feeds::config)
-      .configure(|cfg| images::config(cfg, &rate_limiter))
-      .configure(nodeinfo::config)
-      .configure(|cfg| webfinger::config(cfg, &settings))
-  })
-  .bind((settings_bind.bind, settings_bind.port))?
-  .run()
-  .await?;
-
   Ok(())
 }