1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467
//! Random assortment of functions that's used internally to write plugins.
use entities;
use once_cell::sync::Lazy;
use regex::Regex;
use std::borrow::Cow;
use std::collections::HashMap;
const UNESCAPE_MD_RE : &str = r##"\\([!"#$%&'()*+,\-./:;<=>?@\[\\\]^_`{|}~])"##;
const ENTITY_RE : &str = r##"&([A-Za-z#][A-Za-z0-9]{1,31});"##;
static DIGITAL_ENTITY_TEST_RE : Lazy<Regex> = Lazy::new(||
Regex::new(r#"(?i)^&#(x[a-f0-9]{1,8}|[0-9]{1,8});$"#).unwrap()
);
static UNESCAPE_ALL_RE : Lazy<Regex> = Lazy::new(||
Regex::new(&format!("{UNESCAPE_MD_RE}|{ENTITY_RE}")).unwrap()
);
#[allow(clippy::manual_range_contains)]
/// Return true if a `code` you got from `&#xHHHH;` entity is a valid charcode.
///
/// It returns false for surrogates and non-printables, so it's a subset of `char::from_u32`.
/// For example, it returns false for 0xFDD0, which is a valid character, but not safe to
/// render on the screen due to turning you into stone, as per <https://xkcd.com/380/>
/// ```
/// # use markdown_it::common::utils::is_valid_entity_code;
/// assert_eq!(is_valid_entity_code(1), false);
/// assert_eq!(is_valid_entity_code(32), true);
/// ```
pub fn is_valid_entity_code(code: u32) -> bool {
// broken sequence
if code >= 0xD800 && code <= 0xDFFF { return false; }
// never used
if code >= 0xFDD0 && code <= 0xFDEF { return false; }
if (code & 0xFFFF) == 0xFFFF || (code & 0xFFFF) == 0xFFFE { return false; }
// control codes
if code <= 0x08 { return false; }
if code == 0x0B { return false; }
if code >= 0x0E && code <= 0x1F { return false; }
if code >= 0x7F && code <= 0x9F { return false; }
// out of range
if code > 0x10FFFF { return false; }
true
}
/// Check if "&xxxx;" string is a valid HTML entity, return character it represents.
/// ```
/// # use markdown_it::common::utils::get_entity_from_str;
/// assert_eq!(get_entity_from_str("&"), Some("&"));
/// assert_eq!(get_entity_from_str("&xxx;"), None);
/// ```
pub fn get_entity_from_str(str: &str) -> Option<&'static str> {
pub static ENTITIES_HASH : Lazy<HashMap<&'static str, &'static str>> = Lazy::new(|| {
let mut mapping = HashMap::new();
for e in &entities::ENTITIES {
if e.entity.ends_with(';') {
mapping.insert(e.entity, e.characters);
}
}
mapping
});
ENTITIES_HASH.get(str).copied()
}
#[allow(clippy::from_str_radix_10)]
fn replace_entity_pattern(str: &str) -> Option<String> {
if let Some(entity) = get_entity_from_str(str) {
Some((*entity).to_owned())
} else if let Some(captures) = DIGITAL_ENTITY_TEST_RE.captures(str) {
let str = captures.get(1).unwrap().as_str();
let code = if str.starts_with('x') || str.starts_with('X') {
u32::from_str_radix(&str[1..], 16).unwrap()
} else {
u32::from_str_radix(str, 10).unwrap()
};
if is_valid_entity_code(code) {
Some(char::from_u32(code).unwrap().into())
} else {
None
}
} else {
None
}
}
/// Unescape both entities (`" -> "`) and backslash escapes (`\" -> "`).
/// ```
/// # use markdown_it::common::utils::unescape_all;
/// assert_eq!(unescape_all("&"), "&");
/// assert_eq!(unescape_all("\\&"), "&");
/// ```
pub fn unescape_all(str: &str) -> Cow<str> {
if !str.contains('\\') && !str.contains('&') { return Cow::Borrowed(str); }
UNESCAPE_ALL_RE.replace_all(str, |captures: ®ex::Captures| {
let s = captures.get(0).unwrap().as_str();
if let Some(m) = captures.get(1) {
// \" -> "
m.as_str().to_owned()
} else if let Some(replacement) = replace_entity_pattern(s) {
// " -> "
replacement
} else {
s.to_owned()
}
})
}
/// Escape `" < > &` with corresponding HTML entities;
/// ```
/// # use markdown_it::common::utils::escape_html;
/// assert_eq!(escape_html("&\""), "&"");
/// ```
pub fn escape_html(str: &str) -> Cow<str> {
html_escape::encode_double_quoted_attribute(str)
}
/// Unicode case folding + space normalization, used for for reference labels.
///
/// So that strings equal according to commonmark standard are converted to
/// the same string (lowercase/uppercase differences and spacing go away).
/// ```
/// # use markdown_it::common::utils::normalize_reference;
/// assert_eq!(normalize_reference("hello"), normalize_reference("HELLO"));
/// assert_eq!(normalize_reference("a b"), normalize_reference("a b"));
/// ```
pub fn normalize_reference(str: &str) -> String {
static SPACE_RE : Lazy<Regex> = Lazy::new(|| Regex::new(r"\s+").unwrap());
// Trim and collapse whitespace
//
let str = SPACE_RE.replace_all(str.trim(), " ");
// .toLowerCase().toUpperCase() should get rid of all differences
// between letter variants.
//
// Simple .toLowerCase() doesn't normalize 125 code points correctly,
// and .toUpperCase doesn't normalize 6 of them (list of exceptions:
// İ, ϴ, ẞ, Ω, K, Å - those are already uppercased, but have differently
// uppercased versions).
//
// Here's an example showing how it happens. Lets take greek letter omega:
// uppercase U+0398 (Θ), U+03f4 (ϴ) and lowercase U+03b8 (θ), U+03d1 (ϑ)
//
// Unicode entries:
// 0398;GREEK CAPITAL LETTER THETA;Lu;0;L;;;;;N;;;;03B8;
// 03B8;GREEK SMALL LETTER THETA;Ll;0;L;;;;;N;;;0398;;0398
// 03D1;GREEK THETA SYMBOL;Ll;0;L;<compat> 03B8;;;;N;GREEK SMALL LETTER SCRIPT THETA;;0398;;0398
// 03F4;GREEK CAPITAL THETA SYMBOL;Lu;0;L;<compat> 0398;;;;N;;;;03B8;
//
// Case-insensitive comparison should treat all of them as equivalent.
//
// But .toLowerCase() doesn't change ϑ (it's already lowercase),
// and .toUpperCase() doesn't change ϴ (already uppercase).
//
// Applying first lower then upper case normalizes any character:
// '\u0398\u03f4\u03b8\u03d1'.toLowerCase().toUpperCase() === '\u0398\u0398\u0398\u0398'
//
// Note: this is equivalent to unicode case folding; unicode normalization
// is a different step that is not required here.
//
// Final result should be uppercased, because it's later stored in an object
// (this avoid a conflict with Object.prototype members,
// most notably, `__proto__`)
//
str.to_lowercase().to_uppercase()
}
/// Count number of characters since last occurrence of `char`.
///
/// Finds last occurrence of `char` in `source`, returns number of characters from
/// that last occurrence. If char is not found, return number of characters total.
/// ```
/// # use markdown_it::common::utils::rfind_and_count;
/// assert_eq!(rfind_and_count("abcde", 'e'), 0);
/// assert_eq!(rfind_and_count("abcde", 'b'), 3);
/// assert_eq!(rfind_and_count("abcde", 'z'), 5);
/// ```
pub fn rfind_and_count(source: &str, char: char) -> usize {
let mut result = 0;
for c in source.chars().rev() {
if c == char { break; }
result += 1;
}
result
}
/// Calculate number of spaces from `pos` to first non-space character or EOL.
///
/// Tabs are expanded to variable number of spaces with tabstop = 4.
/// Returns relative indent and offset of first non-space character.
/// ```
/// # use markdown_it::common::utils::find_indent_of;
/// assert_eq!(find_indent_of("\tfoo", 0), (4, 1));
/// ```
pub fn find_indent_of(line: &str, mut pos: usize) -> (usize, usize) {
let mut chars = line[pos..].chars();
let mut indent = 0;
loop {
match chars.next() {
Some('\t') => {
let bs_count = rfind_and_count(&line[..pos], '\t');
indent += 4 - bs_count % 4;
pos += 1;
}
Some(' ') => {
indent += 1;
pos += 1;
}
_ => return ( indent, pos ),
}
}
}
/// Returns trailing whitespace with total length of `indent`.
///
/// Input: a string of characters (presumed whitespaces, can be anything), where each one of
/// them contributes 1 to indent (except for tabs, whose width may vary with tabstop = 4).
///
/// If an indent would split a tab, that tab is replaced with 4 spaces.
///
/// Example: cut_right_whitespace_with_tabstops("\t\t", 6) would return " \t" (two preceding
/// spaces) because first tab gets expanded to 6 spaces.
/// ```
/// # use markdown_it::common::utils::cut_right_whitespace_with_tabstops;
/// assert_eq!(cut_right_whitespace_with_tabstops("\t\t", 6), " \t");
/// ```
pub fn cut_right_whitespace_with_tabstops(source: &str, indent: i32) -> Cow<str> {
let (num_spaces, start) = calc_right_whitespace_with_tabstops(source, indent);
if num_spaces > 0 {
let mut result = " ".repeat(num_spaces);
result += &source[start..];
Cow::Owned(result)
} else {
Cow::Borrowed(&source[start..])
}
}
/// Calculate trailing whitespace with total length of `indent`.
///
/// See [cut_right_whitespace_with_tabstops](cut_right_whitespace_with_tabstops)
/// for algorithm and details.
///
/// Returns number of spaces + number of bytes to cut from the end.
/// ```
/// # use markdown_it::common::utils::calc_right_whitespace_with_tabstops;
/// assert_eq!(calc_right_whitespace_with_tabstops("\t\t", 6), (2, 1));
/// ```
pub fn calc_right_whitespace_with_tabstops(source: &str, mut indent: i32) -> (usize, usize) {
let mut start = source.len();
let mut chars = source.char_indices().rev();
while indent > 0 {
match chars.next() {
Some((pos, '\t')) => {
// previous tab is guaranteed to finish at 0 modulo 4,
// so we can finish counting there
let indent_from_start = rfind_and_count(&source[..pos], '\t');
let tab_width = 4 - indent_from_start as i32 % 4;
if indent < tab_width {
return ( indent as usize, start );
}
indent -= tab_width;
start = pos;
}
Some((pos, _)) => {
indent -= 1;
start = pos;
}
None => {
start = 0;
break;
}
}
}
( 0, start )
}
/// Checks whether a given character should count as punctuation
///
/// used to determine word boundaries, made to match the implementation of
/// `isPunctChar` from the JS library.
/// This is currently implemented as a `match`, but might be simplified as a
/// regex if benchmarking shows this to be beneficient.
pub fn is_punct_char(ch: char) -> bool {
use unicode_general_category::get_general_category;
use unicode_general_category::GeneralCategory::*;
match get_general_category(ch) {
// P
ConnectorPunctuation | DashPunctuation | OpenPunctuation | ClosePunctuation |
InitialPunctuation | FinalPunctuation | OtherPunctuation => true,
// L
UppercaseLetter | LowercaseLetter | TitlecaseLetter | ModifierLetter | OtherLetter |
// M
NonspacingMark | SpacingMark | EnclosingMark |
// N
DecimalNumber | LetterNumber | OtherNumber |
// S
MathSymbol | CurrencySymbol | ModifierSymbol | OtherSymbol |
// Z
SpaceSeparator | LineSeparator | ParagraphSeparator |
// C
Control | Format | Surrogate | PrivateUse | Unassigned => false
}
}
#[cfg(test)]
mod tests {
use super::cut_right_whitespace_with_tabstops as cut_ws;
use super::rfind_and_count;
use super::find_indent_of;
use super::replace_entity_pattern;
use super::unescape_all;
#[test]
fn rfind_and_count_test() {
assert_eq!(rfind_and_count("", 'b'), 0);
assert_eq!(rfind_and_count("abcde", 'e'), 0);
assert_eq!(rfind_and_count("abcde", 'b'), 3);
assert_eq!(rfind_and_count("abcde", 'z'), 5);
assert_eq!(rfind_and_count("abcεπ", 'b'), 3);
}
#[test]
fn find_indent_of_simple_test() {
assert_eq!(find_indent_of("a", 0), (0, 0));
assert_eq!(find_indent_of(" a", 0), (1, 1));
assert_eq!(find_indent_of(" a", 0), (3, 3));
assert_eq!(find_indent_of(" ", 0), (4, 4));
assert_eq!(find_indent_of("\ta", 0), (4, 1));
assert_eq!(find_indent_of(" \ta", 0), (4, 2));
assert_eq!(find_indent_of(" \ta", 0), (4, 3));
assert_eq!(find_indent_of(" \ta", 0), (4, 4));
assert_eq!(find_indent_of(" \ta", 0), (8, 5));
}
#[test]
fn find_indent_of_with_offset() {
assert_eq!(find_indent_of(" a", 2), (1, 3));
assert_eq!(find_indent_of(" a", 2), (2, 4));
assert_eq!(find_indent_of(" \ta", 2), (2, 3));
assert_eq!(find_indent_of(" \ta", 2), (2, 4));
assert_eq!(find_indent_of(" \ta", 2), (6, 5));
assert_eq!(find_indent_of(" \ta", 2), (6, 6));
}
#[test]
fn find_indent_of_tabs_test() {
assert_eq!(find_indent_of(" \t \ta", 1), (7, 5));
assert_eq!(find_indent_of(" \t \ta", 2), (6, 5));
assert_eq!(find_indent_of(" \t \ta", 3), (4, 5));
assert_eq!(find_indent_of(" \t \ta", 4), (3, 5));
}
#[test]
fn cut_ws_simple() {
assert_eq!(cut_ws("abc", -1), "");
assert_eq!(cut_ws("abc", 0), "");
assert_eq!(cut_ws("abc", 1), "c");
assert_eq!(cut_ws("abc", 2), "bc");
assert_eq!(cut_ws("abc", 3), "abc");
assert_eq!(cut_ws("abc", 4), "abc");
}
#[test]
fn cut_ws_unicode() {
assert_eq!(cut_ws("αβγδ", 1), "δ");
assert_eq!(cut_ws("αβγδ ", 3), "γδ ");
}
#[test]
fn cut_ws_expands_partial_tabs() {
assert_eq!(cut_ws("\t", 1), " ");
assert_eq!(cut_ws("\t", 2), " ");
assert_eq!(cut_ws("\t", 3), " ");
assert_eq!(cut_ws("\t\t\t", 5), " \t");
assert_eq!(cut_ws("\t\t\t", 7), " \t");
}
#[test]
fn cut_ws_retains_full_tabs() {
assert_eq!(cut_ws("\t\t\t", 4), "\t");
assert_eq!(cut_ws("\t\t\t", 8), "\t\t");
}
#[test]
fn cut_ws_proper_tabstops() {
assert_eq!(cut_ws("a\t", 1), " ");
assert_eq!(cut_ws("a\t", 2), " ");
assert_eq!(cut_ws("a\t", 3), "\t");
assert_eq!(cut_ws("ab\t", 3), "b\t");
assert_eq!(cut_ws("abc\t", 3), "bc\t");
}
#[test]
fn cut_ws_proper_tabstops_nested() {
assert_eq!(cut_ws("a\tb\t", 2), " ");
assert_eq!(cut_ws("a\tb\t", 3), "\t");
assert_eq!(cut_ws("a\tb\t", 4), "b\t");
assert_eq!(cut_ws("a\tb\t", 5), " b\t");
assert_eq!(cut_ws("a\tb\t", 6), " b\t");
assert_eq!(cut_ws("a\tb\t", 7), "\tb\t");
assert_eq!(cut_ws("a\tb\t", 8), "a\tb\t");
}
#[test]
fn cut_ws_different_tabstops_nested() {
assert_eq!(cut_ws("abc\tde\tf\tg", 3), " g");
assert_eq!(cut_ws("abc\tde\tf\tg", 4), "\tg");
assert_eq!(cut_ws("abc\tde\tf\tg", 5), "f\tg");
assert_eq!(cut_ws("abc\tde\tf\tg", 6), " f\tg");
assert_eq!(cut_ws("abc\tde\tf\tg", 7), "\tf\tg");
assert_eq!(cut_ws("abc\tde\tf\tg", 9), "de\tf\tg");
assert_eq!(cut_ws("abc\tde\tf\tg", 10), "\tde\tf\tg");
}
#[test]
fn test_replace_entity_pattern() {
assert_eq!(replace_entity_pattern("&"), Some("&".into()));
assert_eq!(replace_entity_pattern("€"), Some("€".into()));
assert_eq!(replace_entity_pattern("—"), Some("—".into()));
assert_eq!(replace_entity_pattern("—"), Some("—".into()));
assert_eq!(replace_entity_pattern(" "), Some(" ".into()));
assert_eq!(replace_entity_pattern("?"), Some("?".into()));
assert_eq!(replace_entity_pattern("&ffff;"), None);
assert_eq!(replace_entity_pattern("F;"), None);
assert_eq!(replace_entity_pattern("&#xGG;"), None);
}
#[test]
fn test_unescape_all_simple() {
assert_eq!(unescape_all("&"), "&");
assert_eq!(unescape_all("\\&"), "&");
}
#[test]
fn test_unescape_all_xss() {
assert_eq!(
unescape_all(r#"javascript:alert(1)"#),
r#"javascript:alert(1)"#);
assert_eq!(
unescape_all(r#"Javascript:alert(1)"#),
r#"Javascript:alert(1)"#);
assert_eq!(
unescape_all(r#"&#74;avascript:alert(1)"#),
r#"Javascript:alert(1)"#);
assert_eq!(
unescape_all(r#"\Javascript:alert(1)"#),
r#"Javascript:alert(1)"#);
assert_eq!(
unescape_all(r#""><script>alert("xss")</script>"#),
r#""><script>alert("xss")</script>"#);
}
}