Hi, I've bought this very same monitor and found no calibration whatsoever. I have an ICC profile that has been set up since I've installed its driver from the LG website and it works ok. I also used http://www.lagom.nl/lcd-test/ to calibrate it. After some good tinkering I've found the following settings + the color profile from the driver gets me past all the tests perfectly:
+- Brightness 50 (still have to settle on this one, it's personal preference, it controls the backlight, not the colors)
+- Contrast 70 (which for me was the default one)
+- Picture mode Custom
+- Super resolution + Off (it looks horrible anyway)
+- Sharpness 50 (default one I think)
+- Black level High (low messes up gray colors)
+- DFC Off
+- Response Time Middle (personal preference, https://www.blurbusters.com/ show horrible overdrive with it on high)
+- Freesync doesn't matter
+- Black stabilizer 50
+- Gamma setting on 0
+- Color Temp Medium
+How`s your monitor by the way? Any IPS bleed whatsoever? I either got lucky or the panel is pretty good, 0 bleed for me, just the usual IPS glow. How about the pixels? I see the pixels even at one meter away, especially on Microsoft Edge's icon for example, the blue background is just blocky, don't know why.
+
"#;
+let output = r#"
Hi, I've bought this very same monitor and found no calibration whatsoever. I have an ICC profile that has been set up since I've installed its driver from the LG website and it works ok. I also used http://www.lagom.nl/lcd-test/ to calibrate it. After some good tinkering I've found the following settings + the color profile from the driver gets me past all the tests perfectly:
+
Brightness 50 (still have to settle on this one, it's personal preference, it controls the backlight, not the colors)
Contrast 70 (which for me was the default one)
Picture mode Custom
Super resolution + Off (it looks horrible anyway)
Sharpness 50 (default one I think)
Black level High (low messes up gray colors)
DFC Off
Response Time Middle (personal preference, https://www.blurbusters.com/ show horrible overdrive with it on high)
Freesync doesn't matter
Black stabilizer 50
Gamma setting on 0
Color Temp Medium
+How`s your monitor by the way? Any IPS bleed whatsoever? I either got lucky or the panel is pretty good, 0 bleed for me, just the usual IPS glow. How about the pixels? I see the pixels even at one meter away, especially on Microsoft Edge's icon for example, the blue background is just blocky, don't know why.
+
"#;
+
+ assert_eq!(render_bullet_lists(input), output);
+}
\ No newline at end of file
From 23cda23d013e4a2866afd1cad0649cb40bb612d0 Mon Sep 17 00:00:00 2001
From: Matthew Esposito
Date: Sun, 2 Feb 2025 23:30:33 -0500
Subject: [PATCH 09/27] feat: add environment variables and dedicated flags for
ipv4/6 only (#307)
* feat: add environment variables and dedicated flags for ipv4/6 only
* fix(readme): mention all flags on README
---
README.md | 11 +++++++++++
src/main.rs | 25 ++++++++++++++++++++++++-
2 files changed, 35 insertions(+), 1 deletion(-)
diff --git a/README.md b/README.md
index 4026791..6fabfcc 100644
--- a/README.md
+++ b/README.md
@@ -404,6 +404,17 @@ REDLIB_DEFAULT_USE_HLS = "on"
>
> If using Docker Compose, no changes are needed as the `.env` file is already referenced in `compose.yaml` via the `env_file: .env` line.
+## Command Line Flags
+
+Redlib supports the following command line flags:
+
+- `-4`, `--ipv4-only`: Listen on IPv4 only.
+- `-6`, `--ipv6-only`: Listen on IPv6 only.
+- `-r`, `--redirect-https`: Redirect all HTTP requests to HTTPS (no longer functional).
+- `-a`, `--address `: Sets address to listen on. Default is `[::]`.
+- `-p`, `--port `: Port to listen on. Default is `8080`.
+- `-H`, `--hsts `: HSTS header to tell browsers that this site should only be accessed over HTTPS. Default is `604800`.
+
## Instance settings
Assign a default value for each instance-specific setting by passing environment variables to Redlib in the format `REDLIB_{X}`. Replace `{X}` with the setting name (see list below) in capital letters.
diff --git a/src/main.rs b/src/main.rs
index 8732d20..a109560 100644
--- a/src/main.rs
+++ b/src/main.rs
@@ -108,6 +108,20 @@ async fn main() {
let matches = Command::new("Redlib")
.version(env!("CARGO_PKG_VERSION"))
.about("Private front-end for Reddit written in Rust ")
+ .arg(
+ Arg::new("ipv4-only")
+ .short('4')
+ .long("ipv4-only")
+ .help("Listen on IPv4 only")
+ .num_args(0),
+ )
+ .arg(
+ Arg::new("ipv6-only")
+ .short('6')
+ .long("ipv6-only")
+ .help("Listen on IPv6 only")
+ .num_args(0),
+ )
.arg(
Arg::new("redirect-https")
.short('r')
@@ -164,7 +178,16 @@ async fn main() {
let port = matches.get_one::("port").unwrap();
let hsts = matches.get_one("hsts").map(|m: &String| m.as_str());
- let listener = [address, ":", port].concat();
+ let ipv4_only = std::env::var("IPV4_ONLY").is_ok() || matches.get_flag("ipv4-only");
+ let ipv6_only = std::env::var("IPV6_ONLY").is_ok() || matches.get_flag("ipv6-only");
+
+ let listener = if ipv4_only {
+ format!("0.0.0.0:{}", port)
+ } else if ipv6_only {
+ format!("[::]:{}", port)
+ } else {
+ [address, ":", port].concat()
+ };
println!("Starting Redlib...");
From 2e0e1a1aaab5e020365e06343e5d9def30a46466 Mon Sep 17 00:00:00 2001
From: Butter Cat
Date: Sun, 2 Feb 2025 23:31:37 -0500
Subject: [PATCH 10/27] Fix crossposted galleries not working (#293)
---
src/utils.rs | 8 ++++++++
1 file changed, 8 insertions(+)
diff --git a/src/utils.rs b/src/utils.rs
index 1bc70b9..c4991d8 100644
--- a/src/utils.rs
+++ b/src/utils.rs
@@ -234,6 +234,14 @@ impl Media {
// If this post contains a gallery of images
gallery = GalleryMedia::parse(&data["gallery_data"]["items"], &data["media_metadata"]);
+ ("gallery", &data["url"], None)
+ } else if data["crosspost_parent_list"][0]["is_gallery"].as_bool().unwrap_or_default() {
+ // If this post contains a gallery of images
+ gallery = GalleryMedia::parse(
+ &data["crosspost_parent_list"][0]["gallery_data"]["items"],
+ &data["crosspost_parent_list"][0]["media_metadata"],
+ );
+
("gallery", &data["url"], None)
} else if data["is_reddit_media_domain"].as_bool().unwrap_or_default() && data["domain"] == "i.redd.it" {
// If this post contains a reddit media (image) URL.
From 68a0517115b31d5188c01d0c5c30575bf877a6a7 Mon Sep 17 00:00:00 2001
From: =?UTF-8?q?Gon=C3=A7alo=20Val=C3=A9rio?=
Date: Mon, 3 Feb 2025 04:32:23 +0000
Subject: [PATCH 11/27] update devcontainer image, that includes a more recent
version of rust (#294)
---
.devcontainer/devcontainer.json | 2 +-
1 file changed, 1 insertion(+), 1 deletion(-)
diff --git a/.devcontainer/devcontainer.json b/.devcontainer/devcontainer.json
index 3a941de..3ec1ead 100644
--- a/.devcontainer/devcontainer.json
+++ b/.devcontainer/devcontainer.json
@@ -1,6 +1,6 @@
{
"name": "Rust",
- "image": "mcr.microsoft.com/devcontainers/rust:0-1-bullseye",
+ "image": "mcr.microsoft.com/devcontainers/rust:1.0.9-bookworm",
"features": {
"ghcr.io/devcontainers/features/docker-in-docker:2": {}
},
From 51386671d3474b5020cd43db8d7536ba1ac7979d Mon Sep 17 00:00:00 2001
From: Butter Cat
Date: Sun, 2 Feb 2025 23:38:52 -0500
Subject: [PATCH 12/27] Fix embedded images sometimes having gaps around them
(#295)
* Fix images embedded by rewrite_urls() having an empty above and below them that caused weird gaps in some scenarios
* Fix test for new embedding behavior
* fix: remove println
---------
Co-authored-by: Matthew Esposito
---
src/utils.rs | 6 +++---
1 file changed, 3 insertions(+), 3 deletions(-)
diff --git a/src/utils.rs b/src/utils.rs
index c4991d8..4ed7664 100644
--- a/src/utils.rs
+++ b/src/utils.rs
@@ -1010,7 +1010,7 @@ pub fn render_bullet_lists(input_text: &str) -> String {
// These are links we want to replace in-body
static REDDIT_REGEX: Lazy = Lazy::new(|| Regex::new(r#"href="(https|http|)://(www\.|old\.|np\.|amp\.|new\.|)(reddit\.com|redd\.it)/"#).unwrap());
-static REDDIT_PREVIEW_REGEX: Lazy = Lazy::new(|| Regex::new(r"https?://(external-preview|preview|i)\.redd\.it(.*)[^?]").unwrap());
+static REDDIT_PREVIEW_REGEX: Lazy = Lazy::new(|| Regex::new(r"https?://(external-preview|preview|i)\.redd\.it(.*)").unwrap());
static REDDIT_EMOJI_REGEX: Lazy = Lazy::new(|| Regex::new(r"https?://(www|).redditstatic\.com/(.*)").unwrap());
static REDLIB_PREVIEW_LINK_REGEX: Lazy = Lazy::new(|| Regex::new(r#"/(img|preview/)(pre|external-pre)?/(.*?)>"#).unwrap());
static REDLIB_PREVIEW_TEXT_REGEX: Lazy = Lazy::new(|| Regex::new(r">(.*?)").unwrap());
@@ -1052,7 +1052,7 @@ pub fn rewrite_urls(input_text: &str) -> String {
}
// image_url contains > at the end of it, and right above this we remove image_text's front >, leaving us with just a single > between them
- let image_to_replace = format!("");
+ let image_to_replace = format!("
");
// _image_replacement needs to be in scope for the replacement at the bottom of the loop
let mut _image_replacement = String::new();
@@ -1501,7 +1501,7 @@ async fn test_fetching_ws() {
fn test_rewriting_image_links() {
let input =
r#"
caption 1"#;
assert_eq!(rewrite_urls(input), output);
}
From bbe5f8191475ea20e41e5a4eb1572fbd2a45d8b3 Mon Sep 17 00:00:00 2001
From: internationalcrisis
<97415475+internationalcrisis@users.noreply.github.com>
Date: Sun, 2 Feb 2025 22:40:19 -0600
Subject: [PATCH 13/27] fix: gracefully shutdown on CTRL+C and SIGTERM (#273)
Fixes #205
---
src/server.rs | 11 +++++++++++
1 file changed, 11 insertions(+)
diff --git a/src/server.rs b/src/server.rs
index 5297c22..a287de2 100644
--- a/src/server.rs
+++ b/src/server.rs
@@ -282,8 +282,19 @@ impl Server {
// Bind server to address specified above. Gracefully shut down if CTRL+C is pressed
let server = HyperServer::bind(address).serve(make_svc).with_graceful_shutdown(async {
+ #[cfg(windows)]
// Wait for the CTRL+C signal
tokio::signal::ctrl_c().await.expect("Failed to install CTRL+C signal handler");
+
+ #[cfg(unix)]
+ {
+ // Wait for CTRL+C or SIGTERM signals
+ let mut signal_terminate = tokio::signal::unix::signal(tokio::signal::unix::SignalKind::terminate()).expect("Failed to install SIGTERM signal handler");
+ tokio::select! {
+ _ = tokio::signal::ctrl_c() => (),
+ _ = signal_terminate.recv() => ()
+ }
+ }
});
server.boxed()
From 257871b56ca1d5612482df05fed14b1c45e04de9 Mon Sep 17 00:00:00 2001
From: Matthew Esposito
Date: Mon, 3 Feb 2025 00:30:48 -0500
Subject: [PATCH 14/27] fix(tests)
---
src/utils.rs | 5 ++++-
1 file changed, 4 insertions(+), 1 deletion(-)
diff --git a/src/utils.rs b/src/utils.rs
index 4ed7664..cf226b9 100644
--- a/src/utils.rs
+++ b/src/utils.rs
@@ -1483,7 +1483,10 @@ async fn test_fetching_subreddit_quarantined() {
#[tokio::test(flavor = "multi_thread")]
async fn test_fetching_nsfw_subreddit() {
- let subreddit = Post::fetch("/r/randnsfw", false).await;
+ // Gonwild is a place for closed, Euclidean Geometric shapes to exchange their nth terms for karma; showing off their edges in a comfortable environment without pressure.
+ // Find a good sub that is tagged NSFW but that actually isn't in case my future employers are watching (they probably are)
+ // switched from randnsfw as it is no longer functional.
+ let subreddit = Post::fetch("/r/gonwild", false).await;
assert!(subreddit.is_ok());
assert!(!subreddit.unwrap().0.is_empty());
}
From 7930b19809f00c99705949027550add74068da3b Mon Sep 17 00:00:00 2001
From: Matthew Esposito
Date: Mon, 3 Feb 2025 00:47:25 -0500
Subject: [PATCH 15/27] fix: fix clippy + tests
---
src/client.rs | 6 ------
src/main.rs | 18 +++---------------
src/utils.rs | 4 ++--
3 files changed, 5 insertions(+), 23 deletions(-)
diff --git a/src/client.rs b/src/client.rs
index fa32fc0..76369ca 100644
--- a/src/client.rs
+++ b/src/client.rs
@@ -544,12 +544,6 @@ async fn test_obfuscated_share_link() {
assert_eq!(canonical_path(share_link, 3).await, Ok(Some(canonical_link)));
}
-#[tokio::test(flavor = "multi_thread")]
-async fn test_share_link_strip_json() {
- let link = "/17krzvz".into();
- let canonical_link = "/comments/17krzvz".into();
- assert_eq!(canonical_path(link, 3).await, Ok(Some(canonical_link)));
-}
#[tokio::test(flavor = "multi_thread")]
async fn test_private_sub() {
let link = json("/r/suicide/about.json?raw_json=1".into(), true).await;
diff --git a/src/main.rs b/src/main.rs
index a109560..165f0cb 100644
--- a/src/main.rs
+++ b/src/main.rs
@@ -108,20 +108,8 @@ async fn main() {
let matches = Command::new("Redlib")
.version(env!("CARGO_PKG_VERSION"))
.about("Private front-end for Reddit written in Rust ")
- .arg(
- Arg::new("ipv4-only")
- .short('4')
- .long("ipv4-only")
- .help("Listen on IPv4 only")
- .num_args(0),
- )
- .arg(
- Arg::new("ipv6-only")
- .short('6')
- .long("ipv6-only")
- .help("Listen on IPv6 only")
- .num_args(0),
- )
+ .arg(Arg::new("ipv4-only").short('4').long("ipv4-only").help("Listen on IPv4 only").num_args(0))
+ .arg(Arg::new("ipv6-only").short('6').long("ipv6-only").help("Listen on IPv6 only").num_args(0))
.arg(
Arg::new("redirect-https")
.short('r')
@@ -392,7 +380,7 @@ async fn main() {
Some("best" | "hot" | "new" | "top" | "rising" | "controversial") => subreddit::community(req).await,
// Short link for post
- Some(id) if (5..8).contains(&id.len()) => match canonical_path(format!("/{id}"), 3).await {
+ Some(id) if (5..8).contains(&id.len()) => match canonical_path(format!("/comments/{id}"), 3).await {
Ok(path_opt) => match path_opt {
Some(path) => Ok(redirect(&path)),
None => error(req, "Post ID is invalid. It may point to a post on a community that has been banned.").await,
diff --git a/src/utils.rs b/src/utils.rs
index cf226b9..867f73f 100644
--- a/src/utils.rs
+++ b/src/utils.rs
@@ -1549,10 +1549,10 @@ fn test_rewriting_bullet_list() {
- Color Temp Medium
How`s your monitor by the way? Any IPS bleed whatsoever? I either got lucky or the panel is pretty good, 0 bleed for me, just the usual IPS glow. How about the pixels? I see the pixels even at one meter away, especially on Microsoft Edge's icon for example, the blue background is just blocky, don't know why.
"#;
-let output = r#"
Hi, I've bought this very same monitor and found no calibration whatsoever. I have an ICC profile that has been set up since I've installed its driver from the LG website and it works ok. I also used http://www.lagom.nl/lcd-test/ to calibrate it. After some good tinkering I've found the following settings + the color profile from the driver gets me past all the tests perfectly:
+ let output = r#"
Hi, I've bought this very same monitor and found no calibration whatsoever. I have an ICC profile that has been set up since I've installed its driver from the LG website and it works ok. I also used http://www.lagom.nl/lcd-test/ to calibrate it. After some good tinkering I've found the following settings + the color profile from the driver gets me past all the tests perfectly:
Brightness 50 (still have to settle on this one, it's personal preference, it controls the backlight, not the colors)
Contrast 70 (which for me was the default one)
Picture mode Custom
Super resolution + Off (it looks horrible anyway)
Sharpness 50 (default one I think)
Black level High (low messes up gray colors)
DFC Off
Response Time Middle (personal preference, https://www.blurbusters.com/ show horrible overdrive with it on high)
Freesync doesn't matter
Black stabilizer 50
Gamma setting on 0
Color Temp Medium
How`s your monitor by the way? Any IPS bleed whatsoever? I either got lucky or the panel is pretty good, 0 bleed for me, just the usual IPS glow. How about the pixels? I see the pixels even at one meter away, especially on Microsoft Edge's icon for example, the blue background is just blocky, don't know why.
"#;
assert_eq!(render_bullet_lists(input), output);
-}
\ No newline at end of file
+}
From ef2cc01bf7f43018dddf60d9b575b1b66934c2c1 Mon Sep 17 00:00:00 2001
From: Integral
Date: Mon, 3 Feb 2025 13:51:54 +0800
Subject: [PATCH 16/27] refactor(utils): avoid redundant String conversions &
use match (#347)
* refactor(utils): avoid redundant String conversions & use match
* ci: fix clippy lint
---
src/utils.rs | 57 ++++++++++++++++++++++++----------------------------
1 file changed, 26 insertions(+), 31 deletions(-)
diff --git a/src/utils.rs b/src/utils.rs
index 867f73f..21461a7 100644
--- a/src/utils.rs
+++ b/src/utils.rs
@@ -638,7 +638,7 @@ pub struct Preferences {
pub hide_score: String,
}
-fn serialize_vec_with_plus(vec: &Vec, serializer: S) -> Result
+fn serialize_vec_with_plus(vec: &[String], serializer: S) -> Result
where
S: Serializer,
{
@@ -915,11 +915,12 @@ pub fn setting_or_default(req: &Request, name: &str, default: String) -> S
// Detect and redirect in the event of a random subreddit
pub async fn catch_random(sub: &str, additional: &str) -> Result, String> {
if sub == "random" || sub == "randnsfw" {
- let new_sub = json(format!("/r/{sub}/about.json?raw_json=1"), false).await?["data"]["display_name"]
- .as_str()
- .unwrap_or_default()
- .to_string();
- Ok(redirect(&format!("/r/{new_sub}{additional}")))
+ Ok(redirect(&format!(
+ "/r/{}{additional}",
+ json(format!("/r/{sub}/about.json?raw_json=1"), false).await?["data"]["display_name"]
+ .as_str()
+ .unwrap_or_default()
+ )))
} else {
Err("No redirect needed".to_string())
}
@@ -1019,8 +1020,7 @@ static REDLIB_PREVIEW_TEXT_REGEX: Lazy = Lazy::new(|| Regex::new(r">(.*?)
pub fn rewrite_urls(input_text: &str) -> String {
let mut text1 =
// Rewrite Reddit links to Redlib
- REDDIT_REGEX.replace_all(input_text, r#"href="/"#)
- .to_string();
+ REDDIT_REGEX.replace_all(input_text, r#"href="/"#).to_string();
loop {
if REDDIT_EMOJI_REGEX.find(&text1).is_none() {
@@ -1042,49 +1042,44 @@ pub fn rewrite_urls(input_text: &str) -> String {
} else {
let formatted_url = format_url(REDDIT_PREVIEW_REGEX.find(&text1).map(|x| x.as_str()).unwrap_or_default());
- let image_url = REDLIB_PREVIEW_LINK_REGEX.find(&formatted_url).map_or("", |m| m.as_str()).to_string();
- let mut image_caption = REDLIB_PREVIEW_TEXT_REGEX.find(&formatted_url).map_or("", |m| m.as_str()).to_string();
+ let image_url = REDLIB_PREVIEW_LINK_REGEX.find(&formatted_url).map_or("", |m| m.as_str());
+ let mut image_caption = REDLIB_PREVIEW_TEXT_REGEX.find(&formatted_url).map_or("", |m| m.as_str());
/* As long as image_caption isn't empty remove first and last four characters of image_text to leave us with just the text in the caption without any HTML.
This makes it possible to enclose it in a later on without having stray HTML breaking it */
if !image_caption.is_empty() {
- image_caption = image_caption[1..image_caption.len() - 4].to_string();
+ image_caption = &image_caption[1..image_caption.len() - 4];
}
// image_url contains > at the end of it, and right above this we remove image_text's front >, leaving us with just a single > between them
let image_to_replace = format!("
");
- // _image_replacement needs to be in scope for the replacement at the bottom of the loop
- let mut _image_replacement = String::new();
-
/* We don't want to show a caption that's just the image's link, so we check if we find a Reddit preview link within the image's caption.
If we don't find one we must have actual text, so we include a block that contains it.
Otherwise we don't include the block as we don't need it. */
- if REDDIT_PREVIEW_REGEX.find(&image_caption).is_none() {
+ let _image_replacement = if REDDIT_PREVIEW_REGEX.find(image_caption).is_none() {
// Without this " would show as \" instead. "\"" is how the quotes are formatted within image_text beforehand
- image_caption = image_caption.replace("\\"", "\"");
-
- _image_replacement = format!("{image_caption}");
+ format!(
+ "{}",
+ image_caption.replace("\\"", "\"")
+ )
} else {
- _image_replacement = format!("");
- }
+ format!("")
+ };
/* In order to know if we're dealing with a normal or external preview we need to take a look at the first capture group of REDDIT_PREVIEW_REGEX
if it's preview we're dealing with something that needs /preview/pre, external-preview is /preview/external-pre, and i is /img */
- let reddit_preview_regex_capture = REDDIT_PREVIEW_REGEX.captures(&text1).unwrap().get(1).map_or("", |m| m.as_str()).to_string();
- let mut _preview_type = String::new();
- if reddit_preview_regex_capture == "preview" {
- _preview_type = "/preview/pre".to_string();
- } else if reddit_preview_regex_capture == "external-preview" {
- _preview_type = "/preview/external-pre".to_string();
- } else {
- _preview_type = "/img".to_string();
- }
+ let reddit_preview_regex_capture = REDDIT_PREVIEW_REGEX.captures(&text1).unwrap().get(1).map_or("", |m| m.as_str());
+
+ let _preview_type = match reddit_preview_regex_capture {
+ "preview" => "/preview/pre",
+ "external-preview" => "/preview/external-pre",
+ _ => "/img",
+ };
text1 = REDDIT_PREVIEW_REGEX
.replace(&text1, format!("{_preview_type}$2"))
.replace(&image_to_replace, &_image_replacement)
- .to_string()
}
}
}
@@ -1158,7 +1153,7 @@ pub fn rewrite_emotes(media_metadata: &Value, comment: String) -> String {
);
// Inside the comment replace the ID we found with the string that will embed the image
- comment = comment.replace(&id, &to_replace_with).to_string();
+ comment = comment.replace(&id, &to_replace_with);
}
}
}
From c7f55c146a641540c293967e53ab6ee55eac2516 Mon Sep 17 00:00:00 2001
From: Matthew Esposito
Date: Mon, 3 Feb 2025 00:53:13 -0500
Subject: [PATCH 17/27] fix(clippy): minor clippy changes
---
src/utils.rs | 4 ++--
1 file changed, 2 insertions(+), 2 deletions(-)
diff --git a/src/utils.rs b/src/utils.rs
index 21461a7..23db3d0 100644
--- a/src/utils.rs
+++ b/src/utils.rs
@@ -1004,7 +1004,7 @@ static REGEX_BULLET_CONSECUTIVE_LINES: Lazy = Lazy::new(|| Regex::new(r"<
pub fn render_bullet_lists(input_text: &str) -> String {
// ref: https://stackoverflow.com/a/4902622
// First enclose each bullet with
tags
- let text1 = REGEX_BULLET.replace_all(&input_text, "
$1
").to_string();
+ let text1 = REGEX_BULLET.replace_all(input_text, "
$1
").to_string();
// Then remove any consecutive
tags
REGEX_BULLET_CONSECUTIVE_LINES.replace_all(&text1, "").to_string()
}
@@ -1344,7 +1344,7 @@ pub fn url_path_basename(path: &str) -> String {
let mut url = url_result.unwrap();
url.path_segments_mut().unwrap().pop_if_empty();
- url.path_segments().unwrap().last().unwrap().to_string()
+ url.path_segments().unwrap().next_back().unwrap().to_string()
}
}
From 7770c57856f2ee805372cc610d5aa71fe7df5fa2 Mon Sep 17 00:00:00 2001
From: freedit-dev
Date: Mon, 3 Feb 2025 13:58:14 +0800
Subject: [PATCH 18/27] fix Code blocks err #227 (#323)
* fix Code blocks https://github.com/redlib-org/redlib/issues/227
* add pulldown-cmark
* add pulldown-cmark
* fix Code blocks err #227
* add pre style for post codeblock
* Update style.css (fix Code blocks err #227 )
---------
Co-authored-by: Matthew Esposito
---
Cargo.lock | 19 +++++++++++++++++++
Cargo.toml | 1 +
src/utils.rs | 10 +++++++++-
static/style.css | 7 +++++++
4 files changed, 36 insertions(+), 1 deletion(-)
diff --git a/Cargo.lock b/Cargo.lock
index 24791b4..6578d17 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -1302,6 +1302,24 @@ dependencies = [
"unicode-ident",
]
+[[package]]
+name = "pulldown-cmark"
+version = "0.12.2"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "f86ba2052aebccc42cbbb3ed234b8b13ce76f75c3551a303cb2bcffcff12bb14"
+dependencies = [
+ "bitflags",
+ "memchr",
+ "pulldown-cmark-escape",
+ "unicase",
+]
+
+[[package]]
+name = "pulldown-cmark-escape"
+version = "0.11.0"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "007d8adb5ddab6f8e3f491ac63566a7d5002cc7ed73901f72057943fa71ae1ae"
+
[[package]]
name = "quick-error"
version = "1.2.3"
@@ -1383,6 +1401,7 @@ dependencies = [
"once_cell",
"percent-encoding",
"pretty_env_logger",
+ "pulldown-cmark",
"regex",
"rinja",
"route-recognizer",
diff --git a/Cargo.toml b/Cargo.toml
index 843b9c9..fc9074b 100644
--- a/Cargo.toml
+++ b/Cargo.toml
@@ -47,6 +47,7 @@ rss = "2.0.7"
arc-swap = "1.7.1"
serde_json_path = "0.7.1"
async-recursion = "1.1.1"
+pulldown-cmark = { version = "0.12.0", features = ["simd", "html"], default-features = false }
common-words-all = { version = "0.0.2", default-features = false, features = ["english", "one"] }
hyper-rustls = { version = "0.24.2", features = [ "http2" ] }
tegen = "0.1.4"
diff --git a/src/utils.rs b/src/utils.rs
index 23db3d0..0aa3159 100644
--- a/src/utils.rs
+++ b/src/utils.rs
@@ -743,7 +743,15 @@ pub async fn parse_post(post: &Value) -> Post {
get_setting("REDLIB_PUSHSHIFT_FRONTEND").unwrap_or_else(|| String::from(crate::config::DEFAULT_PUSHSHIFT_FRONTEND)),
)
} else {
- rewrite_urls(&val(post, "selftext_html"))
+ let selftext = val(post, "selftext");
+ if selftext.contains("```") {
+ let mut html_output = String::new();
+ let parser = pulldown_cmark::Parser::new(&selftext);
+ pulldown_cmark::html::push_html(&mut html_output, parser);
+ rewrite_urls(&html_output)
+ } else {
+ rewrite_urls(&val(post, "selftext_html"))
+ }
};
// Build a post using data parsed from Reddit post API
diff --git a/static/style.css b/static/style.css
index a9d893a..76b55dd 100644
--- a/static/style.css
+++ b/static/style.css
@@ -1199,6 +1199,13 @@ a.search_subreddit:hover {
overflow-wrap: anywhere;
}
+.post_body pre {
+ background: var(--background);
+ overflow-x: auto;
+ margin: 10px 0;
+ padding: 10px;
+}
+
.post_body img {
max-width: 100%;
display: block;
From a732f181430c14b3a292b54fd372e069018ab03c Mon Sep 17 00:00:00 2001
From: Matthew Esposito
Date: Mon, 3 Feb 2025 14:25:16 -0500
Subject: [PATCH 19/27] chore: remove scraper cli
---
Cargo.toml | 8 ---
src/scraper/main.rs | 132 --------------------------------------------
2 files changed, 140 deletions(-)
delete mode 100644 src/scraper/main.rs
diff --git a/Cargo.toml b/Cargo.toml
index fc9074b..759b148 100644
--- a/Cargo.toml
+++ b/Cargo.toml
@@ -64,11 +64,3 @@ sealed_test = "1.0.0"
codegen-units = 1
lto = true
strip = "symbols"
-
-[[bin]]
-name = "redlib"
-path = "src/main.rs"
-
-[[bin]]
-name = "scraper"
-path = "src/scraper/main.rs"
diff --git a/src/scraper/main.rs b/src/scraper/main.rs
deleted file mode 100644
index f2e48d6..0000000
--- a/src/scraper/main.rs
+++ /dev/null
@@ -1,132 +0,0 @@
-use std::{collections::HashMap, fmt::Display, io::Write};
-
-use clap::{Parser, ValueEnum};
-use common_words_all::{get_top, Language, NgramSize};
-use redlib::utils::Post;
-
-#[derive(Parser)]
-#[command(name = "my_cli")]
-#[command(about = "A simple CLI example", long_about = None)]
-struct Cli {
- #[arg(short = 's', long = "sub")]
- sub: String,
-
- #[arg(long = "sort")]
- sort: SortOrder,
-
- #[arg(short = 'f', long = "format", value_enum)]
- format: Format,
- #[arg(short = 'o', long = "output")]
- output: Option,
-}
-
-#[derive(Debug, Clone, ValueEnum)]
-enum SortOrder {
- Hot,
- Rising,
- New,
- Top,
- Controversial,
-}
-
-impl Display for SortOrder {
- fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
- match self {
- SortOrder::Hot => write!(f, "hot"),
- SortOrder::Rising => write!(f, "rising"),
- SortOrder::New => write!(f, "new"),
- SortOrder::Top => write!(f, "top"),
- SortOrder::Controversial => write!(f, "controversial"),
- }
- }
-}
-
-#[derive(Debug, Clone, ValueEnum)]
-enum Format {
- Json,
-}
-
-#[tokio::main]
-async fn main() {
- pretty_env_logger::init();
- let cli = Cli::parse();
- let (sub, sort, format, output) = (cli.sub, cli.sort, cli.format, cli.output);
- let initial = format!("/r/{sub}/{sort}.json?&raw_json=1");
- let (posts, mut after) = Post::fetch(&initial, false).await.unwrap();
- let mut hashmap = HashMap::new();
- hashmap.extend(posts.into_iter().map(|post| (post.id.clone(), post)));
- loop {
- print!("\r");
- let path = format!("/r/{sub}/{sort}.json?sort={sort}&t=&after={after}&raw_json=1");
- let (new_posts, new_after) = Post::fetch(&path, false).await.unwrap();
- let old_len = hashmap.len();
- // convert to hashmap and extend hashmap
- let new_posts = new_posts.into_iter().map(|post| (post.id.clone(), post)).collect::>();
- let len = new_posts.len();
- hashmap.extend(new_posts);
- if hashmap.len() - old_len < 3 {
- break;
- }
-
- let x = hashmap.len() - old_len;
- after = new_after;
- // Print number of posts fetched
- print!("Fetched {len} posts (+{x})",);
- std::io::stdout().flush().unwrap();
- }
- println!("\n\n");
- // additionally search if final count not reached
-
- for word in get_top(Language::English, 10_000, NgramSize::One) {
- let mut retrieved_posts_from_search = 0;
- let initial = format!("/r/{sub}/search.json?q={word}&restrict_sr=on&include_over_18=on&raw_json=1&sort={sort}");
- println!("Grabbing posts with word {word}.");
- let (posts, mut after) = Post::fetch(&initial, false).await.unwrap();
- hashmap.extend(posts.into_iter().map(|post| (post.id.clone(), post)));
- 'search: loop {
- let path = format!("/r/{sub}/search.json?q={word}&restrict_sr=on&include_over_18=on&raw_json=1&sort={sort}&after={after}");
- let (new_posts, new_after) = Post::fetch(&path, false).await.unwrap();
- if new_posts.is_empty() || new_after.is_empty() {
- println!("No more posts for word {word}");
- break 'search;
- }
- retrieved_posts_from_search += new_posts.len();
- let old_len = hashmap.len();
- let new_posts = new_posts.into_iter().map(|post| (post.id.clone(), post)).collect::>();
- let len = new_posts.len();
- hashmap.extend(new_posts);
- let delta = hashmap.len() - old_len;
- after = new_after;
- // Print number of posts fetched
- println!("Fetched {len} posts (+{delta})",);
-
- if retrieved_posts_from_search > 1000 {
- println!("Reached 1000 posts from search");
- break 'search;
- }
- }
- // Need to save incrementally. atomic save + move
- let tmp_file = output.clone().unwrap_or_else(|| format!("{sub}.json.tmp"));
- let perm_file = output.clone().unwrap_or_else(|| format!("{sub}.json"));
- write_posts(&hashmap.values().collect(), tmp_file.clone());
- // move file
- std::fs::rename(tmp_file, perm_file).unwrap();
- }
-
- println!("\n\n");
-
- println!("Size of hashmap: {}", hashmap.len());
-
- let posts: Vec<&Post> = hashmap.values().collect();
- match format {
- Format::Json => {
- let filename: String = output.unwrap_or_else(|| format!("{sub}.json"));
- write_posts(&posts, filename);
- }
- }
-}
-
-fn write_posts(posts: &Vec<&Post>, filename: String) {
- let json = serde_json::to_string(&posts).unwrap();
- std::fs::write(filename, json).unwrap();
-}
From 85329c96a79c87b2be7477d4982746e294e2ee00 Mon Sep 17 00:00:00 2001
From: Matthew Esposito
Date: Thu, 6 Feb 2025 09:02:55 -0500
Subject: [PATCH 20/27] fix: remove stray trace
---
src/subreddit.rs | 1 -
1 file changed, 1 deletion(-)
diff --git a/src/subreddit.rs b/src/subreddit.rs
index 0db4f77..f7fe01d 100644
--- a/src/subreddit.rs
+++ b/src/subreddit.rs
@@ -64,7 +64,6 @@ pub async fn community(req: Request) -> Result, String> {
// Build Reddit API path
let root = req.uri().path() == "/";
let query = req.uri().query().unwrap_or_default().to_string();
- trace!("query: {}", query);
let subscribed = setting(&req, "subscriptions");
let front_page = setting(&req, "front_page");
let post_sort = req.cookie("post_sort").map_or_else(|| "hot".to_string(), |c| c.value().to_string());
From 5265ccb0332f03f01eb37ccc648d17608b148bd8 Mon Sep 17 00:00:00 2001
From: Matthew Esposito
Date: Thu, 6 Feb 2025 13:03:42 -0500
Subject: [PATCH 21/27] feat: hide default feeds option (#370)
---
README.md | 3 ++-
src/settings.rs | 3 ++-
src/subreddit.rs | 21 +++++++++++++++++++--
src/utils.rs | 27 ++++++++++++++++++++++++++-
templates/info.html | 20 ++++++++++++++++++++
templates/settings.html | 5 +++++
templates/utils.html | 6 ++++--
7 files changed, 78 insertions(+), 7 deletions(-)
create mode 100644 templates/info.html
diff --git a/README.md b/README.md
index 6fabfcc..5aac1e8 100644
--- a/README.md
+++ b/README.md
@@ -440,7 +440,7 @@ Assign a default value for each user-modifiable setting by passing environment v
| `WIDE` | `["on", "off"]` | `off` |
| `POST_SORT` | `["hot", "new", "top", "rising", "controversial"]` | `hot` |
| `COMMENT_SORT` | `["confidence", "top", "new", "controversial", "old"]` | `confidence` |
-| `BLUR_SPOILER` | `["on", "off"]` | `off` |
+| `BLUR_SPOILER` | `["on", "off"]` | `off` |
| `SHOW_NSFW` | `["on", "off"]` | `off` |
| `BLUR_NSFW` | `["on", "off"]` | `off` |
| `USE_HLS` | `["on", "off"]` | `off` |
@@ -452,3 +452,4 @@ Assign a default value for each user-modifiable setting by passing environment v
| `HIDE_SCORE` | `["on", "off"]` | `off` |
| `HIDE_SIDEBAR_AND_SUMMARY` | `["on", "off"]` | `off` |
| `FIXED_NAVBAR` | `["on", "off"]` | `on` |
+| `REMOVE_DEFAULT_FEEDS` | `["on", "off"]` | `off` |
\ No newline at end of file
diff --git a/src/settings.rs b/src/settings.rs
index 34718c2..4b30da3 100644
--- a/src/settings.rs
+++ b/src/settings.rs
@@ -22,7 +22,7 @@ struct SettingsTemplate {
// CONSTANTS
-const PREFS: [&str; 18] = [
+const PREFS: [&str; 19] = [
"theme",
"front_page",
"layout",
@@ -41,6 +41,7 @@ const PREFS: [&str; 18] = [
"hide_score",
"disable_visit_reddit_confirmation",
"video_quality",
+ "remove_default_feeds",
];
// FUNCTIONS
diff --git a/src/subreddit.rs b/src/subreddit.rs
index f7fe01d..d03a9dd 100644
--- a/src/subreddit.rs
+++ b/src/subreddit.rs
@@ -3,12 +3,13 @@
use crate::{config, utils};
// CRATES
use crate::utils::{
- catch_random, error, filter_posts, format_num, format_url, get_filters, nsfw_landing, param, redirect, rewrite_urls, setting, template, val, Post, Preferences, Subreddit,
+ catch_random, error, filter_posts, format_num, format_url, get_filters, info, nsfw_landing, param, redirect, rewrite_urls, setting, template, val, Post, Preferences,
+ Subreddit,
};
use crate::{client::json, server::RequestExt, server::ResponseExt};
use cookie::Cookie;
use hyper::{Body, Request, Response};
-use log::{debug, trace};
+use log::debug;
use rinja::Template;
use chrono::DateTime;
@@ -66,6 +67,7 @@ pub async fn community(req: Request) -> Result, String> {
let query = req.uri().query().unwrap_or_default().to_string();
let subscribed = setting(&req, "subscriptions");
let front_page = setting(&req, "front_page");
+ let remove_default_feeds = setting(&req, "remove_default_feeds") == "on";
let post_sort = req.cookie("post_sort").map_or_else(|| "hot".to_string(), |c| c.value().to_string());
let sort = req.param("sort").unwrap_or_else(|| req.param("id").unwrap_or(post_sort));
@@ -78,6 +80,21 @@ pub async fn community(req: Request) -> Result, String> {
} else {
front_page.clone()
});
+
+ if (sub_name == "popular" || sub_name == "all") && remove_default_feeds {
+ if subscribed.is_empty() {
+ return info(req, "Subscribe to some subreddits! (Default feeds disabled in settings)").await;
+ } else {
+ // If there are subscribed subs, but we get here, then the problem is that front_page pref is set to something besides default.
+ // Tell user to go to settings and change front page to default.
+ return info(
+ req,
+ "You have subscribed to some subreddits, but your front page is not set to default. Visit settings and change front page to default.",
+ )
+ .await;
+ }
+ }
+
let quarantined = can_access_quarantine(&req, &sub_name) || root;
// Handle random subreddits
diff --git a/src/utils.rs b/src/utils.rs
index 0aa3159..2747449 100644
--- a/src/utils.rs
+++ b/src/utils.rs
@@ -551,6 +551,14 @@ pub struct ErrorTemplate {
pub url: String,
}
+#[derive(Template)]
+#[template(path = "info.html")]
+pub struct InfoTemplate {
+ pub msg: String,
+ pub prefs: Preferences,
+ pub url: String,
+}
+
/// Template for NSFW landing page. The landing page is displayed when a page's
/// content is wholly NSFW, but a user has not enabled the option to view NSFW
/// posts.
@@ -636,6 +644,7 @@ pub struct Preferences {
pub filters: Vec,
pub hide_awards: String,
pub hide_score: String,
+ pub remove_default_feeds: String,
}
fn serialize_vec_with_plus(vec: &[String], serializer: S) -> Result
@@ -682,6 +691,7 @@ impl Preferences {
filters: setting(req, "filters").split('+').map(String::from).filter(|s| !s.is_empty()).collect(),
hide_awards: setting(req, "hide_awards"),
hide_score: setting(req, "hide_score"),
+ remove_default_feeds: setting(req, "remove_default_feeds"),
}
}
@@ -1265,6 +1275,20 @@ pub async fn error(req: Request, msg: &str) -> Result, Stri
Ok(Response::builder().status(404).header("content-type", "text/html").body(body.into()).unwrap_or_default())
}
+/// Renders a generic info landing page.
+pub async fn info(req: Request, msg: &str) -> Result, String> {
+ let url = req.uri().to_string();
+ let body = InfoTemplate {
+ msg: msg.to_string(),
+ prefs: Preferences::new(&req),
+ url,
+ }
+ .render()
+ .unwrap_or_default();
+
+ Ok(Response::builder().status(200).header("content-type", "text/html").body(body.into()).unwrap_or_default())
+}
+
/// Returns true if the config/env variable `REDLIB_SFW_ONLY` carries the
/// value `on`.
///
@@ -1463,10 +1487,11 @@ mod tests {
filters: vec![],
hide_awards: "off".to_owned(),
hide_score: "off".to_owned(),
+ remove_default_feeds: "off".to_owned(),
};
let urlencoded = serde_urlencoded::to_string(prefs).expect("Failed to serialize Prefs");
- assert_eq!(urlencoded, "theme=laserwave&front_page=default&layout=compact&wide=on&blur_spoiler=on&show_nsfw=off&blur_nsfw=on&hide_hls_notification=off&video_quality=best&hide_sidebar_and_summary=off&use_hls=on&autoplay_videos=on&fixed_navbar=on&disable_visit_reddit_confirmation=on&comment_sort=confidence&post_sort=top&subscriptions=memes%2Bmildlyinteresting&filters=&hide_awards=off&hide_score=off")
+ assert_eq!(urlencoded, "theme=laserwave&front_page=default&layout=compact&wide=on&blur_spoiler=on&show_nsfw=off&blur_nsfw=on&hide_hls_notification=off&video_quality=best&hide_sidebar_and_summary=off&use_hls=on&autoplay_videos=on&fixed_navbar=on&disable_visit_reddit_confirmation=on&comment_sort=confidence&post_sort=top&subscriptions=memes%2Bmildlyinteresting&filters=&hide_awards=off&hide_score=off&remove_default_feeds=off");
}
}
diff --git a/templates/info.html b/templates/info.html
new file mode 100644
index 0000000..a14c170
--- /dev/null
+++ b/templates/info.html
@@ -0,0 +1,20 @@
+{% extends "base.html" %}
+{% import "utils.html" as utils %}
+
+{% block title %}Info: {{ msg }}{% endblock %}
+{% block sortstyle %}{% endblock %}
+
+{% block subscriptions %}
+ {% call utils::sub_list("") %}
+{% endblock %}
+
+{% block search %}
+ {% call utils::search("".to_owned(), "") %}
+{% endblock %}
+
+{% block content %}
+