1pub mod code_block_tools;
2pub mod config;
3pub mod exit_codes;
4pub mod filtered_lines;
5pub mod fix_coordinator;
6pub mod inline_config;
7pub mod linguist_data;
8pub mod lint_context;
9pub mod markdownlint_config;
10pub mod profiling;
11pub mod rule;
12#[cfg(feature = "native")]
13pub mod vscode;
14pub mod workspace_index;
15#[macro_use]
16pub mod rule_config;
17#[macro_use]
18pub mod rule_config_serde;
19pub mod rules;
20pub mod types;
21pub mod utils;
22
23#[cfg(feature = "native")]
25pub mod lsp;
26#[cfg(feature = "native")]
27pub mod output;
28#[cfg(feature = "native")]
29pub mod parallel;
30#[cfg(feature = "native")]
31pub mod performance;
32
33#[cfg(all(target_arch = "wasm32", feature = "wasm"))]
35pub mod wasm;
36
37pub use rules::heading_utils::{Heading, HeadingStyle};
38pub use rules::*;
39
40pub use crate::lint_context::{LineInfo, LintContext, ListItemInfo};
41use crate::rule::{LintResult, Rule, RuleCategory};
42use crate::utils::element_cache::ElementCache;
43#[cfg(not(target_arch = "wasm32"))]
44use std::time::Instant;
45
46#[derive(Debug, Default)]
48struct ContentCharacteristics {
49 has_headings: bool, has_lists: bool, has_links: bool, has_code: bool, has_emphasis: bool, has_html: bool, has_tables: bool, has_blockquotes: bool, has_images: bool, }
59
60fn has_potential_indented_code_indent(line: &str) -> bool {
63 ElementCache::calculate_indentation_width_default(line) >= 4
64}
65
66impl ContentCharacteristics {
67 fn analyze(content: &str) -> Self {
68 let mut chars = Self { ..Default::default() };
69
70 let mut has_atx_heading = false;
72 let mut has_setext_heading = false;
73
74 for line in content.lines() {
75 let trimmed = line.trim();
76
77 if !has_atx_heading && trimmed.starts_with('#') {
79 has_atx_heading = true;
80 }
81 if !has_setext_heading && (trimmed.chars().all(|c| c == '=' || c == '-') && trimmed.len() > 1) {
82 has_setext_heading = true;
83 }
84
85 if !chars.has_lists
88 && (line.contains("* ")
89 || line.contains("- ")
90 || line.contains("+ ")
91 || trimmed.starts_with("* ")
92 || trimmed.starts_with("- ")
93 || trimmed.starts_with("+ ")
94 || trimmed.starts_with('*')
95 || trimmed.starts_with('-')
96 || trimmed.starts_with('+'))
97 {
98 chars.has_lists = true;
99 }
100 if !chars.has_lists
102 && ((line.chars().next().is_some_and(|c| c.is_ascii_digit())
103 && (line.contains(". ") || line.contains('.')))
104 || (trimmed.starts_with('>')
105 && trimmed.chars().any(|c| c.is_ascii_digit())
106 && (trimmed.contains(". ") || trimmed.contains('.'))))
107 {
108 chars.has_lists = true;
109 }
110 if !chars.has_links
111 && (line.contains('[')
112 || line.contains("http://")
113 || line.contains("https://")
114 || line.contains("ftp://")
115 || line.contains("www."))
116 {
117 chars.has_links = true;
118 }
119 if !chars.has_images && line.contains("![") {
120 chars.has_images = true;
121 }
122 if !chars.has_code
123 && (line.contains('`') || line.contains("~~~") || has_potential_indented_code_indent(line))
124 {
125 chars.has_code = true;
126 }
127 if !chars.has_emphasis && (line.contains('*') || line.contains('_')) {
128 chars.has_emphasis = true;
129 }
130 if !chars.has_html && line.contains('<') {
131 chars.has_html = true;
132 }
133 if !chars.has_tables && line.contains('|') {
134 chars.has_tables = true;
135 }
136 if !chars.has_blockquotes && line.starts_with('>') {
137 chars.has_blockquotes = true;
138 }
139 }
140
141 chars.has_headings = has_atx_heading || has_setext_heading;
142 chars
143 }
144
145 fn should_skip_rule(&self, rule: &dyn Rule) -> bool {
147 match rule.category() {
148 RuleCategory::Heading => !self.has_headings,
149 RuleCategory::List => !self.has_lists,
150 RuleCategory::Link => !self.has_links && !self.has_images,
151 RuleCategory::Image => !self.has_images,
152 RuleCategory::CodeBlock => !self.has_code,
153 RuleCategory::Html => !self.has_html,
154 RuleCategory::Emphasis => !self.has_emphasis,
155 RuleCategory::Blockquote => !self.has_blockquotes,
156 RuleCategory::Table => !self.has_tables,
157 RuleCategory::Whitespace | RuleCategory::FrontMatter | RuleCategory::Other => false,
159 }
160 }
161}
162
163#[cfg(feature = "native")]
168fn compute_content_hash(content: &str) -> String {
169 blake3::hash(content.as_bytes()).to_hex().to_string()
170}
171
172#[cfg(not(feature = "native"))]
174fn compute_content_hash(content: &str) -> String {
175 use std::hash::{DefaultHasher, Hash, Hasher};
176 let mut hasher = DefaultHasher::new();
177 content.hash(&mut hasher);
178 format!("{:016x}", hasher.finish())
179}
180
181pub fn lint(
185 content: &str,
186 rules: &[Box<dyn Rule>],
187 verbose: bool,
188 flavor: crate::config::MarkdownFlavor,
189 config: Option<&crate::config::Config>,
190) -> LintResult {
191 let (result, _file_index) = lint_and_index(content, rules, verbose, flavor, None, config);
193 result
194}
195
196pub fn build_file_index_only(
204 content: &str,
205 rules: &[Box<dyn Rule>],
206 flavor: crate::config::MarkdownFlavor,
207) -> crate::workspace_index::FileIndex {
208 let content_hash = compute_content_hash(content);
210 let mut file_index = crate::workspace_index::FileIndex::with_hash(content_hash);
211
212 if content.is_empty() {
214 return file_index;
215 }
216
217 let lint_ctx = crate::lint_context::LintContext::new(content, flavor, None);
219
220 for rule in rules {
222 if rule.cross_file_scope() == crate::rule::CrossFileScope::Workspace {
223 rule.contribute_to_index(&lint_ctx, &mut file_index);
224 }
225 }
226
227 file_index
228}
229
230pub fn lint_and_index(
238 content: &str,
239 rules: &[Box<dyn Rule>],
240 _verbose: bool,
241 flavor: crate::config::MarkdownFlavor,
242 source_file: Option<std::path::PathBuf>,
243 config: Option<&crate::config::Config>,
244) -> (LintResult, crate::workspace_index::FileIndex) {
245 let mut warnings = Vec::new();
246 let content_hash = compute_content_hash(content);
248 let mut file_index = crate::workspace_index::FileIndex::with_hash(content_hash);
249
250 #[cfg(not(target_arch = "wasm32"))]
251 let _overall_start = Instant::now();
252
253 if content.is_empty() {
255 return (Ok(warnings), file_index);
256 }
257
258 let lint_ctx = crate::lint_context::LintContext::new(content, flavor, source_file);
260 let inline_config = lint_ctx.inline_config();
261
262 let (file_disabled, persistent_transitions, line_disabled) = inline_config.export_for_file_index();
264 file_index.file_disabled_rules = file_disabled;
265 file_index.persistent_transitions = persistent_transitions;
266 file_index.line_disabled_rules = line_disabled;
267
268 let characteristics = ContentCharacteristics::analyze(content);
270
271 let applicable_rules: Vec<_> = rules
273 .iter()
274 .filter(|rule| !characteristics.should_skip_rule(rule.as_ref()))
275 .collect();
276
277 let _total_rules = rules.len();
279 let _applicable_count = applicable_rules.len();
280
281 #[cfg(not(target_arch = "wasm32"))]
282 let profile_rules = std::env::var("RUMDL_PROFILE_RULES").is_ok();
283 #[cfg(target_arch = "wasm32")]
284 let profile_rules = false;
285
286 let inline_overrides = inline_config.get_all_rule_configs();
289 let merged_config = if !inline_overrides.is_empty() {
290 config.map(|c| c.merge_with_inline_config(inline_config))
291 } else {
292 None
293 };
294 let effective_config = merged_config.as_ref().or(config);
295
296 let mut recreated_rules: std::collections::HashMap<String, Box<dyn crate::rule::Rule>> =
298 std::collections::HashMap::new();
299
300 if let Some(cfg) = effective_config {
302 for rule_name in inline_overrides.keys() {
303 if let Some(recreated) = crate::rules::create_rule_by_name(rule_name, cfg) {
304 recreated_rules.insert(rule_name.clone(), recreated);
305 }
306 }
307 }
308
309 for rule in &applicable_rules {
310 #[cfg(not(target_arch = "wasm32"))]
311 let _rule_start = Instant::now();
312
313 if rule.should_skip(&lint_ctx) {
315 continue;
316 }
317
318 let effective_rule: &dyn crate::rule::Rule = recreated_rules
320 .get(rule.name())
321 .map(|r| r.as_ref())
322 .unwrap_or(rule.as_ref());
323
324 let result = effective_rule.check(&lint_ctx);
326
327 match result {
328 Ok(rule_warnings) => {
329 let filtered_warnings: Vec<_> = rule_warnings
332 .into_iter()
333 .filter(|warning| {
334 if lint_ctx
336 .line_info(warning.line)
337 .is_some_and(|info| info.in_kramdown_extension_block)
338 {
339 return false;
340 }
341
342 let rule_name_to_check = warning.rule_name.as_deref().unwrap_or(rule.name());
344
345 let base_rule_name = if let Some(dash_pos) = rule_name_to_check.find('-') {
347 &rule_name_to_check[..dash_pos]
348 } else {
349 rule_name_to_check
350 };
351
352 !inline_config.is_rule_disabled(
353 base_rule_name,
354 warning.line, )
356 })
357 .map(|mut warning| {
358 if let Some(cfg) = config {
360 let rule_name_to_check = warning.rule_name.as_deref().unwrap_or(rule.name());
361 if let Some(override_severity) = cfg.get_rule_severity(rule_name_to_check) {
362 warning.severity = override_severity;
363 }
364 }
365 warning
366 })
367 .collect();
368 warnings.extend(filtered_warnings);
369 }
370 Err(e) => {
371 log::error!("Error checking rule {}: {}", rule.name(), e);
372 return (Err(e), file_index);
373 }
374 }
375
376 #[cfg(not(target_arch = "wasm32"))]
377 {
378 let rule_duration = _rule_start.elapsed();
379 if profile_rules {
380 eprintln!("[RULE] {:6} {:?}", rule.name(), rule_duration);
381 }
382
383 #[cfg(not(test))]
384 if _verbose && rule_duration.as_millis() > 500 {
385 log::debug!("Rule {} took {:?}", rule.name(), rule_duration);
386 }
387 }
388 }
389
390 for rule in rules {
397 if rule.cross_file_scope() == crate::rule::CrossFileScope::Workspace {
398 rule.contribute_to_index(&lint_ctx, &mut file_index);
399 }
400 }
401
402 #[cfg(not(test))]
403 if _verbose {
404 let skipped_rules = _total_rules - _applicable_count;
405 if skipped_rules > 0 {
406 log::debug!("Skipped {skipped_rules} of {_total_rules} rules based on content analysis");
407 }
408 }
409
410 (Ok(warnings), file_index)
411}
412
413pub fn run_cross_file_checks(
426 file_path: &std::path::Path,
427 file_index: &crate::workspace_index::FileIndex,
428 rules: &[Box<dyn Rule>],
429 workspace_index: &crate::workspace_index::WorkspaceIndex,
430 config: Option<&crate::config::Config>,
431) -> LintResult {
432 use crate::rule::CrossFileScope;
433
434 let mut warnings = Vec::new();
435
436 for rule in rules {
438 if rule.cross_file_scope() != CrossFileScope::Workspace {
439 continue;
440 }
441
442 match rule.cross_file_check(file_path, file_index, workspace_index) {
443 Ok(rule_warnings) => {
444 let filtered: Vec<_> = rule_warnings
446 .into_iter()
447 .filter(|w| !file_index.is_rule_disabled_at_line(rule.name(), w.line))
448 .map(|mut warning| {
449 if let Some(cfg) = config
451 && let Some(override_severity) = cfg.get_rule_severity(rule.name())
452 {
453 warning.severity = override_severity;
454 }
455 warning
456 })
457 .collect();
458 warnings.extend(filtered);
459 }
460 Err(e) => {
461 log::error!("Error in cross-file check for rule {}: {}", rule.name(), e);
462 return Err(e);
463 }
464 }
465 }
466
467 Ok(warnings)
468}
469
470pub fn get_profiling_report() -> String {
472 profiling::get_report()
473}
474
475pub fn reset_profiling() {
477 profiling::reset()
478}
479
480pub fn get_regex_cache_stats() -> std::collections::HashMap<String, u64> {
482 crate::utils::regex_cache::get_cache_stats()
483}
484
485#[cfg(test)]
486mod tests {
487 use super::*;
488 use crate::rule::Rule;
489 use crate::rules::{MD001HeadingIncrement, MD009TrailingSpaces};
490
491 #[test]
492 fn test_content_characteristics_analyze() {
493 let chars = ContentCharacteristics::analyze("");
495 assert!(!chars.has_headings);
496 assert!(!chars.has_lists);
497 assert!(!chars.has_links);
498 assert!(!chars.has_code);
499 assert!(!chars.has_emphasis);
500 assert!(!chars.has_html);
501 assert!(!chars.has_tables);
502 assert!(!chars.has_blockquotes);
503 assert!(!chars.has_images);
504
505 let chars = ContentCharacteristics::analyze("# Heading");
507 assert!(chars.has_headings);
508
509 let chars = ContentCharacteristics::analyze("Heading\n=======");
511 assert!(chars.has_headings);
512
513 let chars = ContentCharacteristics::analyze("* Item\n- Item 2\n+ Item 3");
515 assert!(chars.has_lists);
516
517 let chars = ContentCharacteristics::analyze("1. First\n2. Second");
519 assert!(chars.has_lists);
520
521 let chars = ContentCharacteristics::analyze("[link](url)");
523 assert!(chars.has_links);
524
525 let chars = ContentCharacteristics::analyze("Visit https://example.com");
527 assert!(chars.has_links);
528
529 let chars = ContentCharacteristics::analyze("");
531 assert!(chars.has_images);
532
533 let chars = ContentCharacteristics::analyze("`inline code`");
535 assert!(chars.has_code);
536
537 let chars = ContentCharacteristics::analyze("~~~\ncode block\n~~~");
538 assert!(chars.has_code);
539
540 let chars = ContentCharacteristics::analyze("Text\n\n indented code\n\nMore text");
542 assert!(chars.has_code);
543
544 let chars = ContentCharacteristics::analyze("Text\n\n\ttab indented code\n\nMore text");
546 assert!(chars.has_code);
547
548 let chars = ContentCharacteristics::analyze("Text\n\n \tmixed indent code\n\nMore text");
550 assert!(chars.has_code);
551
552 let chars = ContentCharacteristics::analyze("Text\n\n \ttab after space\n\nMore text");
554 assert!(chars.has_code);
555
556 let chars = ContentCharacteristics::analyze("*emphasis* and _more_");
558 assert!(chars.has_emphasis);
559
560 let chars = ContentCharacteristics::analyze("<div>HTML content</div>");
562 assert!(chars.has_html);
563
564 let chars = ContentCharacteristics::analyze("| Header | Header |\n|--------|--------|");
566 assert!(chars.has_tables);
567
568 let chars = ContentCharacteristics::analyze("> Quote");
570 assert!(chars.has_blockquotes);
571
572 let content = "# Heading\n* List item\n[link](url)\n`code`\n*emphasis*\n<p>html</p>\n| table |\n> quote\n";
574 let chars = ContentCharacteristics::analyze(content);
575 assert!(chars.has_headings);
576 assert!(chars.has_lists);
577 assert!(chars.has_links);
578 assert!(chars.has_code);
579 assert!(chars.has_emphasis);
580 assert!(chars.has_html);
581 assert!(chars.has_tables);
582 assert!(chars.has_blockquotes);
583 assert!(chars.has_images);
584 }
585
586 #[test]
587 fn test_content_characteristics_should_skip_rule() {
588 let chars = ContentCharacteristics {
589 has_headings: true,
590 has_lists: false,
591 has_links: true,
592 has_code: false,
593 has_emphasis: true,
594 has_html: false,
595 has_tables: true,
596 has_blockquotes: false,
597 has_images: false,
598 };
599
600 let heading_rule = MD001HeadingIncrement::default();
602 assert!(!chars.should_skip_rule(&heading_rule));
603
604 let trailing_spaces_rule = MD009TrailingSpaces::new(2, false);
605 assert!(!chars.should_skip_rule(&trailing_spaces_rule)); let chars_no_headings = ContentCharacteristics {
609 has_headings: false,
610 ..Default::default()
611 };
612 assert!(chars_no_headings.should_skip_rule(&heading_rule));
613 }
614
615 #[test]
616 fn test_lint_empty_content() {
617 let rules: Vec<Box<dyn Rule>> = vec![Box::new(MD001HeadingIncrement::default())];
618
619 let result = lint("", &rules, false, crate::config::MarkdownFlavor::Standard, None);
620 assert!(result.is_ok());
621 assert!(result.unwrap().is_empty());
622 }
623
624 #[test]
625 fn test_lint_with_violations() {
626 let content = "## Level 2\n#### Level 4"; let rules: Vec<Box<dyn Rule>> = vec![Box::new(MD001HeadingIncrement::default())];
628
629 let result = lint(content, &rules, false, crate::config::MarkdownFlavor::Standard, None);
630 assert!(result.is_ok());
631 let warnings = result.unwrap();
632 assert!(!warnings.is_empty());
633 assert_eq!(warnings[0].rule_name.as_deref(), Some("MD001"));
635 }
636
637 #[test]
638 fn test_lint_with_inline_disable() {
639 let content = "<!-- rumdl-disable MD001 -->\n## Level 2\n#### Level 4";
640 let rules: Vec<Box<dyn Rule>> = vec![Box::new(MD001HeadingIncrement::default())];
641
642 let result = lint(content, &rules, false, crate::config::MarkdownFlavor::Standard, None);
643 assert!(result.is_ok());
644 let warnings = result.unwrap();
645 assert!(warnings.is_empty()); }
647
648 #[test]
649 fn test_lint_rule_filtering() {
650 let content = "# Heading\nJust text";
652 let rules: Vec<Box<dyn Rule>> = vec![
653 Box::new(MD001HeadingIncrement::default()),
654 ];
656
657 let result = lint(content, &rules, false, crate::config::MarkdownFlavor::Standard, None);
658 assert!(result.is_ok());
659 }
660
661 #[test]
662 fn test_get_profiling_report() {
663 let report = get_profiling_report();
665 assert!(!report.is_empty());
666 assert!(report.contains("Profiling"));
667 }
668
669 #[test]
670 fn test_reset_profiling() {
671 reset_profiling();
673
674 let report = get_profiling_report();
676 assert!(report.contains("disabled") || report.contains("no measurements"));
677 }
678
679 #[test]
680 fn test_get_regex_cache_stats() {
681 let stats = get_regex_cache_stats();
682 assert!(stats.is_empty() || !stats.is_empty());
684
685 for count in stats.values() {
687 assert!(*count > 0);
688 }
689 }
690
691 #[test]
692 fn test_content_characteristics_edge_cases() {
693 let chars = ContentCharacteristics::analyze("-"); assert!(!chars.has_headings);
696
697 let chars = ContentCharacteristics::analyze("--"); assert!(chars.has_headings);
699
700 let chars = ContentCharacteristics::analyze("*emphasis*"); assert!(chars.has_lists); let chars = ContentCharacteristics::analyze("1.Item"); assert!(chars.has_lists); let chars = ContentCharacteristics::analyze("text > not a quote");
710 assert!(!chars.has_blockquotes);
711 }
712}