jotdown/src/lib.rs

700 lines
21 KiB
Rust
Raw Normal View History

2022-11-29 12:34:13 -05:00
pub mod html;
2022-12-18 12:05:39 -05:00
mod attr;
2022-11-12 12:45:17 -05:00
mod block;
2022-11-16 16:11:55 -05:00
mod inline;
2022-11-20 13:13:48 -05:00
mod lex;
2022-11-12 12:45:17 -05:00
mod span;
mod tree;
2022-11-28 14:12:49 -05:00
use span::Span;
2022-12-18 12:05:39 -05:00
pub use attr::Attributes;
2022-12-13 15:19:16 -05:00
type CowStr<'s> = std::borrow::Cow<'s, str>;
2022-11-12 12:45:17 -05:00
const EOF: char = '\0';
2022-11-28 14:12:49 -05:00
#[derive(Debug, PartialEq, Eq)]
2022-11-28 18:33:43 -05:00
pub enum Event<'s> {
2022-11-29 12:34:13 -05:00
/// Start of a container.
Start(Container<'s>, Attributes<'s>),
/// End of a container.
End(Container<'s>),
2022-11-28 15:52:09 -05:00
/// A string object, text only.
2022-12-13 15:19:16 -05:00
Str(CowStr<'s>),
2022-11-29 12:34:13 -05:00
/// An atomic element.
Atom(Atom),
2022-11-27 15:59:54 -05:00
}
2022-11-28 14:12:49 -05:00
#[derive(Debug, PartialEq, Eq)]
2022-11-29 12:34:13 -05:00
pub enum Container<'s> {
/// A blockquote element.
Blockquote,
/// A list.
List(List),
/// An item of a list
ListItem,
/// A description list element.
DescriptionList,
/// Details describing a term within a description list.
DescriptionDetails,
/// A footnote definition.
Footnote { tag: &'s str },
/// A table element.
Table,
/// A row element of a table.
TableRow,
/// A block-level divider element.
2022-12-07 13:32:42 -05:00
Div { class: Option<&'s str> },
2022-11-28 15:52:09 -05:00
/// A paragraph.
2022-11-27 15:59:54 -05:00
Paragraph,
2022-11-28 15:52:09 -05:00
/// A heading.
Heading { level: usize },
2022-11-28 15:52:09 -05:00
/// A cell element of row within a table.
2022-11-27 15:59:54 -05:00
TableCell,
/// A term within a description list.
DescriptionTerm,
2022-11-28 15:52:09 -05:00
/// A block with raw markup for a specific output format.
2022-11-27 15:59:54 -05:00
RawBlock { format: &'s str },
2022-11-28 15:52:09 -05:00
/// A block with code in a specific language.
CodeBlock { lang: Option<&'s str> },
/// An inline divider element.
Span,
/// An inline link with a destination URL.
2022-12-13 15:19:16 -05:00
Link(CowStr<'s>, LinkType),
2022-12-18 01:59:11 -05:00
/// An inline image with a source URL. Inner Str objects compose the alternative text.
2022-12-17 12:03:06 -05:00
Image(CowStr<'s>, SpanLinkType),
2022-12-08 11:42:54 -05:00
/// An inline verbatim string.
Verbatim,
/// An inline or display math element.
Math { display: bool },
/// Inline raw markup for a specific output format.
RawInline { format: &'s str },
2022-11-28 18:33:43 -05:00
/// A subscripted element.
Subscript,
/// A superscripted element.
Superscript,
/// An inserted inline element.
2022-11-28 18:33:43 -05:00
Insert,
/// A deleted inline element.
2022-11-28 18:33:43 -05:00
Delete,
/// An inline element emphasized with a bold typeface.
2022-11-28 18:33:43 -05:00
Strong,
/// An emphasized inline element.
2022-11-28 18:33:43 -05:00
Emphasis,
/// A highlighted inline element.
Mark,
/// An quoted inline element, using single quotes.
2022-11-28 18:33:43 -05:00
SingleQuoted,
/// A quoted inline element, using double quotes.
DoubleQuoted,
2022-11-27 15:59:54 -05:00
}
impl<'s> Container<'s> {
/// Is a block element.
fn is_block(&self) -> bool {
match self {
Self::Blockquote
| Self::List(..)
| Self::ListItem
| Self::DescriptionList
| Self::DescriptionDetails
| Self::Footnote { .. }
| Self::Table
| Self::TableRow
2022-12-07 13:32:42 -05:00
| Self::Div { .. }
| Self::Paragraph
| Self::Heading { .. }
| Self::DescriptionTerm
| Self::TableCell
| Self::RawBlock { .. }
| Self::CodeBlock { .. } => true,
Self::Span
| Self::Link(..)
| Self::Image(..)
2022-12-08 11:42:54 -05:00
| Self::Verbatim
| Self::Math { .. }
| Self::RawInline { .. }
| Self::Subscript
| Self::Superscript
| Self::Insert
| Self::Delete
| Self::Strong
| Self::Emphasis
| Self::Mark
| Self::SingleQuoted
| Self::DoubleQuoted => false,
}
}
/// Is a block element that may contain children blocks.
fn is_block_container(&self) -> bool {
match self {
Self::Blockquote
| Self::List(..)
| Self::ListItem
| Self::DescriptionList
| Self::DescriptionDetails
| Self::Footnote { .. }
| Self::Table
| Self::TableRow
2022-12-07 13:32:42 -05:00
| Self::Div { .. } => true,
Self::Paragraph
| Self::Heading { .. }
| Self::TableCell
| Self::DescriptionTerm
| Self::RawBlock { .. }
| Self::CodeBlock { .. }
| Self::Span
| Self::Link(..)
| Self::Image(..)
2022-12-08 11:42:54 -05:00
| Self::Verbatim
| Self::Math { .. }
| Self::RawInline { .. }
| Self::Subscript
| Self::Superscript
| Self::Insert
| Self::Delete
| Self::Strong
| Self::Emphasis
| Self::Mark
| Self::SingleQuoted
| Self::DoubleQuoted => false,
}
}
}
2022-11-28 14:12:49 -05:00
#[derive(Debug, PartialEq, Eq)]
2022-12-17 12:03:06 -05:00
pub enum SpanLinkType {
2022-11-28 15:52:09 -05:00
Inline,
Reference,
2022-12-17 12:03:06 -05:00
}
#[derive(Debug, PartialEq, Eq)]
pub enum LinkType {
Span(SpanLinkType),
2022-12-11 03:26:55 -05:00
AutoLink,
2022-11-28 15:52:09 -05:00
Email,
}
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub enum List {
Unordered,
2022-12-02 02:16:47 -05:00
Ordered { kind: OrderedListKind, start: u32 },
2022-11-28 15:52:09 -05:00
Description,
2022-12-06 15:31:08 -05:00
Task,
2022-11-28 15:52:09 -05:00
}
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub enum OrderedListKind {
/// Decimal numbering, e.g. `1)`.
Decimal,
/// Lowercase alphabetic numbering, e.g. `a)`.
AlphaLower,
/// Uppercase alphabetic numbering, e.g. `A)`.
AlphaUpper,
/// Lowercase roman numbering, e.g. `iv)`.
RomanLower,
/// Uppercase roman numbering, e.g. `IV)`.
RomanUpper,
}
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub enum OrderedListStyle {
2022-11-28 15:52:09 -05:00
/// Number is followed by a period, e.g. `1.`.
Period,
/// Number is followed by a closing parenthesis, e.g. `1)`.
Paren,
/// Number is enclosed by parentheses, e.g. `(1)`.
ParenParen,
}
2022-11-29 12:34:13 -05:00
#[derive(Debug, PartialEq, Eq)]
pub enum Atom {
/// A horizontal ellipsis, i.e. a set of three periods.
2022-11-29 12:34:13 -05:00
Ellipsis,
/// An en dash.
EnDash,
/// An em dash.
EmDash,
/// A thematic break, typically a horizontal rule.
ThematicBreak,
2022-12-18 12:05:39 -05:00
/// A space that must not break a line.
2022-11-29 12:34:13 -05:00
NonBreakingSpace,
2022-12-18 12:05:39 -05:00
/// A newline that may or may not break a line in the output.
2022-11-29 12:34:13 -05:00
Softbreak,
2022-12-18 12:05:39 -05:00
/// A newline that must break a line in the output.
2022-11-29 12:34:13 -05:00
Hardbreak,
/// An escape character, not visible in output.
Escape,
2022-12-07 13:32:42 -05:00
/// A blank line, not visible in output.
Blankline,
2022-11-29 12:34:13 -05:00
}
impl<'s> Container<'s> {
2022-12-11 14:49:57 -05:00
fn from_leaf_block(content: &str, l: block::Leaf) -> Self {
match l {
block::Leaf::Paragraph => Self::Paragraph,
block::Leaf::Heading => Self::Heading {
level: content.len(),
2022-11-28 18:33:43 -05:00
},
2022-12-17 06:21:15 -05:00
block::Leaf::CodeBlock => panic!(),
2022-12-11 14:49:57 -05:00
_ => todo!(),
}
}
fn from_container_block(content: &'s str, c: block::Container) -> Self {
match c {
block::Container::Blockquote => Self::Blockquote,
2022-12-17 06:21:15 -05:00
block::Container::Div => panic!(),
2022-12-11 14:49:57 -05:00
block::Container::Footnote => Self::Footnote { tag: content },
block::Container::ListItem => todo!(),
2022-11-28 15:52:09 -05:00
}
}
2022-11-28 14:12:49 -05:00
}
2022-12-11 12:47:00 -05:00
#[derive(Clone)]
2022-12-17 06:21:15 -05:00
struct InlineChars<'s, 't> {
2022-12-11 12:47:00 -05:00
src: &'s str,
2022-12-17 06:21:15 -05:00
inlines: std::slice::Iter<'t, Span>,
next: std::str::Chars<'s>,
}
// Implement inlines.flat_map(|sp| sp.of(self.src).chars())
impl<'s, 't> InlineChars<'s, 't> {
fn new(src: &'s str, inlines: &'t [Span]) -> Self {
Self {
src,
inlines: inlines.iter(),
next: "".chars(),
}
}
2022-12-11 12:47:00 -05:00
}
2022-12-17 06:21:15 -05:00
impl<'s, 't> Iterator for InlineChars<'s, 't> {
2022-12-11 12:47:00 -05:00
type Item = char;
fn next(&mut self) -> Option<Self::Item> {
(&mut self.inlines)
.flat_map(|sp| sp.of(self.src).chars())
.next()
2022-11-28 18:33:43 -05:00
}
2022-11-22 13:19:21 -05:00
}
2022-12-18 12:05:39 -05:00
trait DiscontinuousString<'s> {
type Chars: Iterator<Item = char>;
fn src(&self, span: Span) -> CowStr<'s>;
fn chars(&self) -> Self::Chars;
}
impl<'s> DiscontinuousString<'s> for &'s str {
type Chars = std::str::Chars<'s>;
fn src(&self, span: Span) -> CowStr<'s> {
span.of(self).into()
}
fn chars(&self) -> Self::Chars {
str::chars(self)
}
}
impl<'s> DiscontinuousString<'s> for InlineSpans<'s> {
type Chars = InlineChars<'s, 'static>;
/// Borrow if continuous, copy if discontiunous.
fn src(&self, span: Span) -> CowStr<'s> {
let mut a = 0;
let mut s = String::new();
for sp in &self.spans {
let b = a + sp.len();
if span.start() < b {
let r = if a <= span.start() {
if span.end() <= b {
// continuous
return CowStr::Borrowed(
&sp.of(self.src)[span.start() - a..span.end() - a],
);
}
(span.start() - a)..sp.len()
} else {
0..sp.len().min(span.end() - a)
};
s.push_str(&sp.of(self.src)[r]);
}
a = b;
}
assert_eq!(span.len(), s.len());
CowStr::Owned(s)
}
fn chars(&self) -> Self::Chars {
// SAFETY: do not call set_spans while chars is in use
unsafe { std::mem::transmute(InlineChars::new(self.src, &self.spans)) }
}
}
#[derive(Default)]
struct InlineSpans<'s> {
src: &'s str,
spans: Vec<Span>,
}
impl<'s> InlineSpans<'s> {
fn new(src: &'s str) -> Self {
Self {
src,
spans: Vec::new(),
}
}
fn set_spans(&mut self, spans: impl Iterator<Item = Span>) {
// avoid allocating new vec if size is sufficient
self.spans.clear();
self.spans.extend(spans);
}
}
2022-11-28 14:19:22 -05:00
pub struct Parser<'s> {
2022-11-20 13:13:48 -05:00
src: &'s str,
2022-11-28 14:19:22 -05:00
tree: block::Tree,
2022-12-18 12:05:39 -05:00
inlines: InlineSpans<'s>,
2022-12-17 06:21:15 -05:00
inline_parser: Option<inline::Parser<InlineChars<'s, 'static>>>,
2022-11-26 19:12:56 -05:00
inline_start: usize,
2022-12-08 11:42:54 -05:00
block_attributes: Attributes<'s>,
2022-11-20 13:13:48 -05:00
}
2022-11-28 14:19:22 -05:00
impl<'s> Parser<'s> {
#[must_use]
pub fn new(src: &'s str) -> Self {
Self {
src,
tree: block::parse(src),
2022-12-18 12:05:39 -05:00
inlines: InlineSpans::new(src),
2022-12-11 12:47:00 -05:00
inline_parser: None,
2022-11-28 14:19:22 -05:00
inline_start: 0,
2022-12-18 12:05:39 -05:00
block_attributes: Attributes::new(),
2022-11-28 14:19:22 -05:00
}
}
}
2022-12-17 06:21:15 -05:00
impl<'s> Parser<'s> {
fn inline(&self, inline: inline::Event) -> Event<'s> {
match inline.kind {
inline::EventKind::Enter(c) | inline::EventKind::Exit(c) => {
let t = match c {
inline::Container::Span => Container::Span,
inline::Container::Verbatim => Container::Verbatim,
inline::Container::InlineMath => Container::Math { display: false },
inline::Container::DisplayMath => Container::Math { display: true },
inline::Container::RawFormat => Container::RawInline {
2022-12-18 12:05:39 -05:00
format: match self.inlines.src(inline.span) {
CowStr::Owned(_) => panic!(),
CowStr::Borrowed(s) => s,
},
2022-12-17 06:21:15 -05:00
},
inline::Container::Subscript => Container::Subscript,
inline::Container::Superscript => Container::Superscript,
inline::Container::Insert => Container::Insert,
inline::Container::Delete => Container::Delete,
inline::Container::Emphasis => Container::Emphasis,
inline::Container::Strong => Container::Strong,
inline::Container::Mark => Container::Mark,
inline::Container::SingleQuoted => Container::SingleQuoted,
inline::Container::DoubleQuoted => Container::DoubleQuoted,
inline::Container::InlineLink => Container::Link(
2022-12-18 12:05:39 -05:00
match self.inlines.src(inline.span) {
2022-12-18 01:59:11 -05:00
CowStr::Owned(s) => s.replace('\n', "").into(),
s @ CowStr::Borrowed(_) => s,
},
2022-12-17 12:03:06 -05:00
LinkType::Span(SpanLinkType::Inline),
2022-12-17 06:21:15 -05:00
),
2022-12-17 12:03:06 -05:00
inline::Container::InlineImage => Container::Image(
2022-12-18 12:05:39 -05:00
match self.inlines.src(inline.span) {
2022-12-18 01:59:11 -05:00
CowStr::Owned(s) => s.replace('\n', "").into(),
s @ CowStr::Borrowed(_) => s,
},
2022-12-17 12:03:06 -05:00
SpanLinkType::Inline,
),
_ => todo!("{:?}", c),
2022-12-17 06:21:15 -05:00
};
if matches!(inline.kind, inline::EventKind::Enter(_)) {
2022-12-18 12:05:39 -05:00
Event::Start(t, Attributes::new())
2022-12-17 06:21:15 -05:00
} else {
Event::End(t)
}
}
inline::EventKind::Atom(a) => match a {
inline::Atom::Ellipsis => Event::Atom(Atom::Ellipsis),
inline::Atom::EnDash => Event::Atom(Atom::EnDash),
inline::Atom::EmDash => Event::Atom(Atom::EmDash),
inline::Atom::Nbsp => Event::Atom(Atom::NonBreakingSpace),
inline::Atom::Softbreak => Event::Atom(Atom::Softbreak),
inline::Atom::Hardbreak => Event::Atom(Atom::Hardbreak),
inline::Atom::Escape => Event::Atom(Atom::Escape),
},
2022-12-18 12:05:39 -05:00
inline::EventKind::Str => Event::Str(self.inlines.src(inline.span)),
2022-12-17 06:21:15 -05:00
inline::EventKind::Attributes => todo!(),
}
}
}
2022-11-28 14:19:22 -05:00
impl<'s> Iterator for Parser<'s> {
2022-11-28 18:33:43 -05:00
type Item = Event<'s>;
2022-11-20 13:13:48 -05:00
fn next(&mut self) -> Option<Self::Item> {
2022-12-11 12:47:00 -05:00
if let Some(parser) = &mut self.inline_parser {
2022-12-17 06:21:15 -05:00
if let Some(inline) = parser.next() {
2022-12-18 12:05:39 -05:00
// SAFETY: cannot set lifetime 's on self due to trait
2022-12-17 06:21:15 -05:00
return Some(self.inline(inline));
2022-12-11 12:47:00 -05:00
}
self.inline_parser = None;
2022-11-22 13:19:21 -05:00
}
2022-12-07 13:32:42 -05:00
for ev in &mut self.tree {
let content = ev.span.of(self.src);
let event = match ev.kind {
2022-12-10 04:26:06 -05:00
tree::EventKind::Atom(a) => match a {
2022-12-07 13:32:42 -05:00
block::Atom::Blankline => Event::Atom(Atom::Blankline),
2022-12-10 04:26:06 -05:00
block::Atom::ThematicBreak => Event::Atom(Atom::ThematicBreak),
2022-12-07 13:32:42 -05:00
block::Atom::Attributes => {
2022-12-18 12:05:39 -05:00
self.block_attributes.parse(&content);
dbg!(&self.block_attributes);
2022-12-07 13:32:42 -05:00
continue;
}
},
2022-12-12 12:22:13 -05:00
tree::EventKind::Enter(c) => match c {
block::Node::Leaf(l) => {
2022-12-18 12:05:39 -05:00
self.inlines.set_spans(self.tree.inlines());
self.inline_parser = Some(inline::Parser::new(self.inlines.chars()));
2022-12-07 13:32:42 -05:00
self.inline_start = ev.span.end();
2022-12-12 12:22:13 -05:00
let container = match l {
block::Leaf::CodeBlock { .. } => {
self.inline_start += 1; // skip newline
Container::CodeBlock {
lang: (!ev.span.is_empty()).then(|| content),
}
2022-12-07 13:32:42 -05:00
}
2022-12-12 12:22:13 -05:00
_ => Container::from_leaf_block(content, l),
};
Event::Start(container, self.block_attributes.take())
}
block::Node::Container(c) => {
let container = match c {
block::Container::Div { .. } => Container::Div {
class: (!ev.span.is_empty()).then(|| content),
},
_ => Container::from_container_block(content, c),
};
Event::Start(container, self.block_attributes.take())
}
},
tree::EventKind::Exit(c) => match c {
block::Node::Leaf(l) => Event::End(Container::from_leaf_block(content, l)),
block::Node::Container(c) => {
Event::End(Container::from_container_block(content, c))
}
},
tree::EventKind::Inline => unreachable!(),
2022-12-07 13:32:42 -05:00
};
return Some(event);
}
None
2022-11-20 13:13:48 -05:00
}
}
2022-11-22 13:19:21 -05:00
#[cfg(test)]
mod test {
2022-11-29 12:34:13 -05:00
use super::Atom::*;
2022-11-28 18:33:43 -05:00
use super::Attributes;
2022-11-29 12:34:13 -05:00
use super::Container::*;
2022-12-13 15:19:16 -05:00
use super::CowStr;
2022-11-22 13:19:21 -05:00
use super::Event::*;
2022-12-13 15:19:16 -05:00
use super::LinkType;
2022-12-17 12:03:06 -05:00
use super::SpanLinkType;
2022-11-22 13:19:21 -05:00
2022-11-22 13:48:17 -05:00
macro_rules! test_parse {
2022-12-13 15:19:16 -05:00
($src:expr $(,$($token:expr),* $(,)?)?) => {
2022-11-22 13:48:17 -05:00
#[allow(unused)]
2022-11-28 14:19:22 -05:00
let actual = super::Parser::new($src).collect::<Vec<_>>();
2022-11-22 13:48:17 -05:00
let expected = &[$($($token),*,)?];
2022-11-28 18:33:43 -05:00
assert_eq!(
actual,
expected,
concat!(
"\n",
"\x1b[0;1m====================== INPUT =========================\x1b[0m\n",
"\x1b[2m{}",
"\x1b[0;1m================ ACTUAL vs EXPECTED ==================\x1b[0m\n",
"{}",
"\x1b[0;1m======================================================\x1b[0m\n",
),
$src,
{
let a = actual.iter().map(|n| format!("{:?}", n)).collect::<Vec<_>>();
let b = expected.iter().map(|n| format!("{:?}", n)).collect::<Vec<_>>();
let max = a.len().max(b.len());
let a_width = a.iter().map(|a| a.len()).max().unwrap_or(0);
a.iter()
.map(AsRef::as_ref)
.chain(std::iter::repeat(""))
.zip(b.iter().map(AsRef::as_ref).chain(std::iter::repeat("")))
.take(max)
.map(|(a, b)|
format!(
"\x1b[{}m{:a_width$}\x1b[0m {}= \x1b[{}m{}\x1b[0m\n",
if a == b { "2" } else { "31" },
a,
if a == b { '=' } else { '!' },
if a == b { "2" } else { "32" },
b,
a_width = a_width,
)
)
.collect::<String>()
},
);
2022-11-22 13:48:17 -05:00
};
}
2022-12-17 06:21:15 -05:00
#[test]
fn empty() {
test_parse!("");
}
#[test]
fn heading() {
test_parse!(
"#\n",
2022-12-18 12:05:39 -05:00
Start(Heading { level: 1 }, Attributes::new()),
2022-12-17 06:21:15 -05:00
End(Heading { level: 1 }),
);
test_parse!(
"# abc\ndef\n",
2022-12-18 12:05:39 -05:00
Start(Heading { level: 1 }, Attributes::new()),
Str("abc".into()),
2022-12-17 06:21:15 -05:00
Atom(Softbreak),
2022-12-18 12:05:39 -05:00
Str("def".into()),
2022-12-17 06:21:15 -05:00
End(Heading { level: 1 }),
);
}
#[test]
fn blockquote() {
test_parse!(
">\n",
2022-12-18 12:05:39 -05:00
Start(Blockquote, Attributes::new()),
2022-12-17 06:21:15 -05:00
Atom(Blankline),
End(Blockquote),
);
}
2022-11-22 13:19:21 -05:00
#[test]
2022-11-22 13:48:17 -05:00
fn para() {
test_parse!(
2022-11-26 19:12:56 -05:00
"para",
2022-12-18 12:05:39 -05:00
Start(Paragraph, Attributes::new()),
Str("para".into()),
2022-11-28 18:33:43 -05:00
End(Paragraph),
2022-11-26 19:12:56 -05:00
);
test_parse!(
"pa ra",
2022-12-18 12:05:39 -05:00
Start(Paragraph, Attributes::new()),
Str("pa ra".into()),
2022-11-28 18:33:43 -05:00
End(Paragraph),
2022-11-26 19:12:56 -05:00
);
test_parse!(
"para0\n\npara1",
2022-12-18 12:05:39 -05:00
Start(Paragraph, Attributes::new()),
Str("para0".into()),
2022-11-28 18:33:43 -05:00
End(Paragraph),
2022-12-10 04:26:06 -05:00
Atom(Blankline),
2022-12-18 12:05:39 -05:00
Start(Paragraph, Attributes::new()),
Str("para1".into()),
2022-11-28 18:33:43 -05:00
End(Paragraph),
2022-11-22 13:19:21 -05:00
);
}
2022-12-08 11:42:54 -05:00
#[test]
fn verbatim() {
test_parse!(
"`abc\ndef",
2022-12-18 12:05:39 -05:00
Start(Paragraph, Attributes::new()),
Start(Verbatim, Attributes::new()),
Str("abc\ndef".into()),
2022-12-08 11:42:54 -05:00
End(Verbatim),
End(Paragraph),
);
2022-12-17 06:21:15 -05:00
test_parse!(
concat!(
"> `abc\n",
"> def\n", //
),
2022-12-18 12:05:39 -05:00
Start(Blockquote, Attributes::new()),
Start(Paragraph, Attributes::new()),
Start(Verbatim, Attributes::new()),
Str("abc\ndef".into()),
2022-12-17 06:21:15 -05:00
End(Verbatim),
End(Paragraph),
End(Blockquote),
);
2022-12-08 11:42:54 -05:00
}
2022-12-11 04:45:05 -05:00
#[test]
fn raw_inline() {
test_parse!(
2022-12-11 15:43:22 -05:00
"``raw\nraw``{=format}",
2022-12-18 12:05:39 -05:00
Start(Paragraph, Attributes::new()),
Start(RawInline { format: "format" }, Attributes::new()),
Str("raw\nraw".into()),
2022-12-11 04:45:05 -05:00
End(RawInline { format: "format" }),
End(Paragraph),
);
}
2022-12-13 15:19:16 -05:00
#[test]
fn link_inline() {
test_parse!(
"[text](url)",
2022-12-18 12:05:39 -05:00
Start(Paragraph, Attributes::new()),
2022-12-13 15:19:16 -05:00
Start(
2022-12-18 12:05:39 -05:00
Link("url".into(), LinkType::Span(SpanLinkType::Inline)),
Attributes::new()
2022-12-13 15:19:16 -05:00
),
2022-12-18 12:05:39 -05:00
Str("text".into()),
End(Link("url".into(), LinkType::Span(SpanLinkType::Inline))),
2022-12-13 15:19:16 -05:00
End(Paragraph),
);
test_parse!(
concat!(
"> [text](url\n",
"> url)\n", //
),
2022-12-18 12:05:39 -05:00
Start(Blockquote, Attributes::new()),
Start(Paragraph, Attributes::new()),
2022-12-13 15:19:16 -05:00
Start(
2022-12-18 12:05:39 -05:00
Link("urlurl".into(), LinkType::Span(SpanLinkType::Inline)),
Attributes::new()
2022-12-13 15:19:16 -05:00
),
2022-12-18 12:05:39 -05:00
Str("text".into()),
End(Link("urlurl".into(), LinkType::Span(SpanLinkType::Inline))),
2022-12-13 15:19:16 -05:00
End(Paragraph),
2022-12-17 06:21:15 -05:00
End(Blockquote),
2022-12-13 15:19:16 -05:00
);
}
2022-12-18 12:05:39 -05:00
#[test]
fn attr_block() {
test_parse!(
"{.some_class}\npara\n",
Start(Paragraph, [("class", "some_class")].into_iter().collect()),
Str("para".into()),
End(Paragraph),
);
}
2022-11-22 13:19:21 -05:00
}