-
Notifications
You must be signed in to change notification settings - Fork 1.4k
Expand file tree
/
Copy pathcall_llm.py
More file actions
317 lines (258 loc) · 10.4 KB
/
call_llm.py
File metadata and controls
317 lines (258 loc) · 10.4 KB
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
from google import genai
import os
import logging
import json
import requests
from datetime import datetime
# Configure logging
log_directory = os.getenv("LOG_DIR", "logs")
os.makedirs(log_directory, exist_ok=True)
log_file = os.path.join(
log_directory, f"llm_calls_{datetime.now().strftime('%Y%m%d')}.log"
)
# Set up logger
logger = logging.getLogger("llm_logger")
logger.setLevel(logging.INFO)
logger.propagate = False # Prevent propagation to root logger
file_handler = logging.FileHandler(log_file, encoding='utf-8')
file_handler.setFormatter(
logging.Formatter("%(asctime)s - %(levelname)s - %(message)s")
)
logger.addHandler(file_handler)
# Simple cache configuration
cache_file = "llm_cache.json"
def load_cache():
try:
with open(cache_file, 'r') as f:
return json.load(f)
except:
logger.warning(f"Failed to load cache.")
return {}
def save_cache(cache):
try:
with open(cache_file, 'w') as f:
json.dump(cache, f)
except:
logger.warning(f"Failed to save cache")
def get_llm_provider():
provider = os.getenv("LLM_PROVIDER")
if not provider and (os.getenv("GEMINI_PROJECT_ID") or os.getenv("GEMINI_API_KEY")):
provider = "GEMINI"
# if necessary, add ANTHROPIC/OPENAI
return provider
def _call_llm_provider(prompt: str) -> str:
"""
Call an LLM provider based on environment variables.
Environment variables:
- LLM_PROVIDER: "OLLAMA" or "XAI"
- <provider>_MODEL: Model name (e.g., OLLAMA_MODEL, XAI_MODEL)
- <provider>_BASE_URL: Base URL without endpoint (e.g., OLLAMA_BASE_URL, XAI_BASE_URL)
- <provider>_API_KEY: API key (e.g., OLLAMA_API_KEY, XAI_API_KEY; optional for providers that don't require it)
The endpoint /v1/chat/completions will be appended to the base URL.
"""
logger.info(f"PROMPT: {prompt}") # log the prompt
# Read the provider from environment variable
provider = os.environ.get("LLM_PROVIDER")
if not provider:
raise ValueError("LLM_PROVIDER environment variable is required")
# Construct the names of the other environment variables
model_var = f"{provider}_MODEL"
base_url_var = f"{provider}_BASE_URL"
api_key_var = f"{provider}_API_KEY"
# Read the provider-specific variables
model = os.environ.get(model_var)
base_url = os.environ.get(base_url_var)
api_key = os.environ.get(api_key_var, "") # API key is optional, default to empty string
# Validate required variables
if not model:
raise ValueError(f"{model_var} environment variable is required")
if not base_url:
raise ValueError(f"{base_url_var} environment variable is required")
# Append the endpoint to the base URL
url = f"{base_url.rstrip('/')}/v1/chat/completions"
# Configure headers and payload based on provider
headers = {
"Content-Type": "application/json",
}
if api_key: # Only add Authorization header if API key is provided
headers["Authorization"] = f"Bearer {api_key}"
payload = {
"model": model,
"messages": [{"role": "user", "content": prompt}],
"temperature": 0.7,
}
try:
response = requests.post(url, headers=headers, json=payload)
response_json = response.json() # Log the response
logger.info("RESPONSE:\n%s", json.dumps(response_json, indent=2))
#logger.info(f"RESPONSE: {response.json()}")
response.raise_for_status()
return response.json()["choices"][0]["message"]["content"]
except requests.exceptions.HTTPError as e:
error_message = f"HTTP error occurred: {e}"
try:
error_details = response.json().get("error", "No additional details")
error_message += f" (Details: {error_details})"
except:
pass
raise Exception(error_message)
except requests.exceptions.ConnectionError:
raise Exception(f"Failed to connect to {provider} API. Check your network connection.")
except requests.exceptions.Timeout:
raise Exception(f"Request to {provider} API timed out.")
except requests.exceptions.RequestException as e:
raise Exception(f"An error occurred while making the request to {provider}: {e}")
except ValueError:
raise Exception(f"Failed to parse response as JSON from {provider}. The server might have returned an invalid response.")
# By default, we Google Gemini 2.5 pro, as it shows great performance for code understanding
def call_llm(prompt: str, use_cache: bool = True) -> str:
# Log the prompt
logger.info(f"PROMPT: {prompt}")
# Check cache if enabled
if use_cache:
# Load cache from disk
cache = load_cache()
# Return from cache if exists
if prompt in cache:
logger.info(f"RESPONSE: {cache[prompt]}")
return cache[prompt]
provider = get_llm_provider()
if provider == "GEMINI":
response_text = _call_llm_gemini(prompt)
else: # generic method using a URL that is OpenAI compatible API (Ollama, ...)
response_text = _call_llm_provider(prompt)
# Log the response
logger.info(f"RESPONSE: {response_text}")
# Update cache if enabled
if use_cache:
# Load cache again to avoid overwrites
cache = load_cache()
# Add to cache and save
cache[prompt] = response_text
save_cache(cache)
return response_text
def get_open_webui_context(
prompt: str,
collection_name: str = "csharpdocs",
jwt_token: str = None
) -> str:
"""
Query Open WebUI knowledge collection with RAG enabled.
The RAG retrieval happens server-side in Open WebUI using the 'files' parameter or proper knowledge retrieval.
"""
# 1. Setup Auth and Config
if not jwt_token:
# Try JWT token first, fallback to API Key (which is often a Bearer token anyway)
jwt_token = os.getenv("OPEN_WEBUI_JWT_TOKEN") or os.getenv("OPEN_WEBUI_API_KEY")
if not jwt_token:
logger.warning("OPEN_WEBUI_JWT_TOKEN/API_KEY not set. Skipping RAG.")
return ""
# Allow overriding collection name from env
collection_name = os.getenv("OPEN_WEBUI_COLLECTION", collection_name)
base_url = os.getenv("OPEN_WEBUI_ENDPOINT", "http://localhost:3000")
headers = {
'Authorization': f'Bearer {jwt_token}',
'Content-Type': 'application/json'
}
# 2. Get Collection ID from Name
collection_id = None
try:
collections_url = f"{base_url}/api/v1/knowledge/"
# Use short timeout for list
resp = requests.get(collections_url, headers=headers, timeout=10)
resp.raise_for_status()
collections = resp.json()
for col in collections:
if col.get('name', '').lower() == collection_name.lower():
collection_id = col['id']
break
if not collection_id:
logger.warning(f"Collection '{collection_name}' not found in Open WebUI. Returning empty RAG context.")
return ""
logger.info(f"Found Knowledge Collection: {collection_name} -> {collection_id}")
except Exception as e:
logger.error(f"Failed to lookup Knowledge Collection ID: {e}")
return ""
# 3. Query Chat Completions with RAG context
# This triggers the server-side RAG engine because we pass the 'files' parameter
chat_url = f"{base_url}/api/chat/completions"
payload = {
"model": os.getenv("OLLAMA_MODEL", "qwen3:8b"),
"messages": [
{"role": "user", "content": prompt}
],
"files": [
{
"type": "collection",
"id": collection_id
}
],
"stream": False
}
try:
logger.info(f"Querying Open WebUI RAG for: '{prompt[:50]}...'")
response = requests.post(chat_url, headers=headers, json=payload, timeout=300) # 5 min timeout for RAG
response.raise_for_status()
result = response.json()
content = result["choices"][0]["message"]["content"]
logger.info(f"RAG Retrieval Successful. Response Length: {len(content)}")
return content
except Exception as e:
logger.error(f"Open WebUI RAG Query failed: {e}")
return ""
def call_llm_with_context(prompt: str, context: str = "", use_cache: bool = True, include_remote_rag: bool = False) -> str:
"""
Call LLM with optional RAG context (Local + Remote) injected into the prompt.
Args:
prompt: The main question/instruction for the LLM
context: Additional code snippets or relevant information (Local files)
use_cache: Whether to cache the LLM response
include_remote_rag: Whether to fetch context from Open WebUI RAG server
Returns:
str: LLM response text
"""
rag_context = context
if include_remote_rag:
remote_knowledge = get_open_webui_context(prompt)
if remote_knowledge:
rag_context += f"\n\n### Remote Library Knowledge (.NET/C# Docs):\n{remote_knowledge}"
if rag_context:
# Build enhanced prompt with context
full_prompt = f"""### Relevant Code/Library Context:
{rag_context}
### Task:
{prompt}
Use the code context above to provide accurate, specific answers."""
else:
full_prompt = prompt
return call_llm(full_prompt, use_cache)
if __name__ == "__main__":
# Test block as requested
from dotenv import load_dotenv
load_dotenv()
print("Testing get_open_webui_context...")
res = get_open_webui_context("file-based programs .NET 10")
print(f"Retrieved: {res[:200]}")
def _call_llm_gemini(prompt: str) -> str:
if os.getenv("GEMINI_PROJECT_ID"):
client = genai.Client(
vertexai=True,
project=os.getenv("GEMINI_PROJECT_ID"),
location=os.getenv("GEMINI_LOCATION", "us-central1")
)
elif os.getenv("GEMINI_API_KEY"):
client = genai.Client(api_key=os.getenv("GEMINI_API_KEY"))
else:
raise ValueError("Either GEMINI_PROJECT_ID or GEMINI_API_KEY must be set in the environment")
model = os.getenv("GEMINI_MODEL", "gemini-2.5-pro-exp-03-25")
response = client.models.generate_content(
model=model,
contents=[prompt]
)
return response.text
if __name__ == "__main__":
test_prompt = "Hello, how are you?"
# First call - should hit the API
print("Making call...")
response1 = call_llm(test_prompt, use_cache=False)
print(f"Response: {response1}")