Son aktivite 1742732864

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

Revizyon b5e9959d1c4b912b4af17b403673b15eede63a9c

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