🚀 Phase 2: Advanced Codec Integration - AV1 encoding with 30% better compression than H.264 - HEVC/H.265 support with hardware acceleration - HDR processing pipeline with HDR10 metadata - Comprehensive codec detection and fallback systems 🎯 AV1 Codec Features - Two-pass and single-pass encoding modes - MP4 and WebM container support (av1_mp4, av1_webm formats) - Row-based multithreading and tile-based parallelization - Quality-optimized CRF presets and configurable CPU usage ⚡ HEVC/H.265 Implementation - Hardware NVENC acceleration with libx265 fallback - 25% better compression efficiency than H.264 - Seamless integration with existing quality preset system 🌈 HDR Video Processing - HDR10 standard with BT.2020 color space - 10-bit encoding with SMPTE 2084 transfer characteristics - Automatic HDR content detection and analysis - Metadata preservation throughout processing pipeline 🔧 Production-Ready Architecture - Zero breaking changes - full backward compatibility - Advanced codec configuration options in ProcessorConfig - Comprehensive error handling and graceful degradation - Extensive test coverage (29 new tests, 100% pass rate) 📦 Enhanced Configuration - New output formats: av1_mp4, av1_webm, hevc - Advanced settings: enable_av1_encoding, av1_cpu_used - Hardware acceleration: enable_hardware_acceleration - HDR processing: enable_hdr_processing Built on proven foundation: leverages existing quality presets, multi-pass encoding architecture, and comprehensive error handling while adding state-of-the-art codec capabilities. 🤖 Generated with [Claude Code](https://claude.ai/code) Co-Authored-By: Claude <noreply@anthropic.com>
🎬 Video Processor
A Modern Python Library for Professional Video Processing
Extracted from the demostar Django application, now a standalone powerhouse for video encoding, thumbnail generation, and sprite creation.
🎉 NEW in v0.3.0: Complete Test Infrastructure!
✅ 52 passing tests (0 failures!) • ✅ 108+ test video fixtures • ✅ Full Docker integration • ✅ CI/CD pipeline
Features • Installation • Quick Start • Testing • Examples • API Reference
✨ Features
🎥 Video Encoding
|
🖼️ Thumbnails & Sprites
|
⚡ Background Processing
|
🛠️ Modern Development
|
🌐 360° Video Support (Optional)
|
📦 Installation
Quick Install
# Basic installation (standard video processing)
uv add video-processor
# With 360° video support
uv add "video-processor[video-360]"
# With spatial audio processing
uv add "video-processor[spatial-audio]"
# Complete 360° feature set
uv add "video-processor[video-360-full]"
# Or using pip
pip install video-processor
pip install "video-processor[video-360-full]"
Optional Features
🌐 360° Video Processing
For immersive video processing capabilities:
video-360
: Core 360° video processing (py360convert, opencv, numpy, scipy)spatial-audio
: Spatial audio processing (librosa, soundfile)metadata-360
: Enhanced 360° metadata extraction (exifread)video-360-full
: Complete 360° package (includes all above)
📦 Dependency Details
# Core 360° processing
uv add "video-processor[video-360]"
# Includes: py360convert, opencv-python, numpy, scipy
# Spatial audio support
uv add "video-processor[spatial-audio]"
# Includes: librosa, soundfile
# Complete 360° experience
uv add "video-processor[video-360-full]"
# Includes: All 360° dependencies + exifread
⚡ Procrastinate Migration (2.x → 3.x)
This library supports both Procrastinate 2.x and 3.x for smooth migration:
🔄 Automatic Version Detection
from video_processor.tasks.compat import get_version_info, IS_PROCRASTINATE_3_PLUS
version_info = get_version_info()
print(f"Using Procrastinate {version_info['procrastinate_version']}")
print(f"Features available: {list(version_info['features'].keys())}")
# Version-aware setup
if IS_PROCRASTINATE_3_PLUS:
# Use 3.x features like improved performance, graceful shutdown
pass
📋 Migration Steps
-
Install compatible version:
uv add "procrastinate>=3.5.2,<4.0.0" # Or keep 2.x support: ">=2.15.1,<4.0.0"
-
Apply database migrations:
# Procrastinate 3.x (two-step process) procrastinate schema --apply --mode=pre # Before deploying # Deploy new code procrastinate schema --apply --mode=post # After deploying # Procrastinate 2.x (single step) procrastinate schema --apply
-
Use migration helper:
from video_processor.tasks.migration import migrate_database # Automatic version-aware migration success = await migrate_database("postgresql://localhost/mydb")
-
Update worker configuration:
from video_processor.tasks import get_worker_kwargs # Automatically normalizes options for your version worker_options = get_worker_kwargs( concurrency=4, timeout=5, # Maps to fetch_job_polling_interval in 3.x remove_error=True, # Maps to remove_failed in 3.x )
🆕 Procrastinate 3.x Benefits
- Better performance with improved job fetching
- Graceful shutdown with
shutdown_graceful_timeout
- Enhanced error handling and job cancellation
- Schema compatibility improvements (3.5.2+)
Development Setup
git clone <repository>
cd video_processor
# Install with all development dependencies
uv sync --dev
# Install with dev + 360° features
uv sync --dev --extra video-360-full
# Verify installation
uv run pytest
🚀 Quick Start
Basic Video Processing
from pathlib import Path
from video_processor import VideoProcessor, ProcessorConfig
# 📋 Configure your processor
config = ProcessorConfig(
base_path=Path("/tmp/video_output"),
output_formats=["mp4", "webm"],
quality_preset="high" # 🎯 Professional quality
)
# 🎬 Initialize and process
processor = VideoProcessor(config)
result = processor.process_video(
input_path="input_video.mp4",
output_dir="outputs"
)
# 📊 Results
print(f"🎥 Video ID: {result.video_id}")
print(f"📁 Formats: {list(result.encoded_files.keys())}")
print(f"🖼️ Thumbnail: {result.thumbnail_file}")
print(f"🎞️ Sprites: {result.sprite_files}")
Async Background Processing
import asyncio
from video_processor.tasks import setup_procrastinate
async def process_in_background():
# 🗄️ Connect to PostgreSQL
app = setup_procrastinate("postgresql://user:pass@localhost/db")
# 📤 Submit job
job = await app.tasks.process_video_async.defer_async(
input_path="/path/to/video.mp4",
output_dir="/path/to/output",
config_dict={"quality_preset": "ultra"}
)
print(f"✅ Job queued: {job.id}")
asyncio.run(process_in_background())
⚙️ Configuration
Quality Presets Comparison
🎯 Preset | 📺 Video Bitrate | 🔊 Audio Bitrate | 🎨 CRF | 💡 Best For |
---|---|---|---|---|
Low | 1,000k | 128k | 28 | 📱 Mobile, limited bandwidth |
Medium | 2,500k | 192k | 23 | 🌐 Standard web delivery |
High | 5,000k | 256k | 18 | 🎬 High-quality streaming |
Ultra | 10,000k | 320k | 15 | 🏛️ Archive, professional use |
Advanced Configuration
from video_processor import ProcessorConfig
from pathlib import Path
config = ProcessorConfig(
# 📂 Storage & Paths
base_path=Path("/media/videos"),
storage_backend="local", # 🔮 S3 coming soon!
# 🎥 Video Settings
output_formats=["mp4", "webm", "ogv"],
quality_preset="ultra",
# 🖼️ Thumbnails & Sprites
thumbnail_timestamp=30, # 📍 30 seconds in
sprite_interval=5.0, # 🎞️ Every 5 seconds
# 🛠️ System
ffmpeg_path="/usr/local/bin/ffmpeg" # 🔧 Custom FFmpeg
)
🧪 Testing
🎯 NEW in v0.3.0: Comprehensive Test Infrastructure
Video Processor now includes a world-class testing framework with 108+ video fixtures and perfect test compatibility!
⚡ Quick Testing
# Run all tests
make test
# Unit tests only (fast)
uv run pytest tests/unit/
# Integration tests with Docker
make test-docker
# Test specific categories
uv run pytest -m "smoke" # Quick smoke tests
uv run pytest -m "edge_cases" # Edge case scenarios
uv run pytest -m "codecs" # Codec compatibility
🎬 Test Video Fixtures
Our comprehensive test suite includes:
- Edge Cases: Single frame videos, unusual resolutions (16x16, 1920x2), extreme aspect ratios
- Multiple Codecs: H.264, H.265, VP8, VP9, Theora, MPEG4 with various profiles
- Audio Variations: Mono/stereo, different sample rates, no audio, audio-only files
- Visual Patterns: SMPTE bars, RGB test patterns, YUV test, checkerboard patterns
- Motion Tests: Rotation, camera shake, scene changes, complex motion
- Stress Tests: High complexity scenes, noise patterns, encoding challenges
📊 Test Results
✅ 52 passing tests (0 failures!)
✅ 108+ test video fixtures
✅ Complete Docker integration
✅ Perfect API compatibility
🐳 Docker Integration Testing
# Complete integration testing environment
make test-docker
# Test specific services
make test-db-migration # Database migration testing
make test-worker # Procrastinate worker testing
make clean-docker # Clean up test environment
🔧 Advanced Testing
# Generate/update test video fixtures
uv run python tests/fixtures/test_suite_manager.py --setup
# Validate test suite integrity
uv run python tests/fixtures/test_suite_manager.py --validate
# Generate synthetic videos for edge cases
uv run python tests/fixtures/generate_synthetic_videos.py
# Download open source test videos
uv run python tests/fixtures/download_test_videos.py
🎨 Test Categories
Category | Description | Video Count |
---|---|---|
smoke | Quick validation tests | 2 videos |
basic | Standard functionality | 5 videos |
codecs | Format compatibility | 9 videos |
edge_cases | Boundary conditions | 12+ videos |
stress | Performance testing | 2+ videos |
full | Complete test suite | 108+ videos |
💡 Examples
Explore our comprehensive examples in the examples/
directory:
📝 Available Examples
Example | Description | Features |
---|---|---|
basic_usage.py |
🎯 Simple synchronous processing | Configuration, encoding, thumbnails |
async_processing.py |
⚡ Background task processing | Procrastinate, job queuing, monitoring |
custom_config.py |
🛠️ Advanced configuration scenarios | Quality presets, validation, custom paths |
docker_demo.py |
🐳 Complete containerized demo | Docker, PostgreSQL, async workers |
web_demo.py |
🌐 Flask web interface | Browser-based processing, job submission |
🐳 Docker Quick Start
Get up and running in seconds with our complete Docker environment:
# Start all services (PostgreSQL, Redis, app, workers)
docker-compose up -d
# View logs from the demo application
docker-compose logs -f app
# Access web demo at http://localhost:8080
docker-compose up demo
# Run tests in Docker
docker-compose run test
# Clean up
docker-compose down -v
Services included:
- 🗄️ PostgreSQL - Database with Procrastinate job queue
- 🎬 App - Main video processor demo
- ⚡ Worker - Background job processor
- 🧪 Test - Automated testing environment
- 🌐 Demo - Web interface for browser-based testing
🎬 Real-World Usage Patterns
🏢 Production Video Pipeline
# Multi-format encoding for video platform
config = ProcessorConfig(
base_path=Path("/var/media/uploads"),
output_formats=["mp4", "webm"], # Cross-browser support
quality_preset="high",
sprite_interval=10.0 # Balanced performance
)
processor = VideoProcessor(config)
result = processor.process_video(user_upload, output_dir)
# Generate multiple qualities
for quality in ["medium", "high"]:
config.quality_preset = quality
processor = VideoProcessor(config)
# Process to different quality folders...
📱 Mobile-Optimized Processing
# Lightweight encoding for mobile delivery
mobile_config = ProcessorConfig(
base_path=Path("/tmp/mobile_videos"),
output_formats=["mp4"], # Mobile-friendly format
quality_preset="low", # Reduced bandwidth
sprite_interval=15.0 # Fewer sprites
)
📚 API Reference
🎬 VideoProcessor
The main orchestrator for all video processing operations.
🔧 Methods
# Process video to all configured formats
result = processor.process_video(
input_path: Path | str,
output_dir: Path | str | None = None,
video_id: str | None = None
) -> VideoProcessingResult
# Encode to specific format
output_path = processor.encode_video(
input_path: Path,
output_dir: Path,
format_name: str,
video_id: str
) -> Path
# Generate thumbnail at timestamp
thumbnail = processor.generate_thumbnail(
video_path: Path,
output_dir: Path,
timestamp: int,
video_id: str
) -> Path
# Create sprite sheet and WebVTT
sprites = processor.generate_sprites(
video_path: Path,
output_dir: Path,
video_id: str
) -> tuple[Path, Path]
⚙️ ProcessorConfig
Type-safe configuration with automatic validation.
📋 Essential Fields
class ProcessorConfig:
base_path: Path # 📂 Base directory
output_formats: list[str] # 🎥 Video formats
quality_preset: str # 🎯 Quality level
storage_backend: str # 💾 Storage type
ffmpeg_path: str # 🛠️ FFmpeg binary
thumbnail_timestamp: int # 🖼️ Thumbnail position
sprite_interval: float # 🎞️ Sprite frequency
📊 VideoProcessingResult
Comprehensive result object with all output information.
@dataclass
class VideoProcessingResult:
video_id: str # 🆔 Unique identifier
encoded_files: dict[str, Path] # 📁 Format → file mapping
thumbnail_file: Path | None # 🖼️ Thumbnail image
sprite_files: tuple[Path, Path] | None # 🎞️ Sprite + WebVTT
metadata: VideoMetadata # 📊 Video properties
🧪 Development
🛠️ Development Commands
# 📦 Install dependencies
uv sync
# 🧪 Run test suite
uv run pytest -v
# 📊 Test coverage
uv run pytest --cov=video_processor
# ✨ Code formatting
uv run ruff format .
# 🔍 Linting
uv run ruff check .
# 🎯 Type checking
uv run mypy src/
📈 Test Coverage
Our comprehensive test suite covers:
- ✅ Configuration validation and type checking
- ✅ Path utilities and file operations
- ✅ FFmpeg integration and error handling
- ✅ Video metadata extraction
- ✅ Background task processing
- ✅ Procrastinate compatibility (2.x/3.x versions)
- ✅ Database migrations with version detection
- ✅ Worker configuration and option mapping
- ✅ 360° video processing (when dependencies available)
========================== test session starts ==========================
tests/test_config.py ✅✅✅✅✅ [15%]
tests/test_utils.py ✅✅✅✅✅✅✅✅ [30%]
tests/test_procrastinate_compat.py ✅✅✅✅✅✅✅✅✅✅✅✅✅✅✅✅✅ [85%]
tests/test_procrastinate_migration.py ✅✅✅✅✅✅✅✅✅✅✅✅✅ [100%]
======================== 43 passed in 0.52s ========================
📦 Dependencies
🎯 Core Dependencies
Package | Purpose | Why We Use It |
---|---|---|
ffmpeg-python |
FFmpeg integration | 🎬 Professional video processing |
msprites2 |
Sprite generation | 🎞️ Seekbar thumbnails (forked for fixes) |
procrastinate |
Background tasks | ⚡ Scalable async processing |
pydantic |
Configuration | ⚙️ Type-safe settings validation |
pillow |
Image processing | 🖼️ Thumbnail manipulation |
🔧 Development Tools
Tool | Purpose | Benefits |
---|---|---|
uv |
Package management | 🚀 Ultra-fast dependency resolution |
ruff |
Linting & formatting | ⚡ Lightning-fast code quality |
pytest |
Testing framework | 🧪 Reliable test execution |
mypy |
Type checking | 🎯 Static type analysis |
coverage |
Test coverage | 📊 Quality assurance |
🌟 Why Video Processor?
🆚 Comparison with Alternatives
Feature | Video Processor | FFmpeg CLI | moviepy | OpenCV |
---|---|---|---|---|
Two-pass encoding | ✅ | ✅ | ❌ | ❌ |
Multiple formats | ✅ | ✅ | ✅ | ❌ |
Background processing | ✅ | ❌ | ❌ | ❌ |
Type safety | ✅ | ❌ | ❌ | ❌ |
Sprite generation | ✅ | ❌ | ❌ | ❌ |
Modern Python | ✅ | N/A | ❌ | ❌ |
📋 Requirements
🖥️ System Requirements
- Python 3.11+ - Modern Python features
- FFmpeg - Video processing engine
- PostgreSQL - Background job processing (optional)
🐧 Installation Commands
# Ubuntu/Debian
sudo apt install ffmpeg postgresql-client
# macOS
brew install ffmpeg postgresql
# Arch Linux
sudo pacman -S ffmpeg postgresql
🤝 Contributing
We welcome contributions! Here's how to get started:
🚀 Quick Contribution Guide
- 🍴 Fork the repository
- 🌿 Create a feature branch (
git checkout -b feature/amazing-feature
) - 📝 Make your changes with tests
- 🧪 Test everything (
uv run pytest
) - ✨ Format code (
uv run ruff format .
) - 📤 Submit a pull request
🎯 Areas We'd Love Help With
- 🌐 S3 storage backend implementation
- 🎞️ Additional video formats (AV1, HEVC)
- 📊 Progress tracking and monitoring
- 🐳 Docker integration examples
- 📖 Documentation improvements
📜 License
This project is licensed under the MIT License - see the LICENSE file for details.
🎉 Changelog
🚀 v0.2.0 - Procrastinate 3.x Migration & Docker Support
- 🔄 Procrastinate 3.x compatibility with backward support for 2.x
- 🎯 Automatic version detection and feature flagging
- 📋 Database migration utilities with pre/post migration support
- 🐳 Complete Docker environment with multi-service orchestration
- 🌐 Web demo interface with Flask-based UI
- ⚡ Worker compatibility layer with unified CLI
- 🧪 30+ comprehensive tests covering all compatibility scenarios
- 📊 uv caching optimization following Docker best practices
🌟 v0.1.0 - Initial Release
- ✨ Multi-format encoding: MP4, WebM, OGV support
- 🖼️ Thumbnail generation with customizable timestamps
- 🎞️ Sprite sheet creation with WebVTT files
- ⚡ Background processing with Procrastinate integration
- ⚙️ Type-safe configuration with Pydantic V2
- 🛠️ Modern tooling: uv, ruff, pytest integration
- 📚 Comprehensive documentation and examples
🙋♀️ Questions? Issues? Ideas?
Found a bug? Open an issue
Have a feature request? Start a discussion
Want to contribute? Check out our contribution guide
Built with ❤️ for the video processing community
Making professional video encoding accessible to everyone