-
Notifications
You must be signed in to change notification settings - Fork 17
/
test_evals.py
264 lines (228 loc) · 7.8 KB
/
test_evals.py
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
# ruff: noqa: E501
from collections import defaultdict
from typing import Optional, Sequence, cast
import langsmith as ls
import pytest
from dydantic import create_model_from_schema
from langchain.chat_models import init_chat_model
from langsmith import aevaluate, expect, traceable
from langsmith.evaluation import EvaluationResults
from langsmith.schemas import Example, Run
from pydantic import BaseModel, field_validator
from typing_extensions import TypedDict
from trustcall import ExtractionInputs, ExtractionOutputs, create_extractor
class Inputs(TypedDict, total=False):
system_prompt: str
input_str: str
current_value: dict
error_handling: list
class ContainsStr:
def __init__(self, substr):
self.substr = substr
def __eq__(self, other):
if not isinstance(other, str):
return False
return self.substr in other
@classmethod
def from_str(cls, s: str):
return cls(s.split("ContainsStr:")[1])
class AnyStr(str):
def __init__(self, matches: Sequence[str]):
self.matches = matches
def __hash__(self):
return hash(tuple(self.matches))
@classmethod
def from_str(cls, s: str):
return cls(s.split("AnyStr:")[1])
# Wrapper for my model
@traceable
async def predict_with_model(
model_name: str, inputs: Inputs, tool_def: dict
) -> ExtractionOutputs:
messages = [
(
"system",
"Extract the relevant user preferences from the conversation."
+ inputs.get("system_prompt", ""),
),
("user", inputs["input_str"]),
]
llm = init_chat_model(model_name, temperature=0.8)
extractor = create_extractor(llm, tools=[tool_def], tool_choice=tool_def["name"])
existing = inputs.get("current_value", {})
extractor_inputs: dict = {"messages": messages}
if existing:
extractor_inputs["existing"] = {tool_def["name"]: existing}
result = await extractor.ainvoke(ExtractionInputs(**extractor_inputs))
# If you want, you can add scores inline
expect.score(result["attempts"], key="num_attempts")
return result
def score_run(run: Run, example: Example) -> dict: # type: ignore
results = []
passed = True
try:
predicted = run.outputs["messages"][0].tool_calls[0]["args"] # type: ignore[index]
results.append(
{
"key": "valid_output",
"score": 1,
}
)
except Exception as e:
passed = False
results.extend(
[
{
"key": "valid_output",
"score": 0,
"comment": repr(e),
},
{
"key": "pass",
"score": 0,
"comment": "Failed to get valid output.",
},
]
)
return {"results": results}
schema = create_model_from_schema(example.inputs["tool_def"]["parameters"])
try:
schema.model_validate(predicted)
results.append(
{
"key": "valid_schema",
"score": 1,
}
)
except Exception as e:
passed = False
results.append(
{
"key": "valid_schema",
"score": 0,
"comment": repr(e),
}
)
if expected := (example.outputs or {}).get("expected"):
try:
for key, value in expected.items():
pred = predicted[key]
if isinstance(value, dict):
for sub_key, sub_value in value.items():
if isinstance(sub_value, str) and sub_value.startswith(
"ContainsStr:"
):
sub_value = ContainsStr.from_str(sub_value)
if sub_key.startswith("AnyStr:"):
sub_key = AnyStr.from_str(sub_key)
if not any(
pred.get(opt) == sub_value for opt in sub_key.matches
):
raise AssertionError(
f"Expected {sub_key} in {pred} to equal {sub_value}"
)
else:
assert pred.get(sub_key) == sub_value
else:
assert pred == value
except Exception as e:
passed = False
results.append(
{
"key": "correct_output",
"score": 0,
"comment": repr(e),
}
)
results.append(
{
"key": "pass",
"score": passed,
}
)
return {"results": results}
class DatasetInputs(TypedDict):
inputs: Inputs
tool_def: dict
class MetricProcessor:
def __init__(self):
self.counts = defaultdict(int)
self.scores = defaultdict(float)
def update(self, key: str, score: float):
self.counts[key] += 1
self.scores[key] += score
def mean(self, key: str) -> Optional[float]:
if key not in self.counts:
return None
return self.scores[key] / self.counts[key]
def __getitem__(self, key: str):
return self.mean(key)
def __iter__(self):
return {k: self[k] for k in self.counts.keys()}
# @pytest.mark.asyncio_cooperative
@pytest.mark.timeout(600)
@pytest.mark.parametrize(
"model_name",
[
"gpt-4o",
# "gpt-4o-mini",
# "gpt-3.5-turbo",
# "claude-3-5-sonnet-20240620",
# "accounts/fireworks/models/firefunction-v2",
],
)
async def test_model(model_name: str):
if model_name == "accounts/fireworks/models/firefunction-v2":
pytest.skip("this endpoint is too flakey")
async def predict(dataset_inputs: DatasetInputs | dict):
return await predict_with_model(model_name, **dataset_inputs)
result = await aevaluate(
predict,
data="trustcall",
evaluators=[score_run], # type: ignore
metadata={"model": model_name},
experiment_prefix=f"{model_name}",
max_concurrency=0,
)
processor = MetricProcessor()
async for res in result:
eval_results: EvaluationResults = res["evaluation_results"]
for er in eval_results["results"]:
processor.update(er.key, cast(float, er.score))
assert processor["pass"] > 0.99
@ls.test
async def test_simple() -> None:
def query_docs(query: str) -> str:
return "I am a document."
extractor = create_extractor(
init_chat_model("gpt-4o"), tools=[query_docs], tool_choice="query_docs"
)
extractor.invoke({"messages": [("user", "What are the docs about?")]})
@ls.test
async def test_multi_tool() -> None:
class query_docs(BaseModel):
query: str
@field_validator("query")
def validate_query_length(cls, v: str) -> str:
if len(v) < 50:
raise ValueError("Query must be at least 50 characters long")
if not any(c.isdigit() for c in v):
raise ValueError(
"Query must be at least 50 characters long and must start with a digit number (1.)"
)
return v
llm = init_chat_model("gpt-4o-mini")
extractor = create_extractor(llm, tools=[query_docs], tool_choice="any")
extractor.invoke(
{
"messages": [
(
"user",
"Write three queries for the docs:"
"\nq1: Ask about the main topic."
"\nq2: Ask about the total number of pages."
"\nq3: Ask about the number of chapters, and include a 'k' parameter with a value of 3.",
)
]
}
)