use crate::{ diesel::dsl::IntervalDsl, newtypes::InstanceId, schema::{federation_allowlist, federation_blocklist, instance}, source::instance::{Instance, InstanceForm}, utils::{get_conn, naive_now, DbPool}, }; use diesel::{ dsl::{insert_into, now}, result::Error, sql_types::{Nullable, Timestamp}, ExpressionMethods, QueryDsl, }; use diesel_async::RunQueryDsl; impl Instance { /// Attempt to read Instance column for the given domain. If it doesnt exist, insert a new one. /// There is no need for update as the domain of an existing instance cant change. pub async fn read_or_create(pool: &mut DbPool<'_>, domain_: String) -> Result { use crate::schema::instance::domain; let conn = &mut get_conn(pool).await?; // First try to read the instance row and return directly if found let instance = instance::table .filter(domain.eq(&domain_)) .first::(conn) .await; match instance { Ok(i) => Ok(i), Err(diesel::NotFound) => { // Instance not in database yet, insert it let form = InstanceForm::builder() .domain(domain_) .updated(Some(naive_now())) .build(); insert_into(instance::table) .values(&form) // Necessary because this method may be called concurrently for the same domain. This // could be handled with a transaction, but nested transactions arent allowed .on_conflict(instance::domain) .do_update() .set(&form) .get_result::(conn) .await } e => e, } } pub async fn delete(pool: &mut DbPool<'_>, instance_id: InstanceId) -> Result { let conn = &mut get_conn(pool).await?; diesel::delete(instance::table.find(instance_id)) .execute(conn) .await } pub async fn read_all(pool: &mut DbPool<'_>) -> Result, Error> { let conn = &mut get_conn(pool).await?; instance::table .select(instance::all_columns) .get_results(conn) .await } pub async fn dead_instances(pool: &mut DbPool<'_>) -> Result, Error> { let conn = &mut get_conn(pool).await?; instance::table .select(instance::domain) .filter(coalesce(instance::updated, instance::published).lt(now - 3.days())) .get_results(conn) .await } #[cfg(test)] pub async fn delete_all(pool: &mut DbPool<'_>) -> Result { let conn = &mut get_conn(pool).await?; diesel::delete(instance::table).execute(conn).await } pub async fn allowlist(pool: &mut DbPool<'_>) -> Result, Error> { let conn = &mut get_conn(pool).await?; instance::table .inner_join(federation_allowlist::table) .select(instance::all_columns) .get_results(conn) .await } pub async fn blocklist(pool: &mut DbPool<'_>) -> Result, Error> { let conn = &mut get_conn(pool).await?; instance::table .inner_join(federation_blocklist::table) .select(instance::all_columns) .get_results(conn) .await } pub async fn linked(pool: &mut DbPool<'_>) -> Result, Error> { let conn = &mut get_conn(pool).await?; instance::table .left_join(federation_blocklist::table) .filter(federation_blocklist::id.is_null()) .select(instance::all_columns) .get_results(conn) .await } } sql_function! { fn coalesce(x: Nullable, y: Timestamp) -> Timestamp; }