Spaces:
Sleeping
Sleeping
Update app.py
Browse files
app.py
CHANGED
|
@@ -1,114 +1,26 @@
|
|
| 1 |
-
|
| 2 |
-
import torch
|
| 3 |
-
from PIL import Image
|
| 4 |
-
from torchvision import transforms
|
| 5 |
-
import json
|
| 6 |
-
import os
|
| 7 |
|
| 8 |
-
|
| 9 |
-
# For a full runnable example, their definitions are included below.
|
| 10 |
|
| 11 |
-
#
|
| 12 |
-
IMG_SIZE = 224
|
| 13 |
-
SEQ_LEN = 32
|
| 14 |
-
VOCAB_SIZE = 75460
|
| 15 |
|
| 16 |
-
|
| 17 |
-
transforms.Resize((IMG_SIZE, IMG_SIZE)),
|
| 18 |
-
transforms.ToTensor(),
|
| 19 |
-
])
|
| 20 |
|
| 21 |
-
|
| 22 |
-
if img is None: raise ValueError("Image is None")
|
| 23 |
-
if not isinstance(img, Image.Image): img = Image.fromarray(img)
|
| 24 |
-
if img.mode != "RGB": img = img.convert("RGB")
|
| 25 |
-
return transform(img)
|
| 26 |
|
| 27 |
-
|
| 28 |
-
class SimpleTokenizer:
|
| 29 |
-
def __init__(self, word2idx=None):
|
| 30 |
-
if word2idx is None:
|
| 31 |
-
# Placeholder for actual vocab loading or creation if not loaded from file
|
| 32 |
-
self.word2idx = {} # Escaped
|
| 33 |
-
else:
|
| 34 |
-
self.word2idx = word2idx
|
| 35 |
-
self.idx2word = {v: k for k, v in self.word2idx.items()} # Escaped
|
| 36 |
|
| 37 |
-
|
| 38 |
-
tokens = [self.word2idx.get(w, self.word2idx["<PAD>"]) for w in text.lower().split()]
|
| 39 |
-
tokens = [self.word2idx["<SOS>"]] + tokens[:max_len-2] + [self.word2idx["<EOS>"]]
|
| 40 |
-
tokens += [self.word2idx["<PAD>"]] * (max_len - len(tokens))
|
| 41 |
-
return torch.tensor(tokens, dtype=torch.long)
|
| 42 |
|
| 43 |
-
|
| 44 |
-
return " ".join(self.idx2word.get(t.item(), "<UNK>") for t in tokens if t not in [self.word2idx["<PAD>"], self.word2idx["<SOS>"], self.word2idx["<EOS>"]])
|
| 45 |
|
| 46 |
-
|
| 47 |
-
def load(cls, path):
|
| 48 |
-
with open(f"{path}/vocab.json", "r") as f: # Correctly escaped
|
| 49 |
-
word2idx = json.load(f)
|
| 50 |
-
tokenizer = cls(word2idx)
|
| 51 |
-
return tokenizer
|
| 52 |
|
| 53 |
-
|
| 54 |
-
class BiasDecoder(torch.nn.Module):
|
| 55 |
-
def __init__(self, feature_dim=768, vocab_size=VOCAB_SIZE):
|
| 56 |
-
super().__init__()
|
| 57 |
-
self.token_emb = torch.nn.Embedding(vocab_size, feature_dim)
|
| 58 |
-
self.pos_emb = torch.nn.Embedding(SEQ_LEN-1, feature_dim)
|
| 59 |
-
self.final_layer = torch.nn.Linear(feature_dim, vocab_size)
|
| 60 |
|
| 61 |
-
|
| 62 |
-
x = self.token_emb(target_seq)
|
| 63 |
-
pos = torch.arange(x.size(1), device=x.device).clamp(max=self.pos_emb.num_embeddings-1)
|
| 64 |
-
x = x + self.pos_emb(pos)
|
| 65 |
-
x = x + img_feat.unsqueeze(1)
|
| 66 |
-
return self.final_layer(x)
|
| 67 |
|
| 68 |
-
|
| 69 |
-
device = torch.device("cuda" if torch.cuda.is_available() else "cpu")
|
| 70 |
|
| 71 |
-
|
| 72 |
-
vit = ViTModel.from_pretrained("google/vit-base-patch16-224-in21k")
|
| 73 |
-
vit.eval()
|
| 74 |
-
vit.to(device)
|
| 75 |
|
| 76 |
-
# Load decoder
|
| 77 |
-
decoder = BiasDecoder().to(device)
|
| 78 |
-
# Assuming 'pytorch_model.bin' is in the current directory or specified path
|
| 79 |
-
decoder.load_state_dict(torch.load("pytorch_model.bin", map_location=device))
|
| 80 |
-
decoder.eval()
|
| 81 |
-
|
| 82 |
-
# Load tokenizer
|
| 83 |
-
# Assuming 'vocab.json' is in the current directory or specified path
|
| 84 |
-
tokenizer = SimpleTokenizer.load("./")
|
| 85 |
-
pad_idx = tokenizer.word2idx["<PAD>"]
|
| 86 |
-
|
| 87 |
-
# Generation function
|
| 88 |
-
@torch.no_grad()
|
| 89 |
-
def generate_caption(model, img_feat, max_len=SEQ_LEN, beam_size=3):
|
| 90 |
-
model.eval()
|
| 91 |
-
img_feat = img_feat.to(device)
|
| 92 |
-
beams = [([tokenizer.word2idx["<SOS>"]], 0.0)]
|
| 93 |
-
for _ in range(max_len - 1):
|
| 94 |
-
candidates = []
|
| 95 |
-
for seq, score in beams:
|
| 96 |
-
inp = torch.tensor(seq + [pad_idx] * (SEQ_LEN - len(seq)), device=device).unsqueeze(0)
|
| 97 |
-
logits = model(img_feat, inp)
|
| 98 |
-
probs = torch.nn.functional.log_softmax(logits[0, len(seq)-1], dim=-1)
|
| 99 |
-
top_p, top_i = torch.topk(probs, beam_size)
|
| 100 |
-
for i in range(beam_size):
|
| 101 |
-
candidates.append((seq + [top_i[i].item()], score + top_p[i].item()))
|
| 102 |
-
beams = sorted(candidates, key=lambda x: x[1], reverse=True)[:beam_size]
|
| 103 |
-
if all(s[-1] == tokenizer.word2idx["<EOS>"] for s, _ in beams): break
|
| 104 |
-
words = [tokenizer.idx2word.get(i, "<UNK>") for i in beams[0][0][1:] if i != pad_idx]
|
| 105 |
-
return " ".join(words)
|
| 106 |
-
|
| 107 |
-
# Example: Generate a caption for an image
|
| 108 |
-
# For a real example, you would load an actual image and process it.
|
| 109 |
-
# img_path = "path/to/your/image.jpg"
|
| 110 |
-
# image = Image.open(img_path).convert("RGB")
|
| 111 |
-
# img_tensor = preprocess_image(image).unsqueeze(0).to(device)
|
| 112 |
-
# img_feat = vit(pixel_values=img_tensor).pooler_output
|
| 113 |
-
# generated_caption = generate_caption(decoder, img_feat)
|
| 114 |
-
# print(f"Generated caption: {generated_caption}")
|
|
|
|
| 1 |
+
📦 RADIOCAP13 — HuggingFace Space
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 2 |
|
| 3 |
+
Below is a complete multi-file project layout for deploying your image-captioning model as a HuggingFace Space. You can copy/paste these into your repository.
|
|
|
|
| 4 |
|
| 5 |
+
app.py import gradio as gr import torch from transformers import ViTModel from PIL import Image from torchvision import transforms import json IMG_SIZE = 224 SEQ_LEN = 32 VOCAB_SIZE = 75460 device = torch.device("cuda" if torch.cuda.is_available() else "cpu") transform = transforms.Compose([ transforms.Resize((IMG_SIZE, IMG_SIZE)), transforms.ToTensor(), ]) def preprocess_image(img): if img is None: raise ValueError("Image is None") if not isinstance(img, Image.Image): img = Image.fromarray(img) if img.mode != "RGB": img = img.convert("RGB") return transform(img) class SimpleTokenizer: def __init__(self, word2idx=None): self.word2idx = word2idx or {} self.idx2word = {v: k for k, v in self.word2idx.items()} @classmethod def load(cls, path): with open(f"{path}/vocab.json", "r") as f: word2idx = json.load(f) return cls(word2idx) class BiasDecoder(torch.nn.Module): def __init__(self, feature_dim=768, vocab_size=VOCAB_SIZE): super().__init__() self.token_emb = torch.nn.Embedding(vocab_size, feature_dim) self.pos_emb = torch.nn.Embedding(SEQ_LEN-1, feature_dim) self.final_layer = torch.nn.Linear(feature_dim, vocab_size) def forward(self, img_feat, target_seq): x = self.token_emb(target_seq) pos = torch.arange(x.size(1), device=x.device).clamp(max=self.pos_emb.num_embeddings - 1) x = x + self.pos_emb(pos) x = x + img_feat.unsqueeze(1) return self.final_layer(x) # Load models decoder = BiasDecoder().to(device) decoder.load_state_dict(torch.load("pytorch_model.bin", map_location=device)) decoder.eval() vit = ViTModel.from_pretrained("google/vit-base-patch16-224-in21k").to(device) vit.eval() tokenizer = SimpleTokenizer.load("./") pad_idx = tokenizer.word2idx["<PAD>"] @torch.no_grad() def generate_caption(img): img_tensor = preprocess_image(img).unsqueeze(0).to(device) img_feat = vit(pixel_values=img_tensor).pooler_output beams = [([tokenizer.word2idx["<SOS>"]], 0.0)] beam_size = 3 for _ in range(SEQ_LEN - 1): candidates = [] for seq, score in beams: inp = torch.tensor(seq + [pad_idx] * (SEQ_LEN - len(seq)), device=device).unsqueeze(0) logits = decoder(img_feat, inp) probs = torch.nn.functional.log_softmax(logits[0, len(seq)-1], dim=-1) top_p, top_i = torch.topk(probs, beam_size) for i in range(beam_size): candidates.append((seq + [top_i[i].item()], score + top_p[i].item())) beams = sorted(candidates, key=lambda x: x[1], reverse=True)[:beam_size] if all(s[-1] == tokenizer.word2idx["<EOS>"] for s, _ in beams): break words = [tokenizer.idx2word.get(i, "<UNK>") for i in beams[0][0][1:] if i != pad_idx] return " ".join(words) with gr.Blocks() as demo: gr.Markdown("# RADIOCAP13 — Image Captioning Demo") img_in = gr.Image(type="pil", label="Upload an Image") out = gr.Textbox(label="Generated Caption") btn = gr.Button("Generate Caption") btn.click(generate_caption, inputs=img_in, outputs=out) if __name__ == "__main__": demo.launch() requirements.txt gradio transformers torch torchvision Pillow README.md # RADIOCAP13 — Visual Captioning Model This Space runs a custom image captioning pipeline using: - ViT Base (Google) - Custom BiasDecoder - Custom 75k vocabulary ## 🚀 Running Locally
|
|
|
|
|
|
|
|
|
|
| 6 |
|
| 7 |
+
pip install -r requirements.txt python app.py
|
|
|
|
|
|
|
|
|
|
| 8 |
|
| 9 |
+
## 🖼️ Usage Upload an image and the model will generate a caption using beam search. ## 📁 Files - `app.py` — Gradio interface + model code - `vocab.json` — tokenizer vocabulary - `pytorch_model.bin` — trained decoder weights
|
|
|
|
|
|
|
|
|
|
|
|
|
| 10 |
|
| 11 |
+
If you'd like, I can add:
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 12 |
|
| 13 |
+
example.jpg automatic CPU/GPU selector badge HuggingFace Space metadata (.huggingface.yaml) progress bars / image preview UI .huggingface.yaml (Space Metadata) # RADIOCAP13 Space Metadata sdk: gradio sdk_version: 4.0 python_version: 3.10 runtime: python3 # Enable GPU if available grants: - gpu: true app_file: app.py # Display information on the HF Space page space_description: | RADIOCAP13 — A custom image captioning model powered by ViT and a BiasDecoder. Upload an image and the model generates a caption using beam search. space_tags: - image-captioning - vision - vit - pytorch - gradio Example Image (example.jpg)
|
|
|
|
|
|
|
|
|
|
|
|
|
| 14 |
|
| 15 |
+
Include a placeholder. You can drag an actual sample image later.
|
|
|
|
| 16 |
|
| 17 |
+
(example.jpg placeholder — include any sample image in your repo) Enhanced UI with GPU Status + Progress Bar
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 18 |
|
| 19 |
+
Below is an improved Gradio UI you can swap into app.py.
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 20 |
|
| 21 |
+
with gr.Blocks() as demo: gr.Markdown("# RADIOCAP13 — Image Captioning Demo") gr.Markdown( f"**Device:** {'GPU 🚀' if torch.cuda.is_available() else 'CPU 🐢'}" ) with gr.Row(): img_in = gr.Image(type="pil", label="Upload an Image") out = gr.Textbox(label="Generated Caption") btn = gr.Button("Generate Caption") progress = gr.Markdown("Ready.") def wrapped_generate(img): progress.update("Generating… please wait ⏳") caption = generate_caption(img) progress.update("Done ✔️") return caption btn.click(wrapped_generate, inputs=img_in, outputs=out) All enhancements added ✔️ Metadata file for HF Space GPU badge / indicator Progress bar Support for example image Fully structured Space project
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 22 |
|
| 23 |
+
If you want: 🔥 Auto-download model weights from HuggingFace Hub 🔥 Separate tokenizer/model modules 🔥 Add image thumbnails / gallery samples 🔥 Add beam size slider, temperature, etc.
|
|
|
|
| 24 |
|
| 25 |
+
Just say “add more” or tell me specific features!
|
|
|
|
|
|
|
|
|
|
| 26 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|