Eueuiaa commited on
Commit
972cb1c
·
verified ·
1 Parent(s): fab489d

Upload app (1).py

Browse files
Files changed (1) hide show
  1. app (1).py +213 -0
app (1).py ADDED
@@ -0,0 +1,213 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # app.py (Versão Corrigida)
2
+
3
+ import gradio as gr
4
+ from PIL import Image
5
+ import os
6
+ import imageio
7
+ from api.ltx_server import video_generation_service
8
+
9
+
10
+ from huggingface_hub import logging
11
+
12
+
13
+ logging.set_verbosity_error()
14
+ logging.set_verbosity_warning()
15
+ logging.set_verbosity_info()
16
+ logging.set_verbosity_debug()
17
+
18
+
19
+
20
+ # --- FUNÇÕES DE AJUDA PARA A UI ---
21
+ # ... (calculate_new_dimensions e handle_media_upload_for_dims permanecem as mesmas) ...
22
+ TARGET_FIXED_SIDE = 768
23
+ MIN_DIM_SLIDER = 256
24
+ MAX_IMAGE_SIZE = 1280
25
+
26
+ def calculate_new_dimensions(orig_w, orig_h):
27
+ if orig_w == 0 or orig_h == 0: return int(TARGET_FIXED_SIDE), int(TARGET_FIXED_SIDE)
28
+ if orig_w >= orig_h:
29
+ new_h, aspect_ratio = TARGET_FIXED_SIDE, orig_w / orig_h
30
+ new_w = round((new_h * aspect_ratio) / 32) * 32
31
+ new_w = max(MIN_DIM_SLIDER, min(new_w, MAX_IMAGE_SIZE))
32
+ new_h = max(MIN_DIM_SLIDER, min(new_h, MAX_IMAGE_SIZE))
33
+ else:
34
+ new_w, aspect_ratio = TARGET_FIXED_SIDE, orig_h / orig_w
35
+ new_h = round((new_w * aspect_ratio) / 32) * 32
36
+ new_h = max(MIN_DIM_SLIDER, min(new_h, MAX_IMAGE_SIZE))
37
+ new_w = max(MIN_DIM_SLIDER, min(new_w, MAX_IMAGE_SIZE))
38
+ return int(new_h), int(new_w)
39
+
40
+ def handle_media_upload_for_dims(filepath, current_h, current_w):
41
+ if not filepath or not os.path.exists(str(filepath)): return gr.update(value=current_h), gr.update(value=current_w)
42
+ try:
43
+ if str(filepath).lower().endswith(('.png', '.jpg', '.jpeg', '.webp')):
44
+ with Image.open(filepath) as img:
45
+ orig_w, orig_h = img.size
46
+ else: # Assumir que é um vídeo
47
+ with imageio.get_reader(filepath) as reader:
48
+ meta = reader.get_meta_data()
49
+ orig_w, orig_h = meta.get('size', (current_w, current_h))
50
+ new_h, new_w = calculate_new_dimensions(orig_w, orig_h)
51
+ return gr.update(value=new_h), gr.update(value=new_w)
52
+ except Exception as e:
53
+ print(f"Erro ao processar mídia para dimensões: {e}")
54
+ return gr.update(value=current_h), gr.update(value=current_w)
55
+
56
+ def update_frame_slider(duration):
57
+ """Atualiza o valor máximo do slider de frame do meio com base na duração."""
58
+ fps = 24.0
59
+ max_frames = int(duration * fps)
60
+ # Garante que o valor padrão não seja maior que o novo máximo
61
+ new_value = 48 if max_frames >= 48 else max_frames // 2
62
+ return gr.update(maximum=max_frames, value=new_value)
63
+
64
+
65
+ # --- FUNÇÃO WRAPPER PARA CHAMAR O SERVIÇO ---
66
+ def gradio_generate_wrapper(
67
+ prompt, negative_prompt, mode,
68
+ # Entradas de Keyframe
69
+ start_image,
70
+ middle_image, middle_frame, middle_weight,
71
+ end_image, end_weight,
72
+ # Outras entradas
73
+ input_video, height, width, duration,
74
+ frames_to_use, seed, randomize_seed,
75
+ guidance_scale, improve_texture,
76
+ progress=gr.Progress(track_tqdm=True)
77
+ ):
78
+ try:
79
+ def progress_handler(step, total_steps):
80
+ progress(step / total_steps, desc="Salvando vídeo...")
81
+
82
+ output_path, used_seed = video_generation_service.generate(
83
+ prompt=prompt, negative_prompt=negative_prompt, mode=mode,
84
+ start_image_filepath=start_image,
85
+ middle_image_filepath=middle_image,
86
+ middle_frame_number=middle_frame,
87
+ middle_image_weight=middle_weight,
88
+ end_image_filepath=end_image,
89
+ end_image_weight=end_weight,
90
+ input_video_filepath=input_video,
91
+ height=int(height), width=int(width), duration=float(duration),
92
+ frames_to_use=int(frames_to_use), seed=int(seed),
93
+ randomize_seed=bool(randomize_seed), guidance_scale=float(guidance_scale),
94
+ improve_texture=bool(improve_texture), progress_callback=progress_handler
95
+ )
96
+ return output_path, used_seed
97
+ except ValueError as e:
98
+ raise gr.Error(str(e))
99
+ except Exception as e:
100
+ print(f"Erro inesperado na geração: {e}")
101
+ raise gr.Error("Ocorreu um erro inesperado. Verifique os logs.")
102
+
103
+ # --- DEFINIÇÃO DA INTERFACE GRADIO ---
104
+ css = "#col-container { margin: 0 auto; max-width: 900px; }"
105
+ with gr.Blocks(css=css) as demo:
106
+ gr.Markdown("# LTX Video com Keyframes")
107
+ gr.Markdown("Guie a geração de vídeo usando imagens de início, meio e fim.")
108
+
109
+ with gr.Row():
110
+ with gr.Column():
111
+ with gr.Tab("image-to-video (Keyframes)") as image_tab:
112
+ i2v_prompt = gr.Textbox(label="Prompt", value="Uma bela transição entre as imagens", lines=2)
113
+
114
+ with gr.Row():
115
+ with gr.Column(scale=1):
116
+ gr.Markdown("#### Início (Obrigatório)")
117
+ start_image_i2v = gr.Image(label="Imagem de Início", type="filepath", sources=["upload", "clipboard"])
118
+ with gr.Column(scale=1):
119
+ gr.Markdown("#### Meio (Opcional)")
120
+ middle_image_i2v = gr.Image(label="Imagem do Meio", type="filepath", sources=["upload", "clipboard"])
121
+ middle_frame_i2v = gr.Slider(label="Frame Alvo", minimum=0, maximum=200, step=1, value=48)
122
+ middle_weight_i2v = gr.Slider(label="Peso/Força", minimum=0.0, maximum=1.0, step=0.05, value=1.0)
123
+ with gr.Column(scale=1):
124
+ gr.Markdown("#### Fim (Opcional)")
125
+ end_image_i2v = gr.Image(label="Imagem de Fim", type="filepath", sources=["upload", "clipboard"])
126
+ end_weight_i2v = gr.Slider(label="Peso/Força", minimum=0.0, maximum=1.0, step=0.05, value=1.0)
127
+
128
+ i2v_button = gr.Button("Generate Image-to-Video", variant="primary")
129
+
130
+ with gr.Tab("text-to-video") as text_tab:
131
+ t2v_prompt = gr.Textbox(label="Prompt", value="A majestic dragon flying over a medieval castle", lines=3)
132
+ t2v_button = gr.Button("Generate Text-to-Video", variant="primary")
133
+
134
+ with gr.Tab("video-to-video") as video_tab:
135
+ video_v2v = gr.Video(label="Input Video", sources=["upload", "webcam"])
136
+ frames_to_use = gr.Slider(label="Frames to use from input video", minimum=9, maximum=257, value=9, step=8, info="Must be N*8+1.")
137
+ v2v_prompt = gr.Textbox(label="Prompt", value="Change the style to cinematic anime", lines=3)
138
+ v2v_button = gr.Button("Generate Video-to-Video", variant="primary")
139
+
140
+ duration_input = gr.Slider(label="Video Duration (seconds)", minimum=1, maximum=30, value=8, step=0.5)
141
+ improve_texture = gr.Checkbox(label="Improve Texture (multi-scale)", value=True, visible=True)
142
+
143
+ with gr.Column():
144
+ output_video = gr.Video(label="Generated Video", interactive=False)
145
+
146
+ with gr.Accordion("Advanced settings", open=False):
147
+ mode = gr.Dropdown(["text-to-video", "image-to-video", "video-to-video"], label="task", value="image-to-video", visible=False)
148
+ negative_prompt_input = gr.Textbox(label="Negative Prompt", value="worst quality, blurry, jittery", lines=2)
149
+ with gr.Row():
150
+ seed_input = gr.Number(label="Seed", value=42, precision=0)
151
+ randomize_seed_input = gr.Checkbox(label="Randomize Seed", value=True)
152
+ guidance_scale_input = gr.Slider(label="Guidance Scale (CFG)", minimum=1.0, maximum=10.0, value=3.0, step=0.1)
153
+ with gr.Row():
154
+ height_input = gr.Slider(label="Height", value=512, step=32, minimum=MIN_DIM_SLIDER, maximum=MAX_IMAGE_SIZE)
155
+ width_input = gr.Slider(label="Width", value=704, step=32, minimum=MIN_DIM_SLIDER, maximum=MAX_IMAGE_SIZE)
156
+
157
+ # --- LÓGICA DE EVENTOS DA UI ---
158
+
159
+ start_image_i2v.upload(fn=handle_media_upload_for_dims, inputs=[start_image_i2v, height_input, width_input], outputs=[height_input, width_input])
160
+ video_v2v.upload(fn=handle_media_upload_for_dims, inputs=[video_v2v, height_input, width_input], outputs=[height_input, width_input])
161
+ duration_input.change(fn=update_frame_slider, inputs=duration_input, outputs=middle_frame_i2v)
162
+
163
+ image_tab.select(fn=lambda: "image-to-video", outputs=[mode])
164
+ text_tab.select(fn=lambda: "text-to-video", outputs=[mode])
165
+ video_tab.select(fn=lambda: "video-to-video", outputs=[mode])
166
+
167
+ # --- <INÍCIO DA CORREÇÃO> ---
168
+ # Reescrevendo as listas de inputs de forma explícita para evitar erros.
169
+
170
+ # Placeholders para os botões que não usam certos inputs
171
+ none_image = gr.Textbox(visible=False, value=None)
172
+ none_video = gr.Textbox(visible=False, value=None)
173
+
174
+ # Parâmetros comuns a todos
175
+ shared_params = [
176
+ height_input, width_input, duration_input, frames_to_use,
177
+ seed_input, randomize_seed_input, guidance_scale_input, improve_texture
178
+ ]
179
+
180
+ i2v_inputs = [
181
+ i2v_prompt, negative_prompt_input, mode,
182
+ start_image_i2v, middle_image_i2v, middle_frame_i2v, middle_weight_i2v,
183
+ end_image_i2v, end_weight_i2v,
184
+ none_video, # Placeholder para input_video
185
+ *shared_params
186
+ ]
187
+
188
+ t2v_inputs = [
189
+ t2v_prompt, negative_prompt_input, mode,
190
+ none_image, none_image, gr.Number(value=-1, visible=False), gr.Slider(value=0, visible=False), # Placeholders para keyframes
191
+ none_image, gr.Slider(value=0, visible=False),
192
+ none_video, # Placeholder para input_video
193
+ *shared_params
194
+ ]
195
+
196
+ v2v_inputs = [
197
+ v2v_prompt, negative_prompt_input, mode,
198
+ none_image, none_image, gr.Number(value=-1, visible=False), gr.Slider(value=0, visible=False), # Placeholders para keyframes
199
+ none_image, gr.Slider(value=0, visible=False),
200
+ video_v2v, # Input de vídeo real
201
+ *shared_params
202
+ ]
203
+
204
+ common_outputs = [output_video, seed_input]
205
+
206
+ i2v_button.click(fn=gradio_generate_wrapper, inputs=i2v_inputs, outputs=common_outputs, api_name="image_to_video_keyframes")
207
+ t2v_button.click(fn=gradio_generate_wrapper, inputs=t2v_inputs, outputs=common_outputs, api_name="text_to_video")
208
+ v2v_button.click(fn=gradio_generate_wrapper, inputs=v2v_inputs, outputs=common_outputs, api_name="video_to_video")
209
+ # --- <FIM DA CORREÇÃO> ---
210
+
211
+
212
+ if __name__ == "__main__":
213
+ demo.queue().launch(debug=True, share=False)