File size: 10,525 Bytes
e96b000 c5caf0b cc681b6 c5caf0b 82ba512 c2a50cd 82ba512 c2a50cd 82ba512 c5caf0b 82ba512 c5caf0b 82ba512 c5caf0b e96b000 c5caf0b e96b000 82ba512 e96b000 82ba512 c5caf0b 8ce28d0 c5caf0b 82ba512 c5caf0b 82ba512 c5caf0b 82ba512 c5caf0b 8ce28d0 82ba512 c5caf0b 82ba512 c5caf0b e96b000 cc681b6 8ce28d0 cc681b6 8ce28d0 cc681b6 8ce28d0 82ba512 cc681b6 8ce28d0 e96b000 c5caf0b 82ba512 c5caf0b 2470e7d c5caf0b cc681b6 8ce28d0 cc681b6 82ba512 e96b000 c5caf0b 82ba512 c5caf0b 82ba512 c5caf0b 8ce28d0 2470e7d cc681b6 8ce28d0 cc681b6 e96b000 c5caf0b 82ba512 8ce28d0 c5caf0b e96b000 82ba512 c5caf0b cc681b6 c5caf0b cc681b6 c5caf0b cc681b6 c5caf0b 8ce28d0 c5caf0b 8ce28d0 2470e7d 8ce28d0 c5caf0b e96b000 2470e7d cc681b6 c5caf0b 8ce28d0 cc681b6 2470e7d 8ce28d0 2470e7d 8ce28d0 2470e7d e96b000 2470e7d c5caf0b 2470e7d 8ce28d0 2470e7d 8ce28d0 2470e7d cc681b6 2470e7d 8ce28d0 e96b000 8ce28d0 2470e7d e96b000 c5caf0b 8ce28d0 2470e7d 8ce28d0 2470e7d 8ce28d0 2470e7d e96b000 8ce28d0 2470e7d c5caf0b c2a50cd c5caf0b cc681b6 c5caf0b 8ce28d0 c5caf0b 82ba512 c5caf0b 8ce28d0 c5caf0b 82ba512 c5caf0b 8ce28d0 c5caf0b 82ba512 cb90617 c5caf0b 82ba512 |
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 |
import os, time, base64, mimetypes, requests, traceback, glob
from dataclasses import dataclass
from typing import Optional, Dict, Any, Generator, List
import gradio as gr
from dotenv import load_dotenv
from tenacity import retry, stop_after_attempt, wait_exponential, retry_if_exception_type
# -------- OpenAI SDK (guarded import) --------
try:
from openai import OpenAI
from openai import RateLimitError, APIConnectionError, APIStatusError
except Exception:
OpenAI = None
RateLimitError = APIConnectionError = APIStatusError = Exception # fallback
load_dotenv()
ENV_FALLBACK_KEY = (os.getenv("OPENAI_API_KEY") or "").strip()
ALLOWED_MODELS = ["sora-2", "sora-2-pro", "sora"]
ALLOWED_SIZES = ["1280x720","720x1280","1792x1024","1024x1792","1920x1080","1080x1920"]
TMP_PATH = "/tmp/sora_output.mp4"
@dataclass
class JobStatus:
status: str
error: Optional[str] = None
output_url: Optional[str] = None
output_b64: Optional[str] = None
# -------- Minimal housekeeping to keep disk usage tiny --------
def _startup_cleanup_tmp():
try:
now = time.time()
for p in glob.glob("/tmp/*.mp4"):
try:
if now - os.path.getmtime(p) > 3600:
os.remove(p)
except Exception:
pass
except Exception:
pass
_startup_cleanup_tmp()
# -------- Utilities --------
def _file_to_b64(path: str) -> str:
with open(path, "rb") as f:
return base64.b64encode(f.read()).decode("utf-8")
def _sanitize_prompt(p: str) -> str:
p = (p or "").strip()
if not p: raise ValueError("Prompt is required.")
if len(p) > 8000: p = p[:8000]
return p
def _validate_duration(d: int) -> int:
try: d = int(d)
except: d = 10
return max(1, min(d, 30))
def _validate_guidance(g: float) -> float:
try: g = float(g)
except: g = 7.5
return max(0.0, min(g, 20.0))
def _validate_model(m: str) -> str:
return m if m in ALLOWED_MODELS else "sora-2"
def _validate_size(s: str) -> str:
return s if s in ALLOWED_SIZES else "1280x720"
def _make_client(user_key: Optional[str]) -> OpenAI:
if OpenAI is None:
raise RuntimeError("OpenAI SDK failed to import. Check requirements.txt and rebuild.")
key = (user_key or "").strip() or ENV_FALLBACK_KEY
if not key:
raise ValueError("Missing API key. Paste a valid OpenAI API key.")
return OpenAI(api_key=key)
# -------- Networking (no persistent downloads) --------
from requests import RequestException as ReqErr
_OAI_EXC = tuple(e for e in [RateLimitError, APIConnectionError, APIStatusError] if isinstance(e, type)) or (Exception,)
@retry(
retry=retry_if_exception_type(_OAI_EXC),
wait=wait_exponential(multiplier=1, min=1, max=8),
stop=stop_after_attempt(5),
reraise=True,
)
def _videos_generate(client: OpenAI, **kwargs) -> Any:
# Try new Videos API
if hasattr(client, "videos") and hasattr(client.videos, "generate"):
try: return client.videos.generate(**kwargs)
except Exception as e_a: last_a = e_a
else:
last_a = "client.videos.generate not found"
# Fallback Jobs API
if hasattr(client, "videos") and hasattr(client.videos, "jobs") and hasattr(client.videos.jobs, "create"):
try: return client.videos.jobs.create(**kwargs)
except Exception as e_b:
raise RuntimeError(f"videos.generate failed/absent: {last_a}\njobs.create failed: {e_b}")
raise RuntimeError("No videos endpoints on this SDK/account. Update openai package or check org access.")
@retry(
retry=retry_if_exception_type(_OAI_EXC),
wait=wait_exponential(multiplier=1, min=1, max=8),
stop=stop_after_attempt(120),
reraise=True,
)
def _videos_retrieve(client: OpenAI, job_id: str) -> Any:
if hasattr(client, "videos") and hasattr(client.videos, "retrieve"):
try: return client.videos.retrieve(job_id)
except Exception: pass
if hasattr(client, "videos") and hasattr(client.videos, "jobs") and hasattr(client.videos.jobs, "retrieve"):
return client.videos.jobs.retrieve(job_id)
raise RuntimeError("No videos.retrieve or videos.jobs.retrieve on this SDK/account.")
def _extract_status(resp: Any) -> JobStatus:
status = getattr(resp, "status", None) or getattr(resp, "state", None) or "unknown"
err = None; out_url = None; out_b64 = None
output = getattr(resp, "output", None) or getattr(resp, "result", None)
if output:
out_b64 = getattr(output, "b64_mp4", None) or getattr(output, "b64_video", None)
out_url = getattr(output, "url", None) or getattr(output, "video_url", None)
artifacts = getattr(output, "artifacts", None)
if artifacts and isinstance(artifacts, list):
for a in artifacts:
out_b64 = out_b64 or getattr(a, "b64_mp4", None) or getattr(a, "b64_video", None)
out_url = out_url or getattr(a, "url", None)
err_obj = getattr(resp, "error", None)
if err_obj:
err = getattr(err_obj, "message", None) or str(err_obj)
return JobStatus(status=status, error=err, output_url=out_url, output_b64=out_b64)
# -------- Core (STREAMING; yields LISTS matching outputs) --------
def generate_video_stream(
api_key: str,
prompt: str,
model: str,
duration: int,
size: str,
seed: int,
audio: str,
guidance: float,
init_image: Optional[str],
) -> Generator[List[Any], None, None]:
# Immediate UI tick
yield [gr.update(), "Starting…"]
# Setup
try:
client = _make_client(api_key)
except Exception as e_init:
yield [gr.update(), f"Setup error: {e_init}"]; return
# Validate
try:
prompt = _sanitize_prompt(prompt)
model = _validate_model(model)
duration = _validate_duration(duration)
size = _validate_size(size)
guidance = _validate_guidance(guidance)
audio = "on" if audio == "on" else "off"
if init_image:
mt, _ = mimetypes.guess_type(init_image)
if not (mt and mt.startswith("image/")):
yield [gr.update(), "Provided conditioning file isn’t an image."]; return
req: Dict[str, Any] = {
"model": model,
"prompt": prompt,
"duration": duration,
"size": size,
"audio": audio,
"guidance": guidance,
}
if seed and int(seed) > 0: req["seed"] = int(seed)
if init_image: req["image"] = {"b64": _file_to_b64(init_image)}
except Exception as e_val:
yield [gr.update(), f"Validation error: {e_val}"]; return
# Submit
try:
yield [gr.update(), "Submitting job…"]
job = _videos_generate(client, **req)
job_id = getattr(job, "id", None) or getattr(job, "job_id", None)
if not job_id:
yield [gr.update(), f"Could not get a job id. Raw job object: {repr(job)}"]; return
yield [gr.update(), f"Job accepted → id={job_id}"]
except _OAI_EXC as oe:
yield [gr.update(), f"OpenAI API issue on submit: {oe}"]; return
except Exception as e_submit:
yield [gr.update(), f"Submit error: {e_submit}\n{traceback.format_exc(limit=2)}"]; return
# Poll
start = time.time(); last_emit = 0
while True:
try:
status_obj = _videos_retrieve(client, job_id)
js = _extract_status(status_obj)
except _OAI_EXC as oe:
yield [gr.update(), f"OpenAI API issue on poll: {oe}"]; return
except Exception as e_poll:
yield [gr.update(), f"Polling error: {e_poll}\n{traceback.format_exc(limit=2)}"]; return
now = time.time()
if now - last_emit > 5:
last_emit = now
yield [gr.update(), f"Rendering… status={js.status}"]
if js.status in ("succeeded", "completed", "complete"):
# Disk-safe: prefer URL; only use /tmp for b64
if js.output_url:
yield [js.output_url, f"Ready (URL). Done with {model} ({size}, {duration}s)."]; return
if js.output_b64:
try:
with open(TMP_PATH, "wb") as f:
f.write(base64.b64decode(js.output_b64))
yield [TMP_PATH, f"Done with {model} ({size}, {duration}s)."]; return
except Exception as werr:
yield [gr.update(), f"Write error: {werr}"]; return
yield [gr.update(), "Job succeeded but no video payload was returned."]; return
if js.status in ("failed", "error", "canceled", "cancelled"):
detail = f"Status: {js.status}."
if js.error: detail += f" Error: {js.error}"
yield [gr.update(), detail]; return
if now - start > 1800:
yield [gr.update(), "Timed out waiting for the video. Try shorter duration."]; return
time.sleep(2)
# -------- UI --------
def build_ui():
with gr.Blocks(title="ZEN — Sora / Sora-2 / Sora-2-Pro") as demo:
gr.Markdown("## ZEN — Sora / Sora-2 / Sora-2-Pro (OpenAI Videos API)")
gr.Markdown("Paste an OpenAI API key (not stored). Zero persistent downloads; /tmp is reused/cleaned.")
with gr.Row():
api_key = gr.Textbox(label="OpenAI API key (not stored)", type="password", placeholder="sk-...", value="")
model = gr.Dropdown(ALLOWED_MODELS, value="sora-2", label="Model")
size = gr.Dropdown(ALLOWED_SIZES, value="1280x720", label="Resolution")
with gr.Row():
duration = gr.Slider(1, 30, value=10, step=1, label="Duration (seconds)")
seed = gr.Number(value=0, precision=0, label="Seed (0 = random)")
guidance = gr.Slider(0.0, 20.0, value=7.5, step=0.5, label="Guidance")
audio = gr.Dropdown(["on","off"], value="on", label="Audio")
prompt = gr.Textbox(label="Prompt", lines=8, placeholder="Cinematic wide drone shot at sunrise…")
init_image = gr.Image(label="Optional image (conditioning)", type="filepath")
go = gr.Button("Generate", variant="primary")
video = gr.Video(label="Result", autoplay=True)
status = gr.Textbox(label="Status / Logs", interactive=False)
go.click(fn=generate_video_stream,
inputs=[api_key, prompt, model, duration, size, seed, audio, guidance, init_image],
outputs=[video, status])
return demo
demo = build_ui()
if __name__ == "__main__":
demo.launch()
|