Compare commits

...

13 Commits

Author SHA1 Message Date
99b1205cec version 0.1.3
All checks were successful
Test the running changes / Test (push) Successful in 34s
2025-12-26 19:23:38 +02:00
47cb8d2cc2 add tests for html generation, refactor lists 2025-12-26 19:22:59 +02:00
b7ca4ac6e3 version 0.1.2
All checks were successful
Test the running changes / Test (push) Successful in 39s
2025-12-26 16:39:10 +02:00
ba598f7e34 removed broken release workflow 2025-12-26 16:38:14 +02:00
34304546ad added support for parsing lists
All checks were successful
Test the running changes / Test (push) Successful in 32s
2025-12-26 16:36:57 +02:00
03b5360ec5 fixed weird block parsing issues
All checks were successful
Test the running changes / Test (push) Successful in 35s
2025-12-24 23:26:09 +02:00
d761bd036d release workflow fix 5 2025-12-23 23:19:02 +02:00
fa19f5ddf2 release workflow fix 4
Some checks failed
Create release package / Release (push) Failing after 32s
2025-12-23 23:04:51 +02:00
b142c62d65 release workflow fix 3 2025-12-23 23:02:25 +02:00
397bddd956 release workflow fix 2 2025-12-23 22:55:41 +02:00
0ca1bfecde release workflow fix 1
Some checks failed
Create release package / Release (push) Failing after 31s
2025-12-22 22:08:45 +02:00
6021861cfb Merge pull request 'version 0.1.0' (#2) from dev into master
Some checks failed
Create release package / Release (push) Failing after 31s
Reviewed-on: #2
2025-12-22 19:52:48 +00:00
24fc2deae1 Merge pull request 'Clean testing workflow' (#1) from dev into master
Reviewed-on: #1
2025-12-10 12:25:06 +00:00
12 changed files with 440 additions and 28 deletions

View File

@@ -13,7 +13,10 @@ jobs:
runs-on: rust-latest
steps:
- run: export TEST_TOKEN="${{ secrets.TEST }}"
- run: echo $TEST_TOKEN
- run: echo "Straight in: ${{ secrets.TEST }}"
- run: git clone https://git.jlux.dev/${{ gitea.repository }} . && git checkout ${{ gitea.ref_name }}
- run: cargo build --verbose --release
- run: export CARGO_REGISTRIES_GITEA_TOKEN=${{ secrets.CARGO_BEARER_TOKEN }}
- run: export CARGO_REGISTRIES_GITEA_TOKEN="${{ secrets.CARGO_TOKEN }}"
- run: cargo publish --registry gitea

2
Cargo.lock generated
View File

@@ -4,7 +4,7 @@ version = 4
[[package]]
name = "marginal"
version = "0.1.0"
version = "0.1.2"
dependencies = [
"nom",
]

View File

@@ -1,6 +1,6 @@
[package]
name = "marginal"
version = "0.1.0"
version = "0.1.3"
edition = "2024"
publish = ["gitea"]

View File

@@ -66,6 +66,7 @@ command = [
"cargo", "nextest", "run",
"--hide-progress-bar",
"--failure-output", "final",
"--no-fail-fast",
]
need_stdout = true
analyzer = "nextest"

View File

@@ -31,4 +31,6 @@ pub enum Block {
Code { content: String, lang: String },
Quote { inner: Box<Block> },
Paragraph { inner: Vec<Inline> },
List { ordered: bool, items: Vec<Block> },
Null,
}

View File

@@ -15,12 +15,136 @@ impl ToHtml for Vec<Block> {
impl ToHtml for Block {
fn to_html(&self) -> String {
match self {
Block::Paragraph { inner } => format!("<p>{}</p><br>", inner.to_html()),
Block::Paragraph { inner } => format!("<p>{}</p>", inner.to_html()),
Block::Heading { inner, level } => {
format!("<h{}>{}</h{}>", level, inner.to_html(), level)
}
Block::Code { content, lang: _ } => format!("<pre><code>{content}</code></pre>"),
Block::Quote { inner } => format!("<div class=\"quote\">{}</div>", inner.to_html()),
Block::List { ordered, items } => {
let tag = if *ordered { "ol" } else { "ul" };
let mut html = format!("<{}>", tag);
for item in items {
html.push_str(&format!("<li>{}</li>", &item.to_html()));
}
html.push_str(&format!("</{}>", tag));
html
}
Block::Null => "".to_string(),
}
}
}
#[cfg(test)]
mod test {
use crate::{ast::*, generator::ToHtml};
#[test]
fn paragraph_to_html() {
let ast = Block::Paragraph {
inner: vec![Inline::Text {
content: "hello".to_string(),
}],
};
let html = ast.to_html();
assert_eq!(html, "<p>hello</p>".to_string());
}
#[test]
fn heading_to_html() {
let ast = Block::Heading {
inner: vec![Inline::Text {
content: "hello".to_string(),
}],
level: 2,
};
let html = ast.to_html();
assert_eq!(html, "<h2>hello</h2>".to_string());
}
#[test]
fn code_to_html() {
let ast = Block::Code {
content: "echo 'hello world!'".to_string(),
lang: "bash".to_string(),
};
let html = ast.to_html();
assert_eq!(
html,
"<pre><code>echo 'hello world!'</code></pre>".to_string()
);
}
#[test]
fn quote_to_html() {
let ast = Block::Quote {
inner: Box::new(Block::Paragraph {
inner: vec![Inline::Text {
content: "sun tzu".to_string(),
}],
}),
};
let html = ast.to_html();
assert_eq!(html, "<div class=\"quote\"><p>sun tzu</p></div>");
}
#[test]
fn ordered_list_to_html() {
let ast = Block::List {
ordered: true,
items: vec![
Block::Paragraph {
inner: vec![Inline::Text {
content: "item 1".to_string(),
}],
},
Block::Paragraph {
inner: vec![Inline::Text {
content: "item 2".to_string(),
}],
},
],
};
let html = ast.to_html();
assert_eq!(
html,
"<ol><li><p>item 1</p></li><li><p>item 2</p></li></ol>".to_string()
);
}
#[test]
fn unordered_list_to_html() {
let ast = Block::List {
ordered: false,
items: vec![
Block::Paragraph {
inner: vec![Inline::Text {
content: "item 1".to_string(),
}],
},
Block::Paragraph {
inner: vec![Inline::Text {
content: "item 2".to_string(),
}],
},
],
};
let html = ast.to_html();
assert_eq!(
html,
"<ul><li><p>item 1</p></li><li><p>item 2</p></li></ul>".to_string()
);
}
}

View File

@@ -7,7 +7,15 @@ use super::{GenerationError, ToHtml, TryToHtml};
impl TryToHtml for PathBuf {
fn try_to_html(&self) -> Result<String, GenerationError> {
let content_md = fs::read_to_string(self)?;
let (_rem, generated) = blocks(&content_md)?;
Ok(generated.to_html())
let (rem, generated) = blocks(&content_md)?;
if !rem.is_empty() {
Err(GenerationError::Termination {
file: self.to_owned(),
remainder: rem.to_string(),
})
} else {
Ok(generated.to_html())
}
}
}

View File

@@ -25,3 +25,74 @@ impl ToHtml for Inline {
}
}
}
#[cfg(test)]
mod test {
use super::*;
#[test]
fn text_to_html() {
let ast = Inline::Text {
content: "hello".to_string(),
};
let html = ast.to_html();
assert_eq!(html, "hello".to_string());
}
#[test]
fn bold_to_html() {
let ast = Inline::Bold {
inner: vec![Inline::Text {
content: "hello".to_string(),
}],
};
let html = ast.to_html();
assert_eq!(html, "<b>hello</b>".to_string());
}
#[test]
fn italic_to_html() {
let ast = Inline::Italic {
inner: vec![Inline::Text {
content: "hello".to_string(),
}],
};
let html = ast.to_html();
assert_eq!(html, "<i>hello</i>".to_string());
}
#[test]
fn code_to_html() {
let ast = Inline::Code {
content: "echo 'hello'".to_string(),
};
let html = ast.to_html();
assert_eq!(html, "<code>echo 'hello'</code>".to_string());
}
#[test]
fn link_to_html() {
let ast = Inline::Link {
inner: vec![Inline::Text {
content: "my webpage".to_string(),
}],
href: crate::ast::Href("https://jlux.dev".to_string()),
};
let html = ast.to_html();
assert_eq!(
html,
"<a href=\"https://jlux.dev\">my webpage</a>".to_string()
);
//format!("<a href=\"{}\">{}</a>", href, inner.to_html())
}
}

View File

@@ -1,4 +1,4 @@
use std::fmt::Display;
use std::{fmt::Display, path::PathBuf};
use crate::parser::MarkdownParseError;
@@ -10,6 +10,7 @@ pub mod inline;
pub enum GenerationError {
IO(std::io::Error),
Parse(nom::Err<MarkdownParseError>),
Termination { file: PathBuf, remainder: String },
}
impl Display for GenerationError {
@@ -18,8 +19,13 @@ impl Display for GenerationError {
f,
"Generation Error: {}",
match self {
GenerationError::IO(e) => format!("IO: {e}"),
GenerationError::Parse(e) => format!("Parse: {e}"),
GenerationError::IO(e) => format!("IO error: {e}"),
GenerationError::Parse(e) => format!("Parse error: {e}"),
GenerationError::Termination { file, remainder } => format!(
"Termination error at `{}` before:\n{}",
file.display(),
remainder
),
}
)
}

View File

@@ -3,6 +3,7 @@ use nom::{
IResult, Parser,
branch::alt,
bytes::complete::{tag, take_until},
combinator::peek,
multi::{many_m_n, many0, many1},
sequence::{delimited, terminated},
};
@@ -15,12 +16,24 @@ pub fn blocks(input: &str) -> IResult<&str, Vec<Block>, MarkdownParseError> {
pub fn block(input: &str) -> IResult<&str, Block, MarkdownParseError> {
terminated(
alt((heading_block, code_block, quote_block, paragraph_block)),
alt((
heading_block,
ordered_list,
unordered_list,
code_block,
quote_block,
paragraph_block,
empty_line,
)),
tag("\n"),
)
.parse(input)
}
fn empty_line(input: &str) -> IResult<&str, Block, MarkdownParseError> {
tag("").parse(input).map(|(rem, _)| (rem, Block::Null))
}
fn paragraph_block(input: &str) -> IResult<&str, Block, MarkdownParseError> {
(inline)
.parse(input)
@@ -45,7 +58,7 @@ fn code_block(input: &str) -> IResult<&str, Block, MarkdownParseError> {
delimited(
tag("```"),
(take_until("\n"), tag("\n"), take_until("```\n")),
tag("```\n"),
(tag("```"), peek(tag("\n"))),
)
.parse(input)
.map(|(rem, (lang, _, code))| {
@@ -72,6 +85,32 @@ fn quote_block(input: &str) -> IResult<&str, Block, MarkdownParseError> {
})
}
fn unordered_list(input: &str) -> IResult<&str, Block, MarkdownParseError> {
many1((tag("- "), block)).parse(input).map(|(rem, v)| {
let items = v.into_iter().map(|(_, b)| b).collect();
(
rem,
Block::List {
ordered: false,
items,
},
)
})
}
fn ordered_list(input: &str) -> IResult<&str, Block, MarkdownParseError> {
many1((tag("1. "), block)).parse(input).map(|(rem, v)| {
let items = v.into_iter().map(|(_, b)| b).collect();
(
rem,
Block::List {
ordered: true,
items,
},
)
})
}
//|-------------------------------------------------------------------------------|
//| TESTS TESTS TESTS TESTS TESTS TESTS TESTS TESTS TESTS TESTS TESTS TESTS TESTS |
//|-------------------------------------------------------------------------------|
@@ -83,10 +122,10 @@ mod test {
#[test]
fn single_paragraph() {
let md = "Hello markdown!!";
let md = "Hello markdown!!\n";
let (rem, block) = paragraph_block(md).unwrap();
assert_eq!(rem, "");
assert_eq!(rem, "\n");
assert_eq!(
block,
Block::Paragraph {
@@ -107,7 +146,7 @@ fn main() {
";
let (rem, block) = code_block(md).unwrap();
assert_eq!(rem, "");
assert_eq!(rem, "\n");
assert_eq!(
block,
Block::Code {
@@ -125,7 +164,7 @@ echo \"hello world\"
";
let (rem, block) = code_block(md).unwrap();
assert_eq!(rem, "");
assert_eq!(rem, "\n");
assert_eq!(
block,
Block::Code {
@@ -145,11 +184,11 @@ echo hello
}
#[test]
fn level_1_heading() {
let md = "## Heading2";
fn level_2_heading() {
let md = "## Heading2\n";
let (rem, block) = heading_block(md).unwrap();
assert_eq!(rem, "");
assert_eq!(rem, "\n");
assert_eq!(
block,
Block::Heading {
@@ -163,16 +202,16 @@ echo hello
#[test]
fn heading_no_space() {
let md = "#heading";
let md = "#heading\n";
assert!(heading_block(md).is_err());
}
#[test]
fn level_6_heading() {
let md = "###### Heading6";
let md = "###### Heading6\n";
let (rem, block) = heading_block(md).unwrap();
assert_eq!(rem, "");
assert_eq!(rem, "\n");
assert_eq!(
block,
Block::Heading {
@@ -186,7 +225,7 @@ echo hello
#[test]
fn no_level_7_heading() {
let md = "####### Heading7";
let md = "####### Heading7\n";
assert!(heading_block(md).is_err());
}
@@ -233,4 +272,155 @@ Hello MD
]
);
}
#[test]
fn simple_unordered_list() {
let md = "- a\n- b\n- c\n- b again with some `code`\n\n";
let (rem, block) = unordered_list(md).unwrap();
assert_eq!(rem, "\n");
assert_eq!(
block,
Block::List {
ordered: false,
items: vec![
Block::Paragraph {
inner: vec![Inline::Text {
content: "a".to_string()
}]
},
Block::Paragraph {
inner: vec![Inline::Text {
content: "b".to_string()
}]
},
Block::Paragraph {
inner: vec![Inline::Text {
content: "c".to_string()
}]
},
Block::Paragraph {
inner: vec![
Inline::Text {
content: "b again with some ".to_string()
},
Inline::Code {
content: "code".to_string()
}
]
},
]
}
);
}
#[test]
fn simple_ordered_list() {
let md = "1. a\n1. b\n1. c\n1. b again with some `code`\n\n";
let (rem, block) = ordered_list(md).unwrap();
assert_eq!(rem, "\n");
assert_eq!(
block,
Block::List {
ordered: true,
items: vec![
Block::Paragraph {
inner: vec![Inline::Text {
content: "a".to_string()
}]
},
Block::Paragraph {
inner: vec![Inline::Text {
content: "b".to_string()
}]
},
Block::Paragraph {
inner: vec![Inline::Text {
content: "c".to_string()
}]
},
Block::Paragraph {
inner: vec![
Inline::Text {
content: "b again with some ".to_string()
},
Inline::Code {
content: "code".to_string()
}
]
},
]
}
);
}
#[test]
fn empty_block() {
let md = "\n";
let (rem, ast) = block(md).unwrap();
assert_eq!(rem, "");
assert_eq!(ast, Block::Null);
}
#[test]
fn complex_1() {
let md = "
# hello
## second header
blablabla
1. hahaha
1. second
";
let (rem, ast) = blocks(md).unwrap();
assert_eq!(rem, "");
assert_eq!(
ast,
vec![
Block::Null,
Block::Heading {
inner: vec![Inline::Text {
content: "hello".to_string()
}],
level: 1
},
Block::Null,
Block::Heading {
inner: vec![Inline::Text {
content: "second header".to_string()
}],
level: 2
},
Block::Null,
Block::Paragraph {
inner: vec![Inline::Text {
content: "blablabla".to_string()
}]
},
Block::Null,
Block::List {
ordered: true,
items: vec![
Block::Paragraph {
inner: vec![Inline::Text {
content: "hahaha".to_string()
}]
},
Block::Paragraph {
inner: vec![Inline::Text {
content: "second".to_string()
}]
},
]
},
]
);
}
}

View File

@@ -3,7 +3,7 @@ use nom::{
Parser,
branch::alt,
bytes::complete::{is_not, tag},
multi::many0,
multi::many1,
sequence::delimited,
};
@@ -12,7 +12,7 @@ use crate::ast::{Href, Inline};
use super::MarkdownParseError;
pub fn inline(input: &str) -> IResult<&str, Vec<Inline>, MarkdownParseError> {
many0(alt((
many1(alt((
text_inline,
bold_inline,
italic_inline,
@@ -85,10 +85,10 @@ mod test {
#[test]
fn single_text() {
let md = "hello normal inline";
let md = "hello normal inline\n";
let (rem, parsed) = text_inline(md).unwrap();
assert_eq!(rem, "");
assert_eq!(rem, "\n");
assert_eq!(
parsed,
Inline::Text {
@@ -184,7 +184,7 @@ mod test {
#[test]
fn normal_and_nested_bold() {
let md = "some **extra* bold* stuff";
let md = "some *very *extra* bold* stuff";
let (rem, parsed) = inline(md).unwrap();
assert_eq!(rem, "");
@@ -194,7 +194,11 @@ mod test {
Inline::Text {
content: "some ".to_string()
},
Inline::Bold { inner: vec![] },
Inline::Bold {
inner: vec![Inline::Text {
content: "very ".to_string()
}]
},
Inline::Text {
content: "extra".to_string()
},

View File

@@ -1,3 +1,6 @@
//! A weird markdown parser. Please don't forget to add a newline in the end of a file or it won't
//! work :)
use std::fmt::{Debug, Display};
pub mod block;