upub/web/src/lib.rs

252 lines
6.3 KiB
Rust
Raw Normal View History

mod auth;
mod app;
mod components;
mod page;
mod config;
mod actors;
mod activities;
mod objects;
mod timeline;
mod getters;
pub use app::App;
pub use config::Config;
pub use auth::Auth;
pub mod prelude;
pub const URL_BASE: &str = "https://dev.upub.social";
pub const URL_PREFIX: &str = "/web";
pub const CONTACT: &str = "abuse@alemi.dev";
pub const URL_SENSITIVE: &str = "https://cdn.alemi.dev/social/nsfw.png";
2024-05-03 01:00:37 +02:00
pub const DEFAULT_AVATAR_URL: &str = "https://cdn.alemi.dev/social/gradient.png";
pub const NAME: &str = "μ";
pub const DEFAULT_COLOR: &str = "#BF616A";
2024-07-03 04:05:49 +02:00
use std::{ops::Deref, sync::Arc};
use uriproxy::UriClass;
2024-07-03 04:05:49 +02:00
pub type Object = Arc<serde_json::Value>;
pub mod cache {
2024-07-03 04:05:49 +02:00
use super::DashmapCache;
lazy_static::lazy_static! {
2024-07-03 04:05:49 +02:00
pub static ref OBJECTS: DashmapCache<super::Object> = DashmapCache::default();
pub static ref WEBFINGER: DashmapCache<String> = DashmapCache::default();
}
}
2024-07-03 04:05:49 +02:00
#[derive(Debug)]
pub enum LookupStatus<T> {
Resolving,
Found(T),
NotFound,
}
2024-07-03 04:05:49 +02:00
impl<T> LookupStatus<T> {
fn inner(&self) -> Option<&T> {
if let Self::Found(x) = self {
return Some(x);
}
None
}
2024-04-15 22:20:33 +02:00
}
2024-07-03 04:05:49 +02:00
pub trait Cache {
type Item;
fn lookup(&self, key: &str) -> Option<impl Deref<Target = LookupStatus<Self::Item>>>;
fn store(&self, key: &str, value: Self::Item) -> Option<Self::Item>;
fn get(&self, key: &str) -> Option<Self::Item> where Self::Item : Clone {
Some(self.lookup(key)?.deref().inner()?.clone())
}
2024-07-03 04:05:49 +02:00
fn get_or(&self, key: &str, or: Self::Item) -> Self::Item where Self::Item : Clone {
self.get(key).unwrap_or(or)
}
2024-04-15 22:32:05 +02:00
2024-07-03 04:05:49 +02:00
fn get_or_default(&self, key: &str) -> Self::Item where Self::Item : Clone + Default {
self.get(key).unwrap_or_default()
}
2024-07-03 04:05:49 +02:00
}
#[derive(Default, Clone)]
pub struct DashmapCache<T>(Arc<dashmap::DashMap<String, LookupStatus<T>>>);
2024-07-03 04:05:49 +02:00
impl<T> Cache for DashmapCache<T> {
type Item = T;
fn lookup(&self, key: &str) -> Option<impl Deref<Target = LookupStatus<Self::Item>>> {
self.0.get(key)
}
2024-07-03 04:05:49 +02:00
fn store(&self, key: &str, value: Self::Item) -> Option<Self::Item> {
self.0.insert(key.to_string(), LookupStatus::Found(value))
.and_then(|x| if let LookupStatus::Found(x) = x { Some(x) } else { None } )
2024-04-16 06:42:02 +02:00
}
2024-07-03 04:05:49 +02:00
}
// TODO would be cool unifying a bit the fetch code too
2024-07-03 04:05:49 +02:00
impl DashmapCache<Object> {
pub async fn fetch(&self, k: &str, kind: UriClass) -> reqwest::Result<Object> {
match self.get(k) {
Some(x) => Ok(x),
None => {
let obj = reqwest::get(Uri::api(kind, k, true))
.await?
.json::<serde_json::Value>()
.await?;
2024-07-03 04:05:49 +02:00
self.store(k, Arc::new(obj));
Ok(self.get(k).expect("not found in cache after insertion"))
}
}
}
2024-04-16 06:42:02 +02:00
}
2024-07-03 04:05:49 +02:00
impl DashmapCache<String> {
2024-05-23 16:16:27 +02:00
pub async fn blocking_resolve(&self, user: &str, domain: &str) -> Option<String> {
2024-07-03 04:05:49 +02:00
if let Some(x) = self.resource(user, domain) { return Some(x); }
2024-05-23 16:16:27 +02:00
self.fetch(user, domain).await;
2024-07-03 04:05:49 +02:00
self.resource(user, domain)
2024-05-23 16:16:27 +02:00
}
pub fn resolve(&self, user: &str, domain: &str) -> Option<String> {
2024-07-03 04:05:49 +02:00
if let Some(x) = self.resource(user, domain) { return Some(x); }
2024-05-23 16:16:27 +02:00
let (_self, user, domain) = (self.clone(), user.to_string(), domain.to_string());
leptos::spawn_local(async move { _self.fetch(&user, &domain).await });
None
}
2024-07-03 04:05:49 +02:00
fn resource(&self, user: &str, domain: &str) -> Option<String> {
2024-05-23 16:16:27 +02:00
let query = format!("{user}@{domain}");
2024-07-03 04:05:49 +02:00
self.get(&query)
2024-05-23 16:16:27 +02:00
}
async fn fetch(&self, user: &str, domain: &str) {
let query = format!("{user}@{domain}");
self.0.insert(query.to_string(), LookupStatus::Resolving);
match reqwest::get(format!("{URL_BASE}/.well-known/webfinger?resource=acct:{query}")).await {
Ok(res) => match res.error_for_status() {
Ok(res) => match res.json::<jrd::JsonResourceDescriptor>().await {
Ok(doc) => {
if let Some(uid) = doc.links.into_iter().find(|x| x.rel == "self").and_then(|x| x.href) {
2024-05-23 16:16:27 +02:00
self.0.insert(query, LookupStatus::Found(uid));
} else {
self.0.insert(query, LookupStatus::NotFound);
}
},
Err(e) => {
tracing::error!("invalid webfinger response: {e:?}");
self.0.remove(&query);
},
},
Err(e) => {
tracing::error!("could not resolve webfinbger: {e:?}");
self.0.insert(query, LookupStatus::NotFound);
},
},
Err(e) => {
tracing::error!("failed accessing webfinger server: {e:?}");
self.0.remove(&query);
},
}
}
}
use leptos_router::Params; // TODO can i remove this?
#[derive(Clone, leptos::Params, PartialEq)]
pub struct IdParam {
id: Option<String>,
}
pub struct Http;
impl Http {
pub async fn request<T: serde::ser::Serialize>(
method: reqwest::Method,
url: &str,
data: Option<&T>,
auth: Auth,
) -> reqwest::Result<reqwest::Response> {
2024-05-03 03:55:26 +02:00
use leptos::SignalGetUntracked;
let mut req = reqwest::Client::new()
.request(method, url);
2024-05-03 03:55:26 +02:00
if let Some(auth) = auth.token.get_untracked().filter(|x| !x.is_empty()) {
req = req.header("Authorization", format!("Bearer {}", auth));
}
if let Some(data) = data {
req = req.json(data);
}
req.send().await
}
pub async fn fetch<T: serde::de::DeserializeOwned>(url: &str, token: Auth) -> reqwest::Result<T> {
Self::request::<()>(reqwest::Method::GET, url, None, token)
.await?
.error_for_status()?
.json::<T>()
.await
}
pub async fn post<T: serde::ser::Serialize>(url: &str, data: &T, token: Auth) -> reqwest::Result<()> {
Self::request(reqwest::Method::POST, url, Some(data), token)
.await?
.error_for_status()?;
Ok(())
}
}
pub struct Uri;
impl Uri {
pub fn full(kind: UriClass, id: &str) -> String {
uriproxy::uri(URL_BASE, kind, id)
}
pub fn pretty(url: &str, len: usize) -> String {
let bare = url.replace("https://", "");
if bare.len() < len {
bare
} else {
format!("{}..", bare.get(..len).unwrap_or_default())
2024-07-04 03:43:58 +02:00
}
//.replace('/', "\u{200B}/\u{200B}")
}
2024-04-15 03:03:01 +02:00
pub fn short(url: &str) -> String {
2024-05-20 08:45:41 +02:00
if url.starts_with(URL_BASE) || url.starts_with('/') {
uriproxy::decompose(url)
2024-05-21 15:28:48 +02:00
} else if url.starts_with("https://") || url.starts_with("http://") {
uriproxy::compact(url)
2024-05-20 08:45:41 +02:00
} else {
url.to_string()
}
2024-04-15 03:03:01 +02:00
}
/// convert url id to valid frontend view id:
2024-05-21 15:28:48 +02:00
///
/// accepts:
2024-05-21 15:28:48 +02:00
///
pub fn web(kind: UriClass, url: &str) -> String {
let kind = kind.as_ref();
format!("/web/{kind}/{}", Self::short(url))
}
/// convert url id to valid backend api id
2024-05-21 15:28:48 +02:00
///
/// accepts:
2024-05-21 15:28:48 +02:00
///
pub fn api(kind: UriClass, url: &str, fetch: bool) -> String {
let kind = kind.as_ref();
format!("{URL_BASE}/{kind}/{}{}", Self::short(url), if fetch { "?fetch=true" } else { "" })
}
}