Skip to content

Seed Datasets

Seed datasets let you bootstrap synthetic data generation from existing data. Instead of generating everything from scratch, you provide a dataset whose columns become available as context in your prompts and expressionsโ€”grounding your synthetic data in real-world examples.

When to Use Seed Datasets

Seed datasets shine when you have real data you want to build on:

  • Product catalogs โ†’ generate customer reviews
  • Medical diagnoses โ†’ generate physician notes
  • Code snippets โ†’ generate documentation
  • Company profiles โ†’ generate financial reports

The seed data provides realism and domain specificity; Data Designer adds volume and variation.

The Basic Pattern

import data_designer.config as dd
from data_designer.interface import DataDesigner

# Define your model configuration
model_configs = [
    dd.ModelConfig(
        alias="my-model",
        model="nvidia/nemotron-3-nano-30b-a3b",
        provider="nvidia",
    )
]

config_builder = dd.DataDesignerConfigBuilder(model_configs=model_configs)

# 1. Attach a seed dataset
seed_source = dd.LocalFileSeedSource(path="products.csv")
config_builder.with_seed_dataset(seed_source)

# 2. Reference seed columns in your prompts
config_builder.add_column(
    dd.LLMTextColumnConfig(
        name="review",
        model_alias="my-model",
        prompt="""\
Write a customer review for {{ product_name }}.
Category: {{ category }}
Price: ${{ price }}
""",
    )
)

Every column in your seed dataset becomes available as a Jinja2 variable in prompts and expressions. Data Designer automatically:

  • Reads rows from the seed dataset
  • Injects seed column values into templates

Seed Sources

Data Designer supports multiple ways to provide seed data, including:

๐Ÿ“ LocalFileSeedSource

Load from a local fileโ€”CSV, Parquet, or JSON.

# Single file
seed_source = dd.LocalFileSeedSource(path="data/products.csv")

# Parquet files with wildcard
seed_source = dd.LocalFileSeedSource(path="data/products/*.parquet")

Supported Formats

  • CSV (.csv)
  • Parquet (.parquet)
  • JSON (.json, .jsonl)

๐Ÿค— HuggingFaceSeedSource

Load directly from HuggingFace datasets without downloading manually.

seed_source = dd.HuggingFaceSeedSource(
    path="datasets/gretelai/symptom_to_diagnosis/data/train.parquet",
    token="hf_...",  # Optional, for private datasets
)

๐Ÿผ DataFrameSeedSource

Use an in-memory pandas DataFrameโ€”great for preprocessing or combining multiple sources.

import pandas as pd

df = pd.read_csv("raw_data.csv")
df = df[df["quality_score"] > 0.8]  # Filter to high-quality rows

seed_source = dd.DataFrameSeedSource(df=df)

Serialization

DataFrameSeedSource can't be serialized to YAML/JSON configs. Use LocalFileSeedSource if you need to save and share configurations.

๐Ÿ—‚๏ธ DirectorySeedSource

Treat a directory tree as the seed dataset. Each matching file becomes one seed row, exposing file metadata you can reference in prompts and expressions.

seed_source = dd.DirectorySeedSource(
    path="docs/",
    file_pattern="*.md",
    recursive=True,
)

config_builder.with_seed_dataset(seed_source)
config_builder.add_column(
    dd.ExpressionColumnConfig(
        name="doc_label",
        expr="{{ source_kind }}::{{ relative_path }}",
    )
)

Directory-backed seed datasets expose these columns:

  • source_kind โ€” always "directory_file"
  • source_path โ€” full path to the matched file
  • relative_path โ€” path relative to the configured directory
  • file_name โ€” basename of the matched file

Filesystem matching

file_pattern matches file names only, not relative paths. recursive=True is the default, so nested subdirectories are searched unless you turn it off.

๐Ÿ“„ FileContentsSeedSource

Read matching text files into the seed dataset. Each file becomes one seed row with the same metadata as DirectorySeedSource, plus the decoded file contents in a content column.

seed_source = dd.FileContentsSeedSource(
    path="docs/",
    file_pattern="*.md",
    encoding="utf-8",
)

config_builder.with_seed_dataset(seed_source)
config_builder.add_column(
    dd.LLMTextColumnConfig(
        name="summary",
        model_alias="my-model",
        prompt="""\
Summarize the following document.

File: {{ file_name }}
Path: {{ relative_path }}

{{ content }}
""",
    )
)

FileContentsSeedSource exposes these seeded columns:

  • source_kind โ€” always "file_contents"
  • source_path โ€” full path to the matched file
  • relative_path โ€” path relative to the configured directory
  • file_name โ€” basename of the matched file
  • content โ€” decoded text contents of the matched file

Encoding

encoding="utf-8" is the default. Set a different Python codec name if your files use another text encoding.

๐Ÿค– AgentRolloutSeedSource

Parse agent rollout trace files (e.g. from Claude Code or Codex) into a structured seed dataset. Each trace becomes one seed row with normalized metadata and the full message history, ready for distillation or analysis pipelines.

seed_source = dd.AgentRolloutSeedSource(
    format=dd.AgentRolloutFormat.CLAUDE_CODE,
)

config_builder.with_seed_dataset(seed_source)

When path is omitted, built-in defaults are used:

  • Claude Code โ†’ ~/.claude/projects
  • Codex โ†’ ~/.codex/sessions

You can override both the path and file pattern:

seed_source = dd.AgentRolloutSeedSource(
    format=dd.AgentRolloutFormat.CLAUDE_CODE,
    path="my_traces/",
    file_pattern="*.jsonl",
)

AgentRolloutSeedSource exposes a rich set of seeded columns:

  • trace_id โ€” unique identifier for the trace
  • source_kind โ€” the rollout format (e.g. "claude_code", "codex")
  • source_path โ€” full path to the source file
  • root_session_id โ€” top-level session identifier
  • agent_id โ€” agent identifier (if present)
  • is_sidechain โ€” whether this trace is a delegated subtask
  • cwd, project_path, git_branch โ€” workspace context
  • started_at, ended_at โ€” trace timestamps
  • messages โ€” the full message history as a list of dicts
  • source_meta โ€” additional format-specific metadata
  • message_count, tool_call_count โ€” derived summary statistics
  • final_assistant_message โ€” the last assistant text in the trace

Trace Distillation

See the Agent Rollout Trace Distillation recipe for a complete example that turns agent traces into supervised fine-tuning data.

Custom Filesystem Readers

If you need custom row construction, fan-out behavior, or expensive hydration logic for any directory-backed seed source, build a custom FileSystemSeedReader and pass it via DataDesigner(seed_readers=[...]). See the FileSystemSeedReader Plugins guide.

Sampling Strategies

Control how rows are read from the seed dataset.

Ordered (Default)

Rows are read sequentially in their original order. Each generated record corresponds to the next row in the seed dataset. If you generate more records than exist in the seed dataset, it will cycle in order until completion.

config_builder.with_seed_dataset(
    seed_source,
    sampling_strategy=dd.SamplingStrategy.ORDERED,
)

Shuffle

Rows are randomly shuffled before sampling. Useful when your seed data has some ordering you want to break.

config_builder.with_seed_dataset(
    seed_source,
    sampling_strategy=dd.SamplingStrategy.SHUFFLE,
)

Selection Strategies

Select a subset of your seed datasetโ€”useful for large datasets or parallel processing.

IndexRange

Select a specific range of row indices.

# Use only rows 100-199 (100 rows total)
config_builder.with_seed_dataset(
    seed_source,
    selection_strategy=dd.IndexRange(start=100, end=199),
)

PartitionBlock

Split the dataset into N equal partitions and select one. Perfect for distributing work across multiple jobs.

# Split into 5 partitions, use the 3rd one (index=2, zero-based)
config_builder.with_seed_dataset(
    seed_source,
    selection_strategy=dd.PartitionBlock(index=2, num_partitions=5),
)

Parallel Processing

Run 5 parallel jobs, each with a different partition index, to process a large seed dataset in parallel:

# Job 0: PartitionBlock(index=0, num_partitions=5)
# Job 1: PartitionBlock(index=1, num_partitions=5)
# Job 2: PartitionBlock(index=2, num_partitions=5)
# ...

Combining Strategies

Sampling and selection strategies work together. For example, shuffle rows within a specific partition:

config_builder.with_seed_dataset(
    seed_source,
    sampling_strategy=dd.SamplingStrategy.SHUFFLE,
    selection_strategy=dd.PartitionBlock(index=0, num_partitions=10),
)

Complete Example

Here's a complete example generating physician notes from a symptom-to-diagnosis seed dataset:

import data_designer.config as dd
from data_designer.interface import DataDesigner

data_designer = DataDesigner()

model_configs = [
    dd.ModelConfig(
        alias="medical-notes",
        model="nvidia/nemotron-3-nano-30b-a3b",
        provider="nvidia",
    )
]

config_builder = dd.DataDesignerConfigBuilder(model_configs=model_configs)

# Attach seed dataset (has 'diagnosis' and 'symptoms' columns)
seed_source = dd.LocalFileSeedSource(path="symptom_to_diagnosis.csv")
config_builder.with_seed_dataset(seed_source)

# Generate patient info
config_builder.add_column(
    dd.SamplerColumnConfig(
        name="patient",
        sampler_type=dd.SamplerType.PERSON_FROM_FAKER,
        params=dd.PersonFromFakerSamplerParams(),
    )
)

config_builder.add_column(
    dd.ExpressionColumnConfig(
        name="patient_name",
        expr="{{ patient.first_name }} {{ patient.last_name }}",
    )
)

# Generate notes grounded in seed data
config_builder.add_column(
    dd.LLMTextColumnConfig(
        name="physician_notes",
        model_alias="medical-notes",
        prompt="""\
You are a physician writing notes after a patient visit.

Patient: {{ patient_name }}
Diagnosis: {{ diagnosis }}
Reported Symptoms: {{ symptoms }}

Write detailed clinical notes for this visit.
""",
    )
)

# Preview
preview = data_designer.preview(config_builder, num_records=5)
preview.display_sample_record()

Best Practices

Keep Seed Data Clean

Garbage in, garbage out. Clean your seed data before using it:

  • Remove duplicates
  • Fix encoding issues
  • Filter out low-quality rows
  • Standardize column names

Match Generation Volume to Seed Size

If your seed dataset has 1,000 rows and you generate 10,000 records, each seed row will be used ~10 times. Consider whether that's appropriate for your use case.

Use Seed Data for Diversity Control

Seed datasets are excellent for controlling the distribution of your synthetic data. Want 30% electronics, 50% clothing, 20% home goods? Curate your seed dataset to match.