File size: 14,449 Bytes
467c85e 3ff0143 54d620e 467c85e de132df be1294b 467c85e 54d620e be1294b 467c85e 54d620e 467c85e 54d620e de132df 467c85e de132df 467c85e be1294b 467c85e 42bdcb2 467c85e de132df 467c85e de132df 467c85e 42bdcb2 467c85e 42bdcb2 54d620e 3ff0143 de132df 42bdcb2 3ff0143 be1294b 42bdcb2 54d620e 42bdcb2 be1294b 42bdcb2 be1294b 3ff0143 42bdcb2 3ff0143 42bdcb2 de132df 467c85e 3ff0143 de132df 3ff0143 467c85e 42bdcb2 3ff0143 42bdcb2 467c85e 42bdcb2 467c85e 42bdcb2 de132df 42bdcb2 de132df 42bdcb2 de132df 42bdcb2 de132df 467c85e be1294b 467c85e de132df 467c85e de132df 467c85e de132df 467c85e de132df 467c85e de132df 467c85e 42bdcb2 3ff0143 42bdcb2 54d620e 3ff0143 42bdcb2 3ff0143 de132df 54d620e de132df 3ff0143 de132df 42bdcb2 3ff0143 42bdcb2 de132df 3ff0143 de132df 3ff0143 467c85e de132df 3ff0143 42bdcb2 467c85e de132df | 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 | import os
import requests
import json
import gradio as gr
from openai import OpenAI
import uuid
import time
import io
import yaml
import random
import traceback
import tempfile
from PIL import Image
from PIL.PngImagePlugin import PngInfo
from huggingface_hub import InferenceClient
from google import genai
from google.genai import types
from .config import (
GEMINI_API_KEY, OLLAMA_HOST, OLLAMA_PORT, COMFY_URL,
COMFY_WORKFLOW_FILE, PROMPTS_FILE, HF_TOKEN, HF_BASE_URL,
HF_TEXT_MODEL, HF_IMAGE_MODEL, GEMINI_TEXT_MODEL,
GEMINI_IMAGE_MODEL
)
# Setup Gemini
client = None
gemini_active = False
if GEMINI_API_KEY:
try:
client = genai.Client(api_key=GEMINI_API_KEY)
gemini_active = True
except Exception as e:
print(f"Error initializing Gemini: {e}")
# Setup Hugging Face Router
hf_client = None
if HF_TOKEN:
try:
hf_client = OpenAI(
base_url=HF_BASE_URL,
api_key=HF_TOKEN,
)
except Exception as e:
print(f"Error initializing HF Client: {e}")
def load_system_prompt(key="refinement"):
"""Loads a system prompt from prompts.yaml."""
try:
with open(PROMPTS_FILE, "r") as f:
prompts = yaml.safe_load(f)
return prompts.get(key, {}).get("system_instructions", "")
except Exception as e:
print(f"Error loading system prompt: {e}")
return ""
def get_ollama_models():
"""Fetches available models from Ollama server and checks if it's running."""
url = f"http://{OLLAMA_HOST}:{OLLAMA_PORT}/api/tags"
try:
response = requests.get(url, timeout=2)
if response.status_code == 200:
models = response.json().get("models", [])
return [m["name"] for m in models]
return []
except Exception:
return []
def check_comfy_availability():
"""Checks if ComfyUI is running by pinging the URL."""
try:
response = requests.get(f"{COMFY_URL}/system_stats", timeout=2)
return response.status_code == 200
except Exception:
return False
def refine_with_gemini(prompt, mode="refinement"):
if not gemini_active:
return "Gemini API key not found in .env file."
system_prompt = load_system_prompt(mode)
if not system_prompt:
system_prompt = (
"You are an expert prompt engineer for AI image generators. "
"Your task is to take the provided technical prompt and refine it into a more vivid, "
"artistic, and detailed description while maintaining all the core features."
)
try:
response = client.models.generate_content(
model=GEMINI_TEXT_MODEL,
config=types.GenerateContentConfig(
system_instruction=system_prompt,
temperature=0.7,
),
contents=[prompt]
)
return response.text.strip()
except Exception as e:
print(f"Gemini Refinement Error: {e}")
traceback.print_exc()
return None
def refine_with_ollama(prompt, model, mode="refinement"):
"""Refines the prompt using a local Ollama instance."""
system_prompt = load_system_prompt(mode)
url = f"http://{OLLAMA_HOST}:{OLLAMA_PORT}/api/generate"
payload = {
"model": model,
"prompt": f"{system_prompt}\n\nOriginal Prompt: {prompt}",
"stream": False
}
try:
response = requests.post(url, json=payload)
response.raise_for_status()
text = response.json().get("response", "").strip()
# Clean up potential markdown
if text.startswith("```"):
lines = text.splitlines()
if lines[0].startswith("```"): lines = lines[1:]
if lines and lines[-1].startswith("```"): lines = lines[:-1]
text = "\n".join(lines).strip()
return text
except Exception as e:
print(f"Ollama Refinement Error: {e}")
return None
def refine_with_hf(prompt, model_id=None, provider=None, token=None, mode="refinement"):
"""Refines the prompt using Hugging Face Router (OpenAI compatible)."""
active_client = hf_client
# If a manual token is provided, create a temporary client
if token:
try:
active_client = OpenAI(
base_url=HF_BASE_URL,
api_key=token,
)
except Exception as e:
return f"Error initializing manual HF Client: {e}"
if not active_client:
return "Error: Hugging Face token not found. Please log in or provide a token."
system_prompt = load_system_prompt(mode)
active_model = model_id if model_id else HF_TEXT_MODEL
active_provider = provider if provider and provider.strip() else "auto"
try:
messages = [
{"role": "system", "content": system_prompt},
{"role": "user", "content": f"Original Prompt: {prompt}"}
]
# Note: Provider for Chat Completions is currently handled by the route or specific model naming conventions.
# But we pass it if the client supports it or for future use.
response = active_client.chat.completions.create(
model=active_model,
messages=messages,
max_tokens=500,
temperature=0.7,
extra_body={"provider": active_provider}
)
return response.choices[0].message.content.strip()
except Exception as e:
print(f"HF Refinement Error: {e}")
return None
def refine_master(prompt, backend, ollama_model, hf_text_model, hf_text_provider, manual_token=None, character_name=None):
"""Routes prompt refinement to the selected backend."""
if not prompt.strip():
return ""
# Prioritizes manual token
hf_token = manual_token.strip() if manual_token and manual_token.strip() else None
if backend == "Ollama (Local)":
result = refine_with_ollama(prompt, ollama_model, mode="refinement")
elif backend == "Hugging Face (Cloud)":
result = refine_with_hf(prompt, hf_text_model, hf_text_provider, hf_token, mode="refinement")
else:
result = refine_with_gemini(prompt, mode="refinement")
if result is None:
return gr.update(), f"⚠️ Refinement failed. Check console for details. Original prompt preserved."
return result, ""
def generate_name_master(prompt, backend, ollama_model, hf_text_model, hf_text_provider, manual_token=None):
"""Generates a thematic name based on the current prompt context."""
if not prompt.strip():
return "Unnamed Hero"
hf_token = manual_token.strip() if manual_token and manual_token.strip() else None
if backend == "Ollama (Local)":
result = refine_with_ollama(prompt, ollama_model, mode="naming")
elif backend == "Hugging Face (Cloud)":
result = refine_with_hf(prompt, hf_text_model, hf_text_provider, hf_token, mode="naming")
else:
result = refine_with_gemini(prompt, mode="naming")
return result if result else "Unnamed Hero"
def generate_image_with_gemini(refined_prompt, technical_prompt, aspect_ratio, character_name="Unnamed Hero"):
if not gemini_active:
return None, None, "Gemini API key not found in .env file."
final_prompt = refined_prompt.strip() if refined_prompt and refined_prompt.strip() else technical_prompt.strip()
if not final_prompt:
return None, None, "No prompt available for generation."
try:
response = client.models.generate_images(
model=GEMINI_IMAGE_MODEL,
prompt=final_prompt,
config=types.GenerateImagesConfig(
aspect_ratio=aspect_ratio,
output_mime_type='image/png'
)
)
if response.generated_images:
img = Image.open(io.BytesIO(response.generated_images[0].image.image_bytes))
# Embed metadata
metadata = PngInfo()
metadata.add_text("Comment", final_prompt)
metadata.add_text("CharacterName", character_name)
safe_name = "".join([c if c.isalnum() else "_" for c in character_name]).strip("_")
filename = f"{safe_name}_portrait_gemini.png" if safe_name else "rpg_portrait_gemini.png"
temp_dir = tempfile.mkdtemp()
img_path = os.path.join(temp_dir, filename)
img.save(img_path, "PNG", pnginfo=metadata)
return img, img_path, f"Image generated using {'refined' if refined_prompt.strip() else 'technical'} prompt!"
return None, None, "Gemini Image generation did not return any images."
except Exception as e:
traceback.print_exc()
return None, None, f"Image Generation Error: {e}"
def generate_image_with_comfy(prompt, aspect_ratio, character_name="Unnamed Hero"):
"""Generates an image using a local ComfyUI instance."""
if not os.path.exists(COMFY_WORKFLOW_FILE):
return None, None, f"Error: Workflow file {COMFY_WORKFLOW_FILE} not found."
try:
with open(COMFY_WORKFLOW_FILE, 'r') as f:
workflow = json.load(f)
workflow["6"]["inputs"]["text"] = prompt
res_map = {
"1:1": (1024, 1024),
"16:9": (1344, 768),
"9:16": (768, 1344),
"4:3": (1152, 864),
"3:4": (864, 1152)
}
width, height = res_map.get(aspect_ratio, (1024, 1024))
workflow["13"]["inputs"]["width"] = width
workflow["13"]["inputs"]["height"] = height
workflow["38"]["inputs"]["seed"] = random.randint(1, 1125899906842624)
client_id = str(uuid.uuid4())
payload = {"prompt": workflow, "client_id": client_id}
response = requests.post(f"{COMFY_URL}/prompt", json=payload)
response.raise_for_status()
prompt_id = response.json().get("prompt_id")
max_retries = 60
for _ in range(max_retries):
hist_resp = requests.get(f"{COMFY_URL}/history/{prompt_id}")
if hist_resp.status_code == 200:
history = hist_resp.json()
if prompt_id in history:
outputs = history[prompt_id].get("outputs", {})
for node_id in outputs:
if "images" in outputs[node_id]:
image_data = outputs[node_id]["images"][0]
img_url = f"{COMFY_URL}/view?filename={image_data['filename']}&subfolder={image_data['subfolder']}&type={image_data['type']}"
img_resp = requests.get(img_url)
img_resp.raise_for_status()
img = Image.open(io.BytesIO(img_resp.content))
# Embed metadata
metadata = PngInfo()
metadata.add_text("Comment", prompt)
metadata.add_text("CharacterName", character_name)
safe_name = "".join([c if c.isalnum() else "_" for c in character_name]).strip("_")
filename = f"{safe_name}_portrait_comfy.png" if safe_name else "rpg_portrait_comfy.png"
temp_dir = tempfile.mkdtemp()
img_path = os.path.join(temp_dir, filename)
img.save(img_path, "PNG", pnginfo=metadata)
return img, img_path, f"Image generated via ComfyUI!"
time.sleep(1)
return None, None, "ComfyUI generation timed out."
except Exception as e:
traceback.print_exc()
return None, None, f"ComfyUI Error: {e}"
def generate_image_with_hf(prompt, aspect_ratio, model_id=None, provider=None, token=None, character_name="Unnamed Hero"):
"""Generates an image using Hugging Face Inference API."""
active_token = token if token else HF_TOKEN
if not active_token:
return None, None, "Error: Hugging Face token not found. Please log in or provide a token."
active_model = model_id if model_id else HF_IMAGE_MODEL
active_provider = provider if provider and provider.strip() else "auto"
# Resolution mapping
res_map = {
"1:1": (1024, 1024),
"16:9": (1344, 768),
"9:16": (768, 1344),
"4:3": (1152, 864),
"3:4": (864, 1152)
}
width, height = res_map.get(aspect_ratio, (1024, 1024))
try:
client = InferenceClient(api_key=active_token, provider=active_provider)
img = client.text_to_image(prompt, model=active_model, width=width, height=height)
# Embed metadata
metadata = PngInfo()
metadata.add_text("Comment", prompt)
metadata.add_text("CharacterName", character_name)
safe_name = "".join([c if c.isalnum() else "_" for c in character_name]).strip("_")
filename = f"{safe_name}_portrait_hf.png" if safe_name else "rpg_portrait_hf.png"
temp_dir = tempfile.mkdtemp()
img_path = os.path.join(temp_dir, filename)
img.save(img_path, "PNG", pnginfo=metadata)
return img, img_path, f"Image generated via Hugging Face ({active_model})!"
except Exception as e:
traceback.print_exc()
return None, None, f"Hugging Face Image Error: {e}"
def generate_image_master(refined_prompt, technical_prompt, aspect_ratio, backend, hf_image_model, hf_image_provider, manual_token=None, character_name="Unnamed Hero"):
"""Routes image generation to the selected backend."""
final_prompt = refined_prompt.strip() if refined_prompt.strip() else technical_prompt
# Prioritizes manual token
hf_token = manual_token.strip() if manual_token and manual_token.strip() else None
if backend == "ComfyUI (Local)":
return generate_image_with_comfy(final_prompt, aspect_ratio, character_name)
elif backend == "Hugging Face (Cloud)":
return generate_image_with_hf(final_prompt, aspect_ratio, hf_image_model, hf_image_provider, hf_token, character_name)
else:
return generate_image_with_gemini(refined_prompt, technical_prompt, aspect_ratio, character_name)
|