File size: 6,422 Bytes
a4eef9d | 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 | import gradio as gr
import re
from functools import lru_cache
import gensim.downloader as api
from gensim.models import KeyedVectors
import pandas as pd
MODEL_OPTIONS = {
"glove-wiki-gigaword-50": "50d GloVe (Wikipedia+Gigaword) β small & fast",
"glove-wiki-gigaword-100": "100d GloVe (Wikipedia+Gigaword) β balanced",
"glove-wiki-gigaword-200": "200d GloVe (Wikipedia+Gigaword)",
"glove-wiki-gigaword-300": "300d GloVe (Wikipedia+Gigaword)",
"word2vec-google-news-300": "300d Google News Word2Vec β large (~1.6GB)"
}
TOKEN_RE = re.compile(r"[+\-]|[^+\-\s]+")
@lru_cache(maxsize=4)
def get_model(name: str) -> KeyedVectors:
"""Load/download a pre-trained embedding with caching."""
return api.load(name)
def parse_expression(expr: str):
tokens = TOKEN_RE.findall(expr.strip())
if not tokens:
return [], []
pos, neg, sign = [], [], '+'
for tok in tokens:
tok = tok.strip()
if tok in ['+', '-']:
sign = tok
continue
(pos if sign == '+' else neg).append(tok)
return pos, neg
# ----------------------
# Compute functions
# ----------------------
def compute_expression(model_name: str, expr: str, topn: int, exclude_inputs: bool):
try:
model = get_model(model_name)
except Exception as e:
return None, f"β Failed to load model '{model_name}': {e}"
pos, neg = parse_expression(expr or "")
if not pos and not neg:
return None, "β οΈ Please enter at least one word."
pos_in = [w for w in pos if w in model.key_to_index]
neg_in = [w for w in neg if w in model.key_to_index]
oov = [w for w in pos + neg if w not in model.key_to_index]
if not pos_in and not neg_in:
return None, "β All words are out-of-vocabulary for this model. Try different words or a different model."
try:
results = model.most_similar(positive=pos_in, negative=neg_in, topn=topn + len(pos_in) + len(neg_in))
except Exception as e:
return None, f"β Computation error: {e}"
if exclude_inputs:
inputs = {w.lower() for w in pos_in + neg_in}
results = [(w, s) for (w, s) in results if w.lower() not in inputs]
results = results[:topn]
df = pd.DataFrame(results, columns=["Word", "Cosine similarity"]) if results else None
info_bits = [
f"**Model:** `{model_name}` (dim={model.vector_size})",
f"**Positive:** {', '.join(pos_in) if pos_in else 'β'}",
f"**Negative:** {', '.join(neg_in) if neg_in else 'β'}",
]
if oov:
info_bits.append(f"**Out-of-vocabulary skipped:** {', '.join(oov)}")
info = "\n\n".join(info_bits)
return df, info
def compute_abc(model_name: str, a: str, b: str, c: str, topn: int, exclude_inputs: bool):
try:
model = get_model(model_name)
except Exception as e:
return None, f"β Failed to load model '{model_name}': {e}"
used, missing = [], []
vec = None
for word, sign in [(a, +1), (b, +1), (c, -1)]:
w = (word or '').strip()
if not w:
continue
if w in model.key_to_index:
used.append((w, sign))
v = model.get_vector(w)
vec = (v if vec is None else vec + sign * v)
else:
missing.append(w)
if vec is None:
return None, "β No valid words to compute a vector."
results = model.similar_by_vector(vec, topn=topn + len(used))
if exclude_inputs:
inputs = {w for w, _ in used}
results = [(w, s) for (w, s) in results if w not in inputs]
results = results[:topn]
df = pd.DataFrame(results, columns=["Word", "Cosine similarity"]) if results else None
info_bits = [
f"**Model:** `{model_name}` (dim={model.vector_size})",
f"**Used:** {', '.join([('+' if s>0 else 'β') + w for w,s in used]) if used else 'β'}",
]
if missing:
info_bits.append(f"**Out-of-vocabulary skipped:** {', '.join(missing)}")
info = "\n\n".join(info_bits)
return df, info
# ----------------------
# UI
# ----------------------
with gr.Blocks(title="Word Embeddings Playground β Gradio") as demo:
gr.Markdown("""
# π§ Word Embeddings Playground
Type equations like `king + woman - man` and explore nearest words using pre-trained Gensim embeddings.
""")
with gr.Row():
model_name = gr.Dropdown(
choices=list(MODEL_OPTIONS.keys()),
value="glove-wiki-gigaword-100",
label="Model",
info="If downloads stall, try a smaller model first (50d/100d)."
)
topn = gr.Slider(5, 50, value=10, step=1, label="Top N similar results")
exclude_inputs = gr.Checkbox(value=True, label="Exclude input words from results")
with gr.Tab("Expression: A + B β C + β¦"):
expr = gr.Textbox(value="king + woman - man", label="Expression (use + and -)")
compute_btn = gr.Button("Compute", variant="primary")
out_df = gr.Dataframe(headers=["Word", "Cosine similarity"], interactive=False)
out_info = gr.Markdown()
examples = gr.Examples(
examples=[
["king + woman - man"],
["paris - france + italy"],
["walk + past - present"],
["big - bigger + small"],
["programmer + woman - man"],
],
inputs=[expr],
label="Examples"
)
compute_btn.click(
fn=compute_expression,
inputs=[model_name, expr, topn, exclude_inputs],
outputs=[out_df, out_info]
)
with gr.Tab("Advanced: A + B β C"):
with gr.Row():
a = gr.Textbox(value="king", label="Word A (+)")
b = gr.Textbox(value="woman", label="Word B (+)")
c = gr.Textbox(value="man", label="Word C (β)")
compute_btn2 = gr.Button("Compute A + B β C")
out_df2 = gr.Dataframe(headers=["Word", "Cosine similarity"], interactive=False)
out_info2 = gr.Markdown()
compute_btn2.click(
fn=compute_abc,
inputs=[model_name, a, b, c, topn, exclude_inputs],
outputs=[out_df2, out_info2]
)
gr.Markdown("Built with **Gradio** + **Gensim**. Models load via `gensim.downloader`; first-time downloads can take a while depending on size.")
if __name__ == "__main__":
demo.launch()
|