|
|
from collections import OrderedDict |
|
|
from typing import Tuple |
|
|
|
|
|
import torch |
|
|
import torch.nn as nn |
|
|
import torch.nn.functional as F |
|
|
|
|
|
from clip import load, tokenize |
|
|
from .simple_tokenizer import SimpleTokenizer as _Tokenizer |
|
|
from .custom_clip import TextEncoder |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
_tokenizer = _Tokenizer() |
|
|
|
|
|
DOWNLOAD_ROOT='~/.cache/clip' |
|
|
|
|
|
class CoCoOpPromptLearner(nn.Module): |
|
|
def __init__(self, clip_model, classnames, n_ctx=4, ctx_init="a_photo_of_a", ctx_position='end'): |
|
|
super().__init__() |
|
|
n_cls = len(classnames) |
|
|
dtype = clip_model.dtype |
|
|
self.dtype = dtype |
|
|
self.device = clip_model.visual.conv1.weight.device |
|
|
ctx_dim = clip_model.ln_final.weight.shape[0] |
|
|
embed_dim = clip_model.text_projection.shape[1] |
|
|
self.ctx_dim = ctx_dim |
|
|
|
|
|
if ctx_init: |
|
|
|
|
|
print("Initializing the contect with given words: [{}]".format(ctx_init)) |
|
|
ctx_init = ctx_init.replace("_", " ") |
|
|
n_ctx = len(ctx_init.split(" ")) |
|
|
prompt = tokenize(ctx_init).to(self.device) |
|
|
with torch.no_grad(): |
|
|
embedding = clip_model.token_embedding(prompt).type(dtype) |
|
|
ctx_vectors = embedding[0, 1 : 1 + n_ctx, :] |
|
|
prompt_prefix = ctx_init |
|
|
|
|
|
else: |
|
|
print("Random initialization: initializing a generic context") |
|
|
ctx_vectors = torch.empty(n_ctx, ctx_dim, dtype=dtype) |
|
|
nn.init.normal_(ctx_vectors, std=0.02) |
|
|
prompt_prefix = " ".join(["X"] * n_ctx) |
|
|
|
|
|
print(f'Initial context: "{prompt_prefix}"') |
|
|
print(f"Number of context words (tokens): {n_ctx}") |
|
|
self.prompt_prefix = prompt_prefix |
|
|
|
|
|
self.ctx = nn.Parameter(ctx_vectors) |
|
|
self.meta_net = nn.Sequential(OrderedDict([ |
|
|
("linear1", nn.Linear(embed_dim, embed_dim // 16)), |
|
|
("relu", nn.ReLU(inplace=True)), |
|
|
("linear2", nn.Linear(embed_dim // 16, ctx_dim)) |
|
|
])) |
|
|
|
|
|
classnames = [name.replace("_", " ") for name in classnames] |
|
|
name_lens = [len(_tokenizer.encode(name)) for name in classnames] |
|
|
prompts = [prompt_prefix + " " + name + "." for name in classnames] |
|
|
|
|
|
tokenized_prompts = torch.cat([tokenize(p) for p in prompts]).to(self.device) |
|
|
with torch.no_grad(): |
|
|
embedding = clip_model.token_embedding(tokenized_prompts).type(dtype) |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
self.register_buffer("token_prefix", embedding[:, :1, :]) |
|
|
self.register_buffer("token_suffix", embedding[:, 1 + n_ctx :, :]) |
|
|
|
|
|
self.ctx_init = ctx_init |
|
|
self.tokenized_prompts = tokenized_prompts |
|
|
self.name_lens = name_lens |
|
|
self.class_token_position = ctx_position |
|
|
self.n_cls = n_cls |
|
|
self.n_ctx = n_ctx |
|
|
|
|
|
def construct_prompts(self, ctx, prefix, suffix, label=None): |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
if label is not None: |
|
|
prefix = prefix[label] |
|
|
suffix = suffix[label] |
|
|
|
|
|
prompts = torch.cat( |
|
|
[ |
|
|
prefix, |
|
|
ctx, |
|
|
suffix, |
|
|
], |
|
|
dim=1, |
|
|
) |
|
|
|
|
|
return prompts |
|
|
|
|
|
def reset_classnames(self, classnames, arch): |
|
|
self.n_cls = len(classnames) |
|
|
classnames = [name.replace("_", " ") for name in classnames] |
|
|
name_lens = [len(_tokenizer.encode(name)) for name in classnames] |
|
|
prompts = [self.prompt_prefix + " " + name + "." for name in classnames] |
|
|
tokenized_prompts = torch.cat([tokenize(p) for p in prompts]).to(self.device) |
|
|
|
|
|
clip, _ = load(arch, device=self.device, download_root=DOWNLOAD_ROOT) |
|
|
|
|
|
with torch.no_grad(): |
|
|
embedding = clip.token_embedding(tokenized_prompts).type(self.dtype) |
|
|
|
|
|
self.token_prefix = embedding[:, :1, :] |
|
|
self.token_suffix = embedding[:, 1 + self.n_ctx :, :] |
|
|
|
|
|
self.name_lens = name_lens |
|
|
self.tokenized_prompts = tokenized_prompts |
|
|
|
|
|
def forward(self, im_features, ctx_only=False): |
|
|
prefix = self.token_prefix |
|
|
suffix = self.token_suffix |
|
|
ctx = self.ctx |
|
|
bias = self.meta_net(im_features) |
|
|
bias = bias.unsqueeze(1) |
|
|
ctx = ctx.unsqueeze(0) |
|
|
ctx_shifted = ctx + bias |
|
|
if ctx_only: |
|
|
return ctx_shifted |
|
|
|
|
|
|
|
|
prompts = [] |
|
|
for ctx_shifted_i in ctx_shifted: |
|
|
ctx_i = ctx_shifted_i.unsqueeze(0).expand(self.n_cls, -1, -1) |
|
|
pts_i = self.construct_prompts(ctx_i, prefix, suffix) |
|
|
prompts.append(pts_i) |
|
|
prompts = torch.stack(prompts) |
|
|
|
|
|
return prompts |
|
|
|
|
|
class CoCoOpCLIP(nn.Module): |
|
|
def __init__(self, device, classnames, criterion='cosine', arch="ViT-L/14", |
|
|
n_ctx=16, ctx_init="a_photo_of_a", ctx_position='end'): |
|
|
super().__init__() |
|
|
clip, _ = load(arch, device=device, download_root=DOWNLOAD_ROOT) |
|
|
self.image_encoder = clip.visual |
|
|
self.text_encoder = TextEncoder(clip) |
|
|
self.logit_scale = clip.logit_scale.data |
|
|
|
|
|
self.prompt_generator = CoCoOpPromptLearner(clip, classnames, n_ctx, ctx_init, ctx_position) |
|
|
self.tokenized_prompts = self.prompt_generator.tokenized_prompts |
|
|
self.criterion = criterion |
|
|
self.dtype = clip.dtype |
|
|
|
|
|
def inference(self, image, label=None): |
|
|
tokenized_prompts = self.prompt_generator.tokenized_prompts |
|
|
logit_scale = self.logit_scale.exp() |
|
|
|
|
|
image_features = self.image_encoder(image.type(self.dtype)) |
|
|
image_features = image_features / image_features.norm(dim=-1, keepdim=True) |
|
|
|
|
|
prompts = self.prompt_generator(image_features) |
|
|
|
|
|
logits = [] |
|
|
for pts_i, imf_i in zip(prompts, image_features): |
|
|
text_features = self.text_encoder(pts_i, tokenized_prompts) |
|
|
text_features = text_features / text_features.norm(dim=-1, keepdim=True) |
|
|
l_i = logit_scale * imf_i @ text_features.t() |
|
|
logits.append(l_i) |
|
|
logits = torch.stack(logits) |
|
|
|
|
|
return logits |
|
|
|
|
|
def gen_ctx(self, image, aug=False): |
|
|
with torch.no_grad(): |
|
|
with torch.cuda.amp.autocast(): |
|
|
image_features = self.image_encoder(image.type(self.dtype)) |
|
|
if aug: |
|
|
image_feature_avg = image_features[0].unsqueeze(0) |
|
|
else: |
|
|
image_feature_avg = image_features.mean(dim=0, keepdim=True) |
|
|
ctx = self.prompt_generator(image_feature_avg, ctx_only=True) |
|
|
|
|
|
return image_features, ctx.detach().clone() |
|
|
|
|
|
def forward_ctx(self, image_features, ctx): |
|
|
N = 1 |
|
|
|
|
|
prefix = self.prompt_generator.token_prefix.expand(N, -1, -1, -1) |
|
|
suffix = self.prompt_generator.token_suffix.expand(N, -1, -1, -1) |
|
|
|
|
|
ctx = ctx.expand(self.prompt_generator.n_cls, -1, -1, -1) |
|
|
ctx = ctx.permute(1, 0, 2, 3) |
|
|
|
|
|
|
|
|
prompts = torch.cat([ |
|
|
prefix, |
|
|
ctx, |
|
|
suffix |
|
|
], dim=-2) |
|
|
|
|
|
|
|
|
|
|
|
prompts = prompts.reshape(N * self.prompt_generator.n_cls, -1, self.prompt_generator.ctx_dim) |
|
|
tokenized_prompts = self.prompt_generator.tokenized_prompts |
|
|
tokenized_prompts = tokenized_prompts.repeat(N, 1) |
|
|
text_features = self.text_encoder(prompts, tokenized_prompts) |
|
|
|
|
|
text_features = text_features / text_features.norm(dim=-1, keepdim=True) |
|
|
image_features = image_features / image_features.norm(dim=-1, keepdim=True) |
|
|
|
|
|
text_features = text_features.reshape(N, -1, image_features.size()[-1]) |
|
|
|
|
|
logit_scale = self.logit_scale.exp() |
|
|
|
|
|
text_features = text_features.squeeze(0) |
|
|
logits = logit_scale * image_features @ text_features.t() |
|
|
|
|
|
return logits |
|
|
|
|
|
def forward(self, input): |
|
|
if isinstance(input, Tuple): |
|
|
image_features, ctx = input |
|
|
return self.forward_ctx(image_features, ctx) |
|
|
else: |
|
|
return self.inference(input) |
|
|
|
|
|
def get_cocoop(clip_arch, test_set, device, n_ctx): |
|
|
imagenet_classes = ["tench", "goldfish", "great white shark", "tiger shark", "hammerhead shark", "electric ray", |
|
|
"stingray", "rooster", "hen", "ostrich", "brambling", "goldfinch", "house finch", "junco", |
|
|
"indigo bunting", "American robin", "bulbul", "jay", "magpie", "chickadee", "American dipper", |
|
|
"kite (bird of prey)", "bald eagle", "vulture", "great grey owl", "fire salamander", |
|
|
"smooth newt", "newt", "spotted salamander", "axolotl", "American bullfrog", "tree frog", |
|
|
"tailed frog", "loggerhead sea turtle", "leatherback sea turtle", "mud turtle", "terrapin", |
|
|
"box turtle", "banded gecko", "green iguana", "Carolina anole", |
|
|
"desert grassland whiptail lizard", "agama", "frilled-necked lizard", "alligator lizard", |
|
|
"Gila monster", "European green lizard", "chameleon", "Komodo dragon", "Nile crocodile", |
|
|
"American alligator", "triceratops", "worm snake", "ring-necked snake", |
|
|
"eastern hog-nosed snake", "smooth green snake", "kingsnake", "garter snake", "water snake", |
|
|
"vine snake", "night snake", "boa constrictor", "African rock python", "Indian cobra", |
|
|
"green mamba", "sea snake", "Saharan horned viper", "eastern diamondback rattlesnake", |
|
|
"sidewinder rattlesnake", "trilobite", "harvestman", "scorpion", "yellow garden spider", |
|
|
"barn spider", "European garden spider", "southern black widow", "tarantula", "wolf spider", |
|
|
"tick", "centipede", "black grouse", "ptarmigan", "ruffed grouse", "prairie grouse", "peafowl", |
|
|
"quail", "partridge", "african grey parrot", "macaw", "sulphur-crested cockatoo", "lorikeet", |
|
|
"coucal", "bee eater", "hornbill", "hummingbird", "jacamar", "toucan", "duck", |
|
|
"red-breasted merganser", "goose", "black swan", "tusker", "echidna", "platypus", "wallaby", |
|
|
"koala", "wombat", "jellyfish", "sea anemone", "brain coral", "flatworm", "nematode", "conch", |
|
|
"snail", "slug", "sea slug", "chiton", "chambered nautilus", "Dungeness crab", "rock crab", |
|
|
"fiddler crab", "red king crab", "American lobster", "spiny lobster", "crayfish", "hermit crab", |
|
|
"isopod", "white stork", "black stork", "spoonbill", "flamingo", "little blue heron", |
|
|
"great egret", "bittern bird", "crane bird", "limpkin", "common gallinule", "American coot", |
|
|
"bustard", "ruddy turnstone", "dunlin", "common redshank", "dowitcher", "oystercatcher", |
|
|
"pelican", "king penguin", "albatross", "grey whale", "killer whale", "dugong", "sea lion", |
|
|
"Chihuahua", "Japanese Chin", "Maltese", "Pekingese", "Shih Tzu", "King Charles Spaniel", |
|
|
"Papillon", "toy terrier", "Rhodesian Ridgeback", "Afghan Hound", "Basset Hound", "Beagle", |
|
|
"Bloodhound", "Bluetick Coonhound", "Black and Tan Coonhound", "Treeing Walker Coonhound", |
|
|
"English foxhound", "Redbone Coonhound", "borzoi", "Irish Wolfhound", "Italian Greyhound", |
|
|
"Whippet", "Ibizan Hound", "Norwegian Elkhound", "Otterhound", "Saluki", "Scottish Deerhound", |
|
|
"Weimaraner", "Staffordshire Bull Terrier", "American Staffordshire Terrier", |
|
|
"Bedlington Terrier", "Border Terrier", "Kerry Blue Terrier", "Irish Terrier", |
|
|
"Norfolk Terrier", "Norwich Terrier", "Yorkshire Terrier", "Wire Fox Terrier", |
|
|
"Lakeland Terrier", "Sealyham Terrier", "Airedale Terrier", "Cairn Terrier", |
|
|
"Australian Terrier", "Dandie Dinmont Terrier", "Boston Terrier", "Miniature Schnauzer", |
|
|
"Giant Schnauzer", "Standard Schnauzer", "Scottish Terrier", "Tibetan Terrier", |
|
|
"Australian Silky Terrier", "Soft-coated Wheaten Terrier", "West Highland White Terrier", |
|
|
"Lhasa Apso", "Flat-Coated Retriever", "Curly-coated Retriever", "Golden Retriever", |
|
|
"Labrador Retriever", "Chesapeake Bay Retriever", "German Shorthaired Pointer", "Vizsla", |
|
|
"English Setter", "Irish Setter", "Gordon Setter", "Brittany dog", "Clumber Spaniel", |
|
|
"English Springer Spaniel", "Welsh Springer Spaniel", "Cocker Spaniel", "Sussex Spaniel", |
|
|
"Irish Water Spaniel", "Kuvasz", "Schipperke", "Groenendael dog", "Malinois", "Briard", |
|
|
"Australian Kelpie", "Komondor", "Old English Sheepdog", "Shetland Sheepdog", "collie", |
|
|
"Border Collie", "Bouvier des Flandres dog", "Rottweiler", "German Shepherd Dog", "Dobermann", |
|
|
"Miniature Pinscher", "Greater Swiss Mountain Dog", "Bernese Mountain Dog", |
|
|
"Appenzeller Sennenhund", "Entlebucher Sennenhund", "Boxer", "Bullmastiff", "Tibetan Mastiff", |
|
|
"French Bulldog", "Great Dane", "St. Bernard", "husky", "Alaskan Malamute", "Siberian Husky", |
|
|
"Dalmatian", "Affenpinscher", "Basenji", "pug", "Leonberger", "Newfoundland dog", |
|
|
"Great Pyrenees dog", "Samoyed", "Pomeranian", "Chow Chow", "Keeshond", "brussels griffon", |
|
|
"Pembroke Welsh Corgi", "Cardigan Welsh Corgi", "Toy Poodle", "Miniature Poodle", |
|
|
"Standard Poodle", "Mexican hairless dog (xoloitzcuintli)", "grey wolf", "Alaskan tundra wolf", |
|
|
"red wolf or maned wolf", "coyote", "dingo", "dhole", "African wild dog", "hyena", "red fox", |
|
|
"kit fox", "Arctic fox", "grey fox", "tabby cat", "tiger cat", "Persian cat", "Siamese cat", |
|
|
"Egyptian Mau", "cougar", "lynx", "leopard", "snow leopard", "jaguar", "lion", "tiger", |
|
|
"cheetah", "brown bear", "American black bear", "polar bear", "sloth bear", "mongoose", |
|
|
"meerkat", "tiger beetle", "ladybug", "ground beetle", "longhorn beetle", "leaf beetle", |
|
|
"dung beetle", "rhinoceros beetle", "weevil", "fly", "bee", "ant", "grasshopper", |
|
|
"cricket insect", "stick insect", "cockroach", "praying mantis", "cicada", "leafhopper", |
|
|
"lacewing", "dragonfly", "damselfly", "red admiral butterfly", "ringlet butterfly", |
|
|
"monarch butterfly", "small white butterfly", "sulphur butterfly", "gossamer-winged butterfly", |
|
|
"starfish", "sea urchin", "sea cucumber", "cottontail rabbit", "hare", "Angora rabbit", |
|
|
"hamster", "porcupine", "fox squirrel", "marmot", "beaver", "guinea pig", "common sorrel horse", |
|
|
"zebra", "pig", "wild boar", "warthog", "hippopotamus", "ox", "water buffalo", "bison", |
|
|
"ram (adult male sheep)", "bighorn sheep", "Alpine ibex", "hartebeest", "impala (antelope)", |
|
|
"gazelle", "arabian camel", "llama", "weasel", "mink", "European polecat", |
|
|
"black-footed ferret", "otter", "skunk", "badger", "armadillo", "three-toed sloth", "orangutan", |
|
|
"gorilla", "chimpanzee", "gibbon", "siamang", "guenon", "patas monkey", "baboon", "macaque", |
|
|
"langur", "black-and-white colobus", "proboscis monkey", "marmoset", "white-headed capuchin", |
|
|
"howler monkey", "titi monkey", "Geoffroy's spider monkey", "common squirrel monkey", |
|
|
"ring-tailed lemur", "indri", "Asian elephant", "African bush elephant", "red panda", |
|
|
"giant panda", "snoek fish", "eel", "silver salmon", "rock beauty fish", "clownfish", |
|
|
"sturgeon", "gar fish", "lionfish", "pufferfish", "abacus", "abaya", "academic gown", |
|
|
"accordion", "acoustic guitar", "aircraft carrier", "airliner", "airship", "altar", "ambulance", |
|
|
"amphibious vehicle", "analog clock", "apiary", "apron", "trash can", "assault rifle", |
|
|
"backpack", "bakery", "balance beam", "balloon", "ballpoint pen", "Band-Aid", "banjo", |
|
|
"baluster / handrail", "barbell", "barber chair", "barbershop", "barn", "barometer", "barrel", |
|
|
"wheelbarrow", "baseball", "basketball", "bassinet", "bassoon", "swimming cap", "bath towel", |
|
|
"bathtub", "station wagon", "lighthouse", "beaker", "military hat (bearskin or shako)", |
|
|
"beer bottle", "beer glass", "bell tower", "baby bib", "tandem bicycle", "bikini", |
|
|
"ring binder", "binoculars", "birdhouse", "boathouse", "bobsleigh", "bolo tie", "poke bonnet", |
|
|
"bookcase", "bookstore", "bottle cap", "hunting bow", "bow tie", "brass memorial plaque", "bra", |
|
|
"breakwater", "breastplate", "broom", "bucket", "buckle", "bulletproof vest", |
|
|
"high-speed train", "butcher shop", "taxicab", "cauldron", "candle", "cannon", "canoe", |
|
|
"can opener", "cardigan", "car mirror", "carousel", "tool kit", "cardboard box / carton", |
|
|
"car wheel", "automated teller machine", "cassette", "cassette player", "castle", "catamaran", |
|
|
"CD player", "cello", "mobile phone", "chain", "chain-link fence", "chain mail", "chainsaw", |
|
|
"storage chest", "chiffonier", "bell or wind chime", "china cabinet", "Christmas stocking", |
|
|
"church", "movie theater", "cleaver", "cliff dwelling", "cloak", "clogs", "cocktail shaker", |
|
|
"coffee mug", "coffeemaker", "spiral or coil", "combination lock", "computer keyboard", |
|
|
"candy store", "container ship", "convertible", "corkscrew", "cornet", "cowboy boot", |
|
|
"cowboy hat", "cradle", "construction crane", "crash helmet", "crate", "infant bed", |
|
|
"Crock Pot", "croquet ball", "crutch", "cuirass", "dam", "desk", "desktop computer", |
|
|
"rotary dial telephone", "diaper", "digital clock", "digital watch", "dining table", |
|
|
"dishcloth", "dishwasher", "disc brake", "dock", "dog sled", "dome", "doormat", "drilling rig", |
|
|
"drum", "drumstick", "dumbbell", "Dutch oven", "electric fan", "electric guitar", |
|
|
"electric locomotive", "entertainment center", "envelope", "espresso machine", "face powder", |
|
|
"feather boa", "filing cabinet", "fireboat", "fire truck", "fire screen", "flagpole", "flute", |
|
|
"folding chair", "football helmet", "forklift", "fountain", "fountain pen", "four-poster bed", |
|
|
"freight car", "French horn", "frying pan", "fur coat", "garbage truck", |
|
|
"gas mask or respirator", "gas pump", "goblet", "go-kart", "golf ball", "golf cart", "gondola", |
|
|
"gong", "gown", "grand piano", "greenhouse", "radiator grille", "grocery store", "guillotine", |
|
|
"hair clip", "hair spray", "half-track", "hammer", "hamper", "hair dryer", "hand-held computer", |
|
|
"handkerchief", "hard disk drive", "harmonica", "harp", "combine harvester", "hatchet", |
|
|
"holster", "home theater", "honeycomb", "hook", "hoop skirt", "gymnastic horizontal bar", |
|
|
"horse-drawn vehicle", "hourglass", "iPod", "clothes iron", "carved pumpkin", "jeans", "jeep", |
|
|
"T-shirt", "jigsaw puzzle", "rickshaw", "joystick", "kimono", "knee pad", "knot", "lab coat", |
|
|
"ladle", "lampshade", "laptop computer", "lawn mower", "lens cap", "letter opener", "library", |
|
|
"lifeboat", "lighter", "limousine", "ocean liner", "lipstick", "slip-on shoe", "lotion", |
|
|
"music speaker", "loupe magnifying glass", "sawmill", "magnetic compass", "messenger bag", |
|
|
"mailbox", "tights", "one-piece bathing suit", "manhole cover", "maraca", "marimba", "mask", |
|
|
"matchstick", "maypole", "maze", "measuring cup", "medicine cabinet", "megalith", "microphone", |
|
|
"microwave oven", "military uniform", "milk can", "minibus", "miniskirt", "minivan", "missile", |
|
|
"mitten", "mixing bowl", "mobile home", "ford model t", "modem", "monastery", "monitor", |
|
|
"moped", "mortar and pestle", "graduation cap", "mosque", "mosquito net", "vespa", |
|
|
"mountain bike", "tent", "computer mouse", "mousetrap", "moving van", "muzzle", "metal nail", |
|
|
"neck brace", "necklace", "baby pacifier", "notebook computer", "obelisk", "oboe", "ocarina", |
|
|
"odometer", "oil filter", "pipe organ", "oscilloscope", "overskirt", "bullock cart", |
|
|
"oxygen mask", "product packet / packaging", "paddle", "paddle wheel", "padlock", "paintbrush", |
|
|
"pajamas", "palace", "pan flute", "paper towel", "parachute", "parallel bars", "park bench", |
|
|
"parking meter", "railroad car", "patio", "payphone", "pedestal", "pencil case", |
|
|
"pencil sharpener", "perfume", "Petri dish", "photocopier", "plectrum", "Pickelhaube", |
|
|
"picket fence", "pickup truck", "pier", "piggy bank", "pill bottle", "pillow", "ping-pong ball", |
|
|
"pinwheel", "pirate ship", "drink pitcher", "block plane", "planetarium", "plastic bag", |
|
|
"plate rack", "farm plow", "plunger", "Polaroid camera", "pole", "police van", "poncho", |
|
|
"pool table", "soda bottle", "plant pot", "potter's wheel", "power drill", "prayer rug", |
|
|
"printer", "prison", "missile", "projector", "hockey puck", "punching bag", "purse", "quill", |
|
|
"quilt", "race car", "racket", "radiator", "radio", "radio telescope", "rain barrel", |
|
|
"recreational vehicle", "fishing casting reel", "reflex camera", "refrigerator", |
|
|
"remote control", "restaurant", "revolver", "rifle", "rocking chair", "rotisserie", "eraser", |
|
|
"rugby ball", "ruler measuring stick", "sneaker", "safe", "safety pin", "salt shaker", "sandal", |
|
|
"sarong", "saxophone", "scabbard", "weighing scale", "school bus", "schooner", "scoreboard", |
|
|
"CRT monitor", "screw", "screwdriver", "seat belt", "sewing machine", "shield", "shoe store", |
|
|
"shoji screen / room divider", "shopping basket", "shopping cart", "shovel", "shower cap", |
|
|
"shower curtain", "ski", "balaclava ski mask", "sleeping bag", "slide rule", "sliding door", |
|
|
"slot machine", "snorkel", "snowmobile", "snowplow", "soap dispenser", "soccer ball", "sock", |
|
|
"solar thermal collector", "sombrero", "soup bowl", "keyboard space bar", "space heater", |
|
|
"space shuttle", "spatula", "motorboat", "spider web", "spindle", "sports car", "spotlight", |
|
|
"stage", "steam locomotive", "through arch bridge", "steel drum", "stethoscope", "scarf", |
|
|
"stone wall", "stopwatch", "stove", "strainer", "tram", "stretcher", "couch", "stupa", |
|
|
"submarine", "suit", "sundial", "sunglasses", "sunglasses", "sunscreen", "suspension bridge", |
|
|
"mop", "sweatshirt", "swim trunks / shorts", "swing", "electrical switch", "syringe", |
|
|
"table lamp", "tank", "tape player", "teapot", "teddy bear", "television", "tennis ball", |
|
|
"thatched roof", "front curtain", "thimble", "threshing machine", "throne", "tile roof", |
|
|
"toaster", "tobacco shop", "toilet seat", "torch", "totem pole", "tow truck", "toy store", |
|
|
"tractor", "semi-trailer truck", "tray", "trench coat", "tricycle", "trimaran", "tripod", |
|
|
"triumphal arch", "trolleybus", "trombone", "hot tub", "turnstile", "typewriter keyboard", |
|
|
"umbrella", "unicycle", "upright piano", "vacuum cleaner", "vase", "vaulted or arched ceiling", |
|
|
"velvet fabric", "vending machine", "vestment", "viaduct", "violin", "volleyball", |
|
|
"waffle iron", "wall clock", "wallet", "wardrobe", "military aircraft", "sink", |
|
|
"washing machine", "water bottle", "water jug", "water tower", "whiskey jug", "whistle", |
|
|
"hair wig", "window screen", "window shade", "Windsor tie", "wine bottle", "airplane wing", |
|
|
"wok", "wooden spoon", "wool", "split-rail fence", "shipwreck", "sailboat", "yurt", "website", |
|
|
"comic book", "crossword", "traffic or street sign", "traffic light", "dust jacket", "menu", |
|
|
"plate", "guacamole", "consomme", "hot pot", "trifle", "ice cream", "popsicle", "baguette", |
|
|
"bagel", "pretzel", "cheeseburger", "hot dog", "mashed potatoes", "cabbage", "broccoli", |
|
|
"cauliflower", "zucchini", "spaghetti squash", "acorn squash", "butternut squash", "cucumber", |
|
|
"artichoke", "bell pepper", "cardoon", "mushroom", "Granny Smith apple", "strawberry", "orange", |
|
|
"lemon", "fig", "pineapple", "banana", "jackfruit", "cherimoya (custard apple)", "pomegranate", |
|
|
"hay", "carbonara", "chocolate syrup", "dough", "meatloaf", "pizza", "pot pie", "burrito", |
|
|
"red wine", "espresso", "tea cup", "eggnog", "mountain", "bubble", "cliff", "coral reef", |
|
|
"geyser", "lakeshore", "promontory", "sandbar", "beach", "valley", "volcano", "baseball player", |
|
|
"bridegroom", "scuba diver", "rapeseed", "daisy", "yellow lady's slipper", "corn", "acorn", |
|
|
"rose hip", "horse chestnut seed", "coral fungus", "agaric", "gyromitra", "stinkhorn mushroom", |
|
|
"earth star fungus", "hen of the woods mushroom", "bolete", "corn cob", "toilet paper"] |
|
|
classnames = imagenet_classes |
|
|
|
|
|
model = CoCoOpCLIP(device, classnames, arch=clip_arch, n_ctx=n_ctx) |
|
|
|
|
|
return model |