Остання активність 1742732864

a bash script for quickly compiling all my typst files into pdfs

Версія 260fc3867c1d470720f37fbf663a8c805433e4ab

compile_typst.sh Неформатований
1#!/usr/bin/env bash
2
3# Default values
4jobs=0 # 0 means auto-detect
5output_dir="pdfs"
6verbose=0
7quiet=0
8create_dirs=0
9dry_run=0
10skip_newer=0
11show_progress=1
12force=0
13select_mode=0
14use_cache=1 # Enable caching by default
15cache_dir="${XDG_CACHE_HOME:-$HOME/.cache}/typst_compiler"
16dependency_scan=1 # Enable dependency scanning by default
17compile_log="typst_compile_errors.log"
18move_log="typst_move_errors.log"
19declare -a exclude_patterns
20
21# Show usage/help information
22show_help() {
23 cat << EOF
24Usage: $(basename "$0") [OPTIONS]
25
26Compile Typst files and move generated PDFs to a designated directory.
27
28Options:
29 -j, --jobs NUM Number of parallel jobs (default: auto-detect)
30 -o, --output-dir DIR Output directory name (default: pdfs)
31 -v, --verbose Increase verbosity
32 -q, --quiet Suppress most output
33 -c, --create-dirs Create output directories if they don't exist
34 -d, --dry-run Show what would be done without doing it
35 -s, --skip-newer Skip compilation if PDF is newer than source
36 -S, --select Interactive selection mode using skim
37 -f, --force Force compilation even if PDF exists
38 --no-progress Disable progress bar
39 --no-cache Disable compilation caching
40 --clear-cache Clear the cache before compiling
41 --no-deps Disable dependency scanning
42 --cache-dir DIR Custom cache directory (default: ~/.cache/typst_compiler)
43 --compile-log FILE Custom location for compilation log (default: $compile_log)
44 --move-log FILE Custom location for move log (default: $move_log)
45 -e, --exclude PATTERN Exclude files matching pattern (can be used multiple times)
46 -h, --help Show this help message and exit
47
48Examples:
49 $(basename "$0") -j 4 -o output -c
50 $(basename "$0") --verbose --skip-newer
51 $(basename "$0") -S # Select files to compile interactively
52 $(basename "$0") -e "**/test/**" -e "**/draft/**"
53EOF
54}
55
56# Parse command line arguments
57while [[ $# -gt 0 ]]; do
58 case $1 in
59 -j|--jobs)
60 jobs="$2"
61 shift 2
62 ;;
63 -o|--output-dir)
64 output_dir="$2"
65 shift 2
66 ;;
67 -v|--verbose)
68 verbose=1
69 shift
70 ;;
71 -q|--quiet)
72 quiet=1
73 shift
74 ;;
75 -c|--create-dirs)
76 create_dirs=1
77 shift
78 ;;
79 -d|--dry-run)
80 dry_run=1
81 shift
82 ;;
83 -s|--skip-newer)
84 skip_newer=1
85 shift
86 ;;
87 -S|--select)
88 select_mode=1
89 shift
90 ;;
91 -f|--force)
92 force=1
93 shift
94 ;;
95 --no-progress)
96 show_progress=0
97 shift
98 ;;
99 --no-cache)
100 use_cache=0
101 shift
102 ;;
103 --clear-cache)
104 rm -rf "${cache_dir}"
105 shift
106 ;;
107 --no-deps)
108 dependency_scan=0
109 shift
110 ;;
111 --cache-dir)
112 cache_dir="$2"
113 shift 2
114 ;;
115 --compile-log)
116 compile_log="$2"
117 shift 2
118 ;;
119 --move-log)
120 move_log="$2"
121 shift 2
122 ;;
123 -e|--exclude)
124 exclude_patterns+=("$2")
125 shift 2
126 ;;
127 -h|--help)
128 show_help
129 exit 0
130 ;;
131 *)
132 echo "Unknown option: $1"
133 show_help
134 exit 1
135 ;;
136 esac
137done
138
139# Check for conflicting options
140if [ "$verbose" -eq 1 ] && [ "$quiet" -eq 1 ]; then
141 echo "Error: Cannot use both --verbose and --quiet"
142 exit 1
143fi
144
145# Check if required tools are installed
146check_tool() {
147 if ! command -v "$1" &> /dev/null; then
148 echo "$1 is not installed. Please install it first."
149 echo "On most systems: $2"
150 exit 1
151 fi
152}
153
154check_tool "fd" "cargo install fd-find or apt/brew install fd-find"
155check_tool "rg" "cargo install ripgrep or apt/brew install ripgrep"
156check_tool "parallel" "apt/brew install parallel"
157check_tool "sha256sum" "Built-in on most Linux systems, on macOS: brew install coreutils"
158
159# Check for skim and bat if select mode is enabled
160if [ "$select_mode" -eq 1 ]; then
161 check_tool "sk" "cargo install skim or apt/brew install skim"
162 check_tool "bat" "cargo install bat or apt/brew install bat"
163fi
164
165# ANSI color codes
166GREEN='\033[0;32m'
167BLUE='\033[0;34m'
168YELLOW='\033[0;33m'
169RED='\033[0;31m'
170CYAN='\033[0;36m'
171PURPLE='\033[0;35m'
172NC='\033[0m' # No Color
173BOLD='\033[1m'
174
175# Nerd font icons
176ICON_SUCCESS="󰄬 "
177ICON_ERROR="󰅚 "
178ICON_WORKING="󰄾 "
179ICON_COMPILE="󰈙 "
180ICON_MOVE="󰆐 "
181ICON_COMPLETE="󰄲 "
182ICON_SUMMARY="󰋽 "
183ICON_INFO="󰋼 "
184ICON_DEBUG="󰃤 "
185ICON_SELECT="󰓾 "
186ICON_CACHE="󰆏 "
187
188# Logging functions
189log_debug() {
190 if [ "$verbose" -eq 1 ]; then
191 echo -e "${BLUE}$ICON_DEBUG${NC} $*"
192 fi
193}
194
195log_info() {
196 if [ "$quiet" -eq 0 ]; then
197 echo -e "${CYAN}$ICON_INFO${NC} $*"
198 fi
199}
200
201log_warning() {
202 if [ "$quiet" -eq 0 ]; then
203 echo -e "${YELLOW}⚠️ ${NC} $*"
204 fi
205}
206
207log_error() {
208 echo -e "${RED}${BOLD}$ICON_ERROR${NC} $*"
209}
210
211log_success() {
212 if [ "$quiet" -eq 0 ]; then
213 echo -e "${GREEN}${BOLD}$ICON_SUCCESS${NC} $*"
214 fi
215}
216
217# Create a directory for temporary files
218temp_dir=$(mktemp -d)
219compile_failures_dir="$temp_dir/compile_failures"
220move_failures_dir="$temp_dir/move_failures"
221progress_dir="$temp_dir/progress"
222mkdir -p "$compile_failures_dir" "$move_failures_dir" "$progress_dir"
223
224# Create cache directories if caching is enabled
225if [ "$use_cache" -eq 1 ]; then
226 mkdir -p "${cache_dir}/hashes" "${cache_dir}/deps" "${cache_dir}/pdfs"
227 log_debug "Using cache directory: $cache_dir"
228fi
229
230# Create a lock file for progress updates and a flag for final progress
231progress_lock="/tmp/typst_progress_lock"
232final_progress_file="$temp_dir/final_progress"
233touch "$final_progress_file"
234
235# Initialize log files
236> "$compile_log"
237> "$move_log"
238
239# Store current working directory
240CWD=$(pwd)
241
242log_info "Starting Typst compilation process..."
243
244# Build exclude arguments for fd
245fd_exclude_args=()
246for pattern in "${exclude_patterns[@]}"; do
247 fd_exclude_args+=("-E" "$pattern")
248done
249
250# Create a list of files to process
251typst_files_list="$temp_dir/typst_files.txt"
252
253if [ "$select_mode" -eq 1 ]; then
254 log_info "${PURPLE}$ICON_SELECT${NC} Interactive selection mode enabled"
255 log_info "Use TAB to select multiple files, ENTER to confirm"
256
257 # Set up bat configuration for Typst syntax highlighting
258 bat_config="$temp_dir/bat_config"
259 mkdir -p "$bat_config/syntaxes"
260 export BAT_CONFIG_PATH="$bat_config"
261
262 # Use skim with bat for preview to select files
263 selected_files="$temp_dir/selected_files.txt"
264
265 # Find all eligible .typ files for selection
266 fd '\.typ$' --type f "${fd_exclude_args[@]}" . > "$typst_files_list.all"
267
268 # Check if we found any files
269 if [ ! -s "$typst_files_list.all" ]; then
270 log_error "No .typ files found matching your criteria."
271 rm -rf "$temp_dir"
272 exit 0
273 fi
274
275 # Prepare preview command for skim: use bat with custom syntax for .typ files
276 preview_cmd="bat --color=always --style=numbers --map-syntax='*.typ:Markdown' {} 2>/dev/null || cat {}"
277
278 # Use skim with bat preview to select files
279 cat "$typst_files_list.all" | sk --multi \
280 --preview "$preview_cmd" \
281 --preview-window "right:70%" \
282 --height "80%" \
283 --prompt "Select .typ files to compile: " \
284 --header "TAB: Select multiple files, ENTER: Confirm, CTRL-C: Cancel" \
285 --no-mouse > "$selected_files"
286
287 # Check if user selected any files
288 if [ ! -s "$selected_files" ]; then
289 log_error "No files selected. Exiting."
290 rm -rf "$temp_dir"
291 exit 0
292 fi
293
294 # Use the selected files instead of all discovered files
295 cp "$selected_files" "$typst_files_list"
296 total_selected=$(wc -l < "$typst_files_list")
297 total_available=$(wc -l < "$typst_files_list.all")
298
299 log_info "Selected ${BOLD}$total_selected${NC} out of ${BOLD}$total_available${NC} available files"
300else
301 # Normal mode - process all files
302 fd '\.typ$' --type f "${fd_exclude_args[@]}" . > "$typst_files_list"
303 log_info "Found ${BOLD}$(wc -l < "$typst_files_list")${NC} Typst files to process"
304fi
305
306total_files=$(wc -l < "$typst_files_list")
307
308# Function to extract Typst imports from a file
309extract_dependencies() {
310 local file="$1"
311 # Match both import formats: #import "file.typ" and #include "file.typ"
312 # Also handle package imports: #import "@preview:0.1.0"
313 # Return full paths to local imports, skipping package imports
314 rg -U "#(import|include) \"(?!@)([^\"]+)\"" -r "$CWD/\$2" "$file" | \
315 while read -r dep; do
316 # Resolve relative paths correctly
317 if [[ "$dep" != /* ]]; then
318 # If not absolute path, make it relative to the file's directory
319 file_dir=$(dirname "$file")
320 dep="$file_dir/$dep"
321 fi
322
323 # Normalize path
324 dep=$(realpath --relative-to="$CWD" "$dep" 2>/dev/null || echo "$dep")
325
326 # Only output if the dependency exists and is a .typ file
327 if [[ "$dep" == *.typ ]] && [ -f "$dep" ]; then
328 echo "$dep"
329 fi
330 done | sort -u # Sort and remove duplicates
331}
332
333# Function to build dependency graph for all files
334build_dependency_graph() {
335 log_info "${ICON_CACHE} Building dependency graph..."
336
337 # Create a deps file for each Typst file
338 while read -r file; do
339 file_hash=$(echo "$file" | md5sum | cut -d' ' -f1)
340 deps_file="${cache_dir}/deps/${file_hash}.deps"
341
342 # Skip if deps file is fresh and not forced
343 if [ "$force" -eq 0 ] && [ -f "$deps_file" ] && [ "$file" -ot "$deps_file" ]; then
344 log_debug "Using cached dependencies for $file"
345 continue
346 fi
347
348 # Extract dependencies and save to deps file
349 extract_dependencies "$file" > "$deps_file"
350 log_debug "Updated dependencies for $file"
351 done < "$typst_files_list"
352
353 # Create sorted compilation order based on dependencies
354 # Files with fewer dependencies (or no dependencies) come first
355 if [ -f "$temp_dir/compile_order.txt" ]; then
356 rm "$temp_dir/compile_order.txt"
357 fi
358
359 # First pass: count dependencies for each file
360 declare -A dep_counts
361 while read -r file; do
362 file_hash=$(echo "$file" | md5sum | cut -d' ' -f1)
363 deps_file="${cache_dir}/deps/${file_hash}.deps"
364
365 # Count dependencies
366 if [ -f "$deps_file" ]; then
367 dep_count=$(wc -l < "$deps_file")
368 else
369 dep_count=0
370 fi
371
372 dep_counts["$file"]=$dep_count
373 done < "$typst_files_list"
374
375 # Second pass: sort files by dependency count (ascending)
376 while read -r file; do
377 echo "${dep_counts["$file"]} $file"
378 done < "$typst_files_list" | sort -n | cut -d' ' -f2- > "$temp_dir/compile_order.txt"
379
380 log_debug "Created optimized compilation order"
381}
382
383# Function to check if a file has changed since last compilation
384has_file_changed() {
385 local file="$1"
386 local file_hash=$(echo "$file" | md5sum | cut -d' ' -f1)
387 local hash_file="${cache_dir}/hashes/${file_hash}.sha256"
388
389 # Force recompilation if requested
390 if [ "$force" -eq 1 ]; then
391 log_debug "Force recompilation of $file"
392 return 0 # File considered changed
393 fi
394
395 # Check if hash file exists
396 if [ ! -f "$hash_file" ]; then
397 log_debug "No previous hash for $file"
398 return 0 # File considered changed
399 fi
400
401 # Compare current file hash with stored hash
402 local current_hash=$(sha256sum "$file" | cut -d' ' -f1)
403 local stored_hash=$(cat "$hash_file")
404
405 if [ "$current_hash" != "$stored_hash" ]; then
406 log_debug "File $file has changed since last compilation"
407 return 0 # File has changed
408 fi
409
410 # Check if any dependencies have changed
411 if [ "$dependency_scan" -eq 1 ]; then
412 local deps_file="${cache_dir}/deps/${file_hash}.deps"
413 if [ -f "$deps_file" ]; then
414 while read -r dep; do
415 if has_file_changed "$dep"; then
416 log_debug "Dependency $dep of $file has changed"
417 return 0 # Dependency has changed
418 fi
419 done < "$deps_file"
420 fi
421 fi
422
423 log_debug "File $file and its dependencies are unchanged"
424 return 1 # File and dependencies haven't changed
425}
426
427# Function to update file hash after compilation
428update_file_hash() {
429 local file="$1"
430 local file_hash=$(echo "$file" | md5sum | cut -d' ' -f1)
431 local hash_file="${cache_dir}/hashes/${file_hash}.sha256"
432
433 # Update hash file
434 sha256sum "$file" | cut -d' ' -f1 > "$hash_file"
435 log_debug "Updated hash for $file"
436}
437
438# Function to cache compiled PDF
439cache_pdf() {
440 local src_file="$1"
441 local pdf_file="$2"
442
443 if [ ! -f "$pdf_file" ]; then
444 log_debug "No PDF file to cache: $pdf_file"
445 return 1
446 fi
447
448 local file_hash=$(echo "$src_file" | md5sum | cut -d' ' -f1)
449 local cached_pdf="${cache_dir}/pdfs/${file_hash}.pdf"
450
451 # Copy PDF to cache
452 cp "$pdf_file" "$cached_pdf"
453 log_debug "Cached PDF for $src_file"
454 return 0
455}
456
457# Function to retrieve cached PDF
458get_cached_pdf() {
459 local src_file="$1"
460 local target_file="$2"
461
462 local file_hash=$(echo "$src_file" | md5sum | cut -d' ' -f1)
463 local cached_pdf="${cache_dir}/pdfs/${file_hash}.pdf"
464
465 if [ ! -f "$cached_pdf" ]; then
466 log_debug "No cached PDF for $src_file"
467 return 1
468 fi
469
470 # Copy cached PDF to target location
471 cp "$cached_pdf" "$target_file"
472 log_debug "Retrieved cached PDF for $src_file"
473 return 0
474}
475
476# Function to update progress bar during processing
477update_progress_during() {
478 # If progress is disabled, do nothing
479 if [ "$show_progress" -eq 0 ]; then
480 return 0
481 fi
482
483 (
484 # Try to acquire lock, but don't wait if busy
485 flock -n 200 || return 0
486
487 completed=$(find "$progress_dir" -type f | wc -l)
488 percent=$((completed * 100 / total_files))
489 bar_length=50
490 filled_length=$((bar_length * completed / total_files))
491
492 # Create the progress bar
493 bar=""
494 for ((i=0; i<bar_length; i++)); do
495 if [ $i -lt $filled_length ]; then
496 bar="${bar}"
497 else
498 bar="${bar}"
499 fi
500 done
501
502 # Calculate success and failure counts
503 success=$((completed - $(find "$compile_failures_dir" "$move_failures_dir" -type f | wc -l)))
504 compile_fails=$(find "$compile_failures_dir" -type f | wc -l)
505 move_fails=$(find "$move_failures_dir" -type f | wc -l)
506
507 # Clear the previous line and print the updated progress
508 echo -ne "\r\033[K"
509 echo -ne "${PURPLE}$ICON_WORKING Progress: ${GREEN}$bar ${BOLD}${percent}%${NC} "
510 echo -ne "[${GREEN}${success}${NC}|${RED}${compile_fails}${NC}|${YELLOW}${move_fails}!${NC}] "
511 echo -ne "${BLUE}($completed/$total_files)${NC}"
512
513 # If all files are processed, print the completion message ONLY ONCE
514 if [ $completed -eq $total_files ] && [ ! -e "$final_progress_file.done" ]; then
515 touch "$final_progress_file.done"
516 echo -e "\n${GREEN}${BOLD}$ICON_COMPLETE All files processed!${NC}"
517 fi
518 ) 200>"$progress_lock"
519}
520
521# Function to show final progress (called only once at the end)
522show_final_progress() {
523 # If progress is disabled, do nothing
524 if [ "$show_progress" -eq 0 ]; then
525 return 0
526 fi
527
528 (
529 flock -w 1 200
530
531 # Only proceed if the final progress hasn't been shown yet
532 if [ -e "$final_progress_file.done" ]; then
533 return 0
534 fi
535
536 completed=$(find "$progress_dir" -type f | wc -l)
537 percent=$((completed * 100 / total_files))
538 bar_length=50
539 filled_length=$((bar_length * completed / total_files))
540
541 # Create the progress bar
542 bar=""
543 for ((i=0; i<bar_length; i++)); do
544 if [ $i -lt $filled_length ]; then
545 bar="${bar}"
546 else
547 bar="${bar}"
548 fi
549 done
550
551 # Calculate success and failure counts
552 success=$((completed - $(find "$compile_failures_dir" "$move_failures_dir" -type f | wc -l)))
553 compile_fails=$(find "$compile_failures_dir" -type f | wc -l)
554 move_fails=$(find "$move_failures_dir" -type f | wc -l)
555
556 # Clear the previous line and print the updated progress
557 echo -ne "\r\033[K"
558 echo -ne "${PURPLE}$ICON_WORKING Progress: ${GREEN}$bar ${BOLD}${percent}%${NC} "
559 echo -ne "[${GREEN}${success}${NC}|${RED}${compile_fails}${NC}|${YELLOW}${move_fails}!${NC}] "
560 echo -ne "${BLUE}($completed/$total_files)${NC}"
561
562 # Mark final progress as shown
563 touch "$final_progress_file.done"
564
565 # If all files are processed, print the completion message
566 if [ $completed -eq $total_files ]; then
567 echo -e "\n${GREEN}${BOLD}$ICON_COMPLETE All files processed!${NC}"
568 fi
569 ) 200>"$progress_lock"
570}
571
572# Function to process a single .typ file
573process_file() {
574 typfile="$1"
575 file_id=$(echo "$typfile" | md5sum | cut -d' ' -f1)
576
577 # Get the directory containing the .typ file
578 typdir=$(dirname "$typfile")
579 # Get the filename without path
580 filename=$(basename "$typfile")
581 # Get the filename without extension
582 basename="${filename%.typ}"
583
584 # Check if output directory exists or should be created
585 target_dir="$typdir/$output_dir"
586 if [ ! -d "$target_dir" ]; then
587 if [ "$create_dirs" -eq 1 ]; then
588 if [ "$dry_run" -eq 0 ]; then
589 mkdir -p "$target_dir"
590 log_debug "Created directory: $target_dir"
591 else
592 log_debug "[DRY RUN] Would create directory: $target_dir"
593 fi
594 else
595 # Skip this file if output directory doesn't exist and --create-dirs not specified
596 log_debug "Skipping $typfile (no $output_dir directory)"
597 touch "$progress_dir/$file_id"
598 update_progress_during
599 return 0
600 fi
601 fi
602
603 target_pdf="$target_dir/$basename.pdf"
604
605 # Skip if PDF is newer than source and --skip-newer is specified
606 if [ "$skip_newer" -eq 1 ] && [ -f "$target_pdf" ]; then
607 if [ "$typfile" -ot "$target_pdf" ] && [ "$force" -eq 0 ]; then
608 log_debug "Skipping $typfile (PDF is newer)"
609 touch "$progress_dir/$file_id"
610 update_progress_during
611 return 0
612 fi
613 fi
614
615 # Check if file has changed (if caching is enabled)
616 if [ "$use_cache" -eq 1 ] && [ "$dry_run" -eq 0 ]; then
617 if ! has_file_changed "$typfile"; then
618 # Try to retrieve cached PDF
619 if get_cached_pdf "$typfile" "$target_pdf"; then
620 log_debug "Using cached PDF for $typfile"
621 touch "$progress_dir/$file_id"
622 update_progress_during
623 return 0
624 fi
625 fi
626 fi
627
628 # Create a temporary file for capturing compiler output
629 temp_output="$temp_dir/output_${file_id}.log"
630
631 # Add a header to the log before compilation
632 {
633 echo -e "\n===== COMPILING: $typfile ====="
634 echo "$(date)"
635 } > "$temp_output.header"
636
637 # In dry run mode, just log what would be done
638 if [ "$dry_run" -eq 1 ]; then
639 log_debug "[DRY RUN] Would compile: $typfile"
640 log_debug "[DRY RUN] Would move to: $target_pdf"
641 touch "$progress_dir/$file_id"
642 update_progress_during
643 return 0
644 fi
645
646 # Compile the .typ file using typst with --root flag and capture all output
647 if ! typst compile --root "$CWD" "$typfile" > "$temp_output.stdout" 2> "$temp_output.stderr"; then
648 # Store the failure
649 echo "$typfile" > "$compile_failures_dir/$file_id"
650 log_debug "Compilation failed for $typfile"
651
652 # Combine stdout and stderr
653 cat "$temp_output.stdout" "$temp_output.stderr" > "$temp_output.combined"
654
655 # Filter the output to only include error messages using ripgrep
656 rg "error:" -A 20 "$temp_output.combined" > "$temp_output.errors" || true
657
658 # Lock the log file to avoid concurrent writes corrupting it
659 (
660 flock -w 1 201
661 cat "$temp_output.header" "$temp_output.errors" >> "$compile_log"
662 echo -e "\n" >> "$compile_log"
663 ) 201>"$compile_log.lock"
664 else
665 # Check if the output PDF exists
666 temp_pdf="$typdir/$basename.pdf"
667 if [ -f "$temp_pdf" ]; then
668 # Cache the PDF if caching is enabled
669 if [ "$use_cache" -eq 1 ]; then
670 cache_pdf "$typfile" "$temp_pdf"
671 # Update file hash
672 update_file_hash "$typfile"
673 fi
674
675 # Try to move the output PDF to the output directory
676 move_header="$temp_dir/move_${file_id}.header"
677 {
678 echo -e "\n===== MOVING: $typfile ====="
679 echo "$(date)"
680 } > "$move_header"
681
682 if ! mv "$temp_pdf" "$target_dir/" 2> "$temp_output.move_err"; then
683 echo "$typfile -> $target_pdf" > "$move_failures_dir/$file_id"
684 log_debug "Failed to move $basename.pdf to $target_dir/"
685
686 # Lock the log file to avoid concurrent writes corrupting it
687 (
688 flock -w 1 202
689 cat "$move_header" "$temp_output.move_err" >> "$move_log"
690 echo "Failed to move $temp_pdf to $target_dir/" >> "$move_log"
691 ) 202>"$move_log.lock"
692 else
693 log_debug "Moved $basename.pdf to $target_dir/"
694 fi
695 else
696 # This is a fallback check in case typst doesn't return error code
697 echo "$typfile" > "$compile_failures_dir/$file_id"
698 log_debug "Compilation completed without errors but no PDF was generated for $typfile"
699
700 # Lock the log file to avoid concurrent writes corrupting it
701 (
702 flock -w 1 201
703 echo "Compilation completed without errors but no PDF was generated" >> "$compile_log"
704 ) 201>"$compile_log.lock"
705 fi
706 fi
707
708 # Mark this file as processed (for progress tracking)
709 touch "$progress_dir/$file_id"
710
711 # Update the progress bar
712 update_progress_during
713}
714
715export -f process_file
716export -f update_progress_during
717export -f show_final_progress
718export -f log_debug
719export -f log_info
720export -f log_warning
721export -f log_error
722export -f log_success
723export -f has_file_changed
724export -f update_file_hash
725export -f cache_pdf
726export -f get_cached_pdf
727export CWD
728export temp_dir
729export compile_failures_dir
730export move_failures_dir
731export progress_dir
732export final_progress_file
733export progress_lock
734export compile_log
735export move_log
736export cache_dir
737export total_files
738export GREEN BLUE YELLOW RED CYAN PURPLE NC BOLD
739export ICON_SUCCESS ICON_ERROR ICON_WORKING ICON_COMPILE ICON_MOVE ICON_COMPLETE ICON_SUMMARY ICON_INFO ICON_DEBUG ICON_CACHE
740export verbose
741export quiet
742export output_dir
743export create_dirs
744export dry_run
745export skip_newer
746export show_progress
747export force
748export use_cache
749export dependency_scan
750
751# Determine the number of CPU cores and use that many parallel jobs (if not specified)
752if [ "$jobs" -eq 0 ]; then
753 jobs=$(nproc 2>/dev/null || sysctl -n hw.ncpu 2>/dev/null || echo 4)
754fi
755log_info "Using ${BOLD}$jobs${NC} parallel jobs for compilation"
756
757# Build dependency graph if dependency scanning is enabled
758if [ "$dependency_scan" -eq 1 ] && [ "$total_files" -gt 0 ]; then
759 build_dependency_graph
760 # Use optimized compilation order
761 cp "$temp_dir/compile_order.txt" "$typst_files_list"
762 log_info "Optimized compilation order based on dependencies"
763fi
764
765# Initialize progress bar if showing progress
766if [ "$show_progress" -eq 1 ]; then
767 update_progress_during
768fi
769
770# Process files in parallel with --will-cite to suppress citation notice
771if [ "$total_files" -gt 0 ]; then
772 cat "$typst_files_list" | parallel --will-cite --jobs "$jobs" process_file
773
774 # Wait a moment for any remaining progress updates to complete
775 sleep 0.5
776
777 # Show the final progress exactly once if showing progress
778 if [ "$show_progress" -eq 1 ]; then
779 show_final_progress
780 fi
781
782 # Print summary of failures
783 if [ "$quiet" -eq 0 ]; then
784 echo -e "\n${BOLD}${PURPLE}$ICON_SUMMARY Processing Summary${NC}"
785 fi
786
787 # Collect all failure files
788 compile_failures=$(find "$compile_failures_dir" -type f | wc -l)
789 move_failures=$(find "$move_failures_dir" -type f | wc -l)
790
791 if [ "$compile_failures" -eq 0 ] && [ "$move_failures" -eq 0 ]; then
792 log_success "All files processed successfully."
793 else
794 if [ "$compile_failures" -gt 0 ]; then
795 echo -e "\n${RED}${BOLD}$ICON_ERROR Compilation failures:${NC}"
796 find "$compile_failures_dir" -type f -exec cat {} \; | sort | while read -r failure; do
797 echo -e "${RED}- $failure${NC}"
798 done
799 echo -e "${BLUE}See $compile_log for detailed error messages.${NC}"
800 fi
801
802 if [ "$move_failures" -gt 0 ]; then
803 echo -e "\n${YELLOW}${BOLD}$ICON_ERROR Move failures:${NC}"
804 find "$move_failures_dir" -type f -exec cat {} \; | sort | while read -r failure; do
805 echo -e "${YELLOW}- $failure${NC}"
806 done
807 echo -e "${BLUE}See $move_log for detailed error messages.${NC}"
808 fi
809 fi
810
811 # Cache usage statistics (if enabled and not in quiet mode)
812 if [ "$use_cache" -eq 1 ] && [ "$quiet" -eq 0 ]; then
813 cache_files=$(find "${cache_dir}/pdfs" -type f | wc -l)
814 cache_size=$(du -sh "${cache_dir}" 2>/dev/null | cut -f1)
815 echo -e "\n${CYAN}${ICON_CACHE} Cache statistics:${NC}"
816 echo -e " - Cached files: ${BOLD}$cache_files${NC}"
817 echo -e " - Cache size: ${BOLD}$cache_size${NC}"
818 echo -e " - Cache location: ${BOLD}$cache_dir${NC}"
819 fi
820else
821 log_warning "No .typ files found to process."
822fi
823
824# Clean up temporary directory and lock files
825rm -rf "$temp_dir"
826rm -f "$progress_lock" "$compile_log.lock" "$move_log.lock"
827
828log_success "Processing complete."
829