Spaces:
Sleeping
Sleeping
File size: 10,729 Bytes
9024ad9 2ed2bd7 6e01ea3 9024ad9 29ed661 eca870b 9024ad9 eca870b 9024ad9 eca870b 9024ad9 eca870b 9024ad9 eca870b 9024ad9 eca870b 9024ad9 eca870b f2cff39 29ed661 9024ad9 eca870b 9024ad9 eca870b d3f36f7 2431837 2ed2bd7 f2cff39 2ed2bd7 eca870b 2ed2bd7 eca870b 9024ad9 eca870b 9024ad9 f2cff39 2ed2bd7 f2cff39 2ed2bd7 eca870b 9024ad9 eca870b 9024ad9 2431837 eca870b 9024ad9 eca870b 6e01ea3 29ed661 6e01ea3 29ed661 6e01ea3 2ed2bd7 6e01ea3 2ed2bd7 6e01ea3 2ed2bd7 6e01ea3 2ed2bd7 6e01ea3 2ed2bd7 6e01ea3 2ed2bd7 6e01ea3 2ed2bd7 6e01ea3 2ed2bd7 6e01ea3 2ed2bd7 6e01ea3 2ed2bd7 6e01ea3 2ed2bd7 6e01ea3 eca870b 59650d1 eca870b 9024ad9 eca870b 41494e9 2ed2bd7 41494e9 2ed2bd7 41494e9 9024ad9 eca870b 9024ad9 eca870b 9024ad9 eca870b 29ed661 eca870b 9024ad9 | 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 | """
Ollama service integration for text summarization.
"""
import json
import time
from collections.abc import AsyncGenerator
from typing import Any
from urllib.parse import urljoin
import httpx
from app.core.config import settings
from app.core.logging import get_logger
logger = get_logger(__name__)
def _normalize_base(url: str) -> str:
"""
Ensure a usable base URL:
- add http:// if scheme missing
- replace 0.0.0.0 (bind addr) with localhost for client requests
- ensure trailing slash for safe urljoin
"""
v = (url or "").strip()
if not v:
v = "http://localhost:11434"
if not (v.startswith("http://") or v.startswith("https://")):
v = "http://" + v
if "://0.0.0.0:" in v:
v = v.replace("://0.0.0.0:", "://localhost:")
if not v.endswith("/"):
v += "/"
return v
class OllamaService:
"""Service for interacting with Ollama API."""
def __init__(self):
self.base_url = _normalize_base(settings.ollama_host)
self.model = settings.ollama_model
self.timeout = settings.ollama_timeout
logger.info(f"Ollama base URL (normalized): {self.base_url}")
logger.info(f"Ollama model: {self.model}")
async def summarize_text(
self,
text: str,
max_tokens: int = 100,
prompt: str = "Summarize concisely:",
) -> dict[str, Any]:
"""
Summarize text using Ollama.
Raises httpx.HTTPError (and subclasses) on failure.
"""
start_time = time.time()
# Optimized timeout: base + 3s per extra 1000 chars (cap 90s)
text_length = len(text)
dynamic_timeout = min(
self.timeout + max(0, (text_length - 1000) // 1000 * 3), 90
)
# Preprocess text to reduce input size for faster processing
if text_length > 4000:
# Truncate very long texts and add note
text = text[:4000] + "\n\n[Text truncated for faster processing]"
text_length = len(text)
logger.info(
f"Text truncated from {len(text)} to {text_length} chars for faster processing"
)
logger.info(
f"Processing text of {text_length} chars with timeout {dynamic_timeout}s"
)
full_prompt = f"{prompt}\n\n{text}"
payload = {
"model": self.model,
"prompt": full_prompt,
"stream": False,
"options": {
"num_predict": max_tokens,
"temperature": 0.1, # Lower temperature for faster, more focused output
"top_p": 0.9, # Nucleus sampling for efficiency
"top_k": 40, # Limit vocabulary for speed
"repeat_penalty": 1.1, # Prevent repetition
"num_ctx": 2048, # Limit context window for speed
},
}
generate_url = urljoin(self.base_url, "api/generate")
logger.info(f"POST {generate_url}")
try:
async with httpx.AsyncClient(timeout=dynamic_timeout) as client:
resp = await client.post(generate_url, json=payload)
resp.raise_for_status()
data = resp.json()
latency_ms = (time.time() - start_time) * 1000.0
return {
"summary": (data.get("response") or "").strip(),
"model": self.model,
"tokens_used": data.get("eval_count", 0),
"latency_ms": round(latency_ms, 2),
}
except httpx.TimeoutException:
logger.error(
f"Timeout calling Ollama after {dynamic_timeout}s "
f"(chars={text_length}, url={generate_url})"
)
raise
except httpx.RequestError as e:
# Network / connection errors (DNS, refused, TLS, etc.)
logger.error(f"Request error calling Ollama at {generate_url}: {e}")
raise
except httpx.HTTPStatusError as e:
# Non-2xx responses
body = e.response.text if e.response is not None else ""
logger.error(
f"HTTP {e.response.status_code if e.response else '??'} from Ollama at {generate_url}: {body[:400]}"
)
raise
except Exception as e:
logger.error(f"Unexpected error calling Ollama at {generate_url}: {e}")
# Present a consistent error type to callers
raise httpx.HTTPError(f"Ollama API error: {e}") from e
async def summarize_text_stream(
self,
text: str,
max_tokens: int = 100,
prompt: str = "Summarize concisely:",
) -> AsyncGenerator[dict[str, Any], None]:
"""
Stream text summarization using Ollama.
Yields chunks as they arrive from Ollama.
Raises httpx.HTTPError (and subclasses) on failure.
"""
time.time()
# Optimized timeout: base + 3s per extra 1000 chars (cap 90s)
text_length = len(text)
dynamic_timeout = min(
self.timeout + max(0, (text_length - 1000) // 1000 * 3), 90
)
# Preprocess text to reduce input size for faster processing
if text_length > 4000:
# Truncate very long texts and add note
text = text[:4000] + "\n\n[Text truncated for faster processing]"
text_length = len(text)
logger.info(
f"Text truncated from {len(text)} to {text_length} chars for faster processing"
)
logger.info(
f"Processing text of {text_length} chars with timeout {dynamic_timeout}s"
)
full_prompt = f"{prompt}\n\n{text}"
payload = {
"model": self.model,
"prompt": full_prompt,
"stream": True, # Enable streaming
"options": {
"num_predict": max_tokens,
"temperature": 0.1, # Lower temperature for faster, more focused output
"top_p": 0.9, # Nucleus sampling for efficiency
"top_k": 40, # Limit vocabulary for speed
"repeat_penalty": 1.1, # Prevent repetition
"num_ctx": 2048, # Limit context window for speed
},
}
generate_url = urljoin(self.base_url, "api/generate")
logger.info(f"POST {generate_url} (streaming)")
try:
async with httpx.AsyncClient(timeout=dynamic_timeout) as client:
async with client.stream(
"POST", generate_url, json=payload
) as response:
response.raise_for_status()
async for line in response.aiter_lines():
line = line.strip()
if not line:
continue
try:
data = json.loads(line)
chunk = {
"content": data.get("response", ""),
"done": data.get("done", False),
"tokens_used": data.get("eval_count", 0),
}
yield chunk
# Break if this is the final chunk
if data.get("done", False):
break
except json.JSONDecodeError:
# Skip malformed JSON lines
logger.warning(
f"Skipping malformed JSON line: {line[:100]}"
)
continue
except httpx.TimeoutException:
logger.error(
f"Timeout calling Ollama after {dynamic_timeout}s "
f"(chars={text_length}, url={generate_url})"
)
raise
except httpx.RequestError as e:
# Network / connection errors (DNS, refused, TLS, etc.)
logger.error(f"Request error calling Ollama at {generate_url}: {e}")
raise
except httpx.HTTPStatusError as e:
# Non-2xx responses
body = e.response.text if e.response is not None else ""
logger.error(
f"HTTP {e.response.status_code if e.response else '??'} from Ollama at {generate_url}: {body[:400]}"
)
raise
except Exception as e:
logger.error(f"Unexpected error calling Ollama at {generate_url}: {e}")
# Present a consistent error type to callers
raise httpx.HTTPError(f"Ollama API error: {e}") from e
async def warm_up_model(self) -> None:
"""
Warm up the Ollama model by executing a minimal generation.
This loads model weights into memory for faster subsequent requests.
"""
warmup_payload = {
"model": self.model,
"prompt": "Hi",
"stream": False,
"options": {
"num_predict": 1, # Minimal tokens
"temperature": 0.1,
},
}
generate_url = urljoin(self.base_url, "api/generate")
logger.info(f"POST {generate_url} (warmup)")
try:
async with httpx.AsyncClient(timeout=60.0) as client:
resp = await client.post(generate_url, json=warmup_payload)
resp.raise_for_status()
logger.info("✅ Model warmup successful")
except Exception as e:
logger.error(f"❌ Model warmup failed: {e}")
raise
async def check_health(self) -> bool:
"""
Verify Ollama is reachable and (optionally) that the model exists.
"""
tags_url = urljoin(self.base_url, "api/tags")
logger.info(f"GET {tags_url} (health)")
try:
async with httpx.AsyncClient(timeout=5.0) as client:
resp = await client.get(tags_url)
resp.raise_for_status()
resp.json()
# If you want to *require* the model to exist, uncomment below:
# available = {m.get("name") for m in tags.get("models", []) if isinstance(m, dict)}
# if self.model and self.model not in available:
# logger.warning(f"Model '{self.model}' not found in Ollama tags: {available}")
# # Still return True for connectivity; or return False to fail hard
# return True
return True
except Exception as e:
logger.warning(f"Ollama health check failed: {e}")
return False
# Global service instance
ollama_service = OllamaService()
|