1#![warn(rust_2024_compatibility, clippy::all)]
2
3use dictator_decree_abi::{BoxDecree, Decree, Diagnostic, Diagnostics, Span};
6use dictator_supreme::SupremeConfig;
7use memchr::memchr_iter;
8
9#[must_use]
11pub fn lint_source(source: &str) -> Diagnostics {
12 lint_source_with_config(source, &TypeScriptConfig::default())
13}
14
15#[must_use]
17pub fn lint_source_with_config(source: &str, config: &TypeScriptConfig) -> Diagnostics {
18 let mut diags = Diagnostics::new();
19
20 check_file_line_count(source, config.max_lines, &mut diags);
21 check_import_ordering(source, &mut diags);
22 check_indentation_consistency(source, &mut diags);
23
24 diags
25}
26
27#[derive(Debug, Clone)]
29pub struct TypeScriptConfig {
30 pub max_lines: usize,
31}
32
33impl Default for TypeScriptConfig {
34 fn default() -> Self {
35 Self { max_lines: 350 }
36 }
37}
38
39fn check_file_line_count(source: &str, max_lines: usize, diags: &mut Diagnostics) {
41 let mut code_lines = 0;
42 let bytes = source.as_bytes();
43 let mut line_start = 0;
44
45 for nl in memchr_iter(b'\n', bytes) {
46 let line = &source[line_start..nl];
47 let trimmed = line.trim();
48
49 if !trimmed.is_empty() && !is_comment_only_line(trimmed) {
51 code_lines += 1;
52 }
53
54 line_start = nl + 1;
55 }
56
57 if line_start < bytes.len() {
59 let line = &source[line_start..];
60 let trimmed = line.trim();
61 if !trimmed.is_empty() && !is_comment_only_line(trimmed) {
62 code_lines += 1;
63 }
64 }
65
66 if code_lines > max_lines {
67 diags.push(Diagnostic {
68 rule: "typescript/file-too-long".to_string(),
69 message: format!(
70 "File has {code_lines} code lines \
71 (max {max_lines}, excluding comments and blank lines)"
72 ),
73 enforced: false,
74 span: Span::new(0, source.len().min(100)),
75 });
76 }
77}
78
79fn is_comment_only_line(trimmed: &str) -> bool {
81 trimmed.starts_with("//") || trimmed.starts_with("/*") || trimmed.starts_with('*')
82}
83
84fn check_import_ordering(source: &str, diags: &mut Diagnostics) {
86 let bytes = source.as_bytes();
87 let mut imports: Vec<(usize, usize, ImportType)> = Vec::new();
88 let mut line_start = 0;
89
90 for nl in memchr_iter(b'\n', bytes) {
91 let line = &source[line_start..nl];
92 let trimmed = line.trim();
93
94 if let Some(import_type) = parse_import_line(trimmed) {
95 imports.push((line_start, nl, import_type));
96 }
97
98 if !trimmed.is_empty()
100 && !trimmed.starts_with("import")
101 && !trimmed.starts_with("//")
102 && !trimmed.starts_with("/*")
103 && !trimmed.starts_with('*')
104 && !trimmed.starts_with("export")
105 {
106 break;
107 }
108
109 line_start = nl + 1;
110 }
111
112 if imports.len() > 1 {
114 let mut last_type = ImportType::System;
115
116 for (start, end, import_type) in &imports {
117 let type_order = match import_type {
119 ImportType::System => 0,
120 ImportType::External => 1,
121 ImportType::Internal => 2,
122 };
123
124 let last_type_order = match last_type {
125 ImportType::System => 0,
126 ImportType::External => 1,
127 ImportType::Internal => 2,
128 };
129
130 if type_order < last_type_order {
131 diags.push(Diagnostic {
132 rule: "typescript/import-order".to_string(),
133 message: format!(
134 "Import order violation: {import_type:?} import after \
135 {last_type:?} import. Expected: system → external → internal"
136 ),
137 enforced: false,
138 span: Span::new(*start, *end),
139 });
140 }
141
142 last_type = *import_type;
143 }
144 }
145}
146
147#[derive(Debug, Clone, Copy, PartialEq, Eq)]
148enum ImportType {
149 System, External, Internal, }
153
154fn parse_import_line(line: &str) -> Option<ImportType> {
156 if !line.starts_with("import") {
157 return None;
158 }
159
160 let from_pos = line.find(" from ")?;
163 let after_from = &line[from_pos + 6..].trim();
164
165 let quote_start = after_from.find(['\'', '"'])?;
167 let quote_char = after_from.chars().nth(quote_start)?;
168 let module_start = quote_start + 1;
169 let module_end = after_from[module_start..].find(quote_char)?;
170 let module_name = &after_from[module_start..module_start + module_end];
171
172 if module_name.starts_with('.') {
174 Some(ImportType::Internal)
175 } else if is_nodejs_builtin(module_name) {
176 Some(ImportType::System)
177 } else {
178 Some(ImportType::External)
179 }
180}
181
182fn is_nodejs_builtin(module: &str) -> bool {
184 let module = module.strip_prefix("node:").unwrap_or(module);
186
187 matches!(
188 module,
189 "fs" | "path"
190 | "crypto"
191 | "events"
192 | "http"
193 | "https"
194 | "os"
195 | "util"
196 | "url"
197 | "stream"
198 | "buffer"
199 | "child_process"
200 | "cluster"
201 | "dns"
202 | "net"
203 | "readline"
204 | "repl"
205 | "tls"
206 | "dgram"
207 | "zlib"
208 | "querystring"
209 | "string_decoder"
210 | "timers"
211 | "tty"
212 | "vm"
213 | "assert"
214 | "console"
215 | "process"
216 | "v8"
217 | "perf_hooks"
218 | "worker_threads"
219 | "async_hooks"
220 )
221}
222
223fn check_indentation_consistency(source: &str, diags: &mut Diagnostics) {
225 let bytes = source.as_bytes();
226 let mut line_start = 0;
227 let mut has_tabs = false;
228 let mut has_spaces = false;
229 let mut inconsistent_depths: Vec<(usize, usize)> = Vec::new();
230 let mut indent_stack: Vec<usize> = Vec::new();
231
232 for nl in memchr_iter(b'\n', bytes) {
233 let line = &source[line_start..nl];
234
235 if line.trim().is_empty() {
237 line_start = nl + 1;
238 continue;
239 }
240
241 if line.starts_with('\t') {
243 has_tabs = true;
244 } else if line.starts_with(' ') {
245 has_spaces = true;
246 }
247
248 let indent = count_leading_whitespace(line);
250 if indent > 0 && !line.trim().is_empty() {
251 if let Some(&last_indent) = indent_stack.last() {
253 if indent > last_indent {
254 let diff = indent - last_indent;
256 if has_spaces && diff != 2 && diff != 4 {
258 inconsistent_depths.push((line_start, nl));
259 }
260 indent_stack.push(indent);
261 } else if indent < last_indent {
262 while let Some(&stack_indent) = indent_stack.last() {
264 if stack_indent <= indent {
265 break;
266 }
267 indent_stack.pop();
268 }
269 if indent_stack.last() != Some(&indent) && indent > 0 {
271 inconsistent_depths.push((line_start, nl));
272 }
273 }
274 } else if indent > 0 {
275 indent_stack.push(indent);
276 }
277 }
278
279 line_start = nl + 1;
280 }
281
282 if line_start < bytes.len() {
284 let line = &source[line_start..];
285 if !line.trim().is_empty() {
286 if line.starts_with('\t') {
287 has_tabs = true;
288 } else if line.starts_with(' ') {
289 has_spaces = true;
290 }
291 }
292 }
293
294 if has_tabs && has_spaces {
296 diags.push(Diagnostic {
297 rule: "typescript/mixed-indentation".to_string(),
298 message: "File has mixed tabs and spaces for indentation".to_string(),
299 enforced: true,
300 span: Span::new(0, source.len().min(100)),
301 });
302 }
303
304 if !inconsistent_depths.is_empty() {
306 let (start, end) = inconsistent_depths[0];
307 diags.push(Diagnostic {
308 rule: "typescript/inconsistent-indentation".to_string(),
309 message: "Inconsistent indentation depth detected".to_string(),
310 enforced: true,
311 span: Span::new(start, end),
312 });
313 }
314}
315
316fn count_leading_whitespace(line: &str) -> usize {
318 line.chars()
319 .take_while(|c| c.is_whitespace() && *c != '\n' && *c != '\r')
320 .count()
321}
322
323#[derive(Default)]
324pub struct TypeScript {
325 config: TypeScriptConfig,
326 supreme: SupremeConfig,
327}
328
329impl TypeScript {
330 #[must_use]
331 pub const fn new(config: TypeScriptConfig, supreme: SupremeConfig) -> Self {
332 Self { config, supreme }
333 }
334}
335
336impl Decree for TypeScript {
337 fn name(&self) -> &'static str {
338 "typescript"
339 }
340
341 fn lint(&self, _path: &str, source: &str) -> Diagnostics {
342 let mut diags =
343 dictator_supreme::lint_source_with_owner(source, &self.supreme, "typescript");
344 diags.extend(lint_source_with_config(source, &self.config));
345 diags
346 }
347
348 fn metadata(&self) -> dictator_decree_abi::DecreeMetadata {
349 dictator_decree_abi::DecreeMetadata {
350 abi_version: dictator_decree_abi::ABI_VERSION.to_string(),
351 decree_version: env!("CARGO_PKG_VERSION").to_string(),
352 description: "TypeScript/JavaScript structural rules".to_string(),
353 dectauthors: Some(env!("CARGO_PKG_AUTHORS").to_string()),
354 supported_extensions: vec![
355 "ts".to_string(),
356 "tsx".to_string(),
357 "js".to_string(),
358 "jsx".to_string(),
359 "mjs".to_string(),
360 "cjs".to_string(),
361 "mts".to_string(),
362 "cts".to_string(),
363 ],
364 supported_filenames: vec![
365 "package.json".to_string(),
366 "tsconfig.json".to_string(),
367 "jsconfig.json".to_string(),
368 ".eslintrc".to_string(),
369 ".prettierrc".to_string(),
370 "deno.json".to_string(),
371 "deno.jsonc".to_string(),
372 "bunfig.toml".to_string(),
373 ],
374 skip_filenames: vec![
375 "package-lock.json".to_string(),
376 "yarn.lock".to_string(),
377 "pnpm-lock.yaml".to_string(),
378 "bun.lockb".to_string(),
379 "deno.lock".to_string(),
380 "npm-shrinkwrap.json".to_string(),
381 ],
382 capabilities: vec![dictator_decree_abi::Capability::Lint],
383 }
384 }
385}
386
387#[must_use]
388pub fn init_decree() -> BoxDecree {
389 Box::new(TypeScript::default())
390}
391
392#[must_use]
394pub fn init_decree_with_config(config: TypeScriptConfig) -> BoxDecree {
395 Box::new(TypeScript::new(config, SupremeConfig::default()))
396}
397
398#[must_use]
401pub fn init_decree_with_configs(config: TypeScriptConfig, supreme: SupremeConfig) -> BoxDecree {
402 Box::new(TypeScript::new(config, supreme))
403}
404
405#[must_use]
407pub fn config_from_decree_settings(settings: &dictator_core::DecreeSettings) -> TypeScriptConfig {
408 TypeScriptConfig {
409 max_lines: settings.max_lines.unwrap_or(350),
410 }
411}
412
413#[cfg(test)]
414mod tests {
415 use super::*;
416
417 #[test]
418 fn detects_file_too_long() {
419 use std::fmt::Write;
420 let mut src = String::new();
422 for i in 0..400 {
423 let _ = writeln!(src, "const x{i} = {i};");
424 }
425 let diags = lint_source(&src);
426 assert!(
427 diags.iter().any(|d| d.rule == "typescript/file-too-long"),
428 "Should detect file with >350 code lines"
429 );
430 }
431
432 #[test]
433 fn ignores_comments_in_line_count() {
434 use std::fmt::Write;
435 let mut src = String::new();
437 for i in 0..340 {
438 let _ = writeln!(src, "const x{i} = {i};");
439 }
440 for i in 0..60 {
441 let _ = writeln!(src, "// Comment {i}");
442 }
443 let diags = lint_source(&src);
444 assert!(
445 !diags.iter().any(|d| d.rule == "typescript/file-too-long"),
446 "Should not count comment-only lines"
447 );
448 }
449
450 #[test]
451 fn ignores_blank_lines_in_count() {
452 use std::fmt::Write;
453 let mut src = String::new();
455 for i in 0..340 {
456 let _ = writeln!(src, "const x{i} = {i};");
457 }
458 for _ in 0..60 {
459 src.push('\n');
460 }
461 let diags = lint_source(&src);
462 assert!(
463 !diags.iter().any(|d| d.rule == "typescript/file-too-long"),
464 "Should not count blank lines"
465 );
466 }
467
468 #[test]
469 fn detects_wrong_import_order_system_after_external() {
470 let src = r"
471import { format } from 'date-fns';
472import * as fs from 'fs';
473import { config } from './config';
474";
475 let diags = lint_source(src);
476 assert!(
477 diags.iter().any(|d| d.rule == "typescript/import-order"),
478 "Should detect system import after external import"
479 );
480 }
481
482 #[test]
483 fn detects_wrong_import_order_internal_before_external() {
484 let src = r"
485import { config } from './config';
486import { format } from 'date-fns';
487import * as fs from 'fs';
488";
489 let diags = lint_source(src);
490 assert!(
491 diags.iter().any(|d| d.rule == "typescript/import-order"),
492 "Should detect wrong import order"
493 );
494 }
495
496 #[test]
497 fn accepts_correct_import_order() {
498 let src = r"
499import * as fs from 'fs';
500import * as path from 'path';
501import { format } from 'date-fns';
502import axios from 'axios';
503import { config } from './config';
504import type { Logger } from './types';
505";
506 let diags = lint_source(src);
507 assert!(
508 !diags.iter().any(|d| d.rule == "typescript/import-order"),
509 "Should accept correct import order"
510 );
511 }
512
513 #[test]
514 fn detects_mixed_tabs_and_spaces() {
515 let src = "function test() {\n\tconst x = 1;\n const y = 2;\n}\n";
516 let diags = lint_source(src);
517 assert!(
518 diags
519 .iter()
520 .any(|d| d.rule == "typescript/mixed-indentation"),
521 "Should detect mixed tabs and spaces"
522 );
523 }
524
525 #[test]
526 fn detects_inconsistent_indentation_depth() {
527 let src = r"
528function test() {
529 if (true) {
530 const x = 1;
531 }
532}
533";
534 let diags = lint_source(src);
535 assert!(
536 diags
537 .iter()
538 .any(|d| d.rule == "typescript/inconsistent-indentation"),
539 "Should detect inconsistent indentation depth (3 spaces instead of 2 or 4)"
540 );
541 }
542
543 #[test]
544 fn accepts_consistent_indentation() {
545 let src = r"
546function test() {
547 if (true) {
548 const x = 1;
549 const y = 2;
550 }
551}
552";
553 let diags = lint_source(src);
554 assert!(
555 !diags
556 .iter()
557 .any(|d| d.rule == "typescript/mixed-indentation"
558 || d.rule == "typescript/inconsistent-indentation"),
559 "Should accept consistent indentation"
560 );
561 }
562
563 #[test]
564 fn handles_empty_file() {
565 let src = "";
566 let diags = lint_source(src);
567 assert!(diags.is_empty(), "Empty file should have no violations");
568 }
569
570 #[test]
571 fn handles_file_with_only_comments() {
572 let src = "// Comment 1\n// Comment 2\n/* Block comment */\n";
573 let diags = lint_source(src);
574 assert!(
575 !diags.iter().any(|d| d.rule == "typescript/file-too-long"),
576 "File with only comments should not trigger line count"
577 );
578 }
579
580 #[test]
581 fn detects_nodejs_builtins_correctly() {
582 assert!(is_nodejs_builtin("fs"));
583 assert!(is_nodejs_builtin("path"));
584 assert!(is_nodejs_builtin("crypto"));
585 assert!(is_nodejs_builtin("events"));
586 assert!(!is_nodejs_builtin("date-fns"));
587 assert!(!is_nodejs_builtin("lodash"));
588 assert!(!is_nodejs_builtin("./config"));
589 }
590}