File size: 11,280 Bytes
2056352 3424243 2056352 3424243 2056352 3424243 f5c4a8e 3424243 e2d3fe3 3424243 e2d3fe3 3424243 2056352 3424243 e2d3fe3 3424243 2056352 3424243 2056352 3424243 2056352 3424243 e2d3fe3 3424243 e2d3fe3 3424243 e2d3fe3 3424243 e2d3fe3 3424243 2056352 3424243 2056352 3424243 e2d3fe3 2056352 3424243 e2d3fe3 2056352 3424243 2056352 f5c4a8e 3424243 2056352 f5c4a8e 3424243 f5c4a8e 2056352 f5c4a8e 3424243 f5c4a8e 3424243 f5c4a8e 2056352 f5c4a8e 3424243 f5c4a8e 2056352 e2d3fe3 |
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 |
import gradio as gr
import torch
import requests
import tempfile
from pathlib import Path
from PIL import Image
from transformers import AutoModelForCausalLM, AutoProcessor
_model_cache = {}
def load_model_and_processor(hf_token: str):
"""
Loads the MAIRA-2 model and processor from Hugging Face using the provided token.
The loaded objects are cached keyed by the token.
"""
if hf_token in _model_cache:
return _model_cache[hf_token]
device = torch.device("cpu")
model = AutoModelForCausalLM.from_pretrained(
"microsoft/maira-2",
trust_remote_code=True,
use_auth_token=hf_token
)
processor = AutoProcessor.from_pretrained(
"microsoft/maira-2",
trust_remote_code=True,
use_auth_token=hf_token
)
model.eval()
model.to(device)
_model_cache[hf_token] = (model, processor)
return model, processor
def get_sample_data() -> dict:
"""
Downloads sample chest X-ray images and associated data.
"""
frontal_image_url = "https://openi.nlm.nih.gov/imgs/512/145/145/CXR145_IM-0290-1001.png"
lateral_image_url = "https://openi.nlm.nih.gov/imgs/512/145/145/CXR145_IM-0290-2001.png"
def download_and_open(url: str) -> Image.Image:
response = requests.get(url, headers={"User-Agent": "MAIRA-2"}, stream=True)
return Image.open(response.raw).convert("RGB")
frontal = download_and_open(frontal_image_url)
lateral = download_and_open(lateral_image_url)
return {
"frontal": frontal,
"lateral": lateral,
"indication": "Dyspnea.",
"technique": "PA and lateral views of the chest.",
"comparison": "None.",
"phrase": "Pleural effusion."
}
def generate_report(hf_token, frontal, lateral, indication, technique, comparison, use_grounding):
"""
Generates a radiology report using the MAIRA-2 model.
If any image/text input is missing, sample data is used.
"""
try:
model, processor = load_model_and_processor(hf_token)
except Exception as e:
return f"Error loading model: {str(e)}"
device = torch.device("cpu")
sample = get_sample_data()
if frontal is None:
frontal = sample["frontal"]
if lateral is None:
lateral = sample["lateral"]
if not indication:
indication = sample["indication"]
if not technique:
technique = sample["technique"]
if not comparison:
comparison = sample["comparison"]
processed_inputs = processor.format_and_preprocess_reporting_input(
current_frontal=frontal,
current_lateral=lateral,
prior_frontal=None, # No prior study is used in this demo.
indication=indication,
technique=technique,
comparison=comparison,
prior_report=None,
return_tensors="pt",
get_grounding=use_grounding,
)
# Move all tensors to the CPU
processed_inputs = {k: v.to(device) for k, v in processed_inputs.items()}
# Remove keys containing "image_sizes" to prevent unexpected keyword errors.
processed_inputs = dict(processed_inputs)
keys_to_remove = [k for k in processed_inputs if "image_sizes" in k]
for key in keys_to_remove:
processed_inputs.pop(key, None)
max_tokens = 450 if use_grounding else 300
with torch.no_grad():
output_decoding = model.generate(
**processed_inputs,
max_new_tokens=max_tokens,
use_cache=True,
)
prompt_length = processed_inputs["input_ids"].shape[-1]
decoded_text = processor.decode(output_decoding[0][prompt_length:], skip_special_tokens=True)
decoded_text = decoded_text.lstrip() # Remove any leading whitespace
prediction = processor.convert_output_to_plaintext_or_grounded_sequence(decoded_text)
return prediction
def run_phrase_grounding(hf_token, frontal, phrase):
"""
Runs phrase grounding using the MAIRA-2 model.
If image or phrase is missing, sample data is used.
"""
try:
model, processor = load_model_and_processor(hf_token)
except Exception as e:
return f"Error loading model: {str(e)}"
device = torch.device("cpu")
sample = get_sample_data()
if frontal is None:
frontal = sample["frontal"]
if not phrase:
phrase = sample["phrase"]
processed_inputs = processor.format_and_preprocess_phrase_grounding_input(
frontal_image=frontal,
phrase=phrase,
return_tensors="pt",
)
processed_inputs = {k: v.to(device) for k, v in processed_inputs.items()}
# Remove keys containing "image_sizes" to prevent unexpected keyword errors.
processed_inputs = dict(processed_inputs)
keys_to_remove = [k for k in processed_inputs if "image_sizes" in k]
for key in keys_to_remove:
processed_inputs.pop(key, None)
with torch.no_grad():
output_decoding = model.generate(
**processed_inputs,
max_new_tokens=150,
use_cache=True,
)
prompt_length = processed_inputs["input_ids"].shape[-1]
decoded_text = processor.decode(output_decoding[0][prompt_length:], skip_special_tokens=True)
prediction = processor.convert_output_to_plaintext_or_grounded_sequence(decoded_text)
return prediction
def login_ui(hf_token):
"""Authenticate the user by loading the model."""
try:
load_model_and_processor(hf_token)
return "π Login successful! You can now use the model."
except Exception as e:
return f"β Login failed: {str(e)}"
def generate_report_ui(hf_token, frontal_path, lateral_path, indication, technique, comparison,
prior_frontal_path, prior_lateral_path, prior_report, grounding):
"""
Wrapper for generate_report that accepts file paths (from the UI) for images.
Prior study fields are ignored.
"""
try:
frontal = Image.open(frontal_path) if frontal_path else None
lateral = Image.open(lateral_path) if lateral_path else None
except Exception as e:
return f"β Error loading images: {str(e)}"
return generate_report(hf_token, frontal, lateral, indication, technique, comparison, grounding)
def run_phrase_grounding_ui(hf_token, frontal_path, phrase):
"""
Wrapper for run_phrase_grounding that accepts a file path for the frontal image.
"""
try:
frontal = Image.open(frontal_path) if frontal_path else None
except Exception as e:
return f"β Error loading image: {str(e)}"
return run_phrase_grounding(hf_token, frontal, phrase)
def save_temp_image(img: Image.Image) -> str:
"""Save a PIL image to a temporary file and return the file path."""
temp_file = tempfile.NamedTemporaryFile(suffix=".png", delete=False)
img.save(temp_file.name)
return temp_file.name
def load_sample_findings():
"""
Loads sample data for the report generation tab.
Returns file paths for current study images, sample text fields, and dummy values for prior study.
"""
sample = get_sample_data()
return [
save_temp_image(sample["frontal"]), # frontal image file path
save_temp_image(sample["lateral"]), # lateral image file path
sample["indication"],
sample["technique"],
sample["comparison"],
None, # prior frontal (not used)
None, # prior lateral (not used)
None, # prior report (not used)
False # grounding checkbox default
]
def load_sample_phrase():
"""
Loads sample data for the phrase grounding tab.
Returns file path for the frontal image and a sample phrase.
"""
sample = get_sample_data()
return [save_temp_image(sample["frontal"]), sample["phrase"]]
with gr.Blocks(title="MAIRA-2 Medical Assistant") as demo:
gr.Markdown(
"""
# MAIRA-2 Medical Assistant
**Authentication required** - You need a Hugging Face account and access token to use this model.
1. Get your access token from [https://huggingface.co/settings/tokens](https://huggingface.co/settings/tokens)
2. Request model access at [https://huggingface.co/microsoft/maira-2](https://huggingface.co/microsoft/maira-2)
3. Paste your token below to begin
"""
)
with gr.Row():
hf_token = gr.Textbox(
label="Hugging Face Token",
placeholder="hf_xxxxxxxxxxxxxxxxxxxx",
type="password"
)
login_btn = gr.Button("Authenticate")
login_status = gr.Textbox(label="Authentication Status", interactive=False)
login_btn.click(
login_ui,
inputs=hf_token,
outputs=login_status
)
with gr.Tabs():
with gr.Tab("Report Generation"):
with gr.Row():
with gr.Column():
gr.Markdown("## Current Study")
frontal = gr.Image(label="Frontal View", type="filepath")
lateral = gr.Image(label="Lateral View", type="filepath")
indication = gr.Textbox(label="Clinical Indication")
technique = gr.Textbox(label="Imaging Technique")
comparison = gr.Textbox(label="Comparison")
gr.Markdown("## Prior Study (Optional)")
prior_frontal = gr.Image(label="Prior Frontal View", type="filepath")
prior_lateral = gr.Image(label="Prior Lateral View", type="filepath")
prior_report = gr.Textbox(label="Prior Report")
grounding = gr.Checkbox(label="Include Grounding")
sample_btn = gr.Button("Load Sample Data")
with gr.Column():
report_output = gr.Textbox(label="Generated Report", lines=10)
generate_btn = gr.Button("Generate Report")
sample_btn.click(
load_sample_findings,
outputs=[frontal, lateral, indication, technique, comparison,
prior_frontal, prior_lateral, prior_report, grounding]
)
generate_btn.click(
generate_report_ui,
inputs=[hf_token, frontal, lateral, indication, technique, comparison,
prior_frontal, prior_lateral, prior_report, grounding],
outputs=report_output
)
with gr.Tab("Phrase Grounding"):
with gr.Row():
with gr.Column():
pg_frontal = gr.Image(label="Frontal View", type="filepath")
phrase = gr.Textbox(label="Phrase to Ground")
pg_sample_btn = gr.Button("Load Sample Data")
with gr.Column():
pg_output = gr.Textbox(label="Grounding Result", lines=3)
pg_btn = gr.Button("Find Phrase")
pg_sample_btn.click(
load_sample_phrase,
outputs=[pg_frontal, phrase]
)
pg_btn.click(
run_phrase_grounding_ui,
inputs=[hf_token, pg_frontal, phrase],
outputs=pg_output
)
demo.launch()
|