File size: 15,284 Bytes
82cd620 62ca882 82cd620 62ca882 e85935e 62ca882 0929775 82cd620 4b1882e 0813fab 4b1882e 0813fab 4b1882e 4b969ec 0813fab 4b969ec 0813fab 4b969ec 0813fab 4b1882e 62ca882 0813fab 62ca882 4b969ec 91029ea 2737f09 7de6fb0 e85935e 4b969ec e85935e 4b969ec 7de6fb0 4b969ec e85935e 4b969ec 0a551d8 e85935e 2737f09 e85935e 2737f09 e85935e 62ca882 7de6fb0 e85935e 4b969ec e85935e 7de6fb0 4b969ec e85935e 4b969ec 7de6fb0 4b969ec e85935e 17f2aa0 62ca882 2737f09 62ca882 4b969ec 62ca882 17f2aa0 f52e89d 0929775 17f2aa0 82cd620 0813fab 82cd620 4b969ec 82cd620 17f2aa0 f5b389c 17f2aa0 f5b389c 1214215 f5b389c 1214215 f5b389c 17f2aa0 f0509cb 0813fab f0509cb 4b1882e f5b389c f0509cb f5b389c 73c7fd9 1214215 73c7fd9 1214215 f5b389c e4a312a 1214215 a1277da 1214215 f5b389c 675c27f f5b389c f0509cb f5b389c 675c27f 1214215 f0509cb f5b389c f0509cb f5b389c f0509cb 1214215 7de6fb0 1214215 f5b389c 7de6fb0 17f2aa0 f0509cb 0813fab f0509cb 0813fab f5b389c f0509cb f5b389c f0509cb 0813fab 17f2aa0 0813fab 82cd620 0813fab 82cd620 | 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 | import os
import time
from datetime import datetime
from fastapi import FastAPI, UploadFile, Form
from fastapi.responses import FileResponse, JSONResponse
from fastapi.middleware.cors import CORSMiddleware
from PIL import Image
from PIL import ImageFilter, ImageOps
from rembg import remove
import google.generativeai as genai # Gemini SDK
import gradio as gr
import uvicorn
from dotenv import load_dotenv
import threading
# ---------------------------
# LOAD CONFIG
# ---------------------------
load_dotenv()
# Use consistent env key
api_key = os.getenv("GEMINI_API_KEY") or os.getenv("GOOGLE_API_KEY")
print("Gemini API Key Loaded:", api_key is not None)
if not api_key:
raise RuntimeError("❌ No Gemini API Key found in .env. Please set GEMINI_API_KEY or GOOGLE_API_KEY.")
genai.configure(api_key=api_key)
model = genai.GenerativeModel("gemini-1.5-flash")
UPLOAD_DIR = "uploads"
RESULTS_DIR = "results"
BG_DIR = "backgrounds"
MAX_SIZE_MB = 5
LIFETIME = 24 * 60 * 60 # 24 hours
os.makedirs(UPLOAD_DIR, exist_ok=True)
os.makedirs(RESULTS_DIR, exist_ok=True)
os.makedirs(BG_DIR, exist_ok=True)
# ---------------------------
# HELPERS
# ---------------------------
def cleanup_old_files(folder):
now = time.time()
for f in os.listdir(folder):
path = os.path.join(folder, f)
if os.path.isfile(path) and now - os.path.getmtime(path) > LIFETIME:
os.remove(path)
def check_size(filepath):
if os.path.getsize(filepath) > MAX_SIZE_MB * 1024 * 1024:
os.remove(filepath)
raise ValueError(f"File too large! Max {MAX_SIZE_MB}MB allowed.")
def replace_background(input_path, bg_choice):
"""Replace background with selected file"""
check_size(input_path)
input_img = Image.open(input_path).convert("RGBA")
fg = remove(input_img)
bg_path = os.path.join(BG_DIR, bg_choice)
bg = Image.open(bg_path).convert("RGBA").resize(fg.size)
result = Image.alpha_composite(bg, fg)
timestamp = datetime.now().strftime("%Y%m%d%H%M%S")
result_path = os.path.join(RESULTS_DIR, f"result_{timestamp}.png")
result.save(result_path)
cleanup_old_files(RESULTS_DIR)
return result_path
#def process_image(input_img, bg_choice, bg_upload, logo_upload, logo_transparency, logo_position, brand_color):
def process_image(input_img, bg_choice, bg_upload, logo_upload, logo_transparency, logo_position, blur_background, blend_strength):
if input_img is None:
return []
temp_path = os.path.join(UPLOAD_DIR, f"upload_{int(time.time())}.png")
input_img.save(temp_path)
# ---------------------------
# Background selection
# ---------------------------
if bg_upload is not None:
bg = bg_upload.convert("RGBA").resize(input_img.size)
else:
bg_path = os.path.join(BG_DIR, bg_choice)
bg = Image.open(bg_path).convert("RGBA").resize(input_img.size)
# Optionally blur background
if blur_background:
bg = bg.filter(ImageFilter.GaussianBlur(radius=3))
# ---------------------------
# Foreground (with feathered mask)
# ---------------------------
fg = remove(input_img.convert("RGBA"))
# Extract mask from alpha channel
mask = fg.split()[3]
# Feather edges for smooth transition
mask = mask.filter(ImageFilter.GaussianBlur(radius=2))
fg.putalpha(mask)
# ---------------------------
# Color matching (adjust subject brightness to background)
# ---------------------------
try:
from PIL import ImageStat, ImageEnhance
# Average brightness of background
stat_bg = ImageStat.Stat(bg.convert("L"))
bg_brightness = stat_bg.mean[0]
# Average brightness of foreground
stat_fg = ImageStat.Stat(fg.convert("L"))
fg_brightness = stat_fg.mean[0]
if fg_brightness > 0:
brightness_ratio = bg_brightness / fg_brightness
# Apply brightness adjustment with user-controlled strength
enhancer = ImageEnhance.Brightness(fg)
adjusted = enhancer.enhance(brightness_ratio)
# Blend original fg with adjusted fg
fg = Image.blend(fg, adjusted, alpha=blend_strength)
except Exception as e:
print("Color match failed:", e)
# ---------------------------
# Merge subject with background
# ---------------------------
result = Image.alpha_composite(bg, fg)
# ---------------------------
# If logo uploaded
# ---------------------------
if logo_upload is not None:
logo = logo_upload.convert("RGBA")
scale = result.width // 5
logo.thumbnail((scale, scale))
# Apply transparency
alpha = logo.split()[3].point(lambda p: p * (logo_transparency / 100))
logo.putalpha(alpha)
pos_map = {
"Top-Left": (10, 10),
"Top-Right": (result.width - logo.width - 10, 10),
"Bottom-Left": (10, result.height - logo.height - 10),
"Bottom-Right": (result.width - logo.width - 10, result.height - logo.height - 10),
"Center": ((result.width - logo.width) // 2, (result.height - logo.height) // 2),
}
result.paste(logo, pos_map[logo_position], logo)
# ---------------------------
# Save final result
# ---------------------------
timestamp = datetime.now().strftime("%Y%m%d%H%M%S")
result_path = os.path.join(RESULTS_DIR, f"result_{timestamp}.png")
result.save(result_path)
cleanup_old_files(RESULTS_DIR)
return [result_path]
def generate_caption(prompt="Promote my product"):
try:
full_prompt = (
f"Write 3 catchy marketing captions for social media about: {prompt}. "
"Each caption should include persuasive language, emojis, and 3-5 relevant hashtags. "
"Format output clearly as:\nInstagram:\nFacebook:\nTikTok:\n"
)
response = model.generate_content(full_prompt)
return response.text.strip()
except Exception as e:
return f"❌ Error generating captions: {str(e)}"
# ---------------------------
# FASTAPI BACKEND
# ---------------------------
app = FastAPI(title="SnapLift API")
app.add_middleware(
CORSMiddleware,
allow_origins=["*"], # ⚠️ Change for production
allow_credentials=True,
allow_methods=["*"],
allow_headers=["*"],
)
@app.post("/process-image")
async def process_image_api(file: UploadFile, bg_choice: str = Form(...)):
try:
input_path = os.path.join(UPLOAD_DIR, file.filename)
with open(input_path, "wb") as f:
f.write(await file.read())
result_path = replace_background(input_path, bg_choice)
return FileResponse(result_path)
except Exception as e:
return JSONResponse(content={"error": str(e)}, status_code=400)
@app.post("/generate-captions")
async def generate_captions_api(prompt: str = Form(...)):
captions = generate_caption(prompt)
return {"captions": captions}
# ---------------------------
# GRADIO UI (Light/Dark Theme + Responsive Output)
# ---------------------------
with gr.Blocks(css="""
footer {display:none !important}
.gradio-container {max-width: 100% !important; font-family: 'Segoe UI', sans-serif;}
h1, h2, h3, label {font-weight:600 !important;}
.box {padding: 12px; border-radius: 15px; background: var(--block-background-fill);
box-shadow: 0 2px 8px rgba(0,0,0,0.05); margin-bottom:12px;}
#output-img img {width:100% !important; height:auto !important; border-radius:18px;
box-shadow:0 4px 12px rgba(0,0,0,0.15);}
""") as demo:
# ---------------------------
# Theme Toggle
# ---------------------------
theme_state = gr.State("light")
def toggle_theme(current):
return "dark" if current == "light" else "light"
with gr.Row():
with gr.Column():
gr.Markdown("<h1 style='text-align:center; font-size:2.2em;'>✨ SnapLift – AI Social Media Booster</h1>")
gr.Markdown("<p style='text-align:center; font-size:1.1em; color:#555;'>Upload or capture your product photo, replace background, and auto-generate <b>marketing captions</b> + <b>hashtags</b>!</p>")
with gr.Column(scale=0.2):
theme_btn = gr.Button("🌙 Toggle Theme")
theme_btn.click(fn=toggle_theme, inputs=theme_state, outputs=theme_state, queue=False)
# ---------------------------
# Image Editor Tab
# ---------------------------
with gr.Tab("📸 Image Editor"):
with gr.Row(equal_height=True):
with gr.Column(scale=1):
with gr.Group(elem_classes="box"):
input_img = gr.Image(
type="pil",
label="📤 Upload or Capture Main Photo",
sources=["upload", "webcam"], # works for desktop webcam & mobile camera
interactive=True
)
with gr.Accordion("🎨 Background Options", open=True):
bg_choices = gr.Dropdown(
choices=os.listdir(BG_DIR) or ["default.png"],
value=(os.listdir(BG_DIR)[0] if os.listdir(BG_DIR) else None),
label="Choose Background"
)
bg_upload = gr.Image(
type="pil",
label="📤 Upload or Capture Background",
sources=["upload", "webcam"], # quick snap or upload
min_width=250 # ensures it's usable on mobile
)
bg_preview = gr.Image(type="pil", label="Background Preview", interactive=False)
def load_bg(choice):
if not choice:
return None
path = os.path.join(BG_DIR, choice)
if os.path.exists(path):
from PIL import Image
return Image.open(path)
return None
bg_choices.change(fn=load_bg, inputs=bg_choices, outputs=bg_preview)
with gr.Accordion("🏷️ Branding", open=False):
logo_upload = gr.Image(type="pil", label="Upload Logo")
logo_transparency = gr.Slider(0, 100, value=70, label="Logo Transparency (%)")
logo_position = gr.Dropdown(
["Top-Left", "Top-Right", "Bottom-Left", "Bottom-Right", "Center"],
value="Bottom-Right",
label="Logo Position"
)
with gr.Accordion("✨ Realism Settings", open=False):
blend_strength = gr.Slider(0, 1, value=0.5, step=0.1, label="Blending Strength")
blur_background = gr.Checkbox(label="Blur Background", value=False)
with gr.Accordion("💾 Export Options", open=True):
export_format = gr.Dropdown(
["PNG", "JPG", "PDF"],
value="PNG",
label="Export Format"
)
export_size = gr.Dropdown(
[
"Original",
"Instagram (1080x1080)",
"Facebook (1200x628)",
"TikTok (1080x1920)",
"LinkedIn (1200x1200)",
"Twitter (1600x900)"
],
value="Original",
label="Social Media Size"
)
btn = gr.Button("🚀 Generate & Export", elem_classes="box")
# ---- Right Column: Output ----
with gr.Column(scale=1):
gr.Markdown("### 🖼️ Preview")
output_img = gr.Image(
type="filepath",
label="Generated Image",
elem_id="output-img",
interactive=False
)
download_btn = gr.File(label="⬇️ Download HD Export")
# ---------------------------
# Wrapper to handle export formats + resizing
# ---------------------------
def process_and_export(input_img, bg_choice, bg_upload, logo_upload, logo_transparency, logo_position, blur_background, blend_strength, export_format, export_size):
result = process_image(input_img, bg_choice, bg_upload, logo_upload, logo_transparency, logo_position, blur_background, blend_strength)
if isinstance(result, list):
result = result[0]
img = Image.open(result)
# Resize if needed
size_map = {
"Instagram (1080x1080)": (1080, 1080),
"Facebook (1200x628)": (1200, 628),
"TikTok (1080x1920)": (1080, 1920),
"LinkedIn (1200x1200)": (1200, 1200),
"Twitter (1600x900)": (1600, 900)
}
if export_size in size_map:
img = img.resize(size_map[export_size], Image.LANCZOS)
# Prepare export path
timestamp = datetime.now().strftime("%Y%m%d%H%M%S")
if export_format == "PNG":
out_path = os.path.join(RESULTS_DIR, f"export_{timestamp}.png")
img.save(out_path, "PNG", quality=95)
elif export_format == "JPG":
out_path = os.path.join(RESULTS_DIR, f"export_{timestamp}.jpg")
img.convert("RGB").save(out_path, "JPEG", quality=95)
elif export_format == "PDF":
out_path = os.path.join(RESULTS_DIR, f"export_{timestamp}.pdf")
img.convert("RGB").save(out_path, "PDF", resolution=300.0)
else:
out_path = result
return result, out_path
# Bind button
btn.click(
fn=process_and_export,
inputs=[input_img, bg_choices, bg_upload, logo_upload, logo_transparency, logo_position, blur_background, blend_strength, export_format, export_size],
outputs=[output_img, download_btn]
)
# ---------------------------
# Caption Generator Tab
# ---------------------------
with gr.Tab("✍️ Caption Generator"):
with gr.Row(equal_height=True):
with gr.Column(scale=1):
with gr.Group(elem_classes="box"):
prompt = gr.Textbox(label="📝 Enter product/promotion text", value="Promote my skincare product")
btn2 = gr.Button("💡 Suggest Captions + Hashtags")
with gr.Column(scale=1):
caption_box = gr.Textbox(label="Suggested Posts (multi-platform)", lines=12)
btn2.click(fn=generate_caption, inputs=[prompt], outputs=[caption_box])
# ---------------------------
# START SERVERS
# ---------------------------
if __name__ == "__main__":
def run_gradio():
demo.launch(server_name="0.0.0.0", server_port=7860, show_api=True)
threading.Thread(target=run_gradio, daemon=True).start()
uvicorn.run(app, host="0.0.0.0", port=8000)
|