limbusart/src/main.rs

219 lines
5.8 KiB
Rust
Raw Normal View History

use axum::{
extract::State,
response::{Html, IntoResponse},
routing::get,
Router,
};
2023-07-17 09:01:10 +03:00
use dashmap::DashMap;
use error::AppError;
use http::Uri;
2023-07-17 09:38:54 +03:00
use std::{
collections::HashMap,
ops::Deref,
str::FromStr,
sync::{Arc, Mutex},
2023-07-17 09:38:54 +03:00
};
2023-07-17 09:01:10 +03:00
mod error;
type AppResult<T> = Result<T, AppError>;
2023-07-17 09:38:54 +03:00
#[derive(Clone)]
2023-07-17 09:01:10 +03:00
enum ArtKind {
Twitter,
}
impl FromStr for ArtKind {
type Err = AppError;
fn from_str(s: &str) -> Result<Self, Self::Err> {
match s {
"twitter.com" => Ok(Self::Twitter),
_ => Err("not support website".into()),
}
}
}
2023-07-17 09:38:54 +03:00
#[derive(Clone)]
2023-07-17 09:01:10 +03:00
struct Art {
url: Uri,
kind: ArtKind,
}
impl FromStr for Art {
type Err = AppError;
fn from_str(s: &str) -> Result<Self, Self::Err> {
let url: Uri = s.parse()?;
let kind: ArtKind = url.authority().unwrap().host().parse()?;
Ok(Self { url, kind })
}
}
struct Data {
// actual arts
art: Vec<Art>,
2023-07-17 09:38:54 +03:00
art_indices: HashMap<Uri, usize>,
2023-07-17 09:01:10 +03:00
}
impl Data {
fn parse(data: &str) -> AppResult<Self> {
let mut this = Self {
art: Default::default(),
2023-07-17 09:38:54 +03:00
art_indices: Default::default(),
2023-07-17 09:01:10 +03:00
};
for entry in data.lines() {
let art: Art = entry.parse()?;
2023-07-17 09:38:54 +03:00
this.art_indices.insert(art.url.clone(), this.art.len());
2023-07-17 09:01:10 +03:00
this.art.push(art);
}
Ok(this)
}
fn pick_random_art(&self) -> &Art {
let no = fastrand::usize(0..self.art.len());
&self.art[no]
}
2023-07-17 09:38:54 +03:00
fn reload(&mut self, data: &str) -> AppResult<()> {
for entry in data.lines() {
let art: Art = entry.parse()?;
if !self.art_indices.contains_key(&art.url) {
self.art_indices.insert(art.url.clone(), self.art.len());
self.art.push(art);
}
}
Ok(())
}
2023-07-17 09:01:10 +03:00
}
struct InternalAppState {
// cached direct links to images
direct_links: DashMap<Uri, String>,
2023-07-17 09:38:54 +03:00
data: Mutex<Data>,
2023-07-17 09:01:10 +03:00
http: reqwest::Client,
}
#[derive(Clone)]
struct AppState {
internal: Arc<InternalAppState>,
}
impl AppState {
fn new(data: Data) -> Self {
Self {
internal: Arc::new(InternalAppState {
2023-07-17 09:38:54 +03:00
data: Mutex::new(data),
2023-07-17 09:01:10 +03:00
direct_links: Default::default(),
http: reqwest::ClientBuilder::new()
.redirect(reqwest::redirect::Policy::none())
.build()
.unwrap(),
}),
}
}
}
impl Deref for AppState {
type Target = InternalAppState;
fn deref(&self) -> &Self::Target {
&self.internal
}
}
2023-07-17 09:38:54 +03:00
const ARTS_PATH: &str = "arts.txt";
2023-07-17 09:01:10 +03:00
#[tokio::main]
async fn main() {
2023-07-17 09:38:54 +03:00
let arts = std::fs::read_to_string(ARTS_PATH).unwrap();
let state = AppState::new(Data::parse(&arts).unwrap());
std::thread::spawn({
use signal_hook::{consts::SIGUSR2, iterator::Signals};
let state = state.clone();
move || {
let mut signals = Signals::new(&[SIGUSR2]).unwrap();
for _ in signals.forever() {
let data = std::fs::read_to_string(ARTS_PATH).unwrap();
state.data.lock().unwrap().reload(&data).unwrap();
}
}
});
let app = Router::new().route("/", get(show_art)).with_state(state);
2023-07-17 09:01:10 +03:00
let listener = tokio::net::TcpListener::bind("127.0.0.1:3000")
.await
.unwrap();
println!("listening on {}", listener.local_addr().unwrap());
axum::serve(listener, app).await.unwrap();
}
2023-07-17 11:03:42 +03:00
async fn show_art(state: State<AppState>) -> AppResult<axum::response::Response> {
2023-07-17 09:38:54 +03:00
let art = state.data.lock().unwrap().pick_random_art().clone();
let image_link = if let Some(image_link) = state.direct_links.get(&art.url) {
image_link.to_string()
2023-07-17 09:01:10 +03:00
} else {
let image_link = match art.kind {
ArtKind::Twitter => fetch_twitter_image_link(&state.http, &art.url).await?,
};
state
.direct_links
.insert(art.url.clone(), image_link.clone());
image_link
};
let page = render_page(&art, &image_link);
Ok(page.into_response())
2023-07-17 09:01:10 +03:00
}
fn render_page(art: &Art, image_link: &str) -> Html<String> {
let body_style =
"margin: 0px; background: #0e0e0e; height: 100vh; width: 100vw; display: flex;";
let img_style = "display: block; margin: auto; max-height: 100vh; max-width: 100vw;";
let about_style = "position: absolute; bottom: 0; font-size: 0.75em; color: #ffffff; background-color: #0e0e0eaa;";
let content = maud::html! {
(maud::DOCTYPE)
head {
meta charset="utf8";
2023-07-17 11:34:05 +03:00
meta property="og:title" content="random pm art here!!";
meta property="og:description" content="click NOW to see a random PM art";
meta name="theme-color" content="#bd0000";
title { "random pm art" }
2023-07-17 09:01:10 +03:00
}
body style=(body_style) {
img style=(img_style) src=(image_link);
a style=(format!("{about_style} left: 0;")) href=(art.url) target="_blank" {
"source: " (art.url)
}
a style=(format!("{about_style} right: 0;")) href="https://gaze.systems" target="_blank" {
"website made by dusk"
}
}
};
Html(content.into_string())
}
async fn fetch_twitter_image_link(http: &reqwest::Client, url: &Uri) -> AppResult<String> {
let fxurl = Uri::builder()
.scheme("https")
.authority("d.fxtwitter.com")
.path_and_query(url.path_and_query().unwrap().clone())
.build()?
.to_string();
let req = http.get(fxurl).build()?;
let resp = http.execute(req).await?.error_for_status()?;
let link = resp
.headers()
.get(http::header::LOCATION)
.unwrap()
.to_str()?
.to_owned();
Ok(link)
2023-07-17 02:42:55 +03:00
}