Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Handle errors returned by cmark_resume_with_options() #244

Merged
merged 5 commits into from
Jan 17, 2025
Merged
Show file tree
Hide file tree
Changes from 4 commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
4 changes: 2 additions & 2 deletions Cargo.lock

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

2 changes: 1 addition & 1 deletion fuzz/fuzz_targets/gettext.rs
Original file line number Diff line number Diff line change
Expand Up @@ -8,5 +8,5 @@ fuzz_target!(|inputs: (Vec<(&str, &str)>, Vec<BookItem>)| {
let (translations, book_items) = inputs;
let catalog = create_catalog(translations);
let mut book = create_book(book_items);
translate_book(&catalog, &mut book)
let _ = translate_book(&catalog, &mut book); // Err(_) can happen and it's fine.
});
7 changes: 5 additions & 2 deletions fuzz/fuzz_targets/group_events.rs
Original file line number Diff line number Diff line change
Expand Up @@ -7,6 +7,7 @@ use pretty_assertions::assert_eq;
fuzz_target!(|text: String| {
let events = extract_events(&text, None);
let flattened_groups = group_events(&events)
.expect("Grouping should succeed")
.into_iter()
.flat_map(|group| match group {
Group::Translate { events, .. } | Group::Skip(events) => events,
Expand All @@ -16,8 +17,10 @@ fuzz_target!(|text: String| {
// Comparison through markdown text to detect missing text.
// Events can't be compared directly because `group_events`
// may split a event into some events.
let text_from_events = reconstruct_markdown(&events, None);
let text_from_groups = reconstruct_markdown(&flattened_groups, None);
let text_from_events =
reconstruct_markdown(&events, None).expect("Failed to reconstruct Markdown from events");
let text_from_groups = reconstruct_markdown(&flattened_groups, None)
.expect("Failed to reconstruct Markdown from groups");

assert_eq!(text_from_events, text_from_groups);
});
2 changes: 1 addition & 1 deletion i18n-helpers/Cargo.toml
Original file line number Diff line number Diff line change
Expand Up @@ -19,7 +19,7 @@ dateparser = "0.2.1"
mdbook.workspace = true
polib.workspace = true
pulldown-cmark = { version = "0.12.2", default-features = false, features = ["html"] }
pulldown-cmark-to-cmark = "19.0.1"
pulldown-cmark-to-cmark = "20.0.0"
regex = "1.11"
semver = "1.0.23"
serde_json.workspace = true
Expand Down
95 changes: 69 additions & 26 deletions i18n-helpers/src/gettext.rs
Original file line number Diff line number Diff line change
Expand Up @@ -15,11 +15,13 @@
//! This file contains main logic used by the binary `mdbook-gettext`.

use super::{extract_events, reconstruct_markdown, translate_events};
use anyhow::Context;
use mdbook::book::Book;
use mdbook::BookItem;
use polib::catalog::Catalog;
use polib::message::Message;
use pulldown_cmark::Event;
use pulldown_cmark_to_cmark::Error as CmarkError;

/// Strip formatting from a Markdown string.
///
Expand All @@ -38,11 +40,20 @@ fn strip_formatting(text: &str) -> String {
.collect()
}

fn translate(text: &str, catalog: &Catalog) -> String {
fn translate(text: &str, catalog: &Catalog) -> anyhow::Result<String> {
let events = extract_events(text, None);
let translated_events = translate_events(&events, catalog);
let (translated, _) = reconstruct_markdown(&translated_events, None);
translated
// Translation should always succeed.
let translated_events = translate_events(&events, catalog).expect("Failed to translate events");
let (translated, _) = reconstruct_markdown(&translated_events, None)
.map_err(|e| match e {
CmarkError::FormatFailed(_) => e.into(),
CmarkError::UnexpectedEvent => anyhow::Error::from(e).context(
"Markdown in translated messages (.po) may not be consistent with the original",
),
})
.context("Failed to reconstruct Markdown after translation")?;
// "Failed to reconstruct Markdown after translation"
Ok(translated)
}

/// Update `catalog` with stripped messages from `SUMMARY.md`.
Expand Down Expand Up @@ -75,18 +86,29 @@ pub fn add_stripped_summary_translations(catalog: &mut Catalog) {
}
}

/// Translate an entire book.
pub fn translate_book(catalog: &Catalog, book: &mut Book) {
book.for_each_mut(|item| match item {
fn mutate_item(item: &mut BookItem, catalog: &Catalog) -> anyhow::Result<()> {
match item {
BookItem::Chapter(ch) => {
ch.content = translate(&ch.content, catalog);
ch.name = translate(&ch.name, catalog);
ch.content = translate(&ch.content, catalog)?;
ch.name = translate(&ch.name, catalog)?;
}
BookItem::Separator => {}
BookItem::PartTitle(title) => {
*title = translate(title, catalog);
*title = translate(title, catalog)?;
}
});
};
Ok(())
}

/// Translate an entire book.
pub fn translate_book(catalog: &Catalog, book: &mut Book) -> anyhow::Result<()> {
// Unfortunately the `Book` API only allows to mutate *all* the items
// through a clousure, with no early bail-out in case of error.
// Therefore, let's just collect all the results and return the first error
// or `Ok(())`.
let mut results = Vec::<anyhow::Result<()>>::new();
book.for_each_mut(|item| results.push(mutate_item(item, catalog)));
results.into_iter().find(|r| r.is_err()).unwrap_or(Ok(()))
}

#[cfg(test)]
Expand All @@ -108,6 +130,14 @@ mod tests {
catalog
}

fn create_book(items: Vec<BookItem>) -> Book {
let mut book = Book::new();
items.into_iter().for_each(|item| {
book.push_item(item);
});
cip999 marked this conversation as resolved.
Show resolved Hide resolved
book
}

#[test]
fn test_add_stripped_summary_translations() {
// Add two messages which map to the same stripped message.
Expand Down Expand Up @@ -142,28 +172,28 @@ mod tests {
#[test]
fn test_translate_single_line() {
let catalog = create_catalog(&[("foo bar", "FOO BAR")]);
assert_eq!(translate("foo bar", &catalog), "FOO BAR");
assert_eq!(translate("foo bar", &catalog).unwrap(), "FOO BAR");
}

#[test]
fn test_translate_single_paragraph() {
let catalog = create_catalog(&[("foo bar", "FOO BAR")]);
// The output is normalized so the newline disappears.
assert_eq!(translate("foo bar\n", &catalog), "FOO BAR");
assert_eq!(translate("foo bar\n", &catalog).unwrap(), "FOO BAR");
}

#[test]
fn test_translate_paragraph_with_leading_newlines() {
let catalog = create_catalog(&[("foo bar", "FOO BAR")]);
// The output is normalized so the newlines disappear.
assert_eq!(translate("\n\n\nfoo bar\n", &catalog), "FOO BAR");
assert_eq!(translate("\n\n\nfoo bar\n", &catalog).unwrap(), "FOO BAR");
}

#[test]
fn test_translate_paragraph_with_trailing_newlines() {
let catalog = create_catalog(&[("foo bar", "FOO BAR")]);
// The output is normalized so the newlines disappear.
assert_eq!(translate("foo bar\n\n\n", &catalog), "FOO BAR");
assert_eq!(translate("foo bar\n\n\n", &catalog).unwrap(), "FOO BAR");
}

#[test]
Expand All @@ -177,7 +207,8 @@ mod tests {
\n\
last paragraph\n",
&catalog
),
)
.unwrap(),
"first paragraph\n\
\n\
FOO BAR\n\
Expand All @@ -203,7 +234,8 @@ mod tests {
last\n\
paragraph\n",
&catalog
),
)
.unwrap(),
"FIRST TRANSLATED PARAGRAPH\n\
\n\
LAST TRANSLATED PARAGRAPH"
Expand Down Expand Up @@ -231,7 +263,7 @@ mod tests {
\n\
Text after.\n",
&catalog
),
).unwrap(),
"Text before.\n\
\n\
```rust,editable\n\
Expand All @@ -248,7 +280,7 @@ mod tests {
fn test_translate_inline_html() {
let catalog = create_catalog(&[("foo <b>bar</b> baz", "FOO <b>BAR</b> BAZ")]);
assert_eq!(
translate("foo <b>bar</b> baz", &catalog),
translate("foo <b>bar</b> baz", &catalog).unwrap(),
"FOO <b>BAR</b> BAZ"
);
}
Expand All @@ -257,7 +289,7 @@ mod tests {
fn test_translate_block_html() {
let catalog = create_catalog(&[("foo", "FOO"), ("bar", "BAR")]);
assert_eq!(
translate("<div>\n\nfoo\n\n</div><div>\n\nbar\n\n</div>", &catalog),
translate("<div>\n\nfoo\n\n</div><div>\n\nbar\n\n</div>", &catalog).unwrap(),
"<div>\n\nFOO\n\n</div><div>\n\nBAR\n\n</div>"
);
}
Expand All @@ -279,7 +311,8 @@ mod tests {
| Arrays | `[T; N]` | `[20, 30, 40]` |\n\
| Tuples | `()`, ... | `()`, `('x',)` |",
&catalog
),
)
.unwrap(),
"\
||TYPES|LITERALS|\n\
|-|-----|--------|\n\
Expand All @@ -295,15 +328,15 @@ mod tests {
("More details.", "MORE DETAILS."),
]);
assert_eq!(
translate("A footnote[^note].\n\n[^note]: More details.", &catalog),
translate("A footnote[^note].\n\n[^note]: More details.", &catalog).unwrap(),
"A FOOTNOTE[^note].\n\n[^note]: MORE DETAILS."
);
}

#[test]
fn test_strikethrough() {
let catalog = create_catalog(&[("~~foo~~", "~~FOO~~")]);
assert_eq!(translate("~~foo~~", &catalog), "~~FOO~~");
assert_eq!(translate("~~foo~~", &catalog).unwrap(), "~~FOO~~");
}

#[test]
Expand All @@ -316,7 +349,8 @@ mod tests {
- [ ] Bar\n\
",
&catalog
),
)
.unwrap(),
"\
- [x] FOO\n\
- [ ] BAR",
Expand All @@ -327,7 +361,7 @@ mod tests {
fn test_heading_attributes() {
let catalog = create_catalog(&[("Foo", "FOO"), ("Bar", "BAR")]);
assert_eq!(
translate("# Foo { #id .foo }", &catalog),
translate("# Foo { #id .foo }", &catalog).unwrap(),
"# FOO { #id .foo }"
);
}
Expand All @@ -343,11 +377,20 @@ mod tests {
````\n\
",
&catalog
),
)
.unwrap(),
"\
````d\n\
```\n\
````",
);
}

// https://github.com/Byron/pulldown-cmark-to-cmark/issues/91.
#[test]
fn test_translate_book_invalid() {
let catalog = create_catalog(&[("Hello", "Ciao\n---")]);
let mut book = create_book(vec![BookItem::PartTitle(String::from("Hello\n---"))]);
assert!(translate_book(&catalog, &mut book).is_err());
}
}
Loading
Loading