SDK Guide
The SDK provides a typed Python client for managing datasets programmatically. This is the recommended approach when you want to define datasets in code, publish them to hosted storage, and later fetch them back for evaluation. You can also manage datasets through the Web UI.
Install the Logfire SDK with the datasets extra:
pip install 'logfire[datasets]'
This installs httpx and pydantic-evals as additional dependencies.
from logfire.experimental.api_client import LogfireAPIClient
client = LogfireAPIClient(api_key='your-api-key')
The client can also be used as a context manager to ensure the underlying HTTP connection is properly closed:
with LogfireAPIClient(api_key='your-api-key') as client:
...
The base_url is automatically inferred from the API key. You can override it if needed (e.g., for self-hosters):
client = LogfireAPIClient(
api_key='your-api-key',
base_url='http://localhost:8000',
)
An async client is also available:
from logfire.experimental.api_client import AsyncLogfireAPIClient
async with AsyncLogfireAPIClient(api_key='your-api-key') as client:
datasets = await client.list_datasets()
Define your input, output, and metadata types as dataclasses or Pydantic models, build a local pydantic_evals.Dataset, and publish it with push_dataset. The SDK infers hosted JSON schemas from the dataset’s generic types:
from dataclasses import dataclass
from pydantic_evals import Case, Dataset
from logfire.experimental.api_client import LogfireAPIClient
@dataclass
class QuestionInput:
question: str
context: str | None = None
@dataclass
class AnswerOutput:
answer: str
confidence: float
@dataclass
class CaseMetadata:
category: str
difficulty: str
reviewed: bool = False
local_dataset = Dataset[QuestionInput, AnswerOutput, CaseMetadata](
name='qa-golden-set',
cases=[
Case(
name='capital-question',
inputs=QuestionInput(question='What is the capital of France?'),
expected_output=AnswerOutput(answer='Paris', confidence=0.99),
metadata=CaseMetadata(category='geography', difficulty='easy'),
),
Case(
name='math-question',
inputs=QuestionInput(question='What is 15 * 23?'),
expected_output=AnswerOutput(answer='345', confidence=1.0),
metadata=CaseMetadata(category='math', difficulty='easy'),
),
],
)
with LogfireAPIClient(api_key='your-api-key') as client:
dataset = client.push_dataset(
local_dataset,
description='Golden test cases for the Q&A system',
)
print(f"Published dataset: {dataset['name']} (ID: {dataset['id']})")
push_dataset(...) is designed to be rerunnable:
- it uses
dataset.nameby default, orname=if you want a hosted override - it creates the hosted dataset if it does not exist yet
- it updates the hosted dataset if one already exists with the same name
- it uploads all cases through the existing import/upsert API
- it uses
on_case_conflict='update'by default, so named cases are updated on repeat pushes
If you need lower-level control, the SDK still exposes create_dataset(...), add_cases(...), update_dataset(...), and the other primitives directly.
Use create_dataset(...) when you want to create the hosted dataset record separately from uploading cases:
dataset = client.create_dataset(
name='qa-golden-set',
description='Golden test cases for the Q&A system',
input_type=QuestionInput,
output_type=AnswerOutput,
metadata_type=CaseMetadata,
)
Then use add_cases(...) to upload one or more cases:
client.add_cases(
'qa-golden-set',
cases=local_dataset.cases,
)
You can also pass plain dicts instead of Case objects:
client.add_cases(
'qa-golden-set',
cases=[
{'inputs': {'question': 'What color is the sky?'}, 'expected_output': {'answer': 'Blue'}},
],
)
# List all cases in a dataset
cases = client.list_cases('qa-golden-set')
for case in cases:
print(f" {case['name']}: {case['inputs']}")
# Get a specific case
case = client.get_case('qa-golden-set', case_id='some-case-uuid')
# List all datasets in the project
datasets = client.list_datasets()
for ds in datasets:
print(f"{ds['name']}: {ds['case_count']} cases")
# Retrieve only dataset-level metadata for a specific dataset by name or ID
dataset_info = client.get_dataset('qa-golden-set', include_cases=False)
To fetch the full hosted dataset back as a typed pydantic_evals.Dataset, see Running Evaluations.
# Update a dataset's metadata
client.update_dataset('qa-golden-set', description='Updated description')
# Update a specific case
client.update_case(
'qa-golden-set',
case_id='some-case-uuid',
metadata=CaseMetadata(category='geography', difficulty='easy', reviewed=True),
)
# Delete a case
client.delete_case('qa-golden-set', case_id='some-case-uuid')
# Delete an entire dataset and all its cases
client.delete_dataset('qa-golden-set')
- Running Evaluations --- Fetch your dataset and run evaluations with pydantic-evals.
- SDK Reference --- Complete method signatures and exception reference.
- Web UI Guide --- Manage datasets through the Logfire web interface.