File size: 14,484 Bytes
fd24341 2847e2d fd24341 e8f95d2 fd24341 f4a1bed fd24341 e128fa9 f4a1bed fd24341 7a3e7d4 fd24341 f4a1bed c824890 fd24341 f4a1bed fd24341 |
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 |
import gradio as gr
import spaces
import time
import os
from PIL import Image, ImageOps, ImageDraw
import numpy as np
from transformers import AutoTokenizer, AutoModelForCausalLM
import torch
DEFAULT_CANVAS = 64
DEFAULT_BRUSH = 2
def make_blank_canvas(w: int, h: int) -> Image.Image:
# Grayscale black canvas; ImageEditor will convert to its image_mode
return Image.new("L", (w, h), 0)
def pil_to_rowstring(img: Image.Image) -> str:
arr = np.array(img.convert("L"), dtype=np.uint8)
lines = [",".join(map(str, row.tolist())) + ";" for row in arr]
return "\n".join(lines)
def pil_to_binstring(img: Image.Image, thresh: int = 128) -> str:
arr = np.array(img.convert("L"), dtype=np.uint8)
mask = (arr >= int(thresh)).astype(np.uint8)
lines = [",".join(map(str, row.tolist())) + ";" for row in mask]
return "\n".join(lines)
# --- LLM helpers (lazy load per model) ---
_LLM_CACHE = {} # model_id -> (tokenizer, model)
def load_llm(model_id: str):
# Add authentication for gated models
from huggingface_hub import login
token = os.environ.get("HF_TOKEN")
if token:
login(token=token)
if model_id in _LLM_CACHE:
return _LLM_CACHE[model_id]
# Use float16 for GPU, float32 for CPU
dtype = torch.float16 if torch.cuda.is_available() else torch.float32
# Load tokenizer
tok = AutoTokenizer.from_pretrained(model_id)
if tok.pad_token is None:
tok.pad_token = tok.eos_token
# Load model
device = "cuda" if torch.cuda.is_available() else "cpu"
mdl = AutoModelForCausalLM.from_pretrained(
model_id,
torch_dtype=dtype,
device_map="auto" if torch.cuda.is_available() else None,
trust_remote_code=True
)
if not torch.cuda.is_available():
mdl = mdl.to(device)
_LLM_CACHE[model_id] = (tok, mdl)
return tok, mdl
@spaces.GPU
def run_llm(prompt: str, max_new_tokens: int = 64, temperature: float = 0.0, model_id: str = "meta-llama/Llama-3.2-1B") -> str:
try:
tok, mdl = load_llm(model_id)
# Tokenize input
inputs = tok(prompt, return_tensors="pt")
inputs = {k: v.to(next(mdl.parameters()).device) for k, v in inputs.items()}
# Generate
with torch.inference_mode():
outputs = mdl.generate(
inputs["input_ids"],
max_new_tokens=int(max_new_tokens),
do_sample=(temperature > 0),
temperature=temperature if temperature > 0 else None,
top_p=None,
pad_token_id=tok.eos_token_id,
eos_token_id=tok.eos_token_id,
use_cache=True,
)
# Decode only the new tokens
new_tokens = outputs[0][inputs["input_ids"].shape[1]:]
text = tok.decode(new_tokens, skip_special_tokens=True)
return text.strip()
except Exception as e:
return f"[LLM error: {e}]"
def csv_single_line(csv_multiline: str) -> str:
# Remove newlines; keep semicolons as row delimiters
return (csv_multiline or "").replace("\n", "")
def parse_csv_image(s: str, width: int):
# Parse a semicolon/comma separated string of integers into an L-mode image
try:
rows = [r for r in s.strip().split(";") if r != ""]
parsed_rows = []
for r in rows:
nums = []
for tok in r.split(","):
tok = ''.join(ch for ch in tok if ch.isdigit())
if tok == "":
continue
v = max(0, min(255, int(tok)))
nums.append(v)
if nums:
# pad/truncate to the canvas width
if len(nums) < width:
nums = nums + [0] * (width - len(nums))
else:
nums = nums[:width]
parsed_rows.append(nums)
if not parsed_rows:
return None
arr = np.array(parsed_rows, dtype=np.uint8)
return Image.fromarray(arr, mode="L")
except Exception:
return None
def apply_settings(canvas_px):
w = int(canvas_px)
h = int(canvas_px)
# Recreate the editor with consistent config and a fresh blank canvas to enforce size
return gr.ImageEditor(
canvas_size=(w, h),
value=make_blank_canvas(w, h),
image_mode="RGBA",
brush=gr.Brush(
default_size=DEFAULT_BRUSH,
colors=["black", "#404040", "#808080", "#C0C0C0", "white"],
default_color="white", # white stands out on the new black canvas
color_mode="fixed",
),
eraser=gr.Eraser(default_size=1),
transforms=("crop", "resize"),
height=500,
)
# Process uploaded image: resize to canvas width, grayscale, update editor + preview
def process_upload(im, canvas_px, scale, invert, binarize, bin_thresh):
if not im or im.get("background") is None:
return None, None, None
bg = im["background"]
img = Image.fromarray(bg)
# convert to grayscale
img = img.convert("L")
# resize to canvas width, keep aspect
w, h = img.size
target_w = int(canvas_px) if canvas_px is not None else w
if target_w <= 0:
target_w = w
target_h = max(1, round(h * target_w / max(1, w)))
resized = img.resize((target_w, target_h), Image.LANCZOS)
# Create a canvas-sized grayscale image and paste the resized image at (0,0)
canvas_gray = Image.new("L", (target_w, target_w), 0)
canvas_gray.paste(resized, (0, 0))
# Editor value (canvas-size, grayscale)
editor_value = canvas_gray
# Preview & CSV: start from canvas_gray, optionally invert, then
# - CSV from canvas-sized image
# - Preview from upscaled image
base_for_text = canvas_gray
if invert:
base_for_text = ImageOps.invert(base_for_text)
if bool(binarize):
text = pil_to_binstring(base_for_text, bin_thresh)
else:
text = pil_to_rowstring(base_for_text)
s = max(1, int(scale) if scale is not None else 8)
preview = base_for_text.resize((base_for_text.width * s, base_for_text.height * s), Image.NEAREST)
return editor_value, preview, text
def make_preview(im, scale, invert, binarize, bin_thresh):
if im is None or im.get("composite") is None:
return None, ""
arr = im["composite"]
base = Image.fromarray(arr).convert("L") # canvas-sized grayscale
# Apply inversion for both preview and CSV (CSV stays canvas-sized)
base_for_text = ImageOps.invert(base) if invert else base
if bool(binarize):
text = pil_to_binstring(base_for_text, bin_thresh)
else:
text = pil_to_rowstring(base_for_text)
# Preview is the upscaled version of base_for_text
s = max(1, int(scale) if scale is not None else 8)
preview = base_for_text.resize((base_for_text.width * s, base_for_text.height * s), Image.NEAREST)
return preview, text
def extrapolate_with_llm(csv_text, canvas_px, out_rows, model_id):
one_line = csv_single_line(csv_text)
# Count how many rows come from the input (non-empty segments ending with ';')
input_rows_count = len([r for r in (one_line or "").split(";") if r.strip()])
try:
width = int(canvas_px)
except Exception:
width = DEFAULT_CANVAS
max_tokens = int(out_rows) * width * 2
prompt = one_line # feed the single-line CSV directly
gen = run_llm(prompt, int(max_tokens), model_id=model_id)
if gen.startswith("[LLM error:"):
return gen, None
# Parse INPUT + OUTPUT together; ';' marks end-of-row
combined = (one_line or "") + (gen or "")
rows = [r for r in combined.split(";") if r.strip()]
parsed = []
max_w = 0
for r in rows:
vals = []
for tok in r.split(","):
tok = tok.strip()
if not tok:
continue
try:
v = int(float(tok))
except Exception:
continue
# clamp to 0-255 grayscale
if v < 0: v = 0
if v > 255: v = 255
vals.append(v)
if vals:
parsed.append(vals)
if len(vals) > max_w:
max_w = len(vals)
if not parsed:
return gen, None
# Pad rows to the full width so we can render the full rectangular image
arr_rows = []
for vals in parsed:
if len(vals) < max_w:
vals = vals + [0] * (max_w - len(vals))
else:
vals = vals[:max_w]
arr_rows.append(vals)
arr = np.array(arr_rows, dtype=np.uint8)
# If the array is binary (only 0 and 1), rescale to 0-255
if set(np.unique(arr).tolist()).issubset({0, 1}):
arr = arr * 255
img = Image.fromarray(arr, mode="L")
# Resize to width=512, preserve aspect ratio
target_w = 512
orig_w, orig_h = img.size
target_h = max(1, round(orig_h * target_w / max(1, orig_w)))
img = img.resize((target_w, target_h), Image.NEAREST)
# Draw a thin red separator line at the boundary between input and output rows
# Map input row index from original height to resized height
if input_rows_count > 0 and orig_h > 0:
y = round(input_rows_count * target_h / orig_h)
y = max(0, min(target_h - 1, y))
img_rgb = img.convert("RGB")
draw = ImageDraw.Draw(img_rgb)
draw.line([(0, y), (img_rgb.width - 1, y)], fill=(255, 0, 0), width=1)
img = img_rgb
display_text = (gen or "").replace(";", ";\n")
return display_text, img
# Custom theme
theme = gr.Theme.from_hub('gstaff/xkcd')
theme.set(block_background_fill="#7ffacd8e")
with gr.Blocks(theme=theme, title="Image Extrapolation with LLMs") as demo:
gr.Markdown("### Extrapolate images with LLMs")
gr.Markdown("Draw or upload an image, and let an LLM continue the pattern!")
with gr.Row():
with gr.Column(scale=1, min_width=220):
canvas_px = gr.Slider(32, 128, value=DEFAULT_CANVAS, step=1, label="Canvas size (px)")
preview_scale = gr.Slider(1, 16, value=8, step=1, label="Preview scale (×)")
invert_preview = gr.Checkbox(value=False, label="Invert preview")
with gr.Accordion("Binarize", open=False):
binarize_csv = gr.Checkbox(value=False, label="Turn 0-255 into 0/1")
bin_thresh = gr.Slider(0, 255, value=128, step=1, label="Threshold")
out_rows_default_value = 3
out_rows = gr.Slider(1, 16, value=out_rows_default_value, step=1, label="Number of output rows")
llm_choice = gr.Dropdown(
label="LLM model",
choices=[
"meta-llama/Llama-3.2-1B",
"meta-llama/Llama-3.2-3B",
"meta-llama/Llama-3.1-8B",
"HuggingFaceTB/SmolLM2-1.7B",
"HuggingFaceTB/SmolLM3-3B",
"openai/gpt-oss-20b",
"openai/gpt-oss-120b",
],
value="meta-llama/Llama-3.2-1B",
)
out_tokens_info = gr.Markdown(f"**Output tokens:** {DEFAULT_CANVAS * out_rows_default_value * 2}")
with gr.Column(scale=4):
im = gr.ImageEditor(
type="numpy",
canvas_size=(DEFAULT_CANVAS, DEFAULT_CANVAS),
image_mode="RGBA",
brush=gr.Brush(
default_size=DEFAULT_BRUSH,
colors=["black", "#404040", "#808080", "#C0C0C0", "white"],
default_color="black",
color_mode="fixed",
),
eraser=gr.Eraser(default_size=1),
transforms=("crop", "resize"),
height=500,
)
im_preview = gr.Image(height=512, label="Preview (scaled)")
preview_text = gr.Code(
label="Preview as CSV (rows end with ';')",
lines=12,
interactive=False,
max_lines=12
)
# Helper to update button label
def update_button_label(model_id):
return f"Extrapolate with LLM ({model_id.split('/')[-1]})"
extrap_btn = gr.Button(
value="Extrapolate with LLM (Llama-3.2-1B)",
variant="primary"
)
llm_text = gr.Code(
label="LLM output (single-line CSV)",
lines=6,
interactive=False,
)
llm_image = gr.Image(label="LLM parsed image", height=512)
# Event handlers
canvas_px.change(apply_settings, inputs=[canvas_px], outputs=im)
canvas_px.change(make_preview, inputs=[im, preview_scale, invert_preview, binarize_csv, bin_thresh], outputs=[im_preview, preview_text])
im.upload(process_upload, inputs=[im, canvas_px, preview_scale, invert_preview, binarize_csv, bin_thresh], outputs=[im, im_preview, preview_text])
im.change(make_preview, inputs=[im, preview_scale, invert_preview, binarize_csv, bin_thresh], outputs=[im_preview, preview_text], show_progress="hidden")
preview_scale.change(make_preview, inputs=[im, preview_scale, invert_preview, binarize_csv, bin_thresh], outputs=[im_preview, preview_text])
invert_preview.change(make_preview, inputs=[im, preview_scale, invert_preview, binarize_csv, bin_thresh], outputs=[im_preview, preview_text])
binarize_csv.change(make_preview, inputs=[im, preview_scale, invert_preview, binarize_csv, bin_thresh], outputs=[im_preview, preview_text])
bin_thresh.change(make_preview, inputs=[im, preview_scale, invert_preview, binarize_csv, bin_thresh], outputs=[im_preview, preview_text])
extrap_btn.click(extrapolate_with_llm, inputs=[preview_text, canvas_px, out_rows, llm_choice], outputs=[llm_text, llm_image])
# Update button label dynamically when LLM model changes
llm_choice.change(update_button_label, inputs=[llm_choice], outputs=[extrap_btn])
def update_tokens(out_rows, canvas_px):
try:
width = int(canvas_px)
except Exception:
width = DEFAULT_CANVAS
tokens = int(out_rows) * width * 2
return f"**Output tokens:** {tokens}"
out_rows.change(update_tokens, inputs=[out_rows, canvas_px], outputs=out_tokens_info)
canvas_px.change(update_tokens, inputs=[out_rows, canvas_px], outputs=out_tokens_info)
demo.load(update_tokens, inputs=[out_rows, canvas_px], outputs=out_tokens_info)
if __name__ == "__main__":
demo.launch() |