-
Notifications
You must be signed in to change notification settings - Fork 2
Expand file tree
/
Copy pathclient.py
More file actions
758 lines (644 loc) · 28 KB
/
client.py
File metadata and controls
758 lines (644 loc) · 28 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
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
import json
import jwt
import os
import random
import time
import traceback
import warnings
from pathlib import Path
from typing import Any, Dict, List, Optional, Union
import httpx
from quotientai import resources
from quotientai.exceptions import handle_errors, logger
from quotientai.resources.logs import LogDocument
from quotientai.tracing.core import TracingResource
from quotientai.types import DetectionType
class _BaseQuotientClient(httpx.Client):
def __init__(self, api_key: str):
try:
token_dir = Path.home()
except Exception:
if Path("/root/").exists():
token_dir = Path("/root")
else:
token_dir = Path.cwd()
self.api_key = api_key
self.token = None
self.token_expiry = 0
self.token_api_key = None
self._user = None
self._token_path = (
token_dir
/ ".quotient"
/ f"{api_key[-6:]+'_' if api_key else ''}auth_token.json"
)
# Try to load existing token
self._load_token()
# Set initial authorization header (token if valid, otherwise API key)
auth_header = (
f"Bearer {self.token}" if self._is_token_valid() else f"Bearer {api_key}"
)
super().__init__(
base_url="https://api.quotientai.co/api/v1",
headers={"Authorization": auth_header},
)
def _save_token(self, token: str, expiry: int):
"""Save token to memory and disk"""
self.token = token
self.token_expiry = expiry
# Create directory if it doesn't exist
try:
self._token_path.parent.mkdir(parents=True, exist_ok=True)
except Exception:
logger.error(
f"could not create directory for token. if you see this error please notify us at contact@quotientai.co"
)
return None
# Save to disk
with open(self._token_path, "w") as f:
json.dump(
{"token": token, "expires_at": expiry, "api_key": self.api_key}, f
)
def _load_token(self):
"""Load token from disk if available"""
if not self._token_path.exists():
return
try:
with open(self._token_path, "r") as f:
data = json.load(f)
self.token = data.get("token")
self.token_expiry = data.get("expires_at", 0)
self.token_api_key = data.get("api_key")
except Exception:
# If loading fails, token remains None
pass
def _is_token_valid(self):
"""Check if token exists and is not expired"""
self._load_token()
if not self.token:
return False
if self.token_api_key != self.api_key:
return False
# With 5-minute buffer
return time.time() < (self.token_expiry - 300)
def _update_auth_header(self):
"""Update authorization header with token or API key"""
if self._is_token_valid():
self.headers["Authorization"] = f"Bearer {self.token}"
else:
self.headers["Authorization"] = f"Bearer {self.api_key}"
def _handle_response(self, response):
"""Check response for JWT token and save if present"""
# Look for JWT token in response headers
jwt_token = response.headers.get("X-JWT-Token")
if jwt_token:
try:
# Parse token to get expiry (assuming token is a standard JWT)
decoded = jwt.decode(jwt_token, options={"verify_signature": False})
expiry = decoded.get("exp", time.time() + 3600) # Default 1h if no exp
# Save the token
self._save_token(jwt_token, expiry)
# Update auth header for future requests
self.headers["Authorization"] = f"Bearer {jwt_token}"
except Exception as e:
# If token parsing fails, continue with current auth
pass
return response
@handle_errors
def _get(
self, path: str, params: Optional[Dict[str, Any]] = None, timeout: int = None
) -> dict:
"""Send a GET request to the specified path."""
self._update_auth_header()
response = self.get(path, params=params, timeout=timeout)
return self._handle_response(response)
@handle_errors
def _post(self, path: str, data: dict = {}, timeout: int = None) -> dict:
"""Send a POST request to the specified path."""
self._update_auth_header()
if isinstance(data, dict):
data = {k: v for k, v in data.items() if v is not None}
elif isinstance(data, list):
data = [v for v in data if v is not None]
response = self.post(
url=path,
json=data,
timeout=timeout,
)
return self._handle_response(response)
@handle_errors
def _patch(self, path: str, data: dict = {}, timeout: int = None) -> dict:
"""Send a PATCH request to the specified path."""
self._update_auth_header()
data = {k: v for k, v in data.items() if v is not None}
response = self.patch(
url=path,
json=data,
timeout=timeout,
)
return self._handle_response(response)
@handle_errors
def _delete(self, path: str, timeout: int = None) -> dict:
"""Send a DELETE request to the specified path."""
self._update_auth_header()
response = self.delete(path, timeout=timeout)
return self._handle_response(response)
class QuotientLogger:
"""
Logger interface that wraps the underlying logs resource.
This class handles both configuration (via init) and logging.
"""
def __init__(self, logs_resource):
self.logs_resource = logs_resource
self.app_name: Optional[str] = None
self.environment: Optional[str] = None
self.tags: Dict[str, Any] = {}
self.sample_rate: float = 1.0
self.hallucination_detection: bool = False
self.inconsistency_detection: bool = False
self._configured = False
self.hallucination_detection_sample_rate = 0.0
def init(
self,
*,
app_name: str,
environment: str,
tags: Optional[Dict[str, Any]] = {},
sample_rate: float = 1.0,
# New detection parameters (recommended)
detections: Optional[List[DetectionType]] = None,
detection_sample_rate: Optional[float] = None,
# Deprecated detection parameters
hallucination_detection: Optional[bool] = None,
inconsistency_detection: Optional[bool] = None,
hallucination_detection_sample_rate: Optional[float] = None,
) -> "QuotientLogger":
"""
Configure the logger with the provided parameters and return self.
This method must be called before using log().
Args:
app_name: The name of the application
environment: The environment (e.g., "production", "development")
tags: Optional tags to attach to all logs
sample_rate: Sample rate for logging (0-1)
# New detection parameters (recommended):
detections: List of detection types to run by default
detection_sample_rate: Sample rate for all detections (0-1)
# Deprecated detection parameters:
hallucination_detection: [DEPRECATED in 0.3.4] Use detections=[DetectionType.HALLUCINATION] instead
inconsistency_detection: [DEPRECATED in 0.3.4] Use detections=[DetectionType.INCONSISTENCY] instead
hallucination_detection_sample_rate: [DEPRECATED in 0.3.4] Use detection_sample_rate instead
"""
if not app_name or not isinstance(app_name, str):
logger.error("app_name must be a non-empty string")
return None
if not environment or not isinstance(environment, str):
logger.error("environment must be a non-empty string")
return None
if not isinstance(tags, dict):
logger.error("tags must be a dictionary")
return None
if not isinstance(sample_rate, float):
logger.error("sample_rate must be a float")
return None
# Check for deprecated vs new detection parameter usage
deprecated_detection_params_used = any(
[
hallucination_detection is not None,
inconsistency_detection is not None,
hallucination_detection_sample_rate is not None,
]
)
detection_params_used = any(
[
detections is not None,
detection_sample_rate is not None,
]
)
# Prevent mixing deprecated and new detection parameters
if deprecated_detection_params_used and detection_params_used:
logger.error(
"Cannot mix deprecated parameters (hallucination_detection, inconsistency_detection, hallucination_detection_sample_rate) "
"with new detection parameters (detections, detection_sample_rate) in logger.init(). Please use new detection parameters."
)
return None
# Handle deprecated parameters (with deprecation warnings)
if deprecated_detection_params_used:
warnings.warn(
"Deprecated parameters (hallucination_detection, inconsistency_detection, hallucination_detection_sample_rate) "
"are deprecated as of 0.3.4. Please use new detection parameters (detections, detection_sample_rate) instead.",
DeprecationWarning,
stacklevel=2,
)
# Convert deprecated to new format
detections = []
if hallucination_detection:
detections.append(DetectionType.HALLUCINATION)
# Note: inconsistency_detection is deprecated and not supported in v2
detection_sample_rate = hallucination_detection_sample_rate or 0.0
self.app_name = app_name
self.environment = environment
self.tags = tags or {}
self.sample_rate = sample_rate
if not (0.0 <= self.sample_rate <= 1.0):
logger.error(f"sample_rate must be between 0.0 and 1.0")
return None
# Store detection configuration (converted to new format)
self.detections = detections or []
self.detection_sample_rate = detection_sample_rate or 0.0
if not (0.0 <= self.detection_sample_rate <= 1.0):
logger.error(f"detection_sample_rate must be between 0.0 and 1.0")
return None
# Keep old properties for backward compatibility with deprecated logger.log()
self.hallucination_detection = DetectionType.HALLUCINATION in self.detections
self.inconsistency_detection = (
False # inconsistency_detection is deprecated and not supported in v2
)
self.hallucination_detection_sample_rate = self.detection_sample_rate
self._configured = True
return self
def _should_sample(self) -> bool:
"""
Determine if the log should be sampled based on the sample rate. Intentionally naive client-side sampling.
"""
return random.random() < self.sample_rate
def log(
self,
*,
user_query: str,
model_output: str,
documents: List[Union[str, LogDocument]] = None,
message_history: Optional[List[Dict[str, Any]]] = None,
instructions: Optional[List[str]] = None,
tags: Optional[Dict[str, Any]] = {},
hallucination_detection: Optional[bool] = None,
inconsistency_detection: Optional[bool] = None,
):
"""
Log the model interaction synchronously.
Merges the default tags (set via init) with any runtime-supplied tags and calls the
underlying non_blocking_create function.
.. deprecated:: 0.3.1
Use :meth:`quotient.log()` instead. This method will be removed in a future version.
"""
warnings.warn(
"quotient.logger.log() is deprecated as of 0.3.1 and will be removed in a future version. "
"Please use quotient.log() instead.",
DeprecationWarning,
stacklevel=2,
)
if not self._configured:
logger.error(
f"Logger is not configured. Please call init() before logging."
)
return None
# Merge default tags with any tags provided at log time.
merged_tags = {**self.tags, **(tags or {})}
# Use the instance variable as the default if not provided
hallucination_detection = (
hallucination_detection
if hallucination_detection is not None
else self.hallucination_detection
)
inconsistency_detection = (
inconsistency_detection
if inconsistency_detection is not None
else self.inconsistency_detection
)
# Validate documents format
if documents:
for doc in documents:
if isinstance(doc, str):
continue
elif isinstance(doc, dict):
try:
LogDocument(**doc)
except Exception as e:
logger.error(
f"Invalid document format: Documents must include 'page_content' field and optional 'metadata' object with string keys."
)
return None
else:
actual_type = type(doc).__name__
logger.error(
f"Invalid document type: Received {actual_type}, but documents must be strings or dictionaries."
)
return None
if self._should_sample():
# Convert to new parameters for resources layer
detections = []
if hallucination_detection:
detections.append("hallucination")
if inconsistency_detection:
detections.append("inconsistency")
log_id = self.logs_resource.create(
app_name=self.app_name,
environment=self.environment,
detections=detections,
detection_sample_rate=self.hallucination_detection_sample_rate,
user_query=user_query,
model_output=model_output,
documents=documents,
message_history=message_history,
instructions=instructions,
tags=merged_tags,
)
return log_id
else:
return None
def poll_for_detection(
self, log_id: str, timeout: int = 300, poll_interval: float = 2.0
):
"""
Get Detection results for a log.
This method polls the Detection endpoint until the results are ready or the timeout is reached.
Args:
log_id: The ID of the log to get Detection results for
timeout: Maximum time to wait for results in seconds (default: 300s/5min)
poll_interval: How often to poll the API in seconds (default: 2s)
Returns:
Log object with Detection results if successful, None otherwise
.. deprecated:: 0.3.1
Use :meth:`quotient.poll_for_detection()` instead. This method will be removed in a future version.
"""
warnings.warn(
"quotient.logger.poll_for_detection() is deprecated as of 0.3.1 and will be removed in a future version. "
"Please use quotient.poll_for_detection() instead.",
DeprecationWarning,
stacklevel=2,
)
if not self._configured:
logger.error(
f"Logger is not configured. Please call init() before getting Detection results."
)
return None
if not log_id:
logger.error("Log ID is required for Detection")
return None
# Call the underlying resource method
return self.logs_resource.poll_for_detection(log_id, timeout, poll_interval)
class QuotientTracer:
"""
Tracer interface that wraps the underlying tracing resource.
This class handles both configuration (via init) and tracing.
"""
def __init__(self, tracing_resource: TracingResource):
self.tracing_resource = tracing_resource
self.app_name: Optional[str] = None
self.environment: Optional[str] = None
self.metadata: Optional[Dict[str, Any]] = None
self.instruments: Optional[List[Any]] = None
self.detections: Optional[List[str]] = None
self._configured = False
def init(
self,
*,
app_name: str,
environment: str,
instruments: Optional[List[Any]] = None,
detections: Optional[List[str]] = None,
) -> "QuotientTracer":
"""
Configure the tracer with the provided parameters and return self.
This method must be called before using trace().
"""
self.app_name = app_name
self.environment = environment
self.instruments = instruments
self.detections = detections
# Configure the underlying tracing resource
self.tracing_resource.configure(
app_name=app_name,
environment=environment,
instruments=instruments,
detections=detections,
)
self._configured = True
return self
def trace(self, name: Optional[str] = None):
"""
Decorator to trace function calls for Quotient.
Example:
quotient.tracer.init(app_name="my_app", environment="prod")
@quotient.trace()
def my_function():
pass
@quotient.trace()
async def my_async_function():
pass
"""
if not self._configured:
logger.error(
f"tracer is not configured. Please call init() before tracing."
)
return lambda func: func
# Call the tracing resource without parameters since it's now configured
return self.tracing_resource.trace(name)
def force_flush(self):
"""
Force flush all pending spans to the collector.
This is useful for debugging and ensuring spans are sent immediately.
"""
self.tracing_resource.force_flush()
class QuotientAI:
"""
A client that provides access to the QuotientAI API.
The QuotientAI class provides synchronous methods to interact with the QuotientAI API,
including logging data to Quotient and running detections.
Args:
api_key (Optional[str]): The API key to use for authentication. If not provided,
will attempt to read from QUOTIENT_API_KEY environment variable.
"""
def __init__(self, api_key: Optional[str] = None):
self.api_key = api_key or os.environ.get("QUOTIENT_API_KEY")
if not self.api_key:
logger.error(
"could not find API key. either pass api_key to QuotientAI() or "
"set the QUOTIENT_API_KEY environment variable. "
f"if you do not have an API key, you can create one at https://app.quotientai.co in your settings page"
)
_client = _BaseQuotientClient(self.api_key)
self.auth = resources.AuthResource(_client)
self.logs = resources.LogsResource(_client)
self.tracing = resources.TracingResource(_client)
# Create an unconfigured logger instance.
self.logger = QuotientLogger(self.logs)
self.tracer = QuotientTracer(self.tracing)
try:
self.auth.authenticate()
except Exception as e:
logger.error(
"If you are seeing this error, please check that your API key is correct.\n"
f"If the issue persists, please contact support@quotientai.co\n{traceback.format_exc()}"
)
return None
def log(
self,
*,
# New detection parameters (recommended)
detections: Optional[List[DetectionType]] = None,
detection_sample_rate: Optional[float] = None,
# Deprecated detection parameters
hallucination_detection: Optional[bool] = None,
inconsistency_detection: Optional[bool] = None,
hallucination_detection_sample_rate: Optional[float] = None,
# Common input parameters
user_query: Optional[str] = None,
model_output: Optional[str] = None,
documents: Optional[List[Union[str, LogDocument]]] = None,
message_history: Optional[List[Dict[str, Any]]] = None,
instructions: Optional[List[str]] = None,
tags: Optional[Dict[str, Any]] = {},
):
"""
Log the model interaction.
Args:
# New detection parameters (recommended):
detections: List of detection types to run (replaces hallucination_detection/inconsistency_detection)
detection_sample_rate: Sample rate for all detections 0-1 (replaces hallucination_detection_sample_rate)
# Deprecated detection parameters:
hallucination_detection: [DEPRECATED in 0.3.4] Use detections=[DetectionType.HALLUCINATION] instead
inconsistency_detection: [DEPRECATED in 0.3.4] Use detections=[DetectionType.INCONSISTENCY] instead
hallucination_detection_sample_rate: [DEPRECATED in 0.3.4] Use detection_sample_rate instead
# Common input parameters:
user_query: The user's input query
model_output: The model's response
documents: Optional list of documents (strings or LogDocument objects)
message_history: Optional conversation history
instructions: Optional list of instructions
tags: Optional tags to attach to the log
Returns:
Log ID if successful, None otherwise
"""
if not self.logger._configured:
logger.error(
"logger must be initialized with valid inputs before using log()."
)
return None
# Check for deprecated vs new detection parameter usage
deprecated_detection_params_used = any(
[
hallucination_detection is not None,
inconsistency_detection is not None,
hallucination_detection_sample_rate is not None,
]
)
detection_params_used = any(
[detections is not None, detection_sample_rate is not None]
)
# Prevent mixing deprecated and new detection parameters
if deprecated_detection_params_used and detection_params_used:
logger.error(
"Cannot mix deprecated parameters (hallucination_detection, inconsistency_detection, hallucination_detection_sample_rate) "
"with new detection parameters (detections, detection_sample_rate). Please use new detection parameters."
)
return None
# Handle deprecated parameters (with deprecation warnings)
if deprecated_detection_params_used:
warnings.warn(
"Deprecated parameters (hallucination_detection, inconsistency_detection, hallucination_detection_sample_rate) "
"are deprecated as of 0.3.4. Please use new detection parameters (detections, detection_sample_rate) instead. Document relevancy is not available with deprecated parameters.",
DeprecationWarning,
stacklevel=2,
)
# Convert deprecated to new format
detections = []
if hallucination_detection:
detections.append(DetectionType.HALLUCINATION)
detection_sample_rate = hallucination_detection_sample_rate or 0.0
# For backward compatibility, require user_query and model_output
if not user_query or not model_output:
logger.error(
"user_query and model_output are required when using deprecated parameters"
)
return None
# Handle new detection parameters
else:
# Use logger config as defaults if not provided in method call
detections = (
detections if detections is not None else self.logger.detections
)
detection_sample_rate = (
detection_sample_rate
if detection_sample_rate is not None
else self.logger.detection_sample_rate
)
# Validate detection_sample_rate
if not 0 <= detection_sample_rate <= 1:
logger.error("detection_sample_rate must be between 0 and 1")
return None
# Validate required fields based on selected detections
for detection in detections:
if detection == DetectionType.HALLUCINATION:
if not user_query:
logger.error(
"user_query is required when hallucination detection is enabled"
)
return None
if not model_output:
logger.error(
"model_output is required when hallucination detection is enabled"
)
return None
if not documents and not message_history and not instructions:
logger.error(
"At least one of documents, message_history, or instructions must be provided when hallucination detection is enabled"
)
return None
elif detection == DetectionType.DOCUMENT_RELEVANCY:
if not user_query:
logger.error(
"user_query is required when document_relevancy detection is enabled"
)
return None
if not documents:
logger.error(
"documents must be provided when document_relevancy detection is enabled"
)
return None
# Convert DetectionType enums to strings for the resources layer
detection_strings = [detection.value for detection in detections]
log_id = self.logs.create(
app_name=self.logger.app_name,
environment=self.logger.environment,
detections=detection_strings,
detection_sample_rate=detection_sample_rate,
user_query=user_query,
model_output=model_output,
documents=documents,
message_history=message_history,
instructions=instructions,
tags={**(self.logger.tags or {}), **(tags or {})},
)
return log_id
def trace(self, name: Optional[str] = None):
"""Direct access to the tracer's trace decorator."""
return self.tracer.trace(name)
def poll_for_detection(
self, log_id: str, timeout: int = 300, poll_interval: float = 2.0
):
"""
Direct access to the logger's poll_for_detection method.
Args:
log_id: The ID of the log to get Detection results for
timeout: Maximum time to wait for results in seconds (default: 300s/5min)
poll_interval: How often to poll the API in seconds (default: 2s)
"""
if not self.logger._configured:
logger.error(
"Logger is not configured. Please call quotient.logger.init() before using poll_for_detection()."
)
return None
if not log_id:
logger.error("Log ID is required for Detection")
return None
detection = self.logger.poll_for_detection(
log_id=log_id, timeout=timeout, poll_interval=poll_interval
)
return detection
def force_flush(self):
"""
Force flush all pending spans to the collector.
This is useful for debugging and ensuring spans are sent immediately.
"""
self.tracer.force_flush()