1use crate::utils::fast_hash;
2use crate::utils::range_utils::LineIndex;
3use crate::utils::regex_cache::{escape_regex, get_cached_fancy_regex};
4
5use crate::rule::{Fix, LintError, LintResult, LintWarning, Rule, Severity};
6use fancy_regex::Regex;
7use lazy_static::lazy_static;
8use std::collections::HashMap;
9use std::sync::{Arc, Mutex};
10
11mod md044_config;
12use md044_config::MD044Config;
13
14lazy_static! {
15 static ref HTML_COMMENT_REGEX: Regex = Regex::new(r"<!--([\s\S]*?)-->").unwrap();
16 static ref REF_DEF_REGEX: regex::Regex = regex::Regex::new(
18 r#"(?m)^[ ]{0,3}\[([^\]]+)\]:\s*([^\s]+)(?:\s+(?:"([^"]*)"|'([^']*)'))?$"#
19 ).unwrap();
20}
21
22type WarningPosition = (usize, usize, String); #[derive(Clone)]
79pub struct MD044ProperNames {
80 config: MD044Config,
81 combined_pattern: Option<String>,
83 content_cache: Arc<Mutex<HashMap<u64, Vec<WarningPosition>>>>,
85}
86
87impl MD044ProperNames {
88 pub fn new(names: Vec<String>, code_blocks: bool) -> Self {
89 let config = MD044Config {
90 names,
91 code_blocks,
92 html_comments: true, };
94 let combined_pattern = Self::create_combined_pattern(&config);
95 Self {
96 config,
97 combined_pattern,
98 content_cache: Arc::new(Mutex::new(HashMap::new())),
99 }
100 }
101
102 fn ascii_normalize(s: &str) -> String {
104 s.replace(['é', 'è', 'ê', 'ë'], "e")
105 .replace(['à', 'á', 'â', 'ä'], "a")
106 .replace(['ï', 'î', 'í', 'ì'], "i")
107 .replace(['ü', 'ú', 'ù', 'û'], "u")
108 .replace(['ö', 'ó', 'ò', 'ô'], "o")
109 .replace('ñ', "n")
110 .replace('ç', "c")
111 }
112
113 pub fn from_config_struct(config: MD044Config) -> Self {
114 let combined_pattern = Self::create_combined_pattern(&config);
115 Self {
116 config,
117 combined_pattern,
118 content_cache: Arc::new(Mutex::new(HashMap::new())),
119 }
120 }
121
122 fn create_combined_pattern(config: &MD044Config) -> Option<String> {
124 if config.names.is_empty() {
125 return None;
126 }
127
128 let mut patterns: Vec<String> = config
130 .names
131 .iter()
132 .flat_map(|name| {
133 let mut variations = vec![];
134 let lower_name = name.to_lowercase();
135
136 variations.push(escape_regex(&lower_name));
138
139 let lower_name_no_dots = lower_name.replace('.', "");
141 if lower_name != lower_name_no_dots {
142 variations.push(escape_regex(&lower_name_no_dots));
143 }
144
145 let ascii_normalized = Self::ascii_normalize(&lower_name);
147
148 if ascii_normalized != lower_name {
149 variations.push(escape_regex(&ascii_normalized));
150
151 let ascii_no_dots = ascii_normalized.replace('.', "");
153 if ascii_normalized != ascii_no_dots {
154 variations.push(escape_regex(&ascii_no_dots));
155 }
156 }
157
158 variations
159 })
160 .collect();
161
162 patterns.sort_by_key(|b| std::cmp::Reverse(b.len()));
164
165 Some(format!(r"(?i)({})", patterns.join("|")))
168 }
169
170 fn find_name_violations(&self, content: &str, ctx: &crate::lint_context::LintContext) -> Vec<WarningPosition> {
172 if self.config.names.is_empty() || content.is_empty() || self.combined_pattern.is_none() {
174 return Vec::new();
175 }
176
177 let content_lower = content.to_lowercase();
179 let has_potential_matches = self.config.names.iter().any(|name| {
180 let name_lower = name.to_lowercase();
181 let name_no_dots = name_lower.replace('.', "");
182
183 if content_lower.contains(&name_lower) || content_lower.contains(&name_no_dots) {
185 return true;
186 }
187
188 let ascii_normalized = Self::ascii_normalize(&name_lower);
190
191 if ascii_normalized != name_lower {
192 if content_lower.contains(&ascii_normalized) {
193 return true;
194 }
195 let ascii_no_dots = ascii_normalized.replace('.', "");
196 if ascii_normalized != ascii_no_dots && content_lower.contains(&ascii_no_dots) {
197 return true;
198 }
199 }
200
201 false
202 });
203
204 if !has_potential_matches {
205 return Vec::new();
206 }
207
208 let hash = fast_hash(content);
210 {
211 let cache = self.content_cache.lock().unwrap();
213 if let Some(cached) = cache.get(&hash) {
214 return cached.clone();
215 }
216 }
217
218 let mut violations = Vec::new();
219
220 let combined_regex = match &self.combined_pattern {
222 Some(pattern) => match get_cached_fancy_regex(pattern) {
223 Ok(regex) => regex,
224 Err(_) => return Vec::new(),
225 },
226 None => return Vec::new(),
227 };
228
229 for (line_idx, line_info) in ctx.lines.iter().enumerate() {
231 let line_num = line_idx + 1;
232 let line = &line_info.content;
233
234 let trimmed = line.trim_start();
236 if trimmed.starts_with("```") || trimmed.starts_with("~~~") {
237 continue;
238 }
239
240 if self.config.code_blocks && line_info.in_code_block {
242 continue;
243 }
244
245 let in_html_comment = if !self.config.html_comments {
247 self.is_in_html_comment(content, line_info.byte_offset)
249 } else {
250 false
251 };
252
253 if in_html_comment {
254 continue;
255 }
256
257 let line_lower = line.to_lowercase();
259 let has_line_matches = self.config.names.iter().any(|name| {
260 let name_lower = name.to_lowercase();
261 let name_no_dots = name_lower.replace('.', "");
262
263 if line_lower.contains(&name_lower) || line_lower.contains(&name_no_dots) {
265 return true;
266 }
267
268 let ascii_normalized = Self::ascii_normalize(&name_lower);
270 if ascii_normalized != name_lower {
271 if line_lower.contains(&ascii_normalized) {
272 return true;
273 }
274 let ascii_no_dots = ascii_normalized.replace('.', "");
275 if ascii_normalized != ascii_no_dots && line_lower.contains(&ascii_no_dots) {
276 return true;
277 }
278 }
279
280 false
281 });
282
283 if !has_line_matches {
284 continue;
285 }
286
287 for cap_result in combined_regex.find_iter(line) {
289 match cap_result {
290 Ok(cap) => {
291 let found_name = &line[cap.start()..cap.end()];
292
293 let start_pos = cap.start();
295 let end_pos = cap.end();
296
297 if !self.is_at_word_boundary(line, start_pos, true)
298 || !self.is_at_word_boundary(line, end_pos, false)
299 {
300 continue; }
302
303 if self.config.code_blocks {
305 let byte_pos = line_info.byte_offset + cap.start();
306 if ctx.is_in_code_block_or_span(byte_pos) {
307 continue;
308 }
309 }
310
311 let byte_pos = line_info.byte_offset + cap.start();
313 if self.is_in_link(ctx, byte_pos) {
314 continue;
315 }
316
317 if let Some(proper_name) = self.get_proper_name_for(found_name) {
319 if found_name != proper_name {
321 violations.push((line_num, cap.start() + 1, found_name.to_string()));
322 }
323 }
324 }
325 Err(e) => {
326 eprintln!("Regex execution error on line {line_num}: {e}");
327 }
328 }
329 }
330 }
331
332 self.content_cache.lock().unwrap().insert(hash, violations.clone());
334 violations
335 }
336
337 fn is_in_html_comment(&self, content: &str, byte_pos: usize) -> bool {
339 for m in HTML_COMMENT_REGEX.find_iter(content).flatten() {
340 if m.start() <= byte_pos && byte_pos < m.end() {
341 return true;
342 }
343 }
344 false
345 }
346
347 fn is_in_link(&self, ctx: &crate::lint_context::LintContext, byte_pos: usize) -> bool {
349 for link in &ctx.links {
351 if link.byte_offset <= byte_pos && byte_pos < link.byte_end {
352 return true;
353 }
354 }
355
356 for image in &ctx.images {
358 if image.byte_offset <= byte_pos && byte_pos < image.byte_end {
359 return true;
360 }
361 }
362
363 for m in REF_DEF_REGEX.find_iter(ctx.content) {
365 if m.start() <= byte_pos && byte_pos < m.end() {
366 return true;
367 }
368 }
369
370 false
371 }
372
373 fn is_word_boundary_char(c: char) -> bool {
375 !c.is_alphanumeric()
376 }
377
378 fn is_at_word_boundary(&self, content: &str, pos: usize, is_start: bool) -> bool {
380 let chars: Vec<char> = content.chars().collect();
381 let char_indices: Vec<(usize, char)> = content.char_indices().collect();
382
383 let char_pos = char_indices.iter().position(|(idx, _)| *idx == pos);
385 if char_pos.is_none() {
386 return true; }
388 let char_pos = char_pos.unwrap();
389
390 if is_start {
391 if char_pos == 0 {
393 return true; }
395 Self::is_word_boundary_char(chars[char_pos - 1])
396 } else {
397 if char_pos >= chars.len() {
399 return true; }
401 Self::is_word_boundary_char(chars[char_pos])
402 }
403 }
404
405 fn get_proper_name_for(&self, found_name: &str) -> Option<String> {
407 let found_lower = found_name.to_lowercase();
408
409 for name in &self.config.names {
411 let lower_name = name.to_lowercase();
412 let lower_name_no_dots = lower_name.replace('.', "");
413
414 if found_lower == lower_name || found_lower == lower_name_no_dots {
416 return Some(name.clone());
417 }
418
419 let ascii_normalized = Self::ascii_normalize(&lower_name);
421
422 let ascii_no_dots = ascii_normalized.replace('.', "");
423
424 if found_lower == ascii_normalized || found_lower == ascii_no_dots {
425 return Some(name.clone());
426 }
427 }
428 None
429 }
430}
431
432impl Rule for MD044ProperNames {
433 fn name(&self) -> &'static str {
434 "MD044"
435 }
436
437 fn description(&self) -> &'static str {
438 "Proper names should have the correct capitalization"
439 }
440
441 fn should_skip(&self, ctx: &crate::lint_context::LintContext) -> bool {
442 if self.config.names.is_empty() {
443 return true;
444 }
445 let content_lower = ctx.content.to_lowercase();
447 !self
448 .config
449 .names
450 .iter()
451 .any(|name| content_lower.contains(&name.to_lowercase()))
452 }
453
454 fn check(&self, ctx: &crate::lint_context::LintContext) -> LintResult {
455 let content = ctx.content;
456 if content.is_empty() || self.config.names.is_empty() || self.combined_pattern.is_none() {
457 return Ok(Vec::new());
458 }
459
460 let content_lower = content.to_lowercase();
462 let has_potential_matches = self.config.names.iter().any(|name| {
463 let name_lower = name.to_lowercase();
464 let name_no_dots = name_lower.replace('.', "");
465
466 if content_lower.contains(&name_lower) || content_lower.contains(&name_no_dots) {
468 return true;
469 }
470
471 let ascii_normalized = Self::ascii_normalize(&name_lower);
473
474 if ascii_normalized != name_lower {
475 if content_lower.contains(&ascii_normalized) {
476 return true;
477 }
478 let ascii_no_dots = ascii_normalized.replace('.', "");
479 if ascii_normalized != ascii_no_dots && content_lower.contains(&ascii_no_dots) {
480 return true;
481 }
482 }
483
484 false
485 });
486
487 if !has_potential_matches {
488 return Ok(Vec::new());
489 }
490
491 let line_index = LineIndex::new(content.to_string());
492 let violations = self.find_name_violations(content, ctx);
493
494 let warnings = violations
495 .into_iter()
496 .filter_map(|(line, column, found_name)| {
497 self.get_proper_name_for(&found_name).map(|proper_name| LintWarning {
498 rule_name: Some(self.name()),
499 line,
500 column,
501 end_line: line,
502 end_column: column + found_name.len(),
503 message: format!("Proper name '{found_name}' should be '{proper_name}'"),
504 severity: Severity::Warning,
505 fix: Some(Fix {
506 range: line_index.line_col_to_byte_range(line, column),
507 replacement: proper_name,
508 }),
509 })
510 })
511 .collect();
512
513 Ok(warnings)
514 }
515
516 fn fix(&self, ctx: &crate::lint_context::LintContext) -> Result<String, LintError> {
517 let content = ctx.content;
518 if content.is_empty() || self.config.names.is_empty() {
519 return Ok(content.to_string());
520 }
521
522 let violations = self.find_name_violations(content, ctx);
523 if violations.is_empty() {
524 return Ok(content.to_string());
525 }
526
527 let mut fixed_lines = Vec::new();
529
530 let mut violations_by_line: HashMap<usize, Vec<(usize, String)>> = HashMap::new();
532 for (line_num, col_num, found_name) in violations {
533 violations_by_line
534 .entry(line_num)
535 .or_default()
536 .push((col_num, found_name));
537 }
538
539 for violations in violations_by_line.values_mut() {
541 violations.sort_by_key(|b| std::cmp::Reverse(b.0));
542 }
543
544 for (line_idx, line_info) in ctx.lines.iter().enumerate() {
546 let line_num = line_idx + 1;
547
548 if let Some(line_violations) = violations_by_line.get(&line_num) {
549 let mut fixed_line = line_info.content.clone();
551
552 for (col_num, found_name) in line_violations {
553 if let Some(proper_name) = self.get_proper_name_for(found_name) {
554 let start_col = col_num - 1; let end_col = start_col + found_name.len();
556
557 if end_col <= fixed_line.len()
558 && fixed_line.is_char_boundary(start_col)
559 && fixed_line.is_char_boundary(end_col)
560 {
561 fixed_line.replace_range(start_col..end_col, &proper_name);
562 }
563 }
564 }
565
566 fixed_lines.push(fixed_line);
567 } else {
568 fixed_lines.push(line_info.content.clone());
570 }
571 }
572
573 let mut result = fixed_lines.join("\n");
575 if content.ends_with('\n') && !result.ends_with('\n') {
576 result.push('\n');
577 }
578 Ok(result)
579 }
580
581 fn as_any(&self) -> &dyn std::any::Any {
582 self
583 }
584
585 fn default_config_section(&self) -> Option<(String, toml::Value)> {
586 let json_value = serde_json::to_value(&self.config).ok()?;
587 Some((
588 self.name().to_string(),
589 crate::rule_config_serde::json_to_toml_value(&json_value)?,
590 ))
591 }
592
593 fn from_config(config: &crate::config::Config) -> Box<dyn Rule>
594 where
595 Self: Sized,
596 {
597 let rule_config = crate::rule_config_serde::load_rule_config::<MD044Config>(config);
598 Box::new(Self::from_config_struct(rule_config))
599 }
600}
601
602#[cfg(test)]
603mod tests {
604 use super::*;
605 use crate::lint_context::LintContext;
606
607 fn create_context(content: &str) -> LintContext<'_> {
608 LintContext::new(content, crate::config::MarkdownFlavor::Standard)
609 }
610
611 #[test]
612 fn test_correctly_capitalized_names() {
613 let rule = MD044ProperNames::new(
614 vec![
615 "JavaScript".to_string(),
616 "TypeScript".to_string(),
617 "Node.js".to_string(),
618 ],
619 true,
620 );
621
622 let content = "This document uses JavaScript, TypeScript, and Node.js correctly.";
623 let ctx = create_context(content);
624 let result = rule.check(&ctx).unwrap();
625 assert!(result.is_empty(), "Should not flag correctly capitalized names");
626 }
627
628 #[test]
629 fn test_incorrectly_capitalized_names() {
630 let rule = MD044ProperNames::new(vec!["JavaScript".to_string(), "TypeScript".to_string()], true);
631
632 let content = "This document uses javascript and typescript incorrectly.";
633 let ctx = create_context(content);
634 let result = rule.check(&ctx).unwrap();
635
636 assert_eq!(result.len(), 2, "Should flag two incorrect capitalizations");
637 assert_eq!(result[0].message, "Proper name 'javascript' should be 'JavaScript'");
638 assert_eq!(result[0].line, 1);
639 assert_eq!(result[0].column, 20);
640 assert_eq!(result[1].message, "Proper name 'typescript' should be 'TypeScript'");
641 assert_eq!(result[1].line, 1);
642 assert_eq!(result[1].column, 35);
643 }
644
645 #[test]
646 fn test_names_at_beginning_of_sentences() {
647 let rule = MD044ProperNames::new(vec!["JavaScript".to_string(), "Python".to_string()], true);
648
649 let content = "javascript is a great language. python is also popular.";
650 let ctx = create_context(content);
651 let result = rule.check(&ctx).unwrap();
652
653 assert_eq!(result.len(), 2, "Should flag names at beginning of sentences");
654 assert_eq!(result[0].line, 1);
655 assert_eq!(result[0].column, 1);
656 assert_eq!(result[1].line, 1);
657 assert_eq!(result[1].column, 33);
658 }
659
660 #[test]
661 fn test_names_in_code_blocks_ignored() {
662 let rule = MD044ProperNames::new(vec!["JavaScript".to_string()], true);
663
664 let content = r#"Here is some text with JavaScript.
665
666```javascript
667// This javascript should be ignored
668const lang = "javascript";
669```
670
671But this javascript should be flagged."#;
672
673 let ctx = create_context(content);
674 let result = rule.check(&ctx).unwrap();
675
676 assert_eq!(result.len(), 1, "Should only flag javascript outside code blocks");
677 assert_eq!(result[0].line, 8);
678 assert_eq!(result[0].message, "Proper name 'javascript' should be 'JavaScript'");
679 }
680
681 #[test]
682 fn test_names_in_code_blocks_not_ignored_when_disabled() {
683 let rule = MD044ProperNames::new(
684 vec!["JavaScript".to_string()],
685 false, );
687
688 let content = r#"```
689javascript in code block
690```"#;
691
692 let ctx = create_context(content);
693 let result = rule.check(&ctx).unwrap();
694
695 assert_eq!(
696 result.len(),
697 1,
698 "Should flag javascript in code blocks when code_blocks is false"
699 );
700 }
701
702 #[test]
703 fn test_names_in_inline_code_ignored() {
704 let rule = MD044ProperNames::new(vec!["JavaScript".to_string()], true);
705
706 let content = "This is `javascript` in inline code and javascript outside.";
707 let ctx = create_context(content);
708 let result = rule.check(&ctx).unwrap();
709
710 assert_eq!(result.len(), 1, "Should only flag javascript outside inline code");
712 assert_eq!(result[0].column, 41); }
714
715 #[test]
716 fn test_multiple_names_in_same_line() {
717 let rule = MD044ProperNames::new(
718 vec!["JavaScript".to_string(), "TypeScript".to_string(), "React".to_string()],
719 true,
720 );
721
722 let content = "I use javascript, typescript, and react in my projects.";
723 let ctx = create_context(content);
724 let result = rule.check(&ctx).unwrap();
725
726 assert_eq!(result.len(), 3, "Should flag all three incorrect names");
727 assert_eq!(result[0].message, "Proper name 'javascript' should be 'JavaScript'");
728 assert_eq!(result[1].message, "Proper name 'typescript' should be 'TypeScript'");
729 assert_eq!(result[2].message, "Proper name 'react' should be 'React'");
730 }
731
732 #[test]
733 fn test_case_sensitivity() {
734 let rule = MD044ProperNames::new(vec!["JavaScript".to_string()], true);
735
736 let content = "JAVASCRIPT, Javascript, javascript, and JavaScript variations.";
737 let ctx = create_context(content);
738 let result = rule.check(&ctx).unwrap();
739
740 assert_eq!(result.len(), 3, "Should flag all incorrect case variations");
741 assert!(result.iter().all(|w| w.message.contains("should be 'JavaScript'")));
743 }
744
745 #[test]
746 fn test_configuration_with_custom_name_list() {
747 let config = MD044Config {
748 names: vec!["GitHub".to_string(), "GitLab".to_string(), "DevOps".to_string()],
749 code_blocks: true,
750 html_comments: true,
751 };
752 let rule = MD044ProperNames::from_config_struct(config);
753
754 let content = "We use github, gitlab, and devops for our workflow.";
755 let ctx = create_context(content);
756 let result = rule.check(&ctx).unwrap();
757
758 assert_eq!(result.len(), 3, "Should flag all custom names");
759 assert_eq!(result[0].message, "Proper name 'github' should be 'GitHub'");
760 assert_eq!(result[1].message, "Proper name 'gitlab' should be 'GitLab'");
761 assert_eq!(result[2].message, "Proper name 'devops' should be 'DevOps'");
762 }
763
764 #[test]
765 fn test_empty_configuration() {
766 let rule = MD044ProperNames::new(vec![], true);
767
768 let content = "This has javascript and typescript but no configured names.";
769 let ctx = create_context(content);
770 let result = rule.check(&ctx).unwrap();
771
772 assert!(result.is_empty(), "Should not flag anything with empty configuration");
773 }
774
775 #[test]
776 fn test_names_with_special_characters() {
777 let rule = MD044ProperNames::new(
778 vec!["Node.js".to_string(), "ASP.NET".to_string(), "C++".to_string()],
779 true,
780 );
781
782 let content = "We use nodejs, asp.net, ASP.NET, and c++ in our stack.";
783 let ctx = create_context(content);
784 let result = rule.check(&ctx).unwrap();
785
786 assert_eq!(result.len(), 3, "Should handle special characters correctly");
791
792 let messages: Vec<&str> = result.iter().map(|w| w.message.as_str()).collect();
793 assert!(messages.contains(&"Proper name 'nodejs' should be 'Node.js'"));
794 assert!(messages.contains(&"Proper name 'asp.net' should be 'ASP.NET'"));
795 assert!(messages.contains(&"Proper name 'c++' should be 'C++'"));
796 }
797
798 #[test]
799 fn test_word_boundaries() {
800 let rule = MD044ProperNames::new(vec!["Java".to_string(), "Script".to_string()], true);
801
802 let content = "JavaScript is not java or script, but Java and Script are separate.";
803 let ctx = create_context(content);
804 let result = rule.check(&ctx).unwrap();
805
806 assert_eq!(result.len(), 2, "Should respect word boundaries");
808 assert!(result.iter().any(|w| w.column == 19)); assert!(result.iter().any(|w| w.column == 27)); }
811
812 #[test]
813 fn test_fix_method() {
814 let rule = MD044ProperNames::new(
815 vec![
816 "JavaScript".to_string(),
817 "TypeScript".to_string(),
818 "Node.js".to_string(),
819 ],
820 true,
821 );
822
823 let content = "I love javascript, typescript, and nodejs!";
824 let ctx = create_context(content);
825 let fixed = rule.fix(&ctx).unwrap();
826
827 assert_eq!(fixed, "I love JavaScript, TypeScript, and Node.js!");
828 }
829
830 #[test]
831 fn test_fix_multiple_occurrences() {
832 let rule = MD044ProperNames::new(vec!["Python".to_string()], true);
833
834 let content = "python is great. I use python daily. PYTHON is powerful.";
835 let ctx = create_context(content);
836 let fixed = rule.fix(&ctx).unwrap();
837
838 assert_eq!(fixed, "Python is great. I use Python daily. Python is powerful.");
839 }
840
841 #[test]
842 fn test_fix_preserves_code_blocks() {
843 let rule = MD044ProperNames::new(vec!["JavaScript".to_string()], true);
844
845 let content = r#"I love javascript.
846
847```
848const lang = "javascript";
849```
850
851More javascript here."#;
852
853 let ctx = create_context(content);
854 let fixed = rule.fix(&ctx).unwrap();
855
856 let expected = r#"I love JavaScript.
857
858```
859const lang = "javascript";
860```
861
862More JavaScript here."#;
863
864 assert_eq!(fixed, expected);
865 }
866
867 #[test]
868 fn test_multiline_content() {
869 let rule = MD044ProperNames::new(vec!["Rust".to_string(), "Python".to_string()], true);
870
871 let content = r#"First line with rust.
872Second line with python.
873Third line with RUST and PYTHON."#;
874
875 let ctx = create_context(content);
876 let result = rule.check(&ctx).unwrap();
877
878 assert_eq!(result.len(), 4, "Should flag all incorrect occurrences");
879 assert_eq!(result[0].line, 1);
880 assert_eq!(result[1].line, 2);
881 assert_eq!(result[2].line, 3);
882 assert_eq!(result[3].line, 3);
883 }
884
885 #[test]
886 fn test_default_config() {
887 let config = MD044Config::default();
888 assert!(config.names.is_empty());
889 assert!(config.code_blocks);
890 }
891
892 #[test]
893 fn test_performance_with_many_names() {
894 let mut names = vec![];
895 for i in 0..50 {
896 names.push(format!("ProperName{i}"));
897 }
898
899 let rule = MD044ProperNames::new(names, true);
900
901 let content = "This has propername0, propername25, and propername49 incorrectly.";
902 let ctx = create_context(content);
903 let result = rule.check(&ctx).unwrap();
904
905 assert_eq!(result.len(), 3, "Should handle many configured names efficiently");
906 }
907
908 #[test]
909 fn test_large_name_count_performance() {
910 let names = (0..1000).map(|i| format!("ProperName{i}")).collect::<Vec<_>>();
913
914 let rule = MD044ProperNames::new(names, true);
915
916 assert!(rule.combined_pattern.is_some());
918
919 let content = "This has propername0 and propername999 in it.";
921 let ctx = create_context(content);
922 let result = rule.check(&ctx).unwrap();
923
924 assert_eq!(result.len(), 2, "Should handle 1000 names without issues");
926 }
927
928 #[test]
929 fn test_cache_behavior() {
930 let rule = MD044ProperNames::new(vec!["JavaScript".to_string()], true);
931
932 let content = "Using javascript here.";
933 let ctx = create_context(content);
934
935 let result1 = rule.check(&ctx).unwrap();
937 assert_eq!(result1.len(), 1);
938
939 let result2 = rule.check(&ctx).unwrap();
941 assert_eq!(result2.len(), 1);
942
943 assert_eq!(result1[0].line, result2[0].line);
945 assert_eq!(result1[0].column, result2[0].column);
946 }
947
948 #[test]
949 fn test_html_comments_not_checked_when_disabled() {
950 let config = MD044Config {
951 names: vec!["JavaScript".to_string()],
952 code_blocks: true,
953 html_comments: false, };
955 let rule = MD044ProperNames::from_config_struct(config);
956
957 let content = r#"Regular javascript here.
958<!-- This javascript in HTML comment should be ignored -->
959More javascript outside."#;
960
961 let ctx = create_context(content);
962 let result = rule.check(&ctx).unwrap();
963
964 assert_eq!(result.len(), 2, "Should only flag javascript outside HTML comments");
965 assert_eq!(result[0].line, 1);
966 assert_eq!(result[1].line, 3);
967 }
968
969 #[test]
970 fn test_html_comments_checked_when_enabled() {
971 let config = MD044Config {
972 names: vec!["JavaScript".to_string()],
973 code_blocks: true,
974 html_comments: true, };
976 let rule = MD044ProperNames::from_config_struct(config);
977
978 let content = r#"Regular javascript here.
979<!-- This javascript in HTML comment should be checked -->
980More javascript outside."#;
981
982 let ctx = create_context(content);
983 let result = rule.check(&ctx).unwrap();
984
985 assert_eq!(
986 result.len(),
987 3,
988 "Should flag all javascript occurrences including in HTML comments"
989 );
990 }
991
992 #[test]
993 fn test_multiline_html_comments() {
994 let config = MD044Config {
995 names: vec!["Python".to_string(), "JavaScript".to_string()],
996 code_blocks: true,
997 html_comments: false,
998 };
999 let rule = MD044ProperNames::from_config_struct(config);
1000
1001 let content = r#"Regular python here.
1002<!--
1003This is a multiline comment
1004with javascript and python
1005that should be ignored
1006-->
1007More javascript outside."#;
1008
1009 let ctx = create_context(content);
1010 let result = rule.check(&ctx).unwrap();
1011
1012 assert_eq!(result.len(), 2, "Should only flag names outside HTML comments");
1013 assert_eq!(result[0].line, 1); assert_eq!(result[1].line, 7); }
1016
1017 #[test]
1018 fn test_fix_preserves_html_comments_when_disabled() {
1019 let config = MD044Config {
1020 names: vec!["JavaScript".to_string()],
1021 code_blocks: true,
1022 html_comments: false,
1023 };
1024 let rule = MD044ProperNames::from_config_struct(config);
1025
1026 let content = r#"javascript here.
1027<!-- javascript in comment -->
1028More javascript."#;
1029
1030 let ctx = create_context(content);
1031 let fixed = rule.fix(&ctx).unwrap();
1032
1033 let expected = r#"JavaScript here.
1034<!-- javascript in comment -->
1035More JavaScript."#;
1036
1037 assert_eq!(
1038 fixed, expected,
1039 "Should not fix names inside HTML comments when disabled"
1040 );
1041 }
1042
1043 #[test]
1044 fn test_proper_names_in_links_not_flagged() {
1045 let rule = MD044ProperNames::new(
1046 vec!["JavaScript".to_string(), "Node.js".to_string(), "Python".to_string()],
1047 true,
1048 );
1049
1050 let content = r#"Check this [javascript documentation](https://javascript.info) for info.
1051
1052Visit [node.js homepage](https://nodejs.org) and [python tutorial](https://python.org).
1053
1054Real javascript should be flagged.
1055
1056Also see the [typescript guide][ts-ref] for more.
1057
1058Real python should be flagged too.
1059
1060[ts-ref]: https://typescript.org/handbook"#;
1061
1062 let ctx = create_context(content);
1063 let result = rule.check(&ctx).unwrap();
1064
1065 assert_eq!(
1067 result.len(),
1068 2,
1069 "Expected exactly 2 warnings for standalone proper names"
1070 );
1071 assert!(result[0].message.contains("'javascript' should be 'JavaScript'"));
1072 assert!(result[1].message.contains("'python' should be 'Python'"));
1073 assert!(result[0].line == 5); assert!(result[1].line == 9); }
1077
1078 #[test]
1079 fn test_proper_names_in_images_not_flagged() {
1080 let rule = MD044ProperNames::new(vec!["JavaScript".to_string()], true);
1081
1082 let content = r#"Here is a  image.
1083
1084Real javascript should be flagged."#;
1085
1086 let ctx = create_context(content);
1087 let result = rule.check(&ctx).unwrap();
1088
1089 assert_eq!(result.len(), 1, "Expected exactly 1 warning for standalone proper name");
1091 assert!(result[0].message.contains("'javascript' should be 'JavaScript'"));
1092 assert!(result[0].line == 3); }
1094
1095 #[test]
1096 fn test_proper_names_in_reference_definitions_not_flagged() {
1097 let rule = MD044ProperNames::new(vec!["JavaScript".to_string(), "TypeScript".to_string()], true);
1098
1099 let content = r#"Check the [javascript guide][js-ref] for details.
1100
1101Real javascript should be flagged.
1102
1103[js-ref]: https://javascript.info/typescript/guide"#;
1104
1105 let ctx = create_context(content);
1106 let result = rule.check(&ctx).unwrap();
1107
1108 assert_eq!(result.len(), 1, "Expected exactly 1 warning for standalone proper name");
1110 assert!(result[0].message.contains("'javascript' should be 'JavaScript'"));
1111 assert!(result[0].line == 3); }
1113}