dagloop5 commited on
Commit
cf0e41e
·
verified ·
1 Parent(s): f6ce92e

Delete app(default).py

Browse files
Files changed (1) hide show
  1. app(default).py +0 -896
app(default).py DELETED
@@ -1,896 +0,0 @@
1
- import os
2
- import subprocess
3
- import sys
4
-
5
- # Disable torch.compile / dynamo before any torch import
6
- os.environ["TORCH_COMPILE_DISABLE"] = "1"
7
- os.environ["TORCHDYNAMO_DISABLE"] = "1"
8
-
9
- # Install xformers for memory-efficient attention
10
- subprocess.run([sys.executable, "-m", "pip", "install", "xformers==0.0.32.post2", "--no-build-isolation"], check=False)
11
-
12
- # Clone LTX-2 repo and install packages
13
- LTX_REPO_URL = "https://github.com/Lightricks/LTX-2.git"
14
- LTX_REPO_DIR = os.path.join(os.path.dirname(os.path.abspath(__file__)), "LTX-2")
15
-
16
- LTX_COMMIT = "ae855f8538843825f9015a419cf4ba5edaf5eec2" # known working commit with decode_video
17
-
18
- if not os.path.exists(LTX_REPO_DIR):
19
- print(f"Cloning {LTX_REPO_URL}...")
20
- subprocess.run(["git", "clone", LTX_REPO_URL, LTX_REPO_DIR], check=True)
21
- subprocess.run(["git", "checkout", LTX_COMMIT], cwd=LTX_REPO_DIR, check=True)
22
-
23
- print("Installing ltx-core and ltx-pipelines from cloned repo...")
24
- subprocess.run(
25
- [sys.executable, "-m", "pip", "install", "--force-reinstall", "--no-deps", "-e",
26
- os.path.join(LTX_REPO_DIR, "packages", "ltx-core"),
27
- "-e", os.path.join(LTX_REPO_DIR, "packages", "ltx-pipelines")],
28
- check=True,
29
- )
30
-
31
- sys.path.insert(0, os.path.join(LTX_REPO_DIR, "packages", "ltx-pipelines", "src"))
32
- sys.path.insert(0, os.path.join(LTX_REPO_DIR, "packages", "ltx-core", "src"))
33
-
34
- import logging
35
- import random
36
- import tempfile
37
- from pathlib import Path
38
- import gc
39
- import hashlib
40
-
41
- import torch
42
- torch._dynamo.config.suppress_errors = True
43
- torch._dynamo.config.disable = True
44
-
45
- import spaces
46
- import gradio as gr
47
- import numpy as np
48
- from huggingface_hub import hf_hub_download, snapshot_download
49
- from safetensors.torch import load_file, save_file
50
- from safetensors import safe_open
51
- import json
52
- import requests
53
-
54
- from ltx_core.components.diffusion_steps import EulerDiffusionStep
55
- from ltx_core.components.noisers import GaussianNoiser
56
- from ltx_core.model.audio_vae import encode_audio as vae_encode_audio
57
- from ltx_core.model.upsampler import upsample_video
58
- from ltx_core.model.video_vae import TilingConfig, get_video_chunks_number, decode_video as vae_decode_video
59
- from ltx_core.quantization import QuantizationPolicy
60
- from ltx_core.types import Audio, AudioLatentShape, VideoPixelShape
61
- from ltx_pipelines.distilled import DistilledPipeline
62
- from ltx_pipelines.utils import euler_denoising_loop
63
- from ltx_pipelines.utils.args import ImageConditioningInput
64
- from ltx_pipelines.utils.constants import DISTILLED_SIGMA_VALUES, STAGE_2_DISTILLED_SIGMA_VALUES
65
- from ltx_pipelines.utils.helpers import (
66
- cleanup_memory,
67
- combined_image_conditionings,
68
- denoise_video_only,
69
- encode_prompts,
70
- simple_denoising_func,
71
- )
72
- from ltx_pipelines.utils.media_io import decode_audio_from_file, encode_video
73
- from ltx_core.loader.primitives import LoraPathStrengthAndSDOps
74
- from ltx_core.loader.sd_ops import LTXV_LORA_COMFY_RENAMING_MAP
75
-
76
- # Force-patch xformers attention into the LTX attention module.
77
- from ltx_core.model.transformer import attention as _attn_mod
78
- print(f"[ATTN] Before patch: memory_efficient_attention={_attn_mod.memory_efficient_attention}")
79
- try:
80
- from xformers.ops import memory_efficient_attention as _mea
81
- _attn_mod.memory_efficient_attention = _mea
82
- print(f"[ATTN] After patch: memory_efficient_attention={_attn_mod.memory_efficient_attention}")
83
- except Exception as e:
84
- print(f"[ATTN] xformers patch FAILED: {type(e).__name__}: {e}")
85
-
86
- logging.getLogger().setLevel(logging.INFO)
87
-
88
- MAX_SEED = np.iinfo(np.int32).max
89
- DEFAULT_PROMPT = (
90
- "An astronaut hatches from a fragile egg on the surface of the Moon, "
91
- "the shell cracking and peeling apart in gentle low-gravity motion. "
92
- "Fine lunar dust lifts and drifts outward with each movement, floating "
93
- "in slow arcs before settling back onto the ground."
94
- )
95
- DEFAULT_FRAME_RATE = 24.0
96
-
97
- # Resolution presets: (width, height)
98
- RESOLUTIONS = {
99
- "high": {"16:9": (1536, 1024), "9:16": (1024, 1536), "1:1": (1024, 1024)},
100
- "low": {"16:9": (768, 512), "9:16": (512, 768), "1:1": (768, 768)},
101
- }
102
-
103
-
104
- class LTX23DistilledA2VPipeline(DistilledPipeline):
105
- """DistilledPipeline with optional audio conditioning."""
106
-
107
- def __call__(
108
- self,
109
- prompt: str,
110
- seed: int,
111
- height: int,
112
- width: int,
113
- num_frames: int,
114
- frame_rate: float,
115
- images: list[ImageConditioningInput],
116
- audio_path: str | None = None,
117
- tiling_config: TilingConfig | None = None,
118
- enhance_prompt: bool = False,
119
- ):
120
- # Standard path when no audio input is provided.
121
- print(prompt)
122
- if audio_path is None:
123
- return super().__call__(
124
- prompt=prompt,
125
- seed=seed,
126
- height=height,
127
- width=width,
128
- num_frames=num_frames,
129
- frame_rate=frame_rate,
130
- images=images,
131
- tiling_config=tiling_config,
132
- enhance_prompt=enhance_prompt,
133
- )
134
-
135
- generator = torch.Generator(device=self.device).manual_seed(seed)
136
- noiser = GaussianNoiser(generator=generator)
137
- stepper = EulerDiffusionStep()
138
- dtype = torch.bfloat16
139
-
140
- (ctx_p,) = encode_prompts(
141
- [prompt],
142
- self.model_ledger,
143
- enhance_first_prompt=enhance_prompt,
144
- enhance_prompt_image=images[0].path if len(images) > 0 else None,
145
- )
146
- video_context, audio_context = ctx_p.video_encoding, ctx_p.audio_encoding
147
-
148
- video_duration = num_frames / frame_rate
149
- decoded_audio = decode_audio_from_file(audio_path, self.device, 0.0, video_duration)
150
- if decoded_audio is None:
151
- raise ValueError(f"Could not extract audio stream from {audio_path}")
152
-
153
- encoded_audio_latent = vae_encode_audio(decoded_audio, self.model_ledger.audio_encoder())
154
- audio_shape = AudioLatentShape.from_duration(batch=1, duration=video_duration, channels=8, mel_bins=16)
155
- expected_frames = audio_shape.frames
156
- actual_frames = encoded_audio_latent.shape[2]
157
-
158
- if actual_frames > expected_frames:
159
- encoded_audio_latent = encoded_audio_latent[:, :, :expected_frames, :]
160
- elif actual_frames < expected_frames:
161
- pad = torch.zeros(
162
- encoded_audio_latent.shape[0],
163
- encoded_audio_latent.shape[1],
164
- expected_frames - actual_frames,
165
- encoded_audio_latent.shape[3],
166
- device=encoded_audio_latent.device,
167
- dtype=encoded_audio_latent.dtype,
168
- )
169
- encoded_audio_latent = torch.cat([encoded_audio_latent, pad], dim=2)
170
-
171
- video_encoder = self.model_ledger.video_encoder()
172
- transformer = self.model_ledger.transformer()
173
- stage_1_sigmas = torch.tensor(DISTILLED_SIGMA_VALUES, device=self.device)
174
-
175
- def denoising_loop(sigmas, video_state, audio_state, stepper):
176
- return euler_denoising_loop(
177
- sigmas=sigmas,
178
- video_state=video_state,
179
- audio_state=audio_state,
180
- stepper=stepper,
181
- denoise_fn=simple_denoising_func(
182
- video_context=video_context,
183
- audio_context=audio_context,
184
- transformer=transformer,
185
- ),
186
- )
187
-
188
- stage_1_output_shape = VideoPixelShape(
189
- batch=1,
190
- frames=num_frames,
191
- width=width // 2,
192
- height=height // 2,
193
- fps=frame_rate,
194
- )
195
- stage_1_conditionings = combined_image_conditionings(
196
- images=images,
197
- height=stage_1_output_shape.height,
198
- width=stage_1_output_shape.width,
199
- video_encoder=video_encoder,
200
- dtype=dtype,
201
- device=self.device,
202
- )
203
- video_state = denoise_video_only(
204
- output_shape=stage_1_output_shape,
205
- conditionings=stage_1_conditionings,
206
- noiser=noiser,
207
- sigmas=stage_1_sigmas,
208
- stepper=stepper,
209
- denoising_loop_fn=denoising_loop,
210
- components=self.pipeline_components,
211
- dtype=dtype,
212
- device=self.device,
213
- initial_audio_latent=encoded_audio_latent,
214
- )
215
-
216
- torch.cuda.synchronize()
217
- cleanup_memory()
218
-
219
- upscaled_video_latent = upsample_video(
220
- latent=video_state.latent[:1],
221
- video_encoder=video_encoder,
222
- upsampler=self.model_ledger.spatial_upsampler(),
223
- )
224
- stage_2_sigmas = torch.tensor(STAGE_2_DISTILLED_SIGMA_VALUES, device=self.device)
225
- stage_2_output_shape = VideoPixelShape(batch=1, frames=num_frames, width=width, height=height, fps=frame_rate)
226
- stage_2_conditionings = combined_image_conditionings(
227
- images=images,
228
- height=stage_2_output_shape.height,
229
- width=stage_2_output_shape.width,
230
- video_encoder=video_encoder,
231
- dtype=dtype,
232
- device=self.device,
233
- )
234
- video_state = denoise_video_only(
235
- output_shape=stage_2_output_shape,
236
- conditionings=stage_2_conditionings,
237
- noiser=noiser,
238
- sigmas=stage_2_sigmas,
239
- stepper=stepper,
240
- denoising_loop_fn=denoising_loop,
241
- components=self.pipeline_components,
242
- dtype=dtype,
243
- device=self.device,
244
- noise_scale=stage_2_sigmas[0],
245
- initial_video_latent=upscaled_video_latent,
246
- initial_audio_latent=encoded_audio_latent,
247
- )
248
-
249
- torch.cuda.synchronize()
250
- del transformer
251
- del video_encoder
252
- cleanup_memory()
253
-
254
- decoded_video = vae_decode_video(
255
- video_state.latent,
256
- self.model_ledger.video_decoder(),
257
- tiling_config,
258
- generator,
259
- )
260
- original_audio = Audio(
261
- waveform=decoded_audio.waveform.squeeze(0),
262
- sampling_rate=decoded_audio.sampling_rate,
263
- )
264
- return decoded_video, original_audio
265
-
266
-
267
- # Model repos
268
- LTX_MODEL_REPO = "Lightricks/LTX-2.3"
269
- GEMMA_REPO ="Lightricks/gemma-3-12b-it-qat-q4_0-unquantized"
270
-
271
- # Download model checkpoints
272
- print("=" * 80)
273
- print("Downloading LTX-2.3 distilled model + Gemma...")
274
- print("=" * 80)
275
-
276
- # LoRA cache directory and currently-applied key
277
- LORA_CACHE_DIR = Path("lora_cache")
278
- LORA_CACHE_DIR.mkdir(exist_ok=True)
279
- current_lora_key: str | None = None
280
-
281
- PENDING_LORA_KEY: str | None = None
282
- PENDING_LORA_STATE: dict[str, torch.Tensor] | None = None
283
- PENDING_LORA_STATUS: str = "No LoRA state prepared yet."
284
-
285
- weights_dir = Path("weights")
286
- weights_dir.mkdir(exist_ok=True)
287
- checkpoint_path = hf_hub_download(
288
- repo_id=LTX_MODEL_REPO,
289
- filename="ltx-2.3-22b-distilled-1.1.safetensors",
290
- local_dir=str(weights_dir),
291
- local_dir_use_symlinks=False,
292
- )
293
- spatial_upsampler_path = hf_hub_download(repo_id=LTX_MODEL_REPO, filename="ltx-2.3-spatial-upscaler-x2-1.1.safetensors")
294
- gemma_root = snapshot_download(repo_id=GEMMA_REPO)
295
-
296
-
297
- # ---- Insert block (LoRA downloads) between lines 268 and 269 ----
298
- # LoRA repo + download the requested LoRA adapters
299
- LORA_REPO = "dagloop5/LoRA"
300
-
301
- print("=" * 80)
302
- print("Downloading LoRA adapters from dagloop5/LoRA...")
303
- print("=" * 80)
304
- pose_lora_path = hf_hub_download(repo_id=LORA_REPO, filename="LTX2_3_NSFW_furry_concat_v2.safetensors")
305
- general_lora_path = hf_hub_download(repo_id=LORA_REPO, filename="LTX2.3_reasoning_I2V_V3.safetensors")
306
- motion_lora_path = hf_hub_download(repo_id=LORA_REPO, filename="motion_helper.safetensors")
307
- dreamlay_lora_path = hf_hub_download(repo_id=LORA_REPO, filename="DR34ML4Y_LTXXX_PREVIEW_RC1.safetensors") # m15510n4ry, bl0wj0b, d0ubl3_bj, d0gg1e, c0wg1rl
308
- mself_lora_path = hf_hub_download(repo_id=LORA_REPO, filename="Furry Hyper Masturbation - LTX-2 I2V v1.safetensors") # Hyperfap
309
- dramatic_lora_path = hf_hub_download(repo_id=LORA_REPO, filename="LTX-2.3 - Orgasm.safetensors") # "[He | She] is having am orgasm." (am or an?)
310
- fluid_lora_path = hf_hub_download(repo_id=LORA_REPO, filename="cr3ampi3_animation_i2v_ltx2_v1.0.safetensors") # cr3ampi3 animation., missionary animation, doggystyle bouncy animation, double penetration animation
311
- liquid_lora_path = hf_hub_download(repo_id=LORA_REPO, filename="liquid_wet_dr1pp_ltx2_v1.0_scaled.safetensors") # wet dr1pp
312
- demopose_lora_path = hf_hub_download(repo_id=LORA_REPO, filename="clapping-cheeks-audio-v001-alpha.safetensors")
313
- voice_lora_path = hf_hub_download(repo_id=LORA_REPO, filename="hentai_voice_ltx23.safetensors")
314
- realism_lora_path = hf_hub_download(repo_id=LORA_REPO, filename="FurryenhancerLTX2.3V1.215.safetensors")
315
- transition_lora_path = hf_hub_download(repo_id=LORA_REPO, filename="LTX-2_takerpov_lora_v1.2.safetensors") # takerpov1, taker pov
316
-
317
- print(f"Pose LoRA: {pose_lora_path}")
318
- print(f"General LoRA: {general_lora_path}")
319
- print(f"Motion LoRA: {motion_lora_path}")
320
- print(f"Dreamlay LoRA: {dreamlay_lora_path}")
321
- print(f"Mself LoRA: {mself_lora_path}")
322
- print(f"Dramatic LoRA: {dramatic_lora_path}")
323
- print(f"Fluid LoRA: {fluid_lora_path}")
324
- print(f"Liquid LoRA: {liquid_lora_path}")
325
- print(f"Demopose LoRA: {demopose_lora_path}")
326
- print(f"Voice LoRA: {voice_lora_path}")
327
- print(f"Realism LoRA: {realism_lora_path}")
328
- print(f"Transition LoRA: {transition_lora_path}")
329
- # ----------------------------------------------------------------
330
-
331
- print(f"Checkpoint: {checkpoint_path}")
332
- print(f"Spatial upsampler: {spatial_upsampler_path}")
333
- print(f"[Gemma] Root ready: {gemma_root}")
334
-
335
- # Initialize pipeline WITH text encoder and optional audio support
336
- # ---- Replace block (pipeline init) lines 275-281 ----
337
- pipeline = LTX23DistilledA2VPipeline(
338
- distilled_checkpoint_path=checkpoint_path,
339
- spatial_upsampler_path=spatial_upsampler_path,
340
- gemma_root=gemma_root,
341
- loras=[],
342
- quantization=QuantizationPolicy.fp8_cast(), # keep FP8 quantization unchanged
343
- )
344
- # ----------------------------------------------------------------
345
-
346
- def _make_lora_key(pose_strength: float, general_strength: float, motion_strength: float, dreamlay_strength: float, mself_strength: float, dramatic_strength: float, fluid_strength: float, liquid_strength: float, demopose_strength: float, voice_strength: float, realism_strength: float, transition_strength: float) -> tuple[str, str]:
347
- rp = round(float(pose_strength), 2)
348
- rg = round(float(general_strength), 2)
349
- rm = round(float(motion_strength), 2)
350
- rd = round(float(dreamlay_strength), 2)
351
- rs = round(float(mself_strength), 2)
352
- rr = round(float(dramatic_strength), 2)
353
- rf = round(float(fluid_strength), 2)
354
- rl = round(float(liquid_strength), 2)
355
- ro = round(float(demopose_strength), 2)
356
- rv = round(float(voice_strength), 2)
357
- re = round(float(realism_strength), 2)
358
- rt = round(float(transition_strength), 2)
359
- key_str = f"{pose_lora_path}:{rp}|{general_lora_path}:{rg}|{motion_lora_path}:{rm}|{dreamlay_lora_path}:{rd}|{mself_lora_path}:{rs}|{dramatic_lora_path}:{rr}|{fluid_lora_path}:{rf}|{liquid_lora_path}:{rl}|{demopose_lora_path}:{ro}|{voice_lora_path}:{rv}|{realism_lora_path}:{re}|{transition_lora_path}:{rt}"
360
- key = hashlib.sha256(key_str.encode("utf-8")).hexdigest()
361
- return key, key_str
362
-
363
-
364
- def prepare_lora_cache(
365
- pose_strength: float,
366
- general_strength: float,
367
- motion_strength: float,
368
- dreamlay_strength: float,
369
- mself_strength: float,
370
- dramatic_strength: float,
371
- fluid_strength: float,
372
- liquid_strength: float,
373
- demopose_strength: float,
374
- voice_strength: float,
375
- realism_strength: float,
376
- transition_strength: float,
377
- progress=gr.Progress(track_tqdm=True),
378
- ):
379
- """
380
- CPU-only step:
381
- - checks cache
382
- - loads cached fused transformer state_dict, or
383
- - builds fused transformer on CPU and saves it
384
- The resulting state_dict is stored in memory and can be applied later.
385
- """
386
- global PENDING_LORA_KEY, PENDING_LORA_STATE, PENDING_LORA_STATUS
387
-
388
- ledger = pipeline.model_ledger
389
- key, _ = _make_lora_key(pose_strength, general_strength, motion_strength, dreamlay_strength, mself_strength, dramatic_strength, fluid_strength, liquid_strength, demopose_strength, voice_strength, realism_strength, transition_strength)
390
- cache_path = LORA_CACHE_DIR / f"{key}.safetensors"
391
-
392
- progress(0.05, desc="Preparing LoRA state")
393
- if cache_path.exists():
394
- try:
395
- progress(0.20, desc="Loading cached fused state")
396
- state = load_file(str(cache_path))
397
- PENDING_LORA_KEY = key
398
- PENDING_LORA_STATE = state
399
- PENDING_LORA_STATUS = f"Loaded cached LoRA state: {cache_path.name}"
400
- return PENDING_LORA_STATUS
401
- except Exception as e:
402
- print(f"[LoRA] Cache load failed: {type(e).__name__}: {e}")
403
-
404
- entries = [
405
- (pose_lora_path, round(float(pose_strength), 2)),
406
- (general_lora_path, round(float(general_strength), 2)),
407
- (motion_lora_path, round(float(motion_strength), 2)),
408
- (dreamlay_lora_path, round(float(dreamlay_strength), 2)),
409
- (mself_lora_path, round(float(mself_strength), 2)),
410
- (dramatic_lora_path, round(float(dramatic_strength), 2)),
411
- (fluid_lora_path, round(float(fluid_strength), 2)),
412
- (liquid_lora_path, round(float(liquid_strength), 2)),
413
- (demopose_lora_path, round(float(demopose_strength), 2)),
414
- (voice_lora_path, round(float(voice_strength), 2)),
415
- (realism_lora_path, round(float(realism_strength), 2)),
416
- (transition_lora_path, round(float(transition_strength), 2)),
417
- ]
418
- loras_for_builder = [
419
- LoraPathStrengthAndSDOps(path, strength, LTXV_LORA_COMFY_RENAMING_MAP)
420
- for path, strength in entries
421
- if path is not None and float(strength) != 0.0
422
- ]
423
-
424
- if not loras_for_builder:
425
- PENDING_LORA_KEY = None
426
- PENDING_LORA_STATE = None
427
- PENDING_LORA_STATUS = "No non-zero LoRA strengths selected; nothing to prepare."
428
- return PENDING_LORA_STATUS
429
-
430
- tmp_ledger = None
431
- new_transformer_cpu = None
432
- try:
433
- progress(0.35, desc="Building fused CPU transformer")
434
- tmp_ledger = pipeline.model_ledger.__class__(
435
- dtype=ledger.dtype,
436
- device=torch.device("cpu"),
437
- checkpoint_path=str(checkpoint_path),
438
- spatial_upsampler_path=str(spatial_upsampler_path),
439
- gemma_root_path=str(gemma_root),
440
- loras=tuple(loras_for_builder),
441
- quantization=getattr(ledger, "quantization", None),
442
- )
443
- new_transformer_cpu = tmp_ledger.transformer()
444
-
445
- progress(0.70, desc="Extracting fused state_dict")
446
- state = {
447
- k: v.detach().cpu().contiguous()
448
- for k, v in new_transformer_cpu.state_dict().items()
449
- }
450
- save_file(state, str(cache_path))
451
-
452
- PENDING_LORA_KEY = key
453
- PENDING_LORA_STATE = state
454
- PENDING_LORA_STATUS = f"Built and cached LoRA state: {cache_path.name}"
455
- return PENDING_LORA_STATUS
456
-
457
- except Exception as e:
458
- import traceback
459
- print(f"[LoRA] Prepare failed: {type(e).__name__}: {e}")
460
- print(traceback.format_exc())
461
- PENDING_LORA_KEY = None
462
- PENDING_LORA_STATE = None
463
- PENDING_LORA_STATUS = f"LoRA prepare failed: {type(e).__name__}: {e}"
464
- return PENDING_LORA_STATUS
465
-
466
- finally:
467
- try:
468
- del new_transformer_cpu
469
- except Exception:
470
- pass
471
- try:
472
- del tmp_ledger
473
- except Exception:
474
- pass
475
- gc.collect()
476
-
477
-
478
- def apply_prepared_lora_state_to_pipeline():
479
- """
480
- Fast step: copy the already prepared CPU state into the live transformer.
481
- This is the only part that should remain near generation time.
482
- """
483
- global current_lora_key, PENDING_LORA_KEY, PENDING_LORA_STATE
484
-
485
- if PENDING_LORA_STATE is None or PENDING_LORA_KEY is None:
486
- print("[LoRA] No prepared LoRA state available; skipping.")
487
- return False
488
-
489
- if current_lora_key == PENDING_LORA_KEY:
490
- print("[LoRA] Prepared LoRA state already active; skipping.")
491
- return True
492
-
493
- existing_transformer = _transformer
494
- with torch.no_grad():
495
- missing, unexpected = existing_transformer.load_state_dict(PENDING_LORA_STATE, strict=False)
496
- if missing or unexpected:
497
- print(f"[LoRA] load_state_dict mismatch: missing={len(missing)}, unexpected={len(unexpected)}")
498
-
499
- current_lora_key = PENDING_LORA_KEY
500
- print("[LoRA] Prepared LoRA state applied to the pipeline.")
501
- return True
502
-
503
- # ---- REPLACE PRELOAD BLOCK START ----
504
- # Preload all models for ZeroGPU tensor packing.
505
- print("Preloading all models (including Gemma and audio components)...")
506
- ledger = pipeline.model_ledger
507
-
508
- # Save the original factory methods so we can rebuild individual components later.
509
- # These are bound callables on ledger that will call the builder when invoked.
510
- _orig_transformer_factory = ledger.transformer
511
- _orig_video_encoder_factory = ledger.video_encoder
512
- _orig_video_decoder_factory = ledger.video_decoder
513
- _orig_audio_encoder_factory = ledger.audio_encoder
514
- _orig_audio_decoder_factory = ledger.audio_decoder
515
- _orig_vocoder_factory = ledger.vocoder
516
- _orig_spatial_upsampler_factory = ledger.spatial_upsampler
517
- _orig_text_encoder_factory = ledger.text_encoder
518
- _orig_gemma_embeddings_factory = ledger.gemma_embeddings_processor
519
-
520
- # Call the original factories once to create the cached instances we will serve by default.
521
- _transformer = _orig_transformer_factory()
522
- _video_encoder = _orig_video_encoder_factory()
523
- _video_decoder = _orig_video_decoder_factory()
524
- _audio_encoder = _orig_audio_encoder_factory()
525
- _audio_decoder = _orig_audio_decoder_factory()
526
- _vocoder = _orig_vocoder_factory()
527
- _spatial_upsampler = _orig_spatial_upsampler_factory()
528
- _text_encoder = _orig_text_encoder_factory()
529
- _embeddings_processor = _orig_gemma_embeddings_factory()
530
-
531
- # Replace ledger methods with lightweight lambdas that return the cached instances.
532
- # We keep the original factories above so we can call them later to rebuild components.
533
- ledger.transformer = lambda: _transformer
534
- ledger.video_encoder = lambda: _video_encoder
535
- ledger.video_decoder = lambda: _video_decoder
536
- ledger.audio_encoder = lambda: _audio_encoder
537
- ledger.audio_decoder = lambda: _audio_decoder
538
- ledger.vocoder = lambda: _vocoder
539
- ledger.spatial_upsampler = lambda: _spatial_upsampler
540
- ledger.text_encoder = lambda: _text_encoder
541
- ledger.gemma_embeddings_processor = lambda: _embeddings_processor
542
-
543
- print("All models preloaded (including Gemma text encoder and audio encoder)!")
544
- # ---- REPLACE PRELOAD BLOCK END ----
545
-
546
- print("=" * 80)
547
- print("Pipeline ready!")
548
- print("=" * 80)
549
-
550
-
551
- def log_memory(tag: str):
552
- if torch.cuda.is_available():
553
- allocated = torch.cuda.memory_allocated() / 1024**3
554
- peak = torch.cuda.max_memory_allocated() / 1024**3
555
- free, total = torch.cuda.mem_get_info()
556
- print(f"[VRAM {tag}] allocated={allocated:.2f}GB peak={peak:.2f}GB free={free / 1024**3:.2f}GB total={total / 1024**3:.2f}GB")
557
-
558
-
559
- def detect_aspect_ratio(image) -> str:
560
- if image is None:
561
- return "16:9"
562
- if hasattr(image, "size"):
563
- w, h = image.size
564
- elif hasattr(image, "shape"):
565
- h, w = image.shape[:2]
566
- else:
567
- return "16:9"
568
- ratio = w / h
569
- candidates = {"16:9": 16 / 9, "9:16": 9 / 16, "1:1": 1.0}
570
- return min(candidates, key=lambda k: abs(ratio - candidates[k]))
571
-
572
-
573
- def on_image_upload(first_image, last_image, high_res):
574
- ref_image = first_image if first_image is not None else last_image
575
- aspect = detect_aspect_ratio(ref_image)
576
- tier = "high" if high_res else "low"
577
- w, h = RESOLUTIONS[tier][aspect]
578
- return gr.update(value=w), gr.update(value=h)
579
-
580
-
581
- def on_highres_toggle(first_image, last_image, high_res):
582
- ref_image = first_image if first_image is not None else last_image
583
- aspect = detect_aspect_ratio(ref_image)
584
- tier = "high" if high_res else "low"
585
- w, h = RESOLUTIONS[tier][aspect]
586
- return gr.update(value=w), gr.update(value=h)
587
-
588
-
589
- def get_gpu_duration(
590
- first_image,
591
- last_image,
592
- input_audio,
593
- prompt: str,
594
- duration: float,
595
- gpu_duration: float,
596
- enhance_prompt: bool = True,
597
- seed: int = 42,
598
- randomize_seed: bool = True,
599
- height: int = 1024,
600
- width: int = 1536,
601
- pose_strength: float = 0.0,
602
- general_strength: float = 0.0,
603
- motion_strength: float = 0.0,
604
- dreamlay_strength: float = 0.0,
605
- mself_strength: float = 0.0,
606
- dramatic_strength: float = 0.0,
607
- fluid_strength: float = 0.0,
608
- liquid_strength: float = 0.0,
609
- demopose_strength: float = 0.0,
610
- voice_strength: float = 0.0,
611
- realism_strength: float = 0.0,
612
- transition_strength: float = 0.0,
613
- progress=None,
614
- ):
615
- return int(gpu_duration)
616
-
617
- @spaces.GPU(duration=get_gpu_duration)
618
- @torch.inference_mode()
619
- def generate_video(
620
- first_image,
621
- last_image,
622
- input_audio,
623
- prompt: str,
624
- duration: float,
625
- gpu_duration: float,
626
- enhance_prompt: bool = True,
627
- seed: int = 42,
628
- randomize_seed: bool = True,
629
- height: int = 1024,
630
- width: int = 1536,
631
- pose_strength: float = 0.0,
632
- general_strength: float = 0.0,
633
- motion_strength: float = 0.0,
634
- dreamlay_strength: float = 0.0,
635
- mself_strength: float = 0.0,
636
- dramatic_strength: float = 0.0,
637
- fluid_strength: float = 0.0,
638
- liquid_strength: float = 0.0,
639
- demopose_strength: float = 0.0,
640
- voice_strength: float = 0.0,
641
- realism_strength: float = 0.0,
642
- transition_strength: float = 0.0,
643
- progress=gr.Progress(track_tqdm=True),
644
- ):
645
- try:
646
- torch.cuda.reset_peak_memory_stats()
647
- log_memory("start")
648
-
649
- current_seed = random.randint(0, MAX_SEED) if randomize_seed else int(seed)
650
-
651
- frame_rate = DEFAULT_FRAME_RATE
652
- num_frames = int(duration * frame_rate) + 1
653
- num_frames = ((num_frames - 1 + 7) // 8) * 8 + 1
654
-
655
- print(f"Generating: {height}x{width}, {num_frames} frames ({duration}s), seed={current_seed}")
656
-
657
- images = []
658
- output_dir = Path("outputs")
659
- output_dir.mkdir(exist_ok=True)
660
-
661
- if first_image is not None:
662
- temp_first_path = output_dir / f"temp_first_{current_seed}.jpg"
663
- if hasattr(first_image, "save"):
664
- first_image.save(temp_first_path)
665
- else:
666
- temp_first_path = Path(first_image)
667
- images.append(ImageConditioningInput(path=str(temp_first_path), frame_idx=0, strength=1.0))
668
-
669
- if last_image is not None:
670
- temp_last_path = output_dir / f"temp_last_{current_seed}.jpg"
671
- if hasattr(last_image, "save"):
672
- last_image.save(temp_last_path)
673
- else:
674
- temp_last_path = Path(last_image)
675
- images.append(ImageConditioningInput(path=str(temp_last_path), frame_idx=num_frames - 1, strength=1.0))
676
-
677
- tiling_config = TilingConfig.default()
678
- video_chunks_number = get_video_chunks_number(num_frames, tiling_config)
679
-
680
- log_memory("before pipeline call")
681
-
682
- apply_prepared_lora_state_to_pipeline()
683
-
684
- video, audio = pipeline(
685
- prompt=prompt,
686
- seed=current_seed,
687
- height=int(height),
688
- width=int(width),
689
- num_frames=num_frames,
690
- frame_rate=frame_rate,
691
- images=images,
692
- audio_path=input_audio,
693
- tiling_config=tiling_config,
694
- enhance_prompt=enhance_prompt,
695
- )
696
-
697
- log_memory("after pipeline call")
698
-
699
- output_path = tempfile.mktemp(suffix=".mp4")
700
- encode_video(
701
- video=video,
702
- fps=frame_rate,
703
- audio=audio,
704
- output_path=output_path,
705
- video_chunks_number=video_chunks_number,
706
- )
707
-
708
- log_memory("after encode_video")
709
- return str(output_path), current_seed
710
-
711
- except Exception as e:
712
- import traceback
713
- log_memory("on error")
714
- print(f"Error: {str(e)}\n{traceback.format_exc()}")
715
- return None, current_seed
716
-
717
-
718
- with gr.Blocks(title="LTX-2.3 Distilled") as demo:
719
- gr.Markdown("# LTX-2.3 F2LF with Fast Audio-Video Generation with Frame Conditioning")
720
-
721
-
722
- with gr.Row():
723
- with gr.Column():
724
- with gr.Row():
725
- first_image = gr.Image(label="First Frame (Optional)", type="pil")
726
- last_image = gr.Image(label="Last Frame (Optional)", type="pil")
727
- input_audio = gr.Audio(label="Audio Input (Optional)", type="filepath")
728
- prompt = gr.Textbox(
729
- label="Prompt",
730
- info="for best results - make it as elaborate as possible",
731
- value="Make this image come alive with cinematic motion, smooth animation",
732
- lines=3,
733
- placeholder="Describe the motion and animation you want...",
734
- )
735
- duration = gr.Slider(label="Duration (seconds)", minimum=1.0, maximum=30.0, value=10.0, step=0.1)
736
-
737
-
738
- generate_btn = gr.Button("Generate Video", variant="primary", size="lg")
739
-
740
- with gr.Accordion("Advanced Settings", open=False):
741
- seed = gr.Slider(label="Seed", minimum=0, maximum=MAX_SEED, value=10, step=1)
742
- randomize_seed = gr.Checkbox(label="Randomize Seed", value=True)
743
- with gr.Row():
744
- width = gr.Number(label="Width", value=1536, precision=0)
745
- height = gr.Number(label="Height", value=1024, precision=0)
746
- with gr.Row():
747
- enhance_prompt = gr.Checkbox(label="Enhance Prompt", value=False)
748
- high_res = gr.Checkbox(label="High Resolution", value=True)
749
- with gr.Column():
750
- gr.Markdown("### LoRA adapter strengths (set to 0 to disable; slow and WIP)")
751
- pose_strength = gr.Slider(
752
- label="Anthro Enhancer strength",
753
- minimum=0.0, maximum=2.0, value=0.0, step=0.01
754
- )
755
- general_strength = gr.Slider(
756
- label="Reasoning Enhancer strength",
757
- minimum=0.0, maximum=2.0, value=0.0, step=0.01
758
- )
759
- motion_strength = gr.Slider(
760
- label="Anthro Posing Helper strength",
761
- minimum=0.0, maximum=2.0, value=0.0, step=0.01
762
- )
763
- dreamlay_strength = gr.Slider(
764
- label="Dreamlay strength",
765
- minimum=0.0, maximum=2.0, value=0.0, step=0.01
766
- )
767
- mself_strength = gr.Slider(
768
- label="Mself strength",
769
- minimum=0.0, maximum=2.0, value=0.0, step=0.01
770
- )
771
- dramatic_strength = gr.Slider(
772
- label="Dramatic strength",
773
- minimum=0.0, maximum=2.0, value=0.0, step=0.01
774
- )
775
- fluid_strength = gr.Slider(
776
- label="Fluid Helper strength",
777
- minimum=0.0, maximum=2.0, value=0.0, step=0.01
778
- )
779
- liquid_strength = gr.Slider(
780
- label="Liquid Helper strength",
781
- minimum=0.0, maximum=2.0, value=0.0, step=0.01
782
- )
783
- demopose_strength = gr.Slider(
784
- label="Audio Helper strength",
785
- minimum=0.0, maximum=2.0, value=0.0, step=0.01
786
- )
787
- voice_strength = gr.Slider(
788
- label="Voice Helper strength",
789
- minimum=0.0, maximum=2.0, value=0.0, step=0.01
790
- )
791
- realism_strength = gr.Slider(
792
- label="Anthro Realism strength",
793
- minimum=0.0, maximum=2.0, value=0.0, step=0.01
794
- )
795
- transition_strength = gr.Slider(
796
- label="POV strength",
797
- minimum=0.0, maximum=2.0, value=0.0, step=0.01
798
- )
799
- prepare_lora_btn = gr.Button("Prepare / Load LoRA Cache", variant="secondary")
800
- lora_status = gr.Textbox(
801
- label="LoRA Cache Status",
802
- value="No LoRA state prepared yet.",
803
- interactive=False,
804
- )
805
-
806
- with gr.Column():
807
- output_video = gr.Video(label="Generated Video", autoplay=False)
808
- gpu_duration = gr.Slider(
809
- label="ZeroGPU duration (seconds; 10 second Img2Vid with 1024x1024 and LoRAs = ~70)",
810
- minimum=30.0,
811
- maximum=240.0,
812
- value=75.0,
813
- step=1.0,
814
- )
815
-
816
- gr.Examples(
817
- examples=[
818
- [
819
- None,
820
- "pinkknit.jpg",
821
- None,
822
- "The camera falls downward through darkness as if dropped into a tunnel. "
823
- "As it slows, five friends wearing pink knitted hats and sunglasses lean "
824
- "over and look down toward the camera with curious expressions. The lens "
825
- "has a strong fisheye effect, creating a circular frame around them. They "
826
- "crowd together closely, forming a symmetrical cluster while staring "
827
- "directly into the lens.",
828
- 3.0,
829
- 80.0,
830
- False,
831
- 42,
832
- True,
833
- 1024,
834
- 1024,
835
- 0.0, # pose_strength (example)
836
- 0.0, # general_strength (example)
837
- 0.0, # motion_strength (example)
838
- 0.0,
839
- 0.0,
840
- 0.0,
841
- 0.0,
842
- 0.0,
843
- 0.0,
844
- 0.0,
845
- 0.0,
846
- 0.0,
847
- ],
848
- ],
849
- inputs=[
850
- first_image, last_image, input_audio, prompt, duration, gpu_duration,
851
- enhance_prompt, seed, randomize_seed, height, width,
852
- pose_strength, general_strength, motion_strength, dreamlay_strength, mself_strength, dramatic_strength, fluid_strength, liquid_strength, demopose_strength, voice_strength, realism_strength, transition_strength,
853
- ],
854
- )
855
-
856
- first_image.change(
857
- fn=on_image_upload,
858
- inputs=[first_image, last_image, high_res],
859
- outputs=[width, height],
860
- )
861
-
862
- last_image.change(
863
- fn=on_image_upload,
864
- inputs=[first_image, last_image, high_res],
865
- outputs=[width, height],
866
- )
867
-
868
- high_res.change(
869
- fn=on_highres_toggle,
870
- inputs=[first_image, last_image, high_res],
871
- outputs=[width, height],
872
- )
873
-
874
- prepare_lora_btn.click(
875
- fn=prepare_lora_cache,
876
- inputs=[pose_strength, general_strength, motion_strength, dreamlay_strength, mself_strength, dramatic_strength, fluid_strength, liquid_strength, demopose_strength, voice_strength, realism_strength, transition_strength],
877
- outputs=[lora_status],
878
- )
879
-
880
- generate_btn.click(
881
- fn=generate_video,
882
- inputs=[
883
- first_image, last_image, input_audio, prompt, duration, gpu_duration, enhance_prompt,
884
- seed, randomize_seed, height, width,
885
- pose_strength, general_strength, motion_strength, dreamlay_strength, mself_strength, dramatic_strength, fluid_strength, liquid_strength, demopose_strength, voice_strength, realism_strength, transition_strength,
886
- ],
887
- outputs=[output_video, seed],
888
- )
889
-
890
-
891
- css = """
892
- .fillable{max-width: 1200px !important}
893
- """
894
-
895
- if __name__ == "__main__":
896
- demo.launch(theme=gr.themes.Citrus(), css=css)