Naposledy aktivní 1742732864

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

Revize 2884a9963232209b4c6de266c8e32af350db8626

compile_typst.sh Raw
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
14compile_log="typst_compile_errors.log"
15move_log="typst_move_errors.log"
16declare -a exclude_patterns
17
18# Show usage/help information
19show_help() {
20 cat << EOF
21Usage: $(basename "$0") [OPTIONS]
22
23Compile Typst files and move generated PDFs to a designated directory.
24
25Options:
26 -j, --jobs NUM Number of parallel jobs (default: auto-detect)
27 -o, --output-dir DIR Output directory name (default: pdfs)
28 -v, --verbose Increase verbosity
29 -q, --quiet Suppress most output
30 -c, --create-dirs Create output directories if they don't exist
31 -d, --dry-run Show what would be done without doing it
32 -s, --skip-newer Skip compilation if PDF is newer than source
33 -S, --select Interactive selection mode using skim
34 -f, --force Force compilation even if PDF exists
35 --no-progress Disable progress bar
36 --compile-log FILE Custom location for compilation log (default: $compile_log)
37 --move-log FILE Custom location for move log (default: $move_log)
38 -e, --exclude PATTERN Exclude files matching pattern (can be used multiple times)
39 -h, --help Show this help message and exit
40
41Examples:
42 $(basename "$0") -j 4 -o output -c
43 $(basename "$0") --verbose --skip-newer
44 $(basename "$0") -S # Select files to compile interactively
45 $(basename "$0") -e "**/test/**" -e "**/draft/**"
46EOF
47}
48
49# Parse command line arguments
50while [[ $# -gt 0 ]]; do
51 case $1 in
52 -j|--jobs)
53 jobs="$2"
54 shift 2
55 ;;
56 -o|--output-dir)
57 output_dir="$2"
58 shift 2
59 ;;
60 -v|--verbose)
61 verbose=1
62 shift
63 ;;
64 -q|--quiet)
65 quiet=1
66 shift
67 ;;
68 -c|--create-dirs)
69 create_dirs=1
70 shift
71 ;;
72 -d|--dry-run)
73 dry_run=1
74 shift
75 ;;
76 -s|--skip-newer)
77 skip_newer=1
78 shift
79 ;;
80 -S|--select)
81 select_mode=1
82 shift
83 ;;
84 -f|--force)
85 force=1
86 shift
87 ;;
88 --no-progress)
89 show_progress=0
90 shift
91 ;;
92 --compile-log)
93 compile_log="$2"
94 shift 2
95 ;;
96 --move-log)
97 move_log="$2"
98 shift 2
99 ;;
100 -e|--exclude)
101 exclude_patterns+=("$2")
102 shift 2
103 ;;
104 -h|--help)
105 show_help
106 exit 0
107 ;;
108 *)
109 echo "Unknown option: $1"
110 show_help
111 exit 1
112 ;;
113 esac
114done
115
116# Check for conflicting options
117if [ "$verbose" -eq 1 ] && [ "$quiet" -eq 1 ]; then
118 echo "Error: Cannot use both --verbose and --quiet"
119 exit 1
120fi
121
122# Check if required tools are installed
123check_tool() {
124 if ! command -v "$1" &> /dev/null; then
125 echo "$1 is not installed. Please install it first."
126 echo "On most systems: $2"
127 exit 1
128 fi
129}
130
131check_tool "fd" "cargo install fd-find or apt/brew install fd-find"
132check_tool "rg" "cargo install ripgrep or apt/brew install ripgrep"
133check_tool "parallel" "apt/brew install parallel"
134
135# Check for skim and bat if select mode is enabled
136if [ "$select_mode" -eq 1 ]; then
137 check_tool "sk" "cargo install skim or apt/brew install skim"
138 check_tool "bat" "cargo install bat or apt/brew install bat"
139fi
140
141# ANSI color codes
142GREEN='\033[0;32m'
143BLUE='\033[0;34m'
144YELLOW='\033[0;33m'
145RED='\033[0;31m'
146CYAN='\033[0;36m'
147PURPLE='\033[0;35m'
148NC='\033[0m' # No Color
149BOLD='\033[1m'
150
151# Nerd font icons
152ICON_SUCCESS="󰄬 "
153ICON_ERROR="󰅚 "
154ICON_WORKING="󰄾 "
155ICON_COMPILE="󰈙 "
156ICON_MOVE="󰆐 "
157ICON_COMPLETE="󰄲 "
158ICON_SUMMARY="󰋽 "
159ICON_INFO="󰋼 "
160ICON_DEBUG="󰃤 "
161ICON_SELECT="󰓾 "
162
163# Logging functions
164log_debug() {
165 if [ "$verbose" -eq 1 ]; then
166 echo -e "${BLUE}$ICON_DEBUG${NC} $*"
167 fi
168}
169
170log_info() {
171 if [ "$quiet" -eq 0 ]; then
172 echo -e "${CYAN}$ICON_INFO${NC} $*"
173 fi
174}
175
176log_warning() {
177 if [ "$quiet" -eq 0 ]; then
178 echo -e "${YELLOW}⚠️ ${NC} $*"
179 fi
180}
181
182log_error() {
183 echo -e "${RED}${BOLD}$ICON_ERROR${NC} $*"
184}
185
186log_success() {
187 if [ "$quiet" -eq 0 ]; then
188 echo -e "${GREEN}${BOLD}$ICON_SUCCESS${NC} $*"
189 fi
190}
191
192# Create a directory for temporary files
193temp_dir=$(mktemp -d)
194compile_failures_dir="$temp_dir/compile_failures"
195move_failures_dir="$temp_dir/move_failures"
196progress_dir="$temp_dir/progress"
197mkdir -p "$compile_failures_dir" "$move_failures_dir" "$progress_dir"
198
199# Create a lock file for progress updates and a flag for final progress
200progress_lock="/tmp/typst_progress_lock"
201final_progress_file="$temp_dir/final_progress"
202touch "$final_progress_file"
203
204# Initialize log files
205> "$compile_log"
206> "$move_log"
207
208# Store current working directory
209CWD=$(pwd)
210
211log_info "Starting Typst compilation process..."
212
213# Build exclude arguments for fd
214fd_exclude_args=()
215for pattern in "${exclude_patterns[@]}"; do
216 fd_exclude_args+=("-E" "$pattern")
217done
218
219# Create a list of files to process
220typst_files_list="$temp_dir/typst_files.txt"
221
222# Create a custom bat configuration for Typst syntax
223setup_bat_for_typst() {
224 bat_config_dir="$temp_dir/bat_config"
225 mkdir -p "$bat_config_dir/syntaxes"
226
227 # Create a basic syntax mapping file for Typst
228 cat > "$bat_config_dir/syntaxes/typst.sublime-syntax" << 'TYPST_SYNTAX'
229%YAML 1.2
230---
231name: Typst
232file_extensions:
233 - typ
234scope: source.typst
235
236contexts:
237 main:
238 # Comments
239 - match: /\*
240 scope: comment.block.typst
241 push: block_comment
242
243 - match: //
244 scope: comment.line.double-slash.typst
245 push: line_comment
246
247 # Strings
248 - match: '"'
249 scope: punctuation.definition.string.begin.typst
250 push: double_string
251
252 # Math
253 - match: '\$'
254 scope: punctuation.definition.math.begin.typst
255 push: math
256
257 # Functions
258 - match: '#([a-zA-Z][a-zA-Z0-9_]*)'
259 scope: entity.name.function.typst
260
261 # Variables
262 - match: '\b([a-zA-Z][a-zA-Z0-9_]*)\s*:'
263 scope: variable.other.typst
264
265 # Keywords
266 - match: '\b(let|set|show|if|else|for|in|while|return|import|include|at|do|not|and|or|none|auto)\b'
267 scope: keyword.control.typst
268
269 block_comment:
270 - match: \*/
271 scope: comment.block.typst
272 pop: true
273 - match: .
274 scope: comment.block.typst
275
276 line_comment:
277 - match: $
278 pop: true
279 - match: .
280 scope: comment.line.double-slash.typst
281
282 double_string:
283 - match: '"'
284 scope: punctuation.definition.string.end.typst
285 pop: true
286 - match: \\.
287 scope: constant.character.escape.typst
288 - match: .
289 scope: string.quoted.double.typst
290
291 math:
292 - match: '\$'
293 scope: punctuation.definition.math.end.typst
294 pop: true
295 - match: .
296 scope: markup.math.typst
297TYPST_SYNTAX
298
299 echo "$bat_config_dir"
300}
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=$(setup_bat_for_typst)
308 export BAT_CONFIG_PATH="$bat_config"
309
310 # Use skim with bat for preview to select files
311 selected_files="$temp_dir/selected_files.txt"
312
313 # Find all eligible .typ files for selection
314 fd '\.typ$' --type f "${fd_exclude_args[@]}" . > "$typst_files_list.all"
315
316 # Check if we found any files
317 if [ ! -s "$typst_files_list.all" ]; then
318 log_error "No .typ files found matching your criteria."
319 rm -rf "$temp_dir"
320 exit 0
321 fi
322
323 # Prepare preview command for skim: use bat with custom syntax for .typ files
324 preview_cmd="bat --color=always --style=numbers --map-syntax='*.typ:Markdown' {} 2>/dev/null || cat {}"
325
326 # Use skim with bat preview to select files
327 cat "$typst_files_list.all" | sk --multi \
328 --preview "$preview_cmd" \
329 --preview-window "right:70%" \
330 --height "80%" \
331 --prompt "Select .typ files to compile: " \
332 --header "TAB: Select multiple files, ENTER: Confirm, CTRL-C: Cancel" \
333 --no-mouse > "$selected_files"
334
335 # Check if user selected any files
336 if [ ! -s "$selected_files" ]; then
337 log_error "No files selected. Exiting."
338 rm -rf "$temp_dir"
339 exit 0
340 fi
341
342 # Use the selected files instead of all discovered files
343 cp "$selected_files" "$typst_files_list"
344 total_selected=$(wc -l < "$typst_files_list")
345 total_available=$(wc -l < "$typst_files_list.all")
346
347 log_info "Selected ${BOLD}$total_selected${NC} out of ${BOLD}$total_available${NC} available files"
348
349 # Display tip about better Typst syntax highlighting
350 cat << 'TYPST_TIP'
351
352📝 To get proper Typst syntax highlighting in bat:
353
3541. Create a custom Typst syntax file:
355 mkdir -p ~/.config/bat/syntaxes
356 curl -L https://raw.githubusercontent.com/typst/typst-vs-code/main/syntaxes/typst.tmLanguage.json \
357 -o ~/.config/bat/syntaxes/typst.tmLanguage.json
358
3592. Build bat's syntax cache:
360 bat cache --build
361
362This will provide proper syntax highlighting for Typst files in future uses!
363
364TYPST_TIP
365else
366 # Normal mode - process all files
367 fd '\.typ$' --type f "${fd_exclude_args[@]}" . > "$typst_files_list"
368 log_info "Found ${BOLD}$(wc -l < "$typst_files_list")${NC} Typst files to process"
369fi
370
371total_files=$(wc -l < "$typst_files_list")
372
373# Function to update progress bar during processing
374update_progress_during() {
375 # If progress is disabled, do nothing
376 if [ "$show_progress" -eq 0 ]; then
377 return 0
378 fi
379
380 (
381 # Try to acquire lock, but don't wait if busy
382 flock -n 200 || return 0
383
384 completed=$(find "$progress_dir" -type f | wc -l)
385 percent=$((completed * 100 / total_files))
386 bar_length=50
387 filled_length=$((bar_length * completed / total_files))
388
389 # Create the progress bar
390 bar=""
391 for ((i=0; i<bar_length; i++)); do
392 if [ $i -lt $filled_length ]; then
393 bar="${bar}"
394 else
395 bar="${bar}"
396 fi
397 done
398
399 # Calculate success and failure counts
400 success=$((completed - $(find "$compile_failures_dir" "$move_failures_dir" -type f | wc -l)))
401 compile_fails=$(find "$compile_failures_dir" -type f | wc -l)
402 move_fails=$(find "$move_failures_dir" -type f | wc -l)
403
404 # Clear the previous line and print the updated progress
405 echo -ne "\r\033[K"
406 echo -ne "${PURPLE}$ICON_WORKING Progress: ${GREEN}$bar ${BOLD}${percent}%${NC} "
407 echo -ne "[${GREEN}${success}${NC}|${RED}${compile_fails}${NC}|${YELLOW}${move_fails}!${NC}] "
408 echo -ne "${BLUE}($completed/$total_files)${NC}"
409
410 # If all files are processed, print the completion message ONLY ONCE
411 if [ $completed -eq $total_files ] && [ ! -e "$final_progress_file.done" ]; then
412 touch "$final_progress_file.done"
413 echo -e "\n${GREEN}${BOLD}$ICON_COMPLETE All files processed!${NC}"
414 fi
415 ) 200>"$progress_lock"
416}
417
418# Function to show final progress (called only once at the end)
419show_final_progress() {
420 # If progress is disabled, do nothing
421 if [ "$show_progress" -eq 0 ]; then
422 return 0
423 fi
424
425 (
426 flock -w 1 200
427
428 # Only proceed if the final progress hasn't been shown yet
429 if [ -e "$final_progress_file.done" ]; then
430 return 0
431 fi
432
433 completed=$(find "$progress_dir" -type f | wc -l)
434 percent=$((completed * 100 / total_files))
435 bar_length=50
436 filled_length=$((bar_length * completed / total_files))
437
438 # Create the progress bar
439 bar=""
440 for ((i=0; i<bar_length; i++)); do
441 if [ $i -lt $filled_length ]; then
442 bar="${bar}"
443 else
444 bar="${bar}"
445 fi
446 done
447
448 # Calculate success and failure counts
449 success=$((completed - $(find "$compile_failures_dir" "$move_failures_dir" -type f | wc -l)))
450 compile_fails=$(find "$compile_failures_dir" -type f | wc -l)
451 move_fails=$(find "$move_failures_dir" -type f | wc -l)
452
453 # Clear the previous line and print the updated progress
454 echo -ne "\r\033[K"
455 echo -ne "${PURPLE}$ICON_WORKING Progress: ${GREEN}$bar ${BOLD}${percent}%${NC} "
456 echo -ne "[${GREEN}${success}${NC}|${RED}${compile_fails}${NC}|${YELLOW}${move_fails}!${NC}] "
457 echo -ne "${BLUE}($completed/$total_files)${NC}"
458
459 # Mark final progress as shown
460 touch "$final_progress_file.done"
461
462 # If all files are processed, print the completion message
463 if [ $completed -eq $total_files ]; then
464 echo -e "\n${GREEN}${BOLD}$ICON_COMPLETE All files processed!${NC}"
465 fi
466 ) 200>"$progress_lock"
467}
468
469# Function to process a single .typ file
470process_file() {
471 typfile="$1"
472 file_id=$(echo "$typfile" | md5sum | cut -d' ' -f1)
473
474 # Get the directory containing the .typ file
475 typdir=$(dirname "$typfile")
476 # Get the filename without path
477 filename=$(basename "$typfile")
478 # Get the filename without extension
479 basename="${filename%.typ}"
480
481 # Check if output directory exists or should be created
482 target_dir="$typdir/$output_dir"
483 if [ ! -d "$target_dir" ]; then
484 if [ "$create_dirs" -eq 1 ]; then
485 if [ "$dry_run" -eq 0 ]; then
486 mkdir -p "$target_dir"
487 log_debug "Created directory: $target_dir"
488 else
489 log_debug "[DRY RUN] Would create directory: $target_dir"
490 fi
491 else
492 # Skip this file if output directory doesn't exist and --create-dirs not specified
493 log_debug "Skipping $typfile (no $output_dir directory)"
494 touch "$progress_dir/$file_id"
495 update_progress_during
496 return 0
497 fi
498 fi
499
500 # Skip if PDF is newer than source and --skip-newer is specified
501 if [ "$skip_newer" -eq 1 ] && [ -f "$target_dir/$basename.pdf" ]; then
502 if [ "$typfile" -ot "$target_dir/$basename.pdf" ] && [ "$force" -eq 0 ]; then
503 log_debug "Skipping $typfile (PDF is newer)"
504 touch "$progress_dir/$file_id"
505 update_progress_during
506 return 0
507 fi
508 fi
509
510 # Create a temporary file for capturing compiler output
511 temp_output="$temp_dir/output_${file_id}.log"
512
513 # Add a header to the log before compilation
514 {
515 echo -e "\n===== COMPILING: $typfile ====="
516 echo "$(date)"
517 } > "$temp_output.header"
518
519 # In dry run mode, just log what would be done
520 if [ "$dry_run" -eq 1 ]; then
521 log_debug "[DRY RUN] Would compile: $typfile"
522 log_debug "[DRY RUN] Would move to: $target_dir/$basename.pdf"
523 touch "$progress_dir/$file_id"
524 update_progress_during
525 return 0
526 fi
527
528 # Compile the .typ file using typst with --root flag and capture all output
529 if ! typst compile --root "$CWD" "$typfile" > "$temp_output.stdout" 2> "$temp_output.stderr"; then
530 # Store the failure
531 echo "$typfile" > "$compile_failures_dir/$file_id"
532 log_debug "Compilation failed for $typfile"
533
534 # Combine stdout and stderr
535 cat "$temp_output.stdout" "$temp_output.stderr" > "$temp_output.combined"
536
537 # Filter the output to only include error messages using ripgrep
538 rg "error:" -A 20 "$temp_output.combined" > "$temp_output.errors" || true
539
540 # Lock the log file to avoid concurrent writes corrupting it
541 (
542 flock -w 1 201
543 cat "$temp_output.header" "$temp_output.errors" >> "$compile_log"
544 echo -e "\n" >> "$compile_log"
545 ) 201>"$compile_log.lock"
546 else
547 # Check if the output PDF exists
548 if [ -f "$typdir/$basename.pdf" ]; then
549 # Try to move the output PDF to the output directory
550 move_header="$temp_dir/move_${file_id}.header"
551 {
552 echo -e "\n===== MOVING: $typfile ====="
553 echo "$(date)"
554 } > "$move_header"
555
556 if ! mv "$typdir/$basename.pdf" "$target_dir/" 2> "$temp_output.move_err"; then
557 echo "$typfile -> $target_dir/$basename.pdf" > "$move_failures_dir/$file_id"
558 log_debug "Failed to move $basename.pdf to $target_dir/"
559
560 # Lock the log file to avoid concurrent writes corrupting it
561 (
562 flock -w 1 202
563 cat "$move_header" "$temp_output.move_err" >> "$move_log"
564 echo "Failed to move $typdir/$basename.pdf to $target_dir/" >> "$move_log"
565 ) 202>"$move_log.lock"
566 else
567 log_debug "Moved $basename.pdf to $target_dir/"
568 fi
569 else
570 # This is a fallback check in case typst doesn't return error code
571 echo "$typfile" > "$compile_failures_dir/$file_id"
572 log_debug "Compilation completed without errors but no PDF was generated for $typfile"
573
574 # Lock the log file to avoid concurrent writes corrupting it
575 (
576 flock -w 1 201
577 echo "Compilation completed without errors but no PDF was generated" >> "$compile_log"
578 ) 201>"$compile_log.lock"
579 fi
580 fi
581
582 # Mark this file as processed (for progress tracking)
583 touch "$progress_dir/$file_id"
584
585 # Update the progress bar
586 update_progress_during
587}
588
589export -f process_file
590export -f update_progress_during
591export -f show_final_progress
592export -f log_debug
593export -f log_info
594export -f log_warning
595export -f log_error
596export -f log_success
597export CWD
598export temp_dir
599export compile_failures_dir
600export move_failures_dir
601export progress_dir
602export final_progress_file
603export progress_lock
604export compile_log
605export move_log
606export total_files
607export GREEN BLUE YELLOW RED CYAN PURPLE NC BOLD
608export ICON_SUCCESS ICON_ERROR ICON_WORKING ICON_COMPILE ICON_MOVE ICON_COMPLETE ICON_SUMMARY ICON_INFO ICON_DEBUG
609export verbose
610export quiet
611export output_dir
612export create_dirs
613export dry_run
614export skip_newer
615export show_progress
616export force
617
618# Determine the number of CPU cores and use that many parallel jobs (if not specified)
619if [ "$jobs" -eq 0 ]; then
620 jobs=$(nproc 2>/dev/null || sysctl -n hw.ncpu 2>/dev/null || echo 4)
621fi
622log_info "Using ${BOLD}$jobs${NC} parallel jobs for compilation"
623
624# Initialize progress bar if showing progress
625if [ "$show_progress" -eq 1 ]; then
626 update_progress_during
627fi
628
629# Process files in parallel with --will-cite to suppress citation notice
630if [ "$total_files" -gt 0 ]; then
631 cat "$typst_files_list" | parallel --will-cite --jobs "$jobs" process_file
632
633 # Wait a moment for any remaining progress updates to complete
634 sleep 0.5
635
636 # Show the final progress exactly once if showing progress
637 if [ "$show_progress" -eq 1 ]; then
638 show_final_progress
639 fi
640
641 # Print summary of failures
642 if [ "$quiet" -eq 0 ]; then
643 echo -e "\n${BOLD}${PURPLE}$ICON_SUMMARY Processing Summary${NC}"
644 fi
645
646 # Collect all failure files
647 compile_failures=$(find "$compile_failures_dir" -type f | wc -l)
648 move_failures=$(find "$move_failures_dir" -type f | wc -l)
649
650 if [ "$compile_failures" -eq 0 ] && [ "$move_failures" -eq 0 ]; then
651 log_success "All files processed successfully."
652 else
653 if [ "$compile_failures" -gt 0 ]; then
654 echo -e "\n${RED}${BOLD}$ICON_ERROR Compilation failures:${NC}"
655 find "$compile_failures_dir" -type f -exec cat {} \; | sort | while read -r failure; do
656 echo -e "${RED}- $failure${NC}"
657 done
658 echo -e "${BLUE}See $compile_log for detailed error messages.${NC}"
659 fi
660
661 if [ "$move_failures" -gt 0 ]; then
662 echo -e "\n${YELLOW}${BOLD}$ICON_ERROR Move failures:${NC}"
663 find "$move_failures_dir" -type f -exec cat {} \; | sort | while read -r failure; do
664 echo -e "${YELLOW}- $failure${NC}"
665 done
666 echo -e "${BLUE}See $move_log for detailed error messages.${NC}"
667 fi
668 fi
669else
670 log_warning "No .typ files found to process."
671fi
672
673# Clean up temporary directory and lock files
674rm -rf "$temp_dir"
675rm -f "$progress_lock" "$compile_log.lock" "$move_log.lock"
676
677log_success "Processing complete."
678