-
-
Notifications
You must be signed in to change notification settings - Fork 157
Expand file tree
/
Copy pathinference_cli.py
More file actions
1712 lines (1412 loc) · 73.9 KB
/
inference_cli.py
File metadata and controls
1712 lines (1412 loc) · 73.9 KB
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
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#!/usr/bin/env python3
"""
SeedVR2 Video Upscaler - Standalone CLI Interface
Command-line interface for high-quality upscaling using SeedVR2 diffusion models.
Supports single and multi-GPU processing with advanced memory optimization.
Key Features:
• Multi-GPU Processing: Automatic workload distribution across multiple GPUs with
temporal overlap blending for seamless transitions
• Streaming Mode: Memory-efficient processing of long videos in chunks, avoiding
full video loading into RAM while maintaining temporal consistency
• Memory Optimization: BlockSwap for limited VRAM, VAE tiling for large resolutions,
intelligent tensor offloading between processing phases
• Performance: Torch.compile integration, BFloat16 compute pipeline,
efficient model caching for batch and streaming processing
• Flexibility: Multiple output formats (MP4/PNG), advanced color correction methods,
directory batch processing with auto-format detection
• Quality Control: Temporal overlap blending, frame prepending for artifact reduction,
configurable noise scales for detail preservation
Architecture:
The CLI implements a 4-phase processing pipeline:
1. Encode: VAE encoding with optional input noise and tiling
2. Upscale: DiT transformer upscaling with latent space diffusion
3. Decode: VAE decoding with optional tiling
4. Postprocess: Color correction and temporal blending
Usage:
python inference_cli.py video.mp4 --resolution 1080
For complete usage examples, run: python inference_cli.py --help
Requirements:
• Python 3.10+
• PyTorch 2.4+ with CUDA 12.1+ (NVIDIA) or MPS (Apple Silicon)
• 16GB+ VRAM recommended (8GB minimum with BlockSwap)
• OpenCV, NumPy for video I/O
Model Support:
• 3B models: seedvr2_ema_3b_fp16.safetensors (default), _fp8_e4m3fn/GGUF variants
• 7B models: seedvr2_ema_7b_fp16.safetensors, _fp8_e4m3fn/GGUF variants
• VAE: ema_vae_fp16.safetensors (shared across all models)
• Auto-downloads from HuggingFace on first run with SHA256 validation
"""
# Standard library imports
import sys
import os
import argparse
import time
import platform
import multiprocessing as mp
from typing import Dict, Any, List, Optional, Tuple, Literal, Generator
from datetime import datetime
from pathlib import Path
# Set up path before any other imports to fix module resolution
script_dir = os.path.dirname(os.path.abspath(__file__))
if script_dir not in sys.path:
sys.path.insert(0, script_dir)
# Set environment variable so all spawned processes can find modules
os.environ['PYTHONPATH'] = script_dir + ':' + os.environ.get('PYTHONPATH', '')
# Ensure safe CUDA usage with multiprocessing
if mp.get_start_method(allow_none=True) != 'spawn':
mp.set_start_method('spawn', force=True)
# Configure platform-specific memory management before heavy imports
# Must be set BEFORE import torch
if platform.system() == "Darwin":
# MPS allocator requires: low_watermark <= high_watermark
# Setting both to 0.0 disables PyTorch memory limits, letting macOS manage memory
os.environ.setdefault("PYTORCH_MPS_HIGH_WATERMARK_RATIO", "0.0")
os.environ.setdefault("PYTORCH_MPS_LOW_WATERMARK_RATIO", "0.0")
else:
os.environ.setdefault("PYTORCH_CUDA_ALLOC_CONF", "backend:cudaMallocAsync")
# Pre-parse arguments that must be handled before torch import
_pre_parser = argparse.ArgumentParser(add_help=False)
_pre_parser.add_argument("--cuda_device", type=str, default=None)
_pre_args, _ = _pre_parser.parse_known_args()
if _pre_args.cuda_device is not None:
device_list_env = [x.strip() for x in _pre_args.cuda_device.split(',') if x.strip()!='']
# Skip validation if CUDA_VISIBLE_DEVICES is already set (worker process)
if os.environ.get("CUDA_VISIBLE_DEVICES") is None:
# Temporary torch import for CUDA device validation only
# Must happen before setting CUDA_VISIBLE_DEVICES and before main torch import
import torch as _torch_check
if _torch_check.cuda.is_available():
available_count = _torch_check.cuda.device_count()
invalid_devices = [d for d in device_list_env if not d.isdigit() or int(d) >= available_count]
if invalid_devices:
print(f"❌ [ERROR] Invalid CUDA device ID(s): {', '.join(invalid_devices)}. "
f"Available devices: 0-{available_count-1} (total: {available_count})")
sys.exit(1)
else:
print("❌ [ERROR] CUDA is not available on this system. Cannot use --cuda_device argument.")
sys.exit(1)
# Set CUDA_VISIBLE_DEVICES for single GPU after validation
if len(device_list_env) == 1:
os.environ["CUDA_VISIBLE_DEVICES"] = device_list_env[0]
# Heavy dependency imports after environment configuration
import torch
import cv2
import numpy as np
import subprocess
import shutil
# Project imports
from src.utils.downloads import download_weight
from src.utils.model_registry import get_available_dit_models, DEFAULT_DIT, DEFAULT_VAE
from src.utils.constants import SEEDVR2_FOLDER_NAME
from src.core.generation_utils import (
setup_generation_context,
prepare_runner,
compute_generation_info,
log_generation_start,
blend_overlapping_frames,
load_text_embeddings,
script_directory
)
from src.core.generation_phases import (
encode_all_batches,
upscale_all_batches,
decode_all_batches,
postprocess_all_batches
)
from src.utils.debug import Debug
from src.optimization.memory_manager import clear_memory, get_gpu_backend, is_cuda_available
debug = Debug(enabled=False) # Will be enabled via --debug CLI flag
# =============================================================================
# FFMPEG Class
# =============================================================================
class FFMPEGVideoWriter:
"""
Video writer using ffmpeg subprocess for encoding with 10-bit support.
Provides cv2.VideoWriter-compatible interface (write, isOpened, release) while
using ffmpeg for encoding. Enables 10-bit output (yuv420p10le with x265) which
reduces banding artifacts in gradients compared to 8-bit opencv output.
Args:
path: Output video file path
width: Frame width in pixels
height: Frame height in pixels
fps: Frames per second
use_10bit: If True, uses x265 codec with yuv420p10le pixel format.
If False, uses x264 with yuv420p (default: False)
Raises:
RuntimeError: If ffmpeg is not found in system PATH
Note:
Frames must be passed to write() in BGR format (same as cv2.VideoWriter).
Internally converts to RGB for ffmpeg rawvideo input.
"""
def __init__(self, path: str, width: int, height: int, fps: float, use_10bit: bool = False):
pix_fmt = 'yuv420p10le' if use_10bit else 'yuv420p'
codec = 'libx265' if use_10bit else 'libx264'
self.proc = subprocess.Popen(
['ffmpeg', '-y', '-f', 'rawvideo', '-pix_fmt', 'rgb24',
'-s', f'{width}x{height}', '-r', str(fps), '-i', '-',
'-c:v', codec, '-pix_fmt', pix_fmt, '-preset', 'medium', '-crf', '12', path],
stdin=subprocess.PIPE, stdout=subprocess.DEVNULL, stderr=subprocess.DEVNULL
)
def write(self, frame_bgr: np.ndarray):
if not self.isOpened():
raise RuntimeError("FFMPEGVideoWriter: ffmpeg process is not running")
frame_rgb = cv2.cvtColor(frame_bgr, cv2.COLOR_BGR2RGB)
try:
self.proc.stdin.write(frame_rgb.astype(np.uint8).tobytes())
self.proc.stdin.flush() # Critical: prevent buffering issues
except BrokenPipeError:
raise RuntimeError(
"FFMPEGVideoWriter: ffmpeg process terminated unexpectedly. "
"Check video path, codec support, and disk space."
)
def isOpened(self) -> bool:
return self.proc is not None and self.proc.poll() is None
def release(self):
if self.proc:
try:
self.proc.stdin.close()
except Exception:
pass # Ignore errors on close
self.proc.wait()
if self.proc.returncode != 0:
debug.log(
f"ffmpeg exited with code {self.proc.returncode}. "
"Check output file for corruption.",
level="WARNING", force=True, category="file"
)
self.proc = None
# =============================================================================
# Device Management Helpers
# =============================================================================
def _device_id_to_name(device_id: str, platform_type: str = None) -> str:
"""
Convert device ID to full device name.
Args:
device_id: Device ID ("0", "1") or special value ("cpu", "none")
platform_type: Override platform type ("cuda", "mps", "cpu")
Returns:
Full device name ("cuda:0", "mps:0", "cpu", "none")
"""
if device_id in ("cpu", "none"):
return device_id
if platform_type is None:
platform_type = get_gpu_backend()
# MPS typically doesn't use indices
if platform_type == "mps":
return "mps"
return f"{platform_type}:{device_id}"
def _parse_offload_device(offload_arg: str, platform_type: str = None, cache_enabled: bool = False) -> Optional[str]:
"""
Parse offload device argument to full device name.
Args:
offload_arg: Offload device argument ("none", "cpu", "0", "1", or "cuda:1")
platform_type: Override platform type
cache_enabled: If True and offload_arg is "none", default to "cpu"
Returns:
Full device name or None
"""
if offload_arg == "none":
# If caching enabled but no offload device specified, default to CPU
return "cpu" if cache_enabled else None
if offload_arg == "cpu":
return "cpu"
# If already a full device name (cuda:1, mps:0), return as-is
if ":" in offload_arg:
return offload_arg
# Otherwise treat as device ID
return _device_id_to_name(offload_arg, platform_type)
# =============================================================================
# Constants
# =============================================================================
# Supported file extensions
VIDEO_EXTENSIONS = {'.mp4', '.avi', '.mov', '.mkv', '.webm', '.flv', '.wmv', '.m4v'}
IMAGE_EXTENSIONS = {'.png', '.jpg', '.jpeg', '.bmp', '.tiff', '.tif', '.webp'}
# =============================================================================
# Video I/O Functions
# =============================================================================
def get_media_files(directory: str) -> List[str]:
"""
Get all video and image files from directory, sorted alphabetically.
Args:
directory: Path to directory to scan
Returns:
Sorted list of file paths (strings) matching video or image extensions
"""
valid_extensions = VIDEO_EXTENSIONS | IMAGE_EXTENSIONS
path = Path(directory)
# Get all files and filter by extension (case-insensitive)
files = [f for f in path.iterdir() if f.is_file() and f.suffix.lower() in valid_extensions]
return sorted([str(f) for f in files])
def extract_frames_from_image(image_path: str) -> Tuple[torch.Tensor, float]:
"""
Extract single frame from image file and convert to tensor format.
Reads image using OpenCV, converts BGR to RGB, normalizes to [0,1] range,
and formats as single-frame video tensor for consistent processing.
Args:
image_path: Path to input image file
Returns:
Tuple containing:
- frames_tensor: Single frame as tensor [1, H, W, C], Float16, range [0,1] (C=3 for RGB, C=4 for RGBA)
- fps: Default FPS value (30.0) for image-to-video conversion
Raises:
FileNotFoundError: If image file doesn't exist
ValueError: If image cannot be opened
"""
debug.log(f"Loading image: {image_path}", category="file")
if not os.path.exists(image_path):
raise FileNotFoundError(f"Image file not found: {image_path}")
# Read image with alpha channel preserved
frame = cv2.imread(image_path, cv2.IMREAD_UNCHANGED)
if frame is None:
raise ValueError(f"Cannot open image file: {image_path}")
# Convert BGR(A) to RGB(A) based on channel count
if frame.shape[2] == 4:
frame = cv2.cvtColor(frame, cv2.COLOR_BGRA2RGBA)
debug.log(f"Detected RGBA image (alpha channel preserved)", category="file")
else:
frame = cv2.cvtColor(frame, cv2.COLOR_BGR2RGB)
# Convert to float32 and normalize
frame = frame.astype(np.float32) / 255.0
# Convert to tensor [1, H, W, C]
frames_tensor = torch.from_numpy(frame[None, ...]).to(torch.float16)
debug.log(f"Image tensor shape: {frames_tensor.shape}, dtype: {frames_tensor.dtype}", category="memory")
return frames_tensor, 30.0 # Default FPS for images
def get_input_type(input_path: str) -> Literal['video', 'image', 'directory', 'unknown']:
"""
Determine input type from file path.
Args:
input_path: Path to input file or directory
Returns:
Input type: 'video', 'image', 'directory', or 'unknown'
Raises:
FileNotFoundError: If input path doesn't exist
"""
path = Path(input_path)
if not path.exists():
raise FileNotFoundError(f"Input path not found: {input_path}")
if path.is_dir():
return 'directory'
ext = path.suffix.lower()
if ext in VIDEO_EXTENSIONS:
return "video"
elif ext in IMAGE_EXTENSIONS:
return "image"
else:
return "unknown"
def generate_output_path(input_path: str, output_format: str, output_dir: Optional[str] = None,
input_type: Optional[str] = None, from_directory: bool = False) -> str:
"""
Generate output path based on input path and format.
Args:
input_path: Source file path
output_format: "mp4" or "png"
output_dir: Optional output directory (overrides default behavior)
input_type: Optional input type ("image", "video", "directory")
from_directory: True if processing files from a directory (batch mode)
Returns:
Absolute output path (file for single image/video, directory for sequences)
"""
input_path_obj = Path(input_path)
input_name = input_path_obj.stem
# Determine base directory and whether to add suffix
if output_dir:
# User specified output directory - use as-is, no suffix
base_dir = Path(output_dir)
add_suffix = False
elif from_directory:
# Batch mode: create sibling folder with _upscaled, keep original filenames
original_dir = input_path_obj.parent
base_dir = original_dir.parent / f"{original_dir.name}_upscaled"
add_suffix = False
else:
# Single file mode: output to same directory with _upscaled suffix
base_dir = input_path_obj.parent
add_suffix = True
# Build filename with optional suffix
file_suffix = "_upscaled" if add_suffix else ""
# Generate output path based on format
if output_format == "png":
if input_type == "image":
output_path = base_dir / f"{input_name}{file_suffix}.png"
else:
output_path = base_dir / f"{input_name}{file_suffix}"
else:
output_path = base_dir / f"{input_name}{file_suffix}.mp4"
return str(output_path.resolve())
def process_single_file(input_path: str, args: argparse.Namespace, device_list: List[str],
output_path: Optional[str] = None, format_auto_detected: bool = False,
runner_cache: Optional[Dict[str, Any]] = None) -> int:
"""
Process a single video or image file with optional model caching.
For videos, supports streaming mode (chunk_size > 0) which processes in memory-bounded
chunks with temporal overlap for seamless transitions between chunks.
Args:
input_path: Path to input file
args: Command-line arguments with all processing settings
device_list: List of GPU device IDs as strings
output_path: Optional explicit output path (auto-generated if None)
format_auto_detected: Whether output format was auto-detected
runner_cache: Optional cache dict for model reuse across multiple files
Returns:
Number of frames written to output
"""
input_type = get_input_type(input_path)
if input_type == "unknown":
debug.log(f"Skipping unsupported file: {input_path}", level="WARNING", category="file", force=True)
return 0
debug.log(f"Processing {input_type}: {Path(input_path).name}", category="generation", force=True)
# Generate or validate output path
if output_path is None:
output_path = generate_output_path(input_path, args.output_format, input_type=input_type)
elif not Path(output_path).suffix or (args.output_format == "png" and input_type != "image"):
# No extension or PNG sequence → treat as directory, generate filename
output_path = generate_output_path(input_path, args.output_format,
output_dir=output_path, input_type=input_type)
# Show format with auto-detection indicator
format_prefix = "Auto-detected" if format_auto_detected else "Requested"
debug.log(f"{format_prefix} output format: {args.output_format}", category="info", force=True, indent_level=1)
# === VIDEO PROCESSING ===
if input_type == "video":
if not os.path.exists(input_path):
raise FileNotFoundError(f"Video file not found: {input_path}")
cap = cv2.VideoCapture(input_path)
if not cap.isOpened():
raise ValueError(f"Cannot open video file: {input_path}")
fps = cap.get(cv2.CAP_PROP_FPS) or 30.0
total_frames = int(cap.get(cv2.CAP_PROP_FRAME_COUNT))
width = int(cap.get(cv2.CAP_PROP_FRAME_WIDTH))
height = int(cap.get(cv2.CAP_PROP_FRAME_HEIGHT))
debug.log(f"Video info: {total_frames} frames, {width}x{height}, {fps:.2f} FPS", category="info")
# Skip initial frames
if args.skip_first_frames > 0:
debug.log(f"Skipping first {args.skip_first_frames} frames", category="info")
cap.set(cv2.CAP_PROP_POS_FRAMES, args.skip_first_frames)
# Calculate frames to process (apply load_cap if set)
frames_to_process = total_frames - args.skip_first_frames
if args.load_cap > 0:
frames_to_process = min(frames_to_process, args.load_cap)
# Early exit for empty/exhausted video
if frames_to_process <= 0:
debug.log(f"No frames to process after skipping {args.skip_first_frames} of {total_frames}",
level="WARNING", category="file", force=True)
cap.release()
return 0
# Streaming mode: process in chunks
chunk_size = args.chunk_size if args.chunk_size > 0 else frames_to_process
streaming = args.chunk_size > 0
total_chunks = (frames_to_process + chunk_size - 1) // chunk_size # ceiling division
if streaming:
debug.log(f"Streaming mode: chunks of {chunk_size} frames, overlap={args.temporal_overlap}",
category="info", force=True, indent_level=1)
is_png = args.output_format == "png"
video_writer = None
overlap = args.temporal_overlap
frames_written = 0
chunk_idx = 0
base_name = Path(input_path).stem
# Multi-GPU: workers stream their own segments
if len(device_list) > 1:
cap.release() # Workers will reopen
video_info = {
'video_path': input_path,
'start_frame': args.skip_first_frames,
'frames_to_process': frames_to_process,
}
result = _gpu_processing(None, device_list, args, video_info=video_info)
# Save result
if is_png:
save_frames_to_image(result, output_path, base_name)
else:
video_writer = save_frames_to_video(result, output_path, fps,
video_backend=args.video_backend, use_10bit=args.use_10bit)
if video_writer is not None:
video_writer.release()
frames_written = result.shape[0]
# Single GPU: stream in main process
else:
chunk_count = 0
for result in _stream_video_chunks(
cap=cap,
frames_to_process=frames_to_process,
chunk_size=chunk_size,
overlap=overlap,
args=args,
device_id=device_list[0],
debug=debug,
runner_cache=runner_cache,
log_progress=streaming,
total_chunks=total_chunks,
cleanup_timer_name="chunk_cleanup"
):
chunk_count += 1
# Save output
if is_png:
save_frames_to_image(result, output_path, base_name, start_index=frames_written)
else:
video_writer = save_frames_to_video(result, output_path, fps, writer=video_writer,
video_backend=args.video_backend, use_10bit=args.use_10bit)
frames_written += result.shape[0]
del result
chunk_idx = chunk_count
cap.release()
if video_writer is not None:
video_writer.release()
if streaming:
debug.log("", category="none", force=True)
if len(device_list) > 1:
debug.log(f"Streaming complete: {frames_written} frames across {len(device_list)} GPUs", category="success", force=True)
else:
debug.log(f"Streaming complete: {frames_written} frames in {chunk_idx} chunks", category="success", force=True)
debug.log(f"Output saved to: {output_path}", category="file", force=True)
return frames_written
# === IMAGE PROCESSING ===
frames_tensor, _ = extract_frames_from_image(input_path)
processing_start = time.time()
# Process frames (multiprocessing only for multi-GPU)
if len(device_list) > 1:
result = _gpu_processing(frames_tensor, device_list, args)
else:
result = _single_gpu_direct_processing(frames_tensor, args, device_list[0], runner_cache)
debug.log(f"Processing time: {time.time() - processing_start:.2f}s", category="timing")
# Save single image
os.makedirs(Path(output_path).parent, exist_ok=True)
frame_np = (result[0].cpu().numpy() * 255.0).astype(np.uint8)
_save_image_bgr(frame_np, output_path)
debug.log(f"Output saved to: {output_path}", category="file", force=True)
return 1
def _read_frames_from_cap(cap: cv2.VideoCapture, max_frames: int) -> Optional[torch.Tensor]:
"""
Read up to max_frames from an already-open VideoCapture.
Args:
cap: An already opened cv2.VideoCapture instance
max_frames: Maximum number of frames to read in this call
Returns:
Tensor [T, H, W, C] float32 [0,1], or None if no frames available
"""
frames = []
for _ in range(max_frames):
ret, frame = cap.read()
if not ret:
break
frame = cv2.cvtColor(frame, cv2.COLOR_BGR2RGB).astype(np.float32) / 255.0
frames.append(frame)
if not frames:
return None
return torch.from_numpy(np.stack(frames)).to(torch.float32)
def _stream_video_chunks(
cap: cv2.VideoCapture,
frames_to_process: int,
chunk_size: int,
overlap: int,
args: argparse.Namespace,
device_id: str,
debug: 'Debug',
runner_cache: Optional[Dict[str, Any]],
log_progress: bool = False,
total_chunks: int = 0,
cleanup_timer_name: Optional[str] = None,
log_prefix: str = ""
) -> Generator[torch.Tensor, None, None]:
"""
Generator that streams and processes video chunks.
Handles frame reading, temporal context prepending, processing via
_process_frames_core, context removal from output, and memory cleanup.
Caller is responsible for VideoCapture lifecycle and result handling.
Args:
cap: Open VideoCapture positioned at start frame
frames_to_process: Total frames to read and process
chunk_size: Frames per chunk (use frames_to_process for single chunk)
overlap: Temporal overlap frames between chunks for blending
args: Processing arguments (copied internally, prepend_frames zeroed after first chunk)
device_id: GPU device ID for processing
debug: Debug instance for logging
runner_cache: Optional model cache dict for reuse across chunks
log_progress: If True, log chunk progress with separators
total_chunks: Total chunks for progress display (used if log_progress=True)
cleanup_timer_name: Optional timer name for memory cleanup logging
log_prefix: Optional prefix for log messages (e.g., "[GPU 0] " for worker identification)
Yields:
Processed frames tensor [T, H, W, C] for each chunk, context frames removed
"""
chunk_args = argparse.Namespace(**vars(args))
frames_read = 0
prev_raw_tail = None
chunk_idx = 0
streaming = chunk_size < frames_to_process
while frames_read < frames_to_process:
read_count = min(chunk_size, frames_to_process - frames_read)
new_frames = _read_frames_from_cap(cap, read_count)
if new_frames is None:
break
frames_read += new_frames.shape[0]
chunk_idx += 1
# Disable prepend_frames after first chunk
if chunk_idx > 1:
chunk_args.prepend_frames = 0
# Prepend context from previous chunk
if prev_raw_tail is not None and overlap > 0:
context_count = min(overlap, prev_raw_tail.shape[0])
frames = torch.cat([prev_raw_tail[-context_count:], new_frames], dim=0)
else:
frames = new_frames
context_count = 0
# Log progress if enabled
if log_progress and streaming:
if chunk_idx > 1:
debug.log("", category="none", force=True)
debug.log("━" * 60, category="none", force=True)
debug.log("", category="none", force=True)
debug.log(f"{log_prefix}Chunk {chunk_idx}/{total_chunks}: {new_frames.shape[0]} new + {context_count} context frames",
category="generation", force=True)
debug.log("", category="none", force=True)
# Process chunk
result = _process_frames_core(
frames_tensor=frames.to(torch.float16),
args=chunk_args,
device_id=device_id,
debug=debug,
runner_cache=runner_cache
)
# Remove context frames from output
if context_count > 0:
result = result[context_count:]
# Save tail for next chunk context
prev_raw_tail = new_frames[-overlap:].clone() if overlap > 0 else None
# Cleanup before yield
del frames
yield result
# Memory cleanup between chunks
if streaming:
clear_memory(debug=debug, deep=True, force=True, timer_name=cleanup_timer_name)
def _save_image_bgr(frame_np: np.ndarray, file_path: str) -> None:
"""
Save a single RGB(A) uint8 frame to disk, converting to BGR(A) for OpenCV.
Args:
frame_np: Frame as uint8 numpy array [H, W, C] where C is 3 (RGB) or 4 (RGBA)
file_path: Output file path
"""
if frame_np.shape[2] == 4:
frame_bgr = cv2.cvtColor(frame_np, cv2.COLOR_RGBA2BGRA)
else:
frame_bgr = cv2.cvtColor(frame_np, cv2.COLOR_RGB2BGR)
cv2.imwrite(file_path, frame_bgr)
def save_frames_to_video(
frames_tensor: torch.Tensor,
output_path: str,
fps: float = 30.0,
writer: Optional[cv2.VideoWriter] = None,
video_backend: str = "opencv",
use_10bit: bool = False
) -> Optional[cv2.VideoWriter]:
"""
Save frames tensor to MP4 video file.
Converts tensor from Float32 [0,1] to uint8 [0,255], RGB to BGR for OpenCV,
and writes to video file using mp4v codec. Supports streaming mode where
an existing writer is passed and kept open for subsequent chunks.
Args:
frames_tensor: Frames in format [T, H, W, C], Float32, range [0,1]
output_path: Output video file path (directory created if doesn't exist)
fps: Frames per second for output video (default: 30.0)
writer: Existing VideoWriter for streaming (if None, creates new one)
Returns:
VideoWriter if streaming mode (caller must close), None if standalone mode
Raises:
ValueError: If video writer cannot be initialized
"""
frames_np = (frames_tensor.cpu().numpy() * 255.0).astype(np.uint8)
T, H, W, C = frames_np.shape
if writer is None:
debug.log(f"Saving {T} frames to video: {output_path} (backend={video_backend})", category="file")
os.makedirs(Path(output_path).parent, exist_ok=True)
if video_backend == "ffmpeg":
writer = FFMPEGVideoWriter(output_path, W, H, fps, use_10bit)
else:
fourcc = cv2.VideoWriter_fourcc(*'mp4v')
writer = cv2.VideoWriter(output_path, fourcc, fps, (W, H))
if not writer.isOpened():
raise ValueError(f"Cannot create video writer for: {output_path}")
for i, frame in enumerate(frames_np):
frame_bgr = cv2.cvtColor(frame, cv2.COLOR_RGB2BGR)
writer.write(frame_bgr)
if debug.enabled and (i + 1) % 100 == 0:
debug.log(f"Written {i + 1}/{T} frames", category="file")
return writer # Caller always closes
def save_frames_to_image(
frames_tensor: torch.Tensor,
output_dir: str,
base_name: str,
start_index: int = 0
) -> int:
"""
Save frames tensor as sequential PNG image files.
Each frame saved as {base_name}_{index:0Nd}.png with zero-padded indices.
Converts Float32 [0,1] to uint8 [0,255] and RGB(A) to BGR(A) for OpenCV.
Args:
frames_tensor: Frames in format [T, H, W, C], Float32, range [0,1]
output_dir: Directory to save PNG files (created if doesn't exist)
base_name: Base name for output files (e.g., "frame" → "frame_00000.png")
start_index: Starting index for filenames (for streaming continuation)
Returns:
Number of frames saved
"""
os.makedirs(output_dir, exist_ok=True)
frames_np = (frames_tensor.cpu().numpy() * 255.0).astype(np.uint8)
total = frames_np.shape[0]
if start_index == 0:
debug.log(f"Saving {total} frames as PNGs to directory: {output_dir}", category="file")
digits = 6 # Supports up to 999,999 frames (~11.5 hours at 24fps)
for idx, frame in enumerate(frames_np):
filename = f"{base_name}_{start_index + idx:0{digits}d}.png"
file_path = os.path.join(output_dir, filename)
_save_image_bgr(frame, file_path)
if debug.enabled and (idx + 1) % 100 == 0:
debug.log(f"Saved {idx + 1}/{total} images", category="file")
debug.log(f"Saved {total} images to '{output_dir}'", category="success")
return total
# =============================================================================
# Core Processing Logic
# =============================================================================
def _process_frames_core(
frames_tensor: torch.Tensor,
args: argparse.Namespace,
device_id: str,
debug: Debug,
runner_cache: Optional[Dict[str, Any]] = None
) -> torch.Tensor:
"""
Core frame processing logic shared between worker and direct processing.
Executes the complete 4-phase pipeline: encode → upscale → decode → postprocess.
Supports both cached (direct) and non-cached (worker) execution modes.
Args:
frames_tensor: Input frames [T, H, W, C], Float16/Float32, range [0,1]
args: Command-line arguments with all processing settings
device_id: Device ID for inference ("0", "1", etc.)
debug: Debug instance for logging
runner_cache: Optional cache dict for model reuse (direct mode only)
Returns:
Upscaled frames tensor [T', H', W', C], Float32, range [0,1]
"""
# Determine platform and convert device IDs to full names
platform_type = get_gpu_backend()
inference_device = _device_id_to_name(device_id, platform_type)
# Parse offload devices (with caching defaults)
cache_dit = args.cache_dit if runner_cache is not None else False
cache_vae = args.cache_vae if runner_cache is not None else False
dit_offload = _parse_offload_device(args.dit_offload_device, platform_type, cache_dit)
vae_offload = _parse_offload_device(args.vae_offload_device, platform_type, cache_vae)
tensor_offload = _parse_offload_device(args.tensor_offload_device, platform_type, False)
# Setup or reuse generation context
if runner_cache is not None and 'ctx' in runner_cache:
ctx = runner_cache['ctx']
# Clear previous run data but keep device config
keys_to_keep = {'dit_device', 'vae_device', 'dit_offload_device',
'vae_offload_device', 'tensor_offload_device', 'compute_dtype'}
for key in list(ctx.keys()):
if key not in keys_to_keep:
del ctx[key]
else:
ctx = setup_generation_context(
dit_device=inference_device,
vae_device=inference_device,
dit_offload_device=dit_offload,
vae_offload_device=vae_offload,
tensor_offload_device=tensor_offload,
debug=debug
)
if runner_cache is not None:
runner_cache['ctx'] = ctx
# Build torch compile args
torch_compile_args_dit = None
torch_compile_args_vae = None
if args.compile_dit:
torch_compile_args_dit = {
"backend": args.compile_backend,
"mode": args.compile_mode,
"fullgraph": args.compile_fullgraph,
"dynamic": args.compile_dynamic,
"dynamo_cache_size_limit": args.compile_dynamo_cache_size_limit,
"dynamo_recompile_limit": args.compile_dynamo_recompile_limit,
}
if args.compile_vae:
torch_compile_args_vae = {
"backend": args.compile_backend,
"mode": args.compile_mode,
"fullgraph": args.compile_fullgraph,
"dynamic": args.compile_dynamic,
"dynamo_cache_size_limit": args.compile_dynamo_cache_size_limit,
"dynamo_recompile_limit": args.compile_dynamo_recompile_limit,
}
# Prepare runner with caching support
model_dir = args.model_dir if args.model_dir is not None else f"./models/{SEEDVR2_FOLDER_NAME}"
# Use fixed IDs for CLI caching when enabled
dit_id = "cli_dit" if cache_dit else None
vae_id = "cli_vae" if cache_vae else None
runner, cache_context = prepare_runner(
dit_model=args.dit_model,
vae_model=DEFAULT_VAE,
model_dir=model_dir,
debug=debug,
ctx=ctx,
dit_cache=cache_dit,
vae_cache=cache_vae,
dit_id=dit_id,
vae_id=vae_id,
block_swap_config={
'blocks_to_swap': args.blocks_to_swap,
'swap_io_components': args.swap_io_components,
'offload_device': dit_offload,
},
encode_tiled=args.vae_encode_tiled,
encode_tile_size=(args.vae_encode_tile_size, args.vae_encode_tile_size),
encode_tile_overlap=(args.vae_encode_tile_overlap, args.vae_encode_tile_overlap),
decode_tiled=args.vae_decode_tiled,
decode_tile_size=(args.vae_decode_tile_size, args.vae_decode_tile_size),
decode_tile_overlap=(args.vae_decode_tile_overlap, args.vae_decode_tile_overlap),
tile_debug=args.tile_debug.lower() if args.tile_debug else "false",
attention_mode=args.attention_mode,
torch_compile_args_dit=torch_compile_args_dit,
torch_compile_args_vae=torch_compile_args_vae
)
ctx['cache_context'] = cache_context
if runner_cache is not None:
runner_cache['runner'] = runner
# Preload text embeddings before Phase 1 to avoid sync stall in Phase 2
ctx['text_embeds'] = load_text_embeddings(script_directory, ctx['dit_device'], ctx['compute_dtype'], debug)
debug.log("Loaded text embeddings for DiT", category="dit")
# Compute generation info and log start (handles prepending internally)
frames_tensor, gen_info = compute_generation_info(
ctx=ctx,
images=frames_tensor,
resolution=args.resolution,
max_resolution=args.max_resolution,
batch_size=args.batch_size,
uniform_batch_size=args.uniform_batch_size,
seed=args.seed,
prepend_frames=args.prepend_frames,
temporal_overlap=args.temporal_overlap,
debug=debug
)
log_generation_start(gen_info, debug)
# Phase 1: Encode
ctx = encode_all_batches(
runner, ctx=ctx, images=frames_tensor,
debug=debug,
batch_size=args.batch_size,
uniform_batch_size=args.uniform_batch_size,
seed=args.seed,
progress_callback=None,
temporal_overlap=args.temporal_overlap,
resolution=args.resolution,
max_resolution=args.max_resolution,
input_noise_scale=args.input_noise_scale,
color_correction=args.color_correction
)
# Phase 2: Upscale
ctx = upscale_all_batches(
runner, ctx=ctx, debug=debug, progress_callback=None,
seed=args.seed,
latent_noise_scale=args.latent_noise_scale,
cache_model=cache_dit
)
# Phase 3: Decode
ctx = decode_all_batches(
runner, ctx=ctx, debug=debug, progress_callback=None,
cache_model=cache_vae
)
# Phase 4: Post-process
ctx = postprocess_all_batches(
ctx=ctx, debug=debug, progress_callback=None,
color_correction=args.color_correction,
prepend_frames=0, # Worker mode handles this in main process
temporal_overlap=args.temporal_overlap,