use std::fmt::{self, Write};
use std::ops::Range;
use strum_macros::IntoStaticStr;
use crate::MathDisplay;
use crate::environments::Env;
use crate::html_utils::{escape_double_quoted_html_attribute, escape_html_content};
use crate::token::EndToken;
#[derive(Debug, Clone)]
pub struct LatexError(pub Range<usize>, pub(crate) LatexErrKind);
#[derive(Debug, Clone)]
pub(crate) enum LatexErrKind {
UnclosedGroup(EndToken),
UnmatchedClose(EndToken),
ExpectedArgumentGotClose,
ExpectedArgumentGotEOI,
ExpectedDelimiter(DelimiterModifier),
DisallowedChar(char),
UnknownEnvironment(Box<str>),
UnknownCommand(Box<str>),
UnknownColor(Box<str>),
MismatchedEnvironment {
expected: Env,
got: Env,
},
CannotBeUsedHere {
got: LimitedUsabilityToken,
correct_place: Place,
},
ExpectedRelation,
ExpectedAtMostOneToken,
ExpectedAtLeastOneToken,
BoundFollowedByBound,
DuplicateSubOrSup,
CannotBeUsedAsArgument,
ExpectedText,
ExpectedLength(Box<str>),
ExpectedColSpec(Box<str>),
ExpectedNumber(Box<str>),
NotValidInTextMode,
NotValidInMathMode,
CouldNotExtractText,
MoreThanOneLabel,
MoreThanOneInfixCmd,
UndefinedLabel(Box<str>),
InvalidMacroName(String),
InvalidParameterNumber,
MacroParameterOutsideCustomCommand,
ExpectedParamNumberGotEOI,
HardLimitExceeded,
Internal,
}
#[derive(Debug, Clone, Copy, PartialEq, IntoStaticStr)]
pub enum DelimiterModifier {
#[strum(serialize = r"\left")]
Left,
#[strum(serialize = r"\right")]
Right,
#[strum(serialize = r"\middle")]
Middle,
#[strum(serialize = r"\big, \Big, ...")]
Big,
#[strum(serialize = r"\genfrac")]
Genfrac,
}
#[derive(Debug, Clone, Copy, PartialEq, IntoStaticStr)]
#[repr(u32)] pub enum Place {
#[strum(serialize = r"after \int, \sum, ...")]
AfterBigOp,
#[strum(serialize = r"in a table-like environment")]
TableEnv,
#[strum(serialize = r"in a numbered equation environment")]
NumberedEnv,
}
#[derive(Debug, Clone, Copy, PartialEq, IntoStaticStr)]
pub enum LimitedUsabilityToken {
#[strum(serialize = "&")]
Ampersand,
#[strum(serialize = r"\tag")]
Tag,
#[strum(serialize = r"\label")]
Label,
#[strum(serialize = r"\limits")]
Limits,
}
impl LatexErrKind {
fn write_msg(&self, s: &mut String) -> std::fmt::Result {
match self {
LatexErrKind::UnclosedGroup(expected) => {
write!(
s,
"Expected token \"{}\", but not found.",
<&str>::from(expected)
)?;
}
LatexErrKind::UnmatchedClose(got) => {
write!(s, "Unmatched closing token: \"{}\".", <&str>::from(got))?;
}
LatexErrKind::ExpectedArgumentGotClose => {
write!(
s,
r"Expected argument but got closing token (`}}`, `\end`, `\right`)."
)?;
}
LatexErrKind::ExpectedArgumentGotEOI => {
write!(s, "Expected argument but reached end of input.")?;
}
LatexErrKind::ExpectedDelimiter(location) => {
write!(
s,
"There must be a parenthesis after \"{}\", but not found.",
<&str>::from(*location)
)?;
}
LatexErrKind::DisallowedChar(got) => {
write!(s, "Disallowed character in text group: '{got}'.")?;
}
LatexErrKind::UnknownEnvironment(environment) => {
write!(s, "Unknown environment \"{environment}\".")?;
}
LatexErrKind::UnknownCommand(cmd) => {
write!(s, "Unknown command \"\\{cmd}\".")?;
}
LatexErrKind::UnknownColor(color) => {
write!(s, "Unknown color \"{color}\".")?;
}
LatexErrKind::MismatchedEnvironment { expected, got } => {
write!(
s,
"Expected \"\\end{{{}}}\", but got \"\\end{{{}}}\".",
expected.as_str(),
got.as_str()
)?;
}
LatexErrKind::CannotBeUsedHere { got, correct_place } => {
write!(
s,
"Got \"{}\", which may only appear {}.",
<&str>::from(got),
<&str>::from(correct_place)
)?;
}
LatexErrKind::ExpectedRelation => {
write!(s, "Expected a relation after \\not.")?;
}
LatexErrKind::ExpectedAtMostOneToken => {
write!(s, "Expected at most one token as argument.")?;
}
LatexErrKind::ExpectedAtLeastOneToken => {
write!(s, "Expected at least one token as argument.")?;
}
LatexErrKind::BoundFollowedByBound => {
write!(s, "'^' or '_' directly followed by '^', '_' or prime.")?;
}
LatexErrKind::DuplicateSubOrSup => {
write!(s, "Duplicate subscript or superscript.")?;
}
LatexErrKind::CannotBeUsedAsArgument => {
write!(s, "Switch-like commands cannot be used as arguments.")?;
}
LatexErrKind::ExpectedText => {
write!(s, "Expected text in string literal.")?;
}
LatexErrKind::ExpectedLength(got) => {
write!(s, "Expected length with units, got \"{got}\".")?;
}
LatexErrKind::ExpectedNumber(got) => {
write!(s, "Expected a number, got \"{got}\".")?;
}
LatexErrKind::ExpectedColSpec(got) => {
write!(s, "Expected column specification, got \"{got}\".")?;
}
LatexErrKind::NotValidInTextMode => {
write!(s, "Not valid in text mode.")?;
}
LatexErrKind::NotValidInMathMode => {
write!(s, "Not valid in math mode.")?;
}
LatexErrKind::CouldNotExtractText => {
write!(s, "Could not extract text from the given macro.")?;
}
LatexErrKind::MoreThanOneLabel => {
write!(s, "Found more than one label in a row.")?;
}
LatexErrKind::MoreThanOneInfixCmd => {
write!(s, "Found more than one infix fraction in a group.")?;
}
LatexErrKind::UndefinedLabel(label) => {
write!(s, "Found undefined label: \"{label}\".")?;
}
LatexErrKind::InvalidMacroName(name) => {
write!(s, "Invalid macro name: \"\\{name}\".")?;
}
LatexErrKind::InvalidParameterNumber => {
write!(s, "Invalid parameter number. Must be 1-9.")?;
}
LatexErrKind::MacroParameterOutsideCustomCommand => {
write!(
s,
"Macro parameter found outside of custom command definition."
)?;
}
LatexErrKind::ExpectedParamNumberGotEOI => {
write!(
s,
"Expected parameter number after '#', but got end of input."
)?;
}
LatexErrKind::HardLimitExceeded => {
write!(s, "Hard limit exceeded. Please simplify your equation.")?;
}
LatexErrKind::Internal => {
write!(
s,
"Internal parser error. Please report this bug at https://github.com/tmke8/math-core/issues"
)?;
}
}
Ok(())
}
}
impl LatexError {
pub fn to_html(&self, latex: &str, display: MathDisplay, css_class: Option<&str>) -> String {
let mut output = String::new();
let tag = if matches!(display, MathDisplay::Block) {
"p"
} else {
"span"
};
let css_class = css_class.unwrap_or("math-core-error");
let _ = write!(output, r#"<{tag} class="{css_class}" title=""#);
let mut err_msg = String::new();
self.to_message(&mut err_msg, latex);
escape_double_quoted_html_attribute(&mut output, &err_msg);
output.push_str(r#""><code>"#);
escape_html_content(&mut output, latex);
let _ = write!(output, "</code></{tag}>");
output
}
pub fn error_message(&self) -> String {
let mut s = String::new();
let _ = self.1.write_msg(&mut s);
s
}
pub fn to_message(&self, s: &mut String, input: &str) {
let loc = input.floor_char_boundary(self.0.start);
let codepoint_offset = input[..loc].chars().count();
let _ = write!(s, "{codepoint_offset}: ");
let _ = self.1.write_msg(s);
}
}
#[cfg(feature = "ariadne")]
impl LatexError {
pub fn to_report<'name>(
&self,
source_name: &'name str,
with_color: bool,
) -> ariadne::Report<'static, (&'name str, Range<usize>)> {
use std::borrow::Cow;
use ariadne::{Label, Report, ReportKind};
let label_msg: Cow<'_, str> = match &self.1 {
LatexErrKind::UnclosedGroup(expected) => format!(
"expected \"{}\" to close this group",
<&str>::from(expected)
)
.into(),
LatexErrKind::UnmatchedClose(_) => "no matching opening for this".into(),
LatexErrKind::ExpectedArgumentGotClose | LatexErrKind::ExpectedArgumentGotEOI => {
"expected an argument here".into()
}
LatexErrKind::ExpectedDelimiter(_) => "expected a delimiter here".into(),
LatexErrKind::DisallowedChar(_) => "disallowed character".into(),
LatexErrKind::UnknownEnvironment(_) => "unknown environment".into(),
LatexErrKind::UnknownCommand(_) => "unknown command".into(),
LatexErrKind::UnknownColor(_) => "unknown color".into(),
LatexErrKind::MismatchedEnvironment { expected, .. } => {
format!("expected \"\\end{{{}}}\" here", expected.as_str()).into()
}
LatexErrKind::CannotBeUsedHere { correct_place, .. } => {
format!("may only appear {}", <&str>::from(correct_place)).into()
}
LatexErrKind::ExpectedRelation => "expected a relation".into(),
LatexErrKind::ExpectedAtMostOneToken => "expected at most one token here".into(),
LatexErrKind::ExpectedAtLeastOneToken => "expected at least one token here".into(),
LatexErrKind::BoundFollowedByBound => "unexpected bound".into(),
LatexErrKind::DuplicateSubOrSup => "duplicate".into(),
LatexErrKind::CannotBeUsedAsArgument => "used as argument".into(),
LatexErrKind::ExpectedText => "expected text here".into(),
LatexErrKind::ExpectedLength(_) => "expected length here".into(),
LatexErrKind::ExpectedNumber(_) => "expected a number here".into(),
LatexErrKind::ExpectedColSpec(_) => "expected a column spec here".into(),
LatexErrKind::NotValidInTextMode => "this is not valid in text mode".into(),
LatexErrKind::NotValidInMathMode => "this is not valid in math mode".into(),
LatexErrKind::CouldNotExtractText => "could not extract text from this".into(),
LatexErrKind::MoreThanOneLabel => "duplicate label".into(),
LatexErrKind::MoreThanOneInfixCmd => "duplicate infix frac".into(),
LatexErrKind::UndefinedLabel(_) => "label has not been previously defined".into(),
LatexErrKind::InvalidMacroName(_) => "invalid name here".into(),
LatexErrKind::InvalidParameterNumber => "must be 1-9".into(),
LatexErrKind::MacroParameterOutsideCustomCommand => "unexpected macro parameter".into(),
LatexErrKind::ExpectedParamNumberGotEOI => "expected parameter number".into(),
LatexErrKind::HardLimitExceeded => "limit exceeded".into(),
LatexErrKind::Internal => "internal error".into(),
};
let mut config = ariadne::Config::default().with_index_type(ariadne::IndexType::Byte);
if !with_color {
config = config.with_color(false);
}
Report::build(ReportKind::Error, (source_name, self.0.start..self.0.start))
.with_config(config)
.with_message(self.error_message())
.with_label(Label::new((source_name, self.0.clone())).with_message(label_msg))
.finish()
}
}
impl fmt::Display for LatexError {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
write!(f, "{}", self.error_message())
}
}
impl std::error::Error for LatexError {}
pub trait GetUnwrap {
fn get_unwrap(&self, range: std::ops::Range<usize>) -> &str;
}
impl GetUnwrap for str {
#[cfg(target_arch = "wasm32")]
#[inline]
fn get_unwrap(&self, range: std::ops::Range<usize>) -> &str {
unsafe { self.get_unchecked(range) }
}
#[cfg(not(target_arch = "wasm32"))]
#[inline]
fn get_unwrap(&self, range: std::ops::Range<usize>) -> &str {
self.get(range).expect("valid range")
}
}