Skip to main content

fallow_extract/
lib.rs

1//! Parsing and extraction engine for fallow codebase intelligence.
2//!
3//! This crate handles all file parsing: JS/TS via Oxc, Vue/Svelte SFC extraction,
4//! Astro frontmatter, MDX import/export extraction, CSS Module class name extraction,
5//! HTML asset reference extraction, and incremental caching of parse results.
6
7#![warn(missing_docs)]
8
9mod asset_url;
10pub mod astro;
11pub mod cache;
12pub(crate) mod complexity;
13pub mod css;
14pub mod flags;
15pub mod html;
16pub mod inventory;
17pub mod mdx;
18mod parse;
19pub mod sfc;
20mod sfc_template;
21pub mod suppress;
22mod template_usage;
23pub mod visitor;
24
25use std::path::Path;
26
27use rayon::prelude::*;
28
29use cache::CacheStore;
30use fallow_types::discover::{DiscoveredFile, FileId};
31
32// Re-export all extract types from fallow-types
33pub use fallow_types::extract::{
34    ClassHeritageInfo, DynamicImportInfo, DynamicImportPattern, ExportInfo, ExportName, ImportInfo,
35    ImportedName, MemberAccess, MemberInfo, MemberKind, ModuleInfo, ParseResult, ReExportInfo,
36    RequireCallInfo, VisibilityTag, compute_line_offsets,
37};
38
39// Re-export extraction functions for internal use and fuzzing
40pub use astro::extract_astro_frontmatter;
41pub use css::extract_css_module_exports;
42pub use mdx::extract_mdx_statements;
43pub use sfc::{extract_sfc_scripts, is_sfc_file};
44pub use sfc_template::angular::ANGULAR_TPL_SENTINEL;
45
46use parse::parse_source_to_module;
47
48/// Parse all files in parallel, extracting imports and exports.
49/// Uses the cache to skip reparsing files whose content hasn't changed.
50///
51/// When `need_complexity` is true, per-function cyclomatic/cognitive complexity
52/// metrics are computed during parsing (needed by the `health` command).
53/// Pass `false` for dead-code analysis where complexity data is unused.
54pub fn parse_all_files(
55    files: &[DiscoveredFile],
56    cache: Option<&CacheStore>,
57    need_complexity: bool,
58) -> ParseResult {
59    use std::sync::atomic::{AtomicUsize, Ordering};
60    let cache_hits = AtomicUsize::new(0);
61    let cache_misses = AtomicUsize::new(0);
62
63    let modules: Vec<ModuleInfo> = files
64        .par_iter()
65        .filter_map(|file| {
66            parse_single_file_cached(file, cache, &cache_hits, &cache_misses, need_complexity)
67        })
68        .collect();
69
70    let hits = cache_hits.load(Ordering::Relaxed);
71    let misses = cache_misses.load(Ordering::Relaxed);
72    if hits > 0 || misses > 0 {
73        tracing::info!(
74            cache_hits = hits,
75            cache_misses = misses,
76            "incremental cache stats"
77        );
78    }
79
80    ParseResult {
81        modules,
82        cache_hits: hits,
83        cache_misses: misses,
84    }
85}
86
87/// Extract mtime (seconds since epoch) from file metadata.
88/// Returns 0 if mtime cannot be determined (pre-epoch, unsupported OS, etc.).
89fn mtime_secs(metadata: &std::fs::Metadata) -> u64 {
90    metadata
91        .modified()
92        .ok()
93        .and_then(|t| t.duration_since(std::time::SystemTime::UNIX_EPOCH).ok())
94        .map_or(0, |d| d.as_secs())
95}
96
97/// Parse a single file, consulting the cache first.
98///
99/// Cache validation strategy (fast path -> slow path):
100/// 1. `stat()` the file to get mtime + size (single syscall, no file read)
101/// 2. If mtime+size match the cached entry -> cache hit, return immediately
102/// 3. If mtime+size differ -> read file, compute content hash
103/// 4. If content hash matches cached entry -> cache hit (file was `touch`ed but unchanged)
104/// 5. Otherwise -> cache miss, full parse
105fn parse_single_file_cached(
106    file: &DiscoveredFile,
107    cache: Option<&CacheStore>,
108    cache_hits: &std::sync::atomic::AtomicUsize,
109    cache_misses: &std::sync::atomic::AtomicUsize,
110    need_complexity: bool,
111) -> Option<ModuleInfo> {
112    use std::sync::atomic::Ordering;
113
114    // Fast path: check mtime+size before reading file content.
115    // A single stat() syscall is ~100x cheaper than read()+hash().
116    if let Some(store) = cache
117        && let Ok(metadata) = std::fs::metadata(&file.path)
118    {
119        let mt = mtime_secs(&metadata);
120        let sz = metadata.len();
121        if let Some(cached) = store.get_by_metadata(&file.path, mt, sz) {
122            // When complexity is requested but the cached entry lacks it
123            // (populated by a prior `check` run), skip the cache and re-parse.
124            if !need_complexity || !cached.complexity.is_empty() {
125                cache_hits.fetch_add(1, Ordering::Relaxed);
126                return Some(cache::cached_to_module(cached, file.id));
127            }
128        }
129    }
130
131    // Slow path: read file content and compute content hash.
132    let source = std::fs::read_to_string(&file.path).ok()?;
133    let content_hash = xxhash_rust::xxh3::xxh3_64(source.as_bytes());
134
135    // Check cache by content hash (handles touch/save-without-change)
136    if let Some(store) = cache
137        && let Some(cached) = store.get(&file.path, content_hash)
138        && (!need_complexity || !cached.complexity.is_empty())
139    {
140        cache_hits.fetch_add(1, Ordering::Relaxed);
141        return Some(cache::cached_to_module(cached, file.id));
142    }
143    cache_misses.fetch_add(1, Ordering::Relaxed);
144
145    // Cache miss, do a full parse
146    Some(parse_source_to_module(
147        file.id,
148        &file.path,
149        &source,
150        content_hash,
151        need_complexity,
152    ))
153}
154
155/// Parse a single file and extract module information (without complexity).
156#[must_use]
157pub fn parse_single_file(file: &DiscoveredFile) -> Option<ModuleInfo> {
158    let source = std::fs::read_to_string(&file.path).ok()?;
159    let content_hash = xxhash_rust::xxh3::xxh3_64(source.as_bytes());
160    Some(parse_source_to_module(
161        file.id,
162        &file.path,
163        &source,
164        content_hash,
165        false,
166    ))
167}
168
169/// Parse from in-memory content (for LSP, includes complexity).
170#[must_use]
171pub fn parse_from_content(file_id: FileId, path: &Path, content: &str) -> ModuleInfo {
172    let content_hash = xxhash_rust::xxh3::xxh3_64(content.as_bytes());
173    parse_source_to_module(file_id, path, content, content_hash, true)
174}
175
176// Parser integration tests invoke Oxc under Miri which is ~1000x slower.
177// Unit tests in individual modules (visitor, suppress, sfc, css, etc.) still run.
178#[cfg(all(test, not(miri)))]
179mod tests;