1use crate::rule::{LintError, LintResult, LintWarning, Rule, Severity};
7use crate::utils::range_utils::calculate_match_range;
8use lazy_static::lazy_static;
9use regex::Regex;
10use serde::{Deserialize, Serialize};
11
12mod md054_config;
13use md054_config::MD054Config;
14
15lazy_static! {
16 static ref AUTOLINK_RE: Regex = Regex::new(r"<([^<>]+)>").unwrap();
18 static ref INLINE_RE: Regex = Regex::new(r"\[([^\]]+)\]\(([^)]+)\)").unwrap();
19 static ref URL_INLINE_RE: Regex = Regex::new(r"\[([^\]]+)\]\(([^)]+)\)").unwrap();
20 static ref SHORTCUT_RE: Regex = Regex::new(r"\[([^\]]+)\]").unwrap();
21 static ref COLLAPSED_RE: Regex = Regex::new(r"\[([^\]]+)\]\[\]").unwrap();
22 static ref FULL_RE: Regex = Regex::new(r"\[([^\]]+)\]\[([^\]]+)\]").unwrap();
23 static ref CODE_BLOCK_DELIMITER: Regex = Regex::new(r"^(```|~~~)").unwrap();
24 static ref REFERENCE_DEF_RE: Regex = Regex::new(r"^\s*\[([^\]]+)\]:\s+(.+)$").unwrap();
25}
26
27#[derive(Debug, Eq, PartialEq, Hash, Serialize, Deserialize, Clone)]
72pub enum LinkImageStyle {
73 Autolink,
74 Inline,
75 UrlInline,
76 Shortcut,
77 Collapsed,
78 Full,
79}
80
81#[derive(Debug, Default, Clone)]
82pub struct MD054LinkImageStyle {
83 config: MD054Config,
84}
85
86impl MD054LinkImageStyle {
87 pub fn new(autolink: bool, collapsed: bool, full: bool, inline: bool, shortcut: bool, url_inline: bool) -> Self {
88 Self {
89 config: MD054Config {
90 autolink,
91 collapsed,
92 full,
93 inline,
94 shortcut,
95 url_inline,
96 },
97 }
98 }
99
100 pub fn from_config_struct(config: MD054Config) -> Self {
101 Self { config }
102 }
103
104 fn is_style_allowed(&self, style: &str) -> bool {
106 match style {
107 "autolink" => self.config.autolink,
108 "collapsed" => self.config.collapsed,
109 "full" => self.config.full,
110 "inline" => self.config.inline,
111 "shortcut" => self.config.shortcut,
112 "url_inline" => self.config.url_inline,
113 _ => false,
114 }
115 }
116}
117
118#[derive(Debug)]
119struct LinkMatch {
120 style: &'static str,
121 start: usize,
122 end: usize,
123}
124
125impl Rule for MD054LinkImageStyle {
126 fn name(&self) -> &'static str {
127 "MD054"
128 }
129
130 fn description(&self) -> &'static str {
131 "Link and image style should be consistent"
132 }
133
134 fn check(&self, ctx: &crate::lint_context::LintContext) -> LintResult {
135 let content = ctx.content;
136
137 if content.is_empty() {
139 return Ok(Vec::new());
140 }
141
142 if !content.contains('[') && !content.contains('<') {
144 return Ok(Vec::new());
145 }
146
147 let mut warnings = Vec::new();
148 let lines: Vec<&str> = content.lines().collect();
149
150 for (line_num, line) in lines.iter().enumerate() {
151 if ctx.is_in_code_block(line_num + 1) {
153 continue;
154 }
155 if REFERENCE_DEF_RE.is_match(line) {
156 continue;
157 }
158 if line.trim_start().starts_with("<!--") {
159 continue;
160 }
161
162 if !line.contains('[') && !line.contains('<') {
164 continue;
165 }
166
167 let mut matches = Vec::new();
169
170 for cap in AUTOLINK_RE.captures_iter(line) {
172 let m = cap.get(0).unwrap();
173 matches.push(LinkMatch {
174 style: "autolink",
175 start: m.start(),
176 end: m.end(),
177 });
178 }
179
180 for cap in FULL_RE.captures_iter(line) {
182 let m = cap.get(0).unwrap();
183 matches.push(LinkMatch {
184 style: "full",
185 start: m.start(),
186 end: m.end(),
187 });
188 }
189
190 for cap in COLLAPSED_RE.captures_iter(line) {
192 let m = cap.get(0).unwrap();
193 matches.push(LinkMatch {
194 style: "collapsed",
195 start: m.start(),
196 end: m.end(),
197 });
198 }
199
200 for cap in INLINE_RE.captures_iter(line) {
202 let m = cap.get(0).unwrap();
203 let text = cap.get(1).unwrap().as_str();
204 let url = cap.get(2).unwrap().as_str();
205 matches.push(LinkMatch {
206 style: if text == url { "url_inline" } else { "inline" },
207 start: m.start(),
208 end: m.end(),
209 });
210 }
211
212 matches.sort_by_key(|m| m.start);
214
215 let mut filtered_matches = Vec::new();
217 let mut last_end = 0;
218 for m in matches {
219 if m.start >= last_end {
220 last_end = m.end;
221 filtered_matches.push(m);
222 }
223 }
224
225 for cap in SHORTCUT_RE.captures_iter(line) {
227 let m = cap.get(0).unwrap();
228 let start = m.start();
229 let end = m.end();
230
231 let overlaps = filtered_matches.iter().any(|existing| {
233 (start >= existing.start && start < existing.end) || (end > existing.start && end <= existing.end)
234 });
235
236 if !overlaps {
237 let after = &line[end..];
239 if !after.starts_with('(') && !after.starts_with('[') {
240 filtered_matches.push(LinkMatch {
241 style: "shortcut",
242 start,
243 end,
244 });
245 }
246 }
247 }
248
249 filtered_matches.sort_by_key(|m| m.start);
251
252 for m in filtered_matches {
254 let match_start_char = line[..m.start].chars().count();
255
256 if !ctx.is_in_code_span(line_num + 1, match_start_char + 1) && !self.is_style_allowed(m.style) {
257 let match_len = line[m.start..m.end].chars().count();
258 let (start_line, start_col, end_line, end_col) =
259 calculate_match_range(line_num + 1, line, match_start_char, match_len);
260
261 warnings.push(LintWarning {
262 rule_name: Some(self.name()),
263 line: start_line,
264 column: start_col,
265 end_line,
266 end_column: end_col,
267 message: format!("Link/image style '{}' is not consistent with document", m.style),
268 severity: Severity::Warning,
269 fix: None,
270 });
271 }
272 }
273 }
274 Ok(warnings)
275 }
276
277 fn fix(&self, _ctx: &crate::lint_context::LintContext) -> Result<String, LintError> {
278 Err(LintError::FixFailed(
280 "MD054 does not support automatic fixing of link/image style consistency.".to_string(),
281 ))
282 }
283
284 fn fix_capability(&self) -> crate::rule::FixCapability {
285 crate::rule::FixCapability::Unfixable
286 }
287
288 fn as_any(&self) -> &dyn std::any::Any {
289 self
290 }
291
292 fn default_config_section(&self) -> Option<(String, toml::Value)> {
293 let json_value = serde_json::to_value(&self.config).ok()?;
294 Some((
295 self.name().to_string(),
296 crate::rule_config_serde::json_to_toml_value(&json_value)?,
297 ))
298 }
299
300 fn from_config(config: &crate::config::Config) -> Box<dyn Rule>
301 where
302 Self: Sized,
303 {
304 let rule_config = crate::rule_config_serde::load_rule_config::<MD054Config>(config);
305 Box::new(Self::from_config_struct(rule_config))
306 }
307}
308
309#[cfg(test)]
310mod tests {
311 use super::*;
312 use crate::lint_context::LintContext;
313
314 #[test]
315 fn test_all_styles_allowed_by_default() {
316 let rule = MD054LinkImageStyle::new(true, true, true, true, true, true);
317 let content = "[inline](url) [ref][] [ref] <autolink> [full][ref] [url](url)\n\n[ref]: url";
318 let ctx = LintContext::new(content, crate::config::MarkdownFlavor::Standard);
319 let result = rule.check(&ctx).unwrap();
320
321 assert_eq!(result.len(), 0);
322 }
323
324 #[test]
325 fn test_only_inline_allowed() {
326 let rule = MD054LinkImageStyle::new(false, false, false, true, false, false);
327 let content = "[allowed](url) [not][ref] <https://bad.com> [bad][] [shortcut]\n\n[ref]: url\n[shortcut]: url";
328 let ctx = LintContext::new(content, crate::config::MarkdownFlavor::Standard);
329 let result = rule.check(&ctx).unwrap();
330
331 assert_eq!(result.len(), 4);
332 assert!(result[0].message.contains("'full'"));
333 assert!(result[1].message.contains("'autolink'"));
334 assert!(result[2].message.contains("'collapsed'"));
335 assert!(result[3].message.contains("'shortcut'"));
336 }
337
338 #[test]
339 fn test_only_autolink_allowed() {
340 let rule = MD054LinkImageStyle::new(true, false, false, false, false, false);
341 let content = "<https://good.com> [bad](url) [bad][ref]\n\n[ref]: url";
342 let ctx = LintContext::new(content, crate::config::MarkdownFlavor::Standard);
343 let result = rule.check(&ctx).unwrap();
344
345 assert_eq!(result.len(), 2);
346 assert!(result[0].message.contains("'inline'"));
347 assert!(result[1].message.contains("'full'"));
348 }
349
350 #[test]
351 fn test_url_inline_detection() {
352 let rule = MD054LinkImageStyle::new(false, false, false, true, false, true);
353 let content = "[https://example.com](https://example.com) [text](https://example.com)";
354 let ctx = LintContext::new(content, crate::config::MarkdownFlavor::Standard);
355 let result = rule.check(&ctx).unwrap();
356
357 assert_eq!(result.len(), 0);
359 }
360
361 #[test]
362 fn test_url_inline_not_allowed() {
363 let rule = MD054LinkImageStyle::new(false, false, false, true, false, false);
364 let content = "[https://example.com](https://example.com)";
365 let ctx = LintContext::new(content, crate::config::MarkdownFlavor::Standard);
366 let result = rule.check(&ctx).unwrap();
367
368 assert_eq!(result.len(), 1);
369 assert!(result[0].message.contains("'url_inline'"));
370 }
371
372 #[test]
373 fn test_shortcut_vs_full_detection() {
374 let rule = MD054LinkImageStyle::new(false, false, true, false, false, false);
375 let content = "[shortcut] [full][ref]\n\n[shortcut]: url\n[ref]: url2";
376 let ctx = LintContext::new(content, crate::config::MarkdownFlavor::Standard);
377 let result = rule.check(&ctx).unwrap();
378
379 assert_eq!(result.len(), 1);
381 assert!(result[0].message.contains("'shortcut'"));
382 }
383
384 #[test]
385 fn test_collapsed_reference() {
386 let rule = MD054LinkImageStyle::new(false, true, false, false, false, false);
387 let content = "[collapsed][] [bad][ref]\n\n[collapsed]: url\n[ref]: url2";
388 let ctx = LintContext::new(content, crate::config::MarkdownFlavor::Standard);
389 let result = rule.check(&ctx).unwrap();
390
391 assert_eq!(result.len(), 1);
392 assert!(result[0].message.contains("'full'"));
393 }
394
395 #[test]
396 fn test_code_blocks_ignored() {
397 let rule = MD054LinkImageStyle::new(false, false, false, true, false, false);
398 let content = "```\n[ignored](url) <https://ignored.com>\n```\n\n[checked](url)";
399 let ctx = LintContext::new(content, crate::config::MarkdownFlavor::Standard);
400 let result = rule.check(&ctx).unwrap();
401
402 assert_eq!(result.len(), 0);
404 }
405
406 #[test]
407 fn test_code_spans_ignored() {
408 let rule = MD054LinkImageStyle::new(false, false, false, true, false, false);
409 let content = "`[ignored](url)` and `<https://ignored.com>` but [checked](url)";
410 let ctx = LintContext::new(content, crate::config::MarkdownFlavor::Standard);
411 let result = rule.check(&ctx).unwrap();
412
413 assert_eq!(result.len(), 0);
415 }
416
417 #[test]
418 fn test_reference_definitions_ignored() {
419 let rule = MD054LinkImageStyle::new(false, false, false, true, false, false);
420 let content = "[ref]: https://example.com\n[ref2]: <https://example2.com>";
421 let ctx = LintContext::new(content, crate::config::MarkdownFlavor::Standard);
422 let result = rule.check(&ctx).unwrap();
423
424 assert_eq!(result.len(), 0);
426 }
427
428 #[test]
429 fn test_html_comments_ignored() {
430 let rule = MD054LinkImageStyle::new(false, false, false, true, false, false);
431 let content = "<!-- [ignored](url) -->\n <!-- <https://ignored.com> -->";
432 let ctx = LintContext::new(content, crate::config::MarkdownFlavor::Standard);
433 let result = rule.check(&ctx).unwrap();
434
435 assert_eq!(result.len(), 0);
436 }
437
438 #[test]
439 fn test_unicode_support() {
440 let rule = MD054LinkImageStyle::new(false, false, false, true, false, false);
441 let content = "[café ☕](https://café.com) [emoji 😀](url) [한글](url) [עברית](url)";
442 let ctx = LintContext::new(content, crate::config::MarkdownFlavor::Standard);
443 let result = rule.check(&ctx).unwrap();
444
445 assert_eq!(result.len(), 0);
447 }
448
449 #[test]
450 fn test_line_positions() {
451 let rule = MD054LinkImageStyle::new(false, false, false, true, false, false);
452 let content = "Line 1\n\nLine 3 with <https://bad.com> here";
453 let ctx = LintContext::new(content, crate::config::MarkdownFlavor::Standard);
454 let result = rule.check(&ctx).unwrap();
455
456 assert_eq!(result.len(), 1);
457 assert_eq!(result[0].line, 3);
458 assert_eq!(result[0].column, 13); }
460
461 #[test]
462 fn test_multiple_links_same_line() {
463 let rule = MD054LinkImageStyle::new(false, false, false, true, false, false);
464 let content = "[ok](url) but <bad> and [also][bad]\n\n[bad]: url";
465 let ctx = LintContext::new(content, crate::config::MarkdownFlavor::Standard);
466 let result = rule.check(&ctx).unwrap();
467
468 assert_eq!(result.len(), 2);
469 assert!(result[0].message.contains("'autolink'"));
470 assert!(result[1].message.contains("'full'"));
471 }
472
473 #[test]
474 fn test_empty_content() {
475 let rule = MD054LinkImageStyle::new(false, false, false, true, false, false);
476 let content = "";
477 let ctx = LintContext::new(content, crate::config::MarkdownFlavor::Standard);
478 let result = rule.check(&ctx).unwrap();
479
480 assert_eq!(result.len(), 0);
481 }
482
483 #[test]
484 fn test_no_links() {
485 let rule = MD054LinkImageStyle::new(false, false, false, true, false, false);
486 let content = "Just plain text without any links";
487 let ctx = LintContext::new(content, crate::config::MarkdownFlavor::Standard);
488 let result = rule.check(&ctx).unwrap();
489
490 assert_eq!(result.len(), 0);
491 }
492
493 #[test]
494 fn test_fix_returns_error() {
495 let rule = MD054LinkImageStyle::new(false, false, false, true, false, false);
496 let content = "[link](url)";
497 let ctx = LintContext::new(content, crate::config::MarkdownFlavor::Standard);
498 let result = rule.fix(&ctx);
499
500 assert!(result.is_err());
501 if let Err(LintError::FixFailed(msg)) = result {
502 assert!(msg.contains("does not support automatic fixing"));
503 }
504 }
505
506 #[test]
507 fn test_priority_order() {
508 let rule = MD054LinkImageStyle::new(false, false, false, true, false, false);
509 let content = "[text][ref] not detected as [shortcut]\n\n[ref]: url\n[shortcut]: url2";
511 let ctx = LintContext::new(content, crate::config::MarkdownFlavor::Standard);
512 let result = rule.check(&ctx).unwrap();
513
514 assert_eq!(result.len(), 2);
515 assert!(result[0].message.contains("'full'"));
516 assert!(result[1].message.contains("'shortcut'"));
517 }
518
519 #[test]
520 fn test_not_shortcut_when_followed_by_bracket() {
521 let rule = MD054LinkImageStyle::new(false, false, false, true, true, false);
522 let content = "[text][ more text\n[text](url) is inline";
524 let ctx = LintContext::new(content, crate::config::MarkdownFlavor::Standard);
525 let result = rule.check(&ctx).unwrap();
526
527 assert_eq!(result.len(), 0);
529 }
530
531 #[test]
532 fn test_complex_unicode_with_zwj() {
533 let rule = MD054LinkImageStyle::new(false, false, false, true, false, false);
534 let content = "[👨👩👧👦 family](url) [café☕](https://café.com)";
536 let ctx = LintContext::new(content, crate::config::MarkdownFlavor::Standard);
537 let result = rule.check(&ctx).unwrap();
538
539 assert_eq!(result.len(), 0);
541 }
542}