Spaces:
Sleeping
Sleeping
File size: 10,820 Bytes
f5bce42 a646649 f5bce42 a646649 f5bce42 | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 | #!/usr/bin/env python3
"""SRT Caption Generator for CapCut - Main CLI entrypoint.
Tunisian Arabic forced alignment tool for generating CapCut-compatible SRT files.
"""
import argparse
import logging
import sys
import tempfile
from pathlib import Path
from typing import Dict, List, Optional
from config import DEFAULT_LANGUAGE, MAX_CHARS_PER_LINE
from validator import validate_inputs
from normalize import normalize_audio
from aligner import align, align_word_level
from srt_writer import write_srt
def main():
"""Main CLI entrypoint for the SRT Caption Generator."""
parser = create_argument_parser()
args = parser.parse_args()
# Set up logging based on verbosity
setup_logging(args.verbose)
try:
if args.batch:
# Import batch module only when needed
from batch import batch_process
batch_process(args.input_dir, args.output_dir, args.language)
else:
# Single file processing
process_single_file(args)
except KeyboardInterrupt:
print("\nβ Process interrupted by user")
sys.exit(1)
except Exception as e:
if args.verbose:
# Show full traceback in verbose mode
raise
else:
# Show clean error message
print(f"β Error: {e}")
sys.exit(1)
def create_argument_parser() -> argparse.ArgumentParser:
"""Create and configure the CLI argument parser."""
parser = argparse.ArgumentParser(
description="SRT Caption Generator for CapCut - Tunisian Arabic Forced Alignment Tool",
formatter_class=argparse.RawDescriptionHelpFormatter,
epilog="""
Examples:
%(prog)s --audio input/video.mp3 --script input/video.txt
%(prog)s --audio input/video.wav --script input/script.txt --output custom.srt
%(prog)s --audio input/video.m4a --script input/script.txt --offset -200
%(prog)s --batch --input-dir input/ --output-dir output/
"""
)
# Single file mode arguments
parser.add_argument(
"--audio",
type=str,
help="Path to audio file (mp3, wav, m4a, aac)"
)
parser.add_argument(
"--script",
type=str,
help="Path to script text file (UTF-8)"
)
parser.add_argument(
"--output",
type=str,
help="Output SRT file path (default: output/{audio_name}.srt)"
)
parser.add_argument(
"--language",
type=str,
default=DEFAULT_LANGUAGE,
help=f"Alignment language code (default: {DEFAULT_LANGUAGE})"
)
parser.add_argument(
"--offset",
type=int,
default=0,
help="Global timestamp offset in milliseconds (positive or negative)"
)
parser.add_argument(
"--max-chars",
type=int,
default=MAX_CHARS_PER_LINE,
help=f"Auto-split long captions at word boundaries (default: {MAX_CHARS_PER_LINE})"
)
parser.add_argument(
"--word-level",
action="store_true",
default=True, # Default to word-level for optimal Tunisian Arabic results
help="Use word-level alignment (default: True, optimal for mixed Arabic/French)"
)
parser.add_argument(
"--sentence-level",
action="store_true",
help="Force sentence-level alignment (overrides default word-level)"
)
# Batch mode arguments
parser.add_argument(
"--batch",
action="store_true",
help="Process all audio files in input directory"
)
parser.add_argument(
"--input-dir",
type=str,
help="Input directory for batch processing"
)
parser.add_argument(
"--output-dir",
type=str,
help="Output directory for batch processing"
)
# General options
parser.add_argument(
"--verbose",
action="store_true",
help="Print detailed alignment information and stack traces"
)
return parser
def setup_logging(verbose: bool) -> None:
"""Configure logging based on verbosity level."""
if verbose:
logging.basicConfig(
level=logging.DEBUG,
format='%(levelname)s - %(name)s - %(message)s'
)
else:
logging.basicConfig(level=logging.WARNING)
def process_single_file(args: argparse.Namespace) -> None:
"""Process a single audio/script file pair."""
# Validate required arguments for single file mode
if not args.audio:
raise ValueError("--audio is required for single file processing")
if not args.script:
raise ValueError("--script is required for single file processing")
audio_path = Path(args.audio)
script_path = Path(args.script)
# Determine output path
if args.output:
output_path = Path(args.output)
else:
output_dir = Path("output")
output_dir.mkdir(exist_ok=True)
output_filename = audio_path.stem + ".srt"
output_path = output_dir / output_filename
print(f"π¬ Processing: {audio_path.name} + {script_path.name}")
# Step 1: Validate inputs
print("π Validating inputs...")
validation_result = validate_inputs(audio_path, script_path)
# Print warnings if any
for warning in validation_result["warnings"]:
print(f"β οΈ {warning}")
print(f"π Audio: {validation_result['audio_duration_sec']:.1f}s, "
f"Script: {validation_result['sentence_count']} sentences, "
f"{validation_result['word_count']} words")
# Step 2: Normalize audio
print("π Normalizing audio...")
with tempfile.NamedTemporaryFile(suffix=".wav", delete=False) as tmp_file:
temp_wav_path = tmp_file.name
try:
normalize_audio(audio_path, temp_wav_path)
# Step 3: Load script
print("π Loading script...")
with open(script_path, 'r', encoding='utf-8') as f:
script_content = f.read()
# Split into sentences and remove empty lines
sentences = [line.strip() for line in script_content.splitlines() if line.strip()]
if not sentences:
raise ValueError(f"No non-empty lines found in script: {script_path}")
print(f"π Found {len(sentences)} sentences for alignment")
# Step 4: Perform alignment (default to word-level for optimal results)
use_word_level = args.word_level and not args.sentence_level
if use_word_level:
print("π€ Performing word-level forced alignment (optimal for Tunisian Arabic)...")
segments = align_word_level(temp_wav_path, sentences, args.language, args.max_chars)
else:
print("π€ Performing sentence-level forced alignment...")
segments = align(temp_wav_path, sentences, args.language)
# Apply auto-split for long captions if needed
if args.max_chars != MAX_CHARS_PER_LINE:
segments = _split_long_captions(segments, args.max_chars)
# Step 5: Apply timestamp offset if specified
if args.offset != 0:
print(f"β° Applying {args.offset}ms offset to all timestamps")
for segment in segments:
segment["start_ms"] = max(0, segment["start_ms"] + args.offset)
segment["end_ms"] = max(segment["start_ms"] + 100, segment["end_ms"] + args.offset)
# Step 6: Write SRT file
print("πΎ Writing SRT file...")
write_srt(segments, output_path, apply_grouping=args.word_level)
# Step 7: Print summary
duration_sec = validation_result["audio_duration_sec"]
print(f"π¬ Done. {len(segments)} captions | Duration: {duration_sec:.1f}s | Output: {output_path}")
# Print per-segment details in verbose mode
if args.verbose:
print("\nπ Alignment details:")
for segment in segments:
start_sec = segment["start_ms"] / 1000
end_sec = segment["end_ms"] / 1000
text_preview = segment["text"][:50] + ("..." if len(segment["text"]) > 50 else "")
print(f" {segment['index']:2d}: {start_sec:6.2f}-{end_sec:6.2f}s | {text_preview}")
finally:
# Clean up temporary WAV file
try:
Path(temp_wav_path).unlink()
except OSError:
pass # File already deleted or doesn't exist
def _split_long_captions(segments: List[Dict], max_chars: int) -> List[Dict]:
"""Split captions that exceed max_chars at word boundaries."""
new_segments = []
for segment in segments:
text = segment["text"]
if len(text) <= max_chars:
new_segments.append(segment)
continue
# Split long caption at word boundaries
words = text.split()
current_text = ""
split_segments = []
for word in words:
# Check if adding this word would exceed limit
test_text = f"{current_text} {word}".strip()
if len(test_text) <= max_chars:
current_text = test_text
else:
# Start new segment if we have text
if current_text:
split_segments.append(current_text)
current_text = word
# Add remaining text
if current_text:
split_segments.append(current_text)
# If splitting resulted in multiple segments, distribute time
if len(split_segments) > 1:
total_duration = segment["end_ms"] - segment["start_ms"]
duration_per_split = total_duration // len(split_segments)
for i, split_text in enumerate(split_segments):
split_start = segment["start_ms"] + (i * duration_per_split)
split_end = split_start + duration_per_split
# Last segment gets any remaining time
if i == len(split_segments) - 1:
split_end = segment["end_ms"]
split_segment = {
"index": len(new_segments) + 1,
"text": split_text,
"start_ms": split_start,
"end_ms": split_end
}
new_segments.append(split_segment)
else:
# No splitting needed
new_segments.append(segment)
# Reindex all segments
for i, segment in enumerate(new_segments):
segment["index"] = i + 1
return new_segments
if __name__ == "__main__":
main() |