ragaai-catalyst 2.0.7.2b0__py3-none-any.whl → 2.1__py3-none-any.whl
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- ragaai_catalyst/dataset.py +0 -3
- ragaai_catalyst/evaluation.py +1 -2
- ragaai_catalyst/tracers/__init__.py +1 -1
- ragaai_catalyst/tracers/agentic_tracing/agent_tracer.py +231 -74
- ragaai_catalyst/tracers/agentic_tracing/agentic_tracing.py +32 -42
- ragaai_catalyst/tracers/agentic_tracing/base.py +132 -30
- ragaai_catalyst/tracers/agentic_tracing/data_structure.py +91 -79
- ragaai_catalyst/tracers/agentic_tracing/examples/FinancialAnalysisSystem.ipynb +536 -0
- ragaai_catalyst/tracers/agentic_tracing/examples/GameActivityEventPlanner.ipynb +134 -0
- ragaai_catalyst/tracers/agentic_tracing/examples/TravelPlanner.ipynb +563 -0
- ragaai_catalyst/tracers/agentic_tracing/file_name_tracker.py +46 -0
- ragaai_catalyst/tracers/agentic_tracing/llm_tracer.py +262 -356
- ragaai_catalyst/tracers/agentic_tracing/tool_tracer.py +31 -19
- ragaai_catalyst/tracers/agentic_tracing/unique_decorator.py +61 -117
- ragaai_catalyst/tracers/agentic_tracing/upload_agentic_traces.py +187 -0
- ragaai_catalyst/tracers/agentic_tracing/upload_code.py +115 -0
- ragaai_catalyst/tracers/agentic_tracing/user_interaction_tracer.py +35 -59
- ragaai_catalyst/tracers/agentic_tracing/utils/llm_utils.py +0 -4
- ragaai_catalyst/tracers/agentic_tracing/utils/model_costs.json +2201 -324
- ragaai_catalyst/tracers/agentic_tracing/zip_list_of_unique_files.py +186 -0
- ragaai_catalyst/tracers/exporters/raga_exporter.py +1 -7
- ragaai_catalyst/tracers/tracer.py +6 -2
- {ragaai_catalyst-2.0.7.2b0.dist-info → ragaai_catalyst-2.1.dist-info}/METADATA +8 -4
- {ragaai_catalyst-2.0.7.2b0.dist-info → ragaai_catalyst-2.1.dist-info}/RECORD +26 -20
- {ragaai_catalyst-2.0.7.2b0.dist-info → ragaai_catalyst-2.1.dist-info}/WHEEL +1 -1
- ragaai_catalyst/tracers/agentic_tracing/Untitled-1.json +0 -660
- {ragaai_catalyst-2.0.7.2b0.dist-info → ragaai_catalyst-2.1.dist-info}/top_level.txt +0 -0
@@ -0,0 +1,186 @@
|
|
1
|
+
import os
|
2
|
+
import hashlib
|
3
|
+
import zipfile
|
4
|
+
import re
|
5
|
+
import ast
|
6
|
+
import importlib.util
|
7
|
+
import json
|
8
|
+
import astor
|
9
|
+
from pathlib import Path
|
10
|
+
import logging
|
11
|
+
logger = logging.getLogger(__name__)
|
12
|
+
|
13
|
+
# Define the PackageUsageRemover class
|
14
|
+
class PackageUsageRemover(ast.NodeTransformer):
|
15
|
+
def __init__(self, package_name):
|
16
|
+
self.package_name = package_name
|
17
|
+
self.imported_names = set()
|
18
|
+
|
19
|
+
def visit_Import(self, node):
|
20
|
+
filtered_names = []
|
21
|
+
for name in node.names:
|
22
|
+
if not name.name.startswith(self.package_name):
|
23
|
+
filtered_names.append(name)
|
24
|
+
else:
|
25
|
+
self.imported_names.add(name.asname or name.name)
|
26
|
+
|
27
|
+
if not filtered_names:
|
28
|
+
return None
|
29
|
+
node.names = filtered_names
|
30
|
+
return node
|
31
|
+
|
32
|
+
def visit_ImportFrom(self, node):
|
33
|
+
if node.module and node.module.startswith(self.package_name):
|
34
|
+
self.imported_names.update(n.asname or n.name for n in node.names)
|
35
|
+
return None
|
36
|
+
return node
|
37
|
+
|
38
|
+
def visit_Assign(self, node):
|
39
|
+
if self._uses_package(node.value):
|
40
|
+
return None
|
41
|
+
return node
|
42
|
+
|
43
|
+
def visit_Call(self, node):
|
44
|
+
if isinstance(node.func, ast.Name) and node.func.id in self.imported_names:
|
45
|
+
return None
|
46
|
+
if isinstance(node.func, ast.Attribute):
|
47
|
+
if isinstance(node.func.value, ast.Name) and node.func.value.id in self.imported_names:
|
48
|
+
return None
|
49
|
+
return node
|
50
|
+
|
51
|
+
def _uses_package(self, node):
|
52
|
+
if isinstance(node, ast.Name) and node.id in self.imported_names:
|
53
|
+
return True
|
54
|
+
if isinstance(node, ast.Call):
|
55
|
+
return self._uses_package(node.func)
|
56
|
+
if isinstance(node, ast.Attribute):
|
57
|
+
return self._uses_package(node.value)
|
58
|
+
return False
|
59
|
+
|
60
|
+
# Define the function to remove package code from a source code string
|
61
|
+
def remove_package_code(source_code: str, package_name: str) -> str:
|
62
|
+
try:
|
63
|
+
tree = ast.parse(source_code)
|
64
|
+
transformer = PackageUsageRemover(package_name)
|
65
|
+
modified_tree = transformer.visit(tree)
|
66
|
+
modified_code = astor.to_source(modified_tree)
|
67
|
+
return modified_code
|
68
|
+
except Exception as e:
|
69
|
+
raise Exception(f"Error processing source code: {str(e)}")
|
70
|
+
|
71
|
+
# TraceDependencyTracker class
|
72
|
+
class TraceDependencyTracker:
|
73
|
+
def __init__(self, output_dir=None):
|
74
|
+
self.tracked_files = set()
|
75
|
+
self.python_imports = set()
|
76
|
+
self.output_dir = output_dir or os.getcwd()
|
77
|
+
|
78
|
+
def track_file_access(self, filepath):
|
79
|
+
if os.path.exists(filepath):
|
80
|
+
self.tracked_files.add(os.path.abspath(filepath))
|
81
|
+
|
82
|
+
def find_config_files(self, content, base_path):
|
83
|
+
patterns = [
|
84
|
+
r'(?:open|read|load|with\s+open)\s*\([\'"]([^\'"]*\.(?:json|yaml|yml|txt|cfg|config|ini))[\'"]',
|
85
|
+
r'(?:config|cfg|conf|settings|file|path)(?:_file|_path)?\s*=\s*[\'"]([^\'"]*\.(?:json|yaml|yml|txt|cfg|config|ini))[\'"]',
|
86
|
+
r'[\'"]([^\'"]*\.txt)[\'"]',
|
87
|
+
r'[\'"]([^\'"]*\.(?:yaml|yml))[\'"]',
|
88
|
+
r'from\s+(\S+)\s+import',
|
89
|
+
r'import\s+(\S+)'
|
90
|
+
]
|
91
|
+
for pattern in patterns:
|
92
|
+
matches = re.finditer(pattern, content)
|
93
|
+
for match in matches:
|
94
|
+
filepath = match.group(1)
|
95
|
+
if not os.path.isabs(filepath):
|
96
|
+
full_path = os.path.join(os.path.dirname(base_path), filepath)
|
97
|
+
else:
|
98
|
+
full_path = filepath
|
99
|
+
if os.path.exists(full_path):
|
100
|
+
self.track_file_access(full_path)
|
101
|
+
try:
|
102
|
+
with open(full_path, 'r', encoding='utf-8') as f:
|
103
|
+
self.find_config_files(f.read(), full_path)
|
104
|
+
except (UnicodeDecodeError, IOError):
|
105
|
+
pass
|
106
|
+
|
107
|
+
def analyze_python_imports(self, filepath):
|
108
|
+
try:
|
109
|
+
with open(filepath, 'r', encoding='utf-8') as file:
|
110
|
+
tree = ast.parse(file.read(), filename=filepath)
|
111
|
+
for node in ast.walk(tree):
|
112
|
+
if isinstance(node, (ast.Import, ast.ImportFrom)):
|
113
|
+
if isinstance(node, ast.ImportFrom) and node.module:
|
114
|
+
module_name = node.module
|
115
|
+
else:
|
116
|
+
for name in node.names:
|
117
|
+
module_name = name.name.split('.')[0]
|
118
|
+
try:
|
119
|
+
spec = importlib.util.find_spec(module_name)
|
120
|
+
if spec and spec.origin and not spec.origin.startswith(os.path.dirname(importlib.__file__)):
|
121
|
+
self.python_imports.add(spec.origin)
|
122
|
+
except (ImportError, AttributeError):
|
123
|
+
pass
|
124
|
+
except Exception as e:
|
125
|
+
print(f"Warning: Could not analyze imports in {filepath}: {str(e)}")
|
126
|
+
|
127
|
+
def create_zip(self, filepaths):
|
128
|
+
for filepath in filepaths:
|
129
|
+
abs_path = os.path.abspath(filepath)
|
130
|
+
self.track_file_access(abs_path)
|
131
|
+
try:
|
132
|
+
with open(abs_path, 'r', encoding='utf-8') as file:
|
133
|
+
content = file.read()
|
134
|
+
self.find_config_files(content, abs_path)
|
135
|
+
if filepath.endswith('.py'):
|
136
|
+
self.analyze_python_imports(abs_path)
|
137
|
+
except Exception as e:
|
138
|
+
print(f"Warning: Could not process {filepath}: {str(e)}")
|
139
|
+
|
140
|
+
self.tracked_files.update(self.python_imports)
|
141
|
+
hash_contents = []
|
142
|
+
for filepath in sorted(self.tracked_files):
|
143
|
+
if 'env' in filepath:
|
144
|
+
continue
|
145
|
+
try:
|
146
|
+
with open(filepath, 'rb') as file:
|
147
|
+
content = file.read()
|
148
|
+
if filepath.endswith('.py'):
|
149
|
+
# Temporarily remove raga_catalyst code for hash calculation
|
150
|
+
content = remove_package_code(content.decode('utf-8'), 'ragaai_catalyst').encode('utf-8')
|
151
|
+
hash_contents.append(content)
|
152
|
+
except Exception as e:
|
153
|
+
print(f"Warning: Could not read {filepath} for hash calculation: {str(e)}")
|
154
|
+
|
155
|
+
combined_content = b''.join(hash_contents)
|
156
|
+
hash_id = hashlib.sha256(combined_content).hexdigest()
|
157
|
+
|
158
|
+
zip_filename = os.path.join(self.output_dir, f'{hash_id}.zip')
|
159
|
+
common_path = [os.path.abspath(p) for p in self.tracked_files if 'env' not in p]
|
160
|
+
|
161
|
+
if common_path!=[]:
|
162
|
+
base_path = os.path.commonpath(common_path)
|
163
|
+
with zipfile.ZipFile(zip_filename, 'w', zipfile.ZIP_DEFLATED) as zipf:
|
164
|
+
for filepath in sorted(self.tracked_files):
|
165
|
+
if 'env' in filepath:
|
166
|
+
continue
|
167
|
+
try:
|
168
|
+
relative_path = os.path.relpath(filepath, base_path)
|
169
|
+
zipf.write(filepath, relative_path)
|
170
|
+
# logger.info(f"Added to zip: {relative_path}")
|
171
|
+
except Exception as e:
|
172
|
+
print(f"Warning: Could not add {filepath} to zip: {str(e)}")
|
173
|
+
|
174
|
+
return hash_id, zip_filename
|
175
|
+
|
176
|
+
# Main function for creating a zip of unique files
|
177
|
+
def zip_list_of_unique_files(filepaths, output_dir):
|
178
|
+
tracker = TraceDependencyTracker(output_dir)
|
179
|
+
return tracker.create_zip(filepaths)
|
180
|
+
|
181
|
+
# Example usage
|
182
|
+
if __name__ == "__main__":
|
183
|
+
filepaths = ["script1.py", "script2.py"]
|
184
|
+
hash_id, zip_path = zip_list_of_unique_files(filepaths)
|
185
|
+
print(f"Created zip file: {zip_path}")
|
186
|
+
print(f"Hash ID: {hash_id}")
|
@@ -7,7 +7,6 @@ from tqdm import tqdm
|
|
7
7
|
import requests
|
8
8
|
from ...ragaai_catalyst import RagaAICatalyst
|
9
9
|
import shutil
|
10
|
-
import pdb
|
11
10
|
|
12
11
|
logger = logging.getLogger(__name__)
|
13
12
|
|
@@ -196,7 +195,6 @@ class RagaExporter:
|
|
196
195
|
return status_code
|
197
196
|
|
198
197
|
async def get_presigned_url(self, session, num_files):
|
199
|
-
# pdb.set_trace()
|
200
198
|
"""
|
201
199
|
Asynchronously retrieves a presigned URL from the RagaExporter API.
|
202
200
|
|
@@ -213,7 +211,6 @@ class RagaExporter:
|
|
213
211
|
"""
|
214
212
|
|
215
213
|
async def make_request():
|
216
|
-
# pdb.set_trace()
|
217
214
|
|
218
215
|
json_data = {
|
219
216
|
"datasetName": self.dataset_name,
|
@@ -296,8 +293,7 @@ class RagaExporter:
|
|
296
293
|
return response.status
|
297
294
|
|
298
295
|
async def upload_file(self, session, url, file_path):
|
299
|
-
|
300
|
-
# print('url', url)
|
296
|
+
|
301
297
|
"""
|
302
298
|
Asynchronously uploads a file using the given session, url, and file path.
|
303
299
|
Supports both regular and Azure blob storage URLs.
|
@@ -345,8 +341,6 @@ class RagaExporter:
|
|
345
341
|
return response.status
|
346
342
|
|
347
343
|
async def check_and_upload_files(self, session, file_paths):
|
348
|
-
# print(file_paths)
|
349
|
-
# pdb.set_trace()
|
350
344
|
"""
|
351
345
|
Checks if there are files to upload, gets presigned URLs, uploads files, and streams them if successful.
|
352
346
|
|
@@ -20,6 +20,7 @@ from .utils import get_unique_key
|
|
20
20
|
# from .llamaindex_callback import LlamaIndexTracer
|
21
21
|
from ..ragaai_catalyst import RagaAICatalyst
|
22
22
|
from .agentic_tracing.agentic_tracing import AgenticTracing
|
23
|
+
from .agentic_tracing.file_name_tracker import TrackName
|
23
24
|
from .agentic_tracing.llm_tracer import LLMTracerMixin
|
24
25
|
|
25
26
|
logger = logging.getLogger(__name__)
|
@@ -66,8 +67,8 @@ class Tracer(AgenticTracing):
|
|
66
67
|
self.dataset_name = dataset_name
|
67
68
|
self.tracer_type = tracer_type
|
68
69
|
self.metadata = self._improve_metadata(metadata, tracer_type)
|
69
|
-
self.metadata["total_cost"] = 0.0
|
70
|
-
self.metadata["total_tokens"] = 0
|
70
|
+
# self.metadata["total_cost"] = 0.0
|
71
|
+
# self.metadata["total_tokens"] = 0
|
71
72
|
self.pipeline = pipeline
|
72
73
|
self.description = description
|
73
74
|
self.upload_timeout = upload_timeout
|
@@ -96,6 +97,8 @@ class Tracer(AgenticTracing):
|
|
96
97
|
self.project_id = [
|
97
98
|
project["id"] for project in response.json()["data"]["content"] if project["name"] == project_name
|
98
99
|
][0]
|
100
|
+
# super().__init__(user_detail=self._pass_user_data())
|
101
|
+
# self.file_tracker = TrackName()
|
99
102
|
self._pass_user_data()
|
100
103
|
|
101
104
|
except requests.exceptions.RequestException as e:
|
@@ -116,6 +119,7 @@ class Tracer(AgenticTracing):
|
|
116
119
|
else:
|
117
120
|
self._upload_task = None
|
118
121
|
# raise ValueError (f"Currently supported tracer types are 'langchain' and 'llamaindex'.")
|
122
|
+
|
119
123
|
|
120
124
|
def _improve_metadata(self, metadata, tracer_type):
|
121
125
|
if metadata is None:
|
@@ -1,6 +1,6 @@
|
|
1
1
|
Metadata-Version: 2.1
|
2
2
|
Name: ragaai_catalyst
|
3
|
-
Version: 2.
|
3
|
+
Version: 2.1
|
4
4
|
Summary: RAGA AI CATALYST
|
5
5
|
Author-email: Kiran Scaria <kiran.scaria@raga.ai>, Kedar Gaikwad <kedar.gaikwad@raga.ai>, Dushyant Mahajan <dushyant.mahajan@raga.ai>, Siddhartha Kosti <siddhartha.kosti@raga.ai>, Ritika Goel <ritika.goel@raga.ai>, Vijay Chaurasia <vijay.chaurasia@raga.ai>
|
6
6
|
Requires-Python: >=3.9
|
@@ -27,9 +27,13 @@ Requires-Dist: Markdown>=3.7
|
|
27
27
|
Requires-Dist: litellm==1.51.1
|
28
28
|
Requires-Dist: tenacity==8.3.0
|
29
29
|
Requires-Dist: tqdm>=4.66.5
|
30
|
-
Requires-Dist: llama-index
|
31
|
-
Requires-Dist: pyopenssl
|
32
|
-
Requires-Dist: psutil
|
30
|
+
Requires-Dist: llama-index>=0.10.0
|
31
|
+
Requires-Dist: pyopenssl>=24.2.1
|
32
|
+
Requires-Dist: psutil~=6.0.0
|
33
|
+
Requires-Dist: py-cpuinfo~=9.0.0
|
34
|
+
Requires-Dist: requests~=2.32.3
|
35
|
+
Requires-Dist: GPUtil~=1.4.0
|
36
|
+
Requires-Dist: astor>=0.8.1
|
33
37
|
Provides-Extra: dev
|
34
38
|
Requires-Dist: pytest; extra == "dev"
|
35
39
|
Requires-Dist: pytest-cov; extra == "dev"
|
@@ -1,7 +1,7 @@
|
|
1
1
|
ragaai_catalyst/__init__.py,sha256=BdIJ_UUre0uEnRTsLw_hE0C0muWk6XWNZqdVOel22R4,537
|
2
2
|
ragaai_catalyst/_version.py,sha256=JKt9KaVNOMVeGs8ojO6LvIZr7ZkMzNN-gCcvryy4x8E,460
|
3
|
-
ragaai_catalyst/dataset.py,sha256=
|
4
|
-
ragaai_catalyst/evaluation.py,sha256=
|
3
|
+
ragaai_catalyst/dataset.py,sha256=On-iOhD5R7iLusph6dLAGS1dOnNtb1koiKxKjTH90pE,10660
|
4
|
+
ragaai_catalyst/evaluation.py,sha256=34H2bYZNSrcu0jMQgDZw1OLVbQU80PaVLo2avju8POM,20311
|
5
5
|
ragaai_catalyst/experiment.py,sha256=8KvqgJg5JVnt9ghhGDJvdb4mN7ETBX_E5gNxBT0Nsn8,19010
|
6
6
|
ragaai_catalyst/guard_executor.py,sha256=llPbE3DyVtrybojXknzBZj8-dtUrGBQwi9-ZiPJxGRo,3762
|
7
7
|
ragaai_catalyst/guardrails_manager.py,sha256=DILMOAASK57FH9BLq_8yC1AQzRJ8McMFLwCXgYwNAd4,11904
|
@@ -11,40 +11,46 @@ ragaai_catalyst/proxy_call.py,sha256=CHxldeceZUaLU-to_hs_Kf1z_b2vHMssLS_cOBedu78
|
|
11
11
|
ragaai_catalyst/ragaai_catalyst.py,sha256=FdqMzwuQLqS2-3JJDsTQ8uh2itllOxfPrRUjb8Kwmn0,17428
|
12
12
|
ragaai_catalyst/synthetic_data_generation.py,sha256=uDV9tNwto2xSkWg5XHXUvjErW-4P34CTrxaJpRfezyA,19250
|
13
13
|
ragaai_catalyst/utils.py,sha256=TlhEFwLyRU690HvANbyoRycR3nQ67lxVUQoUOfTPYQ0,3772
|
14
|
-
ragaai_catalyst/tracers/__init__.py,sha256=
|
14
|
+
ragaai_catalyst/tracers/__init__.py,sha256=yxepo7iVjTNI_wFdk3Z6Ghu64SazVyszCPEHYrX5WQk,50
|
15
15
|
ragaai_catalyst/tracers/llamaindex_callback.py,sha256=vPE7MieKjfwLrLUnnPs20Df0xNYqoCCj-Mt2NbiuiKU,14023
|
16
|
-
ragaai_catalyst/tracers/tracer.py,sha256=
|
16
|
+
ragaai_catalyst/tracers/tracer.py,sha256=dGYQfo0RXms6w-sAJf04gqTo1zOXTqreGXaJlnvK48A,12463
|
17
17
|
ragaai_catalyst/tracers/upload_traces.py,sha256=hs0PEmit3n3_uUqrdbwcBdyK5Nbkik3JQVwJMEwYTd4,4796
|
18
|
-
ragaai_catalyst/tracers/agentic_tracing/Untitled-1.json,sha256=kqwtLzflk342U7Tvjf5Bari9m3I0dVMVU7wNShDwuW4,43639
|
19
18
|
ragaai_catalyst/tracers/agentic_tracing/__init__.py,sha256=6QyQI8P7aNFHTantNJOP1ZdSNrDKBLhlg_gGNj7tm1c,73
|
20
|
-
ragaai_catalyst/tracers/agentic_tracing/agent_tracer.py,sha256=
|
21
|
-
ragaai_catalyst/tracers/agentic_tracing/agentic_tracing.py,sha256=
|
22
|
-
ragaai_catalyst/tracers/agentic_tracing/base.py,sha256=
|
23
|
-
ragaai_catalyst/tracers/agentic_tracing/data_structure.py,sha256=
|
24
|
-
ragaai_catalyst/tracers/agentic_tracing/
|
19
|
+
ragaai_catalyst/tracers/agentic_tracing/agent_tracer.py,sha256=M5RBNzcuSCEKv-rYwmzBMN-BxvthM3y6d_279UYERZQ,20832
|
20
|
+
ragaai_catalyst/tracers/agentic_tracing/agentic_tracing.py,sha256=WsddEXn2afdPx8PfignQoLIwZfn9350XsqtkqtZdMxw,8502
|
21
|
+
ragaai_catalyst/tracers/agentic_tracing/base.py,sha256=jRf_-5EIfCzGbaSQtkqgiDQAH4ymoKUrg9A8YqB08jk,14008
|
22
|
+
ragaai_catalyst/tracers/agentic_tracing/data_structure.py,sha256=wkZctMTUQUViqKrHhdZiMERSBVfwURAJ-lFlQUou638,7395
|
23
|
+
ragaai_catalyst/tracers/agentic_tracing/file_name_tracker.py,sha256=515NNDQJTyy3O-2rdlUYUoWL9qSwLIfvV3sMB9BtHp8,1366
|
24
|
+
ragaai_catalyst/tracers/agentic_tracing/llm_tracer.py,sha256=dI2Pg4cNGTf5k7g7ViVRUu6Pck8In4aqQYGLn_xwNxY,32705
|
25
25
|
ragaai_catalyst/tracers/agentic_tracing/network_tracer.py,sha256=6FTA15xMnum9omM_0Jd9cMIuWdKu1gR5Tc8fOXAkP8E,10068
|
26
26
|
ragaai_catalyst/tracers/agentic_tracing/sample.py,sha256=S4rCcKzU_5SB62BYEbNn_1VbbTdG4396N8rdZ3ZNGcE,5654
|
27
|
-
ragaai_catalyst/tracers/agentic_tracing/tool_tracer.py,sha256=
|
28
|
-
ragaai_catalyst/tracers/agentic_tracing/unique_decorator.py,sha256=
|
27
|
+
ragaai_catalyst/tracers/agentic_tracing/tool_tracer.py,sha256=Yc4x82rk0hCANwXUt4M66Qv_4OdpsXsjlq6OIOef1io,8763
|
28
|
+
ragaai_catalyst/tracers/agentic_tracing/unique_decorator.py,sha256=DQHjcEuqEKsNSWaNs7SoOaq50yK4Jsl966S7mBnV-zA,5723
|
29
29
|
ragaai_catalyst/tracers/agentic_tracing/unique_decorator_test.py,sha256=Xk1cLzs-2A3dgyBwRRnCWs7Eubki40FVonwd433hPN8,4805
|
30
|
-
ragaai_catalyst/tracers/agentic_tracing/
|
30
|
+
ragaai_catalyst/tracers/agentic_tracing/upload_agentic_traces.py,sha256=ydaWAbrSS5B6ijabzTnUVxlW8m6eX5dsEJnzl06ZDFU,7539
|
31
|
+
ragaai_catalyst/tracers/agentic_tracing/upload_code.py,sha256=u9bRWcM5oDezJupEQoHUXrKz7YvZJK9IZf10ejBWoa4,4254
|
32
|
+
ragaai_catalyst/tracers/agentic_tracing/user_interaction_tracer.py,sha256=wsCwTK7tM_L3mdNrcg5Mq3D1k07XCHZkhOB26kz_rLY,1472
|
33
|
+
ragaai_catalyst/tracers/agentic_tracing/zip_list_of_unique_files.py,sha256=faFat_OAUnVJGnauMVo6yeHhTv-_njgyXGOtUwYJ8kE,7568
|
34
|
+
ragaai_catalyst/tracers/agentic_tracing/examples/FinancialAnalysisSystem.ipynb,sha256=0qZxjWqYCTAVvdo3Tsp544D8Am48wfeMQ9RKpKgAL8g,34291
|
35
|
+
ragaai_catalyst/tracers/agentic_tracing/examples/GameActivityEventPlanner.ipynb,sha256=QCMFJYbGX0fd9eMW4PqyQLZjyWuTXo7n1nqO_hMLf0s,4225
|
36
|
+
ragaai_catalyst/tracers/agentic_tracing/examples/TravelPlanner.ipynb,sha256=fU3inXoemJbdTkGAQl_N1UwVEZ10LrKv4gCEpbQ4ISg,43481
|
31
37
|
ragaai_catalyst/tracers/agentic_tracing/utils/__init__.py,sha256=XdB3X_ufe4RVvGorxSqAiB9dYv4UD7Hvvuw3bsDUppY,60
|
32
38
|
ragaai_catalyst/tracers/agentic_tracing/utils/api_utils.py,sha256=JyNCbfpW-w4O9CjtemTqmor2Rh1WGpQwhRaDSRmBxw8,689
|
33
39
|
ragaai_catalyst/tracers/agentic_tracing/utils/data_classes.py,sha256=gFOadWzUORETaH3Y_HerHXs_aVFEt5ry2NQ36domW58,1267
|
34
40
|
ragaai_catalyst/tracers/agentic_tracing/utils/generic.py,sha256=WwXT01xmp8MSr7KinuDCSK9a1ifpLcT7ajFkvYviG_A,1190
|
35
|
-
ragaai_catalyst/tracers/agentic_tracing/utils/llm_utils.py,sha256=
|
36
|
-
ragaai_catalyst/tracers/agentic_tracing/utils/model_costs.json,sha256=
|
41
|
+
ragaai_catalyst/tracers/agentic_tracing/utils/llm_utils.py,sha256=7lHJ84kbe7kn4Hbd6MT8KeSl-We7nc_yq2xkfgxgl2E,5769
|
42
|
+
ragaai_catalyst/tracers/agentic_tracing/utils/model_costs.json,sha256=6wnDtkBH-uwJeZm9FtyeXuUWux8u-skT3lmrtFwsReI,286298
|
37
43
|
ragaai_catalyst/tracers/agentic_tracing/utils/trace_utils.py,sha256=9cFzfFqIA968bUG7LNTjdN7zbdEXUtcvRKg883ade2c,2586
|
38
44
|
ragaai_catalyst/tracers/exporters/__init__.py,sha256=kVA8zp05h3phu4e-iHSlnznp_PzMRczB7LphSsZgUjg,138
|
39
45
|
ragaai_catalyst/tracers/exporters/file_span_exporter.py,sha256=RgGteu-NVGprXKkynvyIO5yOjpbtA41R3W_NzCjnkwE,6445
|
40
|
-
ragaai_catalyst/tracers/exporters/raga_exporter.py,sha256=
|
46
|
+
ragaai_catalyst/tracers/exporters/raga_exporter.py,sha256=pU9EH6Fn1Z757bpM3VaXPDHuJ5wyUrMObGaACiztvTU,18014
|
41
47
|
ragaai_catalyst/tracers/instrumentators/__init__.py,sha256=FgnMQupoRTzmVsG9YKsLQera2Pfs-AluZv8CxwavoyQ,253
|
42
48
|
ragaai_catalyst/tracers/instrumentators/langchain.py,sha256=yMN0qVF0pUVk6R5M1vJoUXezDo1ejs4klCFRlE8x4vE,574
|
43
49
|
ragaai_catalyst/tracers/instrumentators/llamaindex.py,sha256=SMrRlR4xM7k9HK43hakE8rkrWHxMlmtmWD-AX6TeByc,416
|
44
50
|
ragaai_catalyst/tracers/instrumentators/openai.py,sha256=14R4KW9wQCR1xysLfsP_nxS7cqXrTPoD8En4MBAaZUU,379
|
45
51
|
ragaai_catalyst/tracers/utils/__init__.py,sha256=KeMaZtYaTojilpLv65qH08QmpYclfpacDA0U3wg6Ybw,64
|
46
52
|
ragaai_catalyst/tracers/utils/utils.py,sha256=ViygfJ7vZ7U0CTSA1lbxVloHp4NSlmfDzBRNCJuMhis,2374
|
47
|
-
ragaai_catalyst-2.
|
48
|
-
ragaai_catalyst-2.
|
49
|
-
ragaai_catalyst-2.
|
50
|
-
ragaai_catalyst-2.
|
53
|
+
ragaai_catalyst-2.1.dist-info/METADATA,sha256=tL9n5G8fqr8GOHYkZJiA51eDFIVZtgPaGHuP0t4s_ho,1793
|
54
|
+
ragaai_catalyst-2.1.dist-info/WHEEL,sha256=A3WOREP4zgxI0fKrHUG8DC8013e3dK3n7a6HDbcEIwE,91
|
55
|
+
ragaai_catalyst-2.1.dist-info/top_level.txt,sha256=HpgsdRgEJMk8nqrU6qdCYk3di7MJkDL0B19lkc7dLfM,16
|
56
|
+
ragaai_catalyst-2.1.dist-info/RECORD,,
|