libreddit/src/utils.rs

231 lines
5.7 KiB
Rust
Raw Normal View History

2020-11-21 07:05:27 +01:00
//
// CRATES
//
use chrono::{TimeZone, Utc};
2020-11-30 03:50:29 +01:00
use serde_json::{from_str, Value};
2020-12-01 05:57:15 +01:00
// use surf::{client, get, middleware::Redirect};
2020-11-21 07:05:27 +01:00
2020-12-01 06:10:08 +01:00
#[cfg(feature = "proxy")]
use base64::encode;
2020-11-20 05:42:18 +01:00
//
// STRUCTS
//
2020-11-17 20:37:40 +01:00
// Post flair with text, background color and foreground color
pub struct Flair(pub String, pub String, pub String);
// Post containing content, metadata and media
pub struct Post {
pub title: String,
pub community: String,
pub body: String,
pub author: String,
2020-12-20 20:29:23 +01:00
pub author_flair: Flair,
2020-11-17 20:37:40 +01:00
pub url: String,
pub score: String,
pub post_type: String,
2020-12-23 03:29:43 +01:00
pub flair: Flair,
pub nsfw: bool,
2020-11-17 20:37:40 +01:00
pub media: String,
pub time: String,
}
// Comment with content, post, score and data/time that it was posted
pub struct Comment {
pub id: String,
2020-11-17 20:37:40 +01:00
pub body: String,
pub author: String,
2020-12-20 20:29:23 +01:00
pub flair: Flair,
2020-11-17 20:37:40 +01:00
pub score: String,
2020-11-30 03:50:29 +01:00
pub time: String,
2020-12-20 04:54:46 +01:00
pub replies: Vec<Comment>,
2020-11-17 20:37:40 +01:00
}
// User struct containing metadata about user
pub struct User {
pub name: String,
pub icon: String,
pub karma: i64,
2020-12-24 07:16:04 +01:00
pub created: String,
2020-11-17 20:37:40 +01:00
pub banner: String,
2020-11-30 03:50:29 +01:00
pub description: String,
2020-11-17 20:37:40 +01:00
}
2020-12-29 03:42:46 +01:00
#[derive(Default)]
2020-11-17 20:37:40 +01:00
// Subreddit struct containing metadata about community
pub struct Subreddit {
pub name: String,
pub title: String,
pub description: String,
2020-12-29 03:42:46 +01:00
pub info: String,
2020-11-17 20:37:40 +01:00
pub icon: String,
2020-11-23 01:43:23 +01:00
pub members: String,
2020-11-30 03:50:29 +01:00
pub active: String,
2020-11-17 20:37:40 +01:00
}
2020-11-19 22:49:32 +01:00
// Parser for query params, used in sorting (eg. /r/rust/?sort=hot)
#[derive(serde::Deserialize)]
pub struct Params {
pub sort: Option<String>,
pub after: Option<String>,
2020-11-30 03:50:29 +01:00
pub before: Option<String>,
2020-11-19 22:49:32 +01:00
}
2020-11-20 05:42:18 +01:00
// Error template
#[derive(askama::Template)]
#[template(path = "error.html", escape = "none")]
pub struct ErrorTemplate {
2020-11-30 03:50:29 +01:00
pub message: String,
2020-11-20 05:42:18 +01:00
}
2020-12-01 06:10:08 +01:00
//
2020-12-07 19:53:22 +01:00
// FORMATTING
2020-12-01 06:10:08 +01:00
//
2020-12-26 03:06:33 +01:00
// Direct urls to proxy if proxy is enabled
2020-12-24 05:36:49 +01:00
pub async fn format_url(url: String) -> String {
if url.is_empty() {
return String::new();
};
2020-12-01 06:10:08 +01:00
#[cfg(feature = "proxy")]
2020-12-15 01:35:04 +01:00
return "/proxy/".to_string() + encode(url).as_str();
2020-12-01 06:10:08 +01:00
#[cfg(not(feature = "proxy"))]
return url.to_string();
}
2020-12-26 03:06:33 +01:00
// Append `m` and `k` for millions and thousands respectively
2020-12-07 19:53:22 +01:00
pub fn format_num(num: i64) -> String {
2020-12-07 20:36:05 +01:00
if num > 1000000 {
format!("{}m", num / 1000000)
} else if num > 1000 {
format!("{}k", num / 1000)
} else {
num.to_string()
}
2020-12-07 19:53:22 +01:00
}
2020-11-20 05:42:18 +01:00
//
// JSON PARSING
//
2020-11-17 20:37:40 +01:00
// val() function used to parse JSON from Reddit APIs
pub async fn val(j: &serde_json::Value, k: &str) -> String {
String::from(j["data"][k].as_str().unwrap_or(""))
}
// nested_val() function used to parse JSON from Reddit APIs
pub async fn nested_val(j: &serde_json::Value, n: &str, k: &str) -> String {
String::from(j["data"][n][k].as_str().unwrap())
2020-11-18 01:03:28 +01:00
}
2020-12-26 03:06:33 +01:00
// Fetch posts of a user or subreddit
2020-11-21 07:05:27 +01:00
pub async fn fetch_posts(url: String, fallback_title: String) -> Result<(Vec<Post>, String), &'static str> {
// Send a request to the url, receive JSON in response
2020-12-27 21:36:10 +01:00
let req = request(url.clone()).await;
2020-11-21 07:05:27 +01:00
// If the Reddit API returns an error, exit this function
if req.is_err() {
return Err(req.err().unwrap());
}
// Otherwise, grab the JSON output from the request
let res = req.unwrap();
// Fetch the list of posts from the JSON response
let post_list = res["data"]["children"].as_array().unwrap();
let mut posts: Vec<Post> = Vec::new();
2020-12-23 03:29:43 +01:00
for post in post_list {
2020-11-21 07:05:27 +01:00
let img = if val(post, "thumbnail").await.starts_with("https:/") {
2020-12-24 05:36:49 +01:00
format_url(val(post, "thumbnail").await).await
2020-11-21 07:05:27 +01:00
} else {
String::new()
};
let unix_time: i64 = post["data"]["created_utc"].as_f64().unwrap().round() as i64;
let score = post["data"]["score"].as_i64().unwrap();
let title = val(post, "title").await;
posts.push(Post {
title: if title.is_empty() { fallback_title.to_owned() } else { title },
community: val(post, "subreddit").await,
2020-12-29 03:42:46 +01:00
body: val(post, "body_html").await,
2020-11-21 07:05:27 +01:00
author: val(post, "author").await,
2020-12-20 20:29:23 +01:00
author_flair: Flair(
val(post, "author_flair_text").await,
val(post, "author_flair_background_color").await,
val(post, "author_flair_text_color").await,
),
2020-12-07 19:53:22 +01:00
score: format_num(score),
post_type: "link".to_string(),
2020-11-21 07:05:27 +01:00
media: img,
flair: Flair(
val(post, "link_flair_text").await,
val(post, "link_flair_background_color").await,
if val(post, "link_flair_text_color").await == "dark" {
"black".to_string()
} else {
"white".to_string()
},
),
2020-12-23 03:29:43 +01:00
nsfw: post["data"]["over_18"].as_bool().unwrap_or(false),
url: val(post, "permalink").await,
time: Utc.timestamp(unix_time, 0).format("%b %e '%y").to_string(),
2020-11-21 07:05:27 +01:00
});
}
2020-12-27 21:36:10 +01:00
dbg!(url);
2020-11-21 07:05:27 +01:00
Ok((posts, res["data"]["after"].as_str().unwrap_or("").to_string()))
}
2020-11-20 05:42:18 +01:00
//
// NETWORKING
//
2020-11-19 03:50:59 +01:00
// Make a request to a Reddit API and parse the JSON response
2020-12-22 02:17:40 +01:00
pub async fn request(mut url: String) -> Result<serde_json::Value, &'static str> {
url = format!("https://www.reddit.com/{}", url);
2020-11-19 03:50:59 +01:00
// --- actix-web::client ---
// let client = actix_web::client::Client::default();
// let res = client
// .get(url)
// .send()
// .await?
// .body()
// .limit(1000000)
// .await?;
// let body = std::str::from_utf8(res.as_ref())?; // .as_ref converts Bytes to [u8]
// --- surf ---
2020-12-01 05:57:15 +01:00
// let req = get(&url).header("User-Agent", "libreddit");
// let client = client().with(Redirect::new(5));
// let mut res = client.send(req).await.unwrap();
// let success = res.status().is_success();
// let body = res.body_string().await.unwrap();
2020-12-01 06:10:08 +01:00
2020-12-01 05:57:15 +01:00
// --- reqwest ---
let res = reqwest::get(&url).await.unwrap();
// Read the status from the response
2020-11-21 03:31:11 +01:00
let success = res.status().is_success();
2020-12-01 05:57:15 +01:00
// Read the body of the response
let body = res.text().await.unwrap();
2020-12-01 06:10:08 +01:00
2020-11-19 03:50:59 +01:00
// Parse the response from Reddit as JSON
2020-11-25 22:53:30 +01:00
let json: Value = from_str(body.as_str()).unwrap_or(Value::Null);
2020-11-19 22:49:32 +01:00
2020-11-20 05:42:18 +01:00
if !success {
2020-11-20 06:08:22 +01:00
println!("! {} - {}", url, "Page not found");
Err("Page not found")
2020-11-25 22:53:30 +01:00
} else if json == Value::Null {
2020-11-20 05:42:18 +01:00
println!("! {} - {}", url, "Failed to parse page JSON data");
Err("Failed to parse page JSON data")
} else {
2020-11-20 06:08:22 +01:00
Ok(json)
2020-11-20 05:42:18 +01:00
}
2020-11-19 03:50:59 +01:00
}