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

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

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