Spaces:
Sleeping
Sleeping
File size: 7,169 Bytes
0b86477 |
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 |
# π Integration Guide - Use HF Space in Your Backend
## Quick Integration (3 Steps)
### Step 1: Copy the client file
```bash
# Copy the client to your backend directory
cp medsam_space_client.py ../medsam_space_client.py
```
### Step 2: Update your app.py
Find this code in `app.py` (around line 86-104):
```python
# OLD CODE - Remove this:
sam_checkpoint = "models/sam_vit_h_4b8939.pth"
model_type = "vit_b"
sam = None
sam_predictor = None
try:
if os.path.exists(sam_checkpoint):
sam = sam_model_registry[model_type](checkpoint=sam_checkpoint)
sam.to(device=device)
sam_predictor = SamPredictor(sam)
print("SAM model loaded successfully")
else:
print(f"Warning: SAM checkpoint not found at {sam_checkpoint}")
except Exception as e:
print(f"Warning: Failed to load SAM model: {e}")
```
Replace with:
```python
# NEW CODE - Add this:
from medsam_space_client import MedSAMSpacePredictor
# Initialize Space predictor
MEDSAM_SPACE_URL = os.getenv('MEDSAM_SPACE_URL',
'https://YOUR_USERNAME-medsam-inference.hf.space/api/predict')
sam_predictor = MedSAMSpacePredictor(MEDSAM_SPACE_URL)
print("β MedSAM Space predictor initialized")
```
### Step 3: Update your .env
```bash
cd backend
echo "MEDSAM_SPACE_URL=https://YOUR_USERNAME-medsam-inference.hf.space/api/predict" >> .env
```
**That's it!** Your code now uses the HF Space API! π
---
## What Changes?
### β
These STAY THE SAME (No changes needed!)
All your endpoint code stays exactly the same:
```python
@app.route('/api/segment', methods=['POST'])
def segment_with_sam():
# ... existing code ...
# This works exactly the same!
sam_predictor.set_image(image_array)
masks, scores, _ = sam_predictor.predict(
point_coords=np.array([[x, y]]),
point_labels=np.array([1]),
multimask_output=True
)
# Get the best mask
best_mask = masks[np.argmax(scores)]
# ... rest of your code ...
```
### π What's Different
**Before (Local SAM):**
- Loads 2.5GB model into memory
- Uses GPU/CPU for inference
- Fast but requires resources
**After (HF Space):**
- No model loading
- API call to HF Space
- Slightly slower but no resource usage
---
## Complete Example
Here's a complete before/after comparison:
### BEFORE (app.py with local SAM):
```python
from segment_anything import sam_model_registry, SamPredictor
# Initialize SAM locally (loads 2.5GB model)
sam = sam_model_registry["vit_b"](checkpoint="models/sam_vit_h_4b8939.pth")
sam.to(device=device)
sam_predictor = SamPredictor(sam)
@app.route('/api/segment', methods=['POST'])
def segment():
data = request.json
image_data = data.get('image')
x, y = data.get('x'), data.get('y')
# Decode image
image_bytes = base64.b64decode(image_data.split(',')[1])
image = Image.open(BytesIO(image_bytes))
image_array = np.array(image.convert('RGB'))
# Segment with SAM
sam_predictor.set_image(image_array)
masks, scores, _ = sam_predictor.predict(
point_coords=np.array([[x, y]]),
point_labels=np.array([1]),
multimask_output=True
)
# Get best mask
best_mask = masks[np.argmax(scores)]
return jsonify({'success': True})
```
### AFTER (app.py with HF Space):
```python
from medsam_space_client import MedSAMSpacePredictor
# Initialize Space predictor (no model loading!)
sam_predictor = MedSAMSpacePredictor(
"https://YOUR_USERNAME-medsam-inference.hf.space/api/predict"
)
@app.route('/api/segment', methods=['POST'])
def segment():
data = request.json
image_data = data.get('image')
x, y = data.get('x'), data.get('y')
# Decode image
image_bytes = base64.b64decode(image_data.split(',')[1])
image = Image.open(BytesIO(image_bytes))
image_array = np.array(image.convert('RGB'))
# Segment with SAM Space (SAME CODE!)
sam_predictor.set_image(image_array)
masks, scores, _ = sam_predictor.predict(
point_coords=np.array([[x, y]]),
point_labels=np.array([1]),
multimask_output=True
)
# Get best mask (SAME CODE!)
best_mask = masks[np.argmax(scores)]
return jsonify({'success': True})
```
**Notice:** Only the initialization changed! Everything else is identical! β¨
---
## Testing
### 1. Test the client directly:
```python
# test_client.py
from medsam_space_client import MedSAMSpacePredictor
import numpy as np
from PIL import Image
# Initialize
predictor = MedSAMSpacePredictor(
"https://YOUR_USERNAME-medsam-inference.hf.space/api/predict"
)
# Load test image
image = np.array(Image.open("test_image.jpg"))
# Set image
predictor.set_image(image)
# Predict
masks, scores, _ = predictor.predict(
point_coords=np.array([[200, 150]]),
point_labels=np.array([1]),
multimask_output=True
)
print(f"β
Got {len(masks)} masks")
print(f" Scores: {scores}")
print(f" Best score: {scores.max():.4f}")
```
### 2. Test your full backend:
```bash
# Start your backend
python app.py
# In another terminal, test the endpoint
curl -X POST http://localhost:5000/api/segment \
-H "Content-Type: application/json" \
-d '{
"image": "data:image/jpeg;base64,/9j/4AAQ...",
"x": 200,
"y": 150
}'
```
---
## Deployment
Now your backend is lightweight and can deploy to Vercel!
### Update requirements.txt for Vercel:
```txt
# requirements_vercel.txt
Flask==2.3.3
Flask-CORS==4.0.0
requests==2.31.0
Pillow>=10.0.0
numpy>=1.24.0
# No torch, no segment-anything!
```
### Deploy to Vercel:
```bash
cd backend
# Create vercel.json
cat > vercel.json << 'EOF'
{
"version": 2,
"builds": [{"src": "app.py", "use": "@vercel/python"}],
"routes": [{"src": "/(.*)", "dest": "app.py"}]
}
EOF
# Deploy
vercel
vercel env add MEDSAM_SPACE_URL
# Paste: https://YOUR_USERNAME-medsam-inference.hf.space/api/predict
vercel --prod
```
---
## Performance
### Local SAM:
- β
Fast: 1-3 seconds
- β Memory: 2.5GB+
- β Requires GPU for speed
### HF Space (Free CPU):
- β οΈ Slower: 5-10 seconds
- β
Memory: None (API call)
- β οΈ May sleep (first request slow)
### HF Space (GPU T4):
- β
Fast: 1-2 seconds
- β
Memory: None (API call)
- β
Always on
- π° Cost: $0.60/hour
---
## Troubleshooting
### "Failed to get prediction from MedSAM Space"
β Check MEDSAM_SPACE_URL is correct
β Check Space is running (visit URL in browser)
### First request is very slow (20-30s)
β Normal! Free tier Spaces sleep after inactivity
β They wake up on first request
β Subsequent requests are faster
### "Request timeout"
β Space might be overloaded
β Try again in a minute
β Or upgrade to GPU tier
---
## Summary
β
**What you did:**
1. Copied `medsam_space_client.py` to backend
2. Changed 5 lines in `app.py` (just initialization)
3. Added `MEDSAM_SPACE_URL` to `.env`
β
**What stays the same:**
- All your endpoint code
- All your SAM prediction calls
- Your entire application logic
β
**What you gained:**
- No more 2.5GB model in memory
- Can deploy to Vercel/serverless
- Model hosted on HuggingFace (free!)
π **Your backend is now cloud-ready!**
|