Skip to main content

Rest/Fn/SWC/
Compile.rs

1//! SWC-compatible compilation module (using OXC backend)
2//!
3//! This module provides the same compilation functionality as the original
4//! SWC compiler but uses OXC for parsing and transformation.
5
6#[tracing::instrument(skip(options))]
7/// Compiles TypeScript files from input directory to output directory
8///
9/// # Arguments
10///
11/// * `options` - Compilation options including entry, pattern, config, output
12///   directory
13/// * `_parallel` - Whether to use parallel compilation (currently unused - runs
14///   sequentially)
15pub async fn Fn(options:crate::Struct::SWC::Option, _parallel:bool) -> anyhow::Result<()> {
16	tracing_subscriber::fmt::init();
17
18	// Use OXC compiler instead of SWC
19	let compiler = std::sync::Arc::new(crate::Fn::OXC::Compiler::Compiler::new(options.config.clone()));
20
21	// Get the input base path
22	let input_base = options.entry[0][0].clone();
23	let output_base = options.output.clone();
24	let pattern = options.pattern.clone();
25
26	println!("Starting compilation from {} to {}", input_base, output_base);
27
28	// Use walkdir to find all TypeScript files in the input directory
29	// Exclude .d.ts declaration files to match VSCode's build process
30	let ts_files:Vec<String> = walkdir::WalkDir::new(&input_base)
31		.follow_links(true)
32		.into_iter()
33		.filter_map(|e| {
34			let entry = e.ok()?;
35			let path = entry.path();
36			let path_str = path.to_string_lossy();
37			// Skip .d.ts declaration files (like VSCode's noDeclarationsFilter)
38			if path_str.ends_with(".d.ts") {
39				None
40			} else if path.is_file() && path_str.ends_with(&pattern) {
41				Some(path_str.to_string())
42			} else {
43				None
44			}
45		})
46		.collect();
47
48	println!("Found {} TypeScript files in {}", ts_files.len(), input_base);
49
50	// Process files sequentially to avoid OXC globals issues
51	let mut count = 0;
52	let mut error = 0;
53
54	for file_path in ts_files {
55		print!(".");
56		std::io::stdout().flush().unwrap();
57
58		match tokio::fs::read_to_string(&file_path).await {
59			Ok(input) => {
60				// Calculate relative path from input base
61				let input_path = std::path::Path::new(&file_path);
62				let base_path = std::path::Path::new(&input_base);
63				let relative_path = input_path.strip_prefix(base_path).unwrap_or(input_path);
64
65				// Create output path preserving directory structure
66				let output_path = std::path::Path::new(&output_base).join(relative_path).with_extension("js");
67
68				match compiler.compile_file_to(&file_path, input, &output_path, options.use_define_for_class_fields) {
69					Ok(output) => {
70						debug!("Compiled: {} -> {}", file_path, output);
71						count += 1;
72					},
73					Err(e) => {
74						error!("Compilation error for {}: {}", file_path, e);
75						error += 1;
76					},
77				}
78			},
79			Err(e) => {
80				error!("Failed to read file {}: {}", file_path, e);
81				error += 1;
82			},
83		}
84	}
85
86	println!();
87
88	let outlook = compiler.outlook.lock().unwrap();
89
90	info!(
91		"Compilation complete. Processed {} files in {:?}. {} successful, {} failed.",
92		outlook.count, outlook.elapsed, count, error
93	);
94
95	// Print summary
96	println!("\n=== Compilation Summary ===");
97	println!("Total files processed: {}", outlook.count);
98	println!("Successful: {}", count);
99	println!("Failed: {}", error);
100	println!("Time elapsed: {:?}\n", outlook.elapsed);
101
102	Ok(())
103}
104
105use std::io::Write;
106
107use tracing::{debug, error, info};