Dynamic Pipelines (Experimental)

Write dynamic pipelines

Important: Before using dynamic pipelines, please review the Limitations and Known Issues section below. This section contains critical information about requirements and known bugs that may affect your pipeline execution, especially when running remotely.

Why Dynamic Pipelines?

Traditional ZenML pipelines require you to define the entire DAG structure at pipeline definition time. While this works well for many use cases, there are scenarios where you need more flexibility:

  • Runtime-dependent workflows: When the number of steps or their configuration depends on data computed during pipeline execution

  • Dynamic parallelization: When you need to spawn multiple parallel step executions based on runtime conditions

  • Conditional execution: When the workflow structure needs to adapt based on intermediate results

Dynamic pipelines allow you to write pipelines that generate their DAG structure dynamically at runtime, giving you the power of Python's control flow (loops, conditionals) combined with ZenML's orchestration capabilities.

Basic Example

The simplest dynamic pipeline uses regular Python control flow to determine step execution:

from zenml import step, pipeline

@step
def generate_int() -> int:
    return 3

@step
def do_something(index: int) -> None:
    print(f"Processing index {index}")

@pipeline(dynamic=True)
def dynamic_pipeline() -> None:
    count = generate_int()
    # `count` is an artifact, we now load the data
    count_data = count.load()

    for idx in range(count_data):
        # This will run sequentially, like regular Python code would.
        do_something(idx)

if __name__ == "__main__":
    dynamic_pipeline()

In this example, the number of do_something steps executed depends on the value returned by generate_int(), which is only known at runtime.

Key Features

Dynamic Step Configuration

You can configure steps dynamically within your pipeline using with_options():

@pipeline(dynamic=True)
def dynamic_pipeline():
    some_step.with_options(enable_cache=False)()

This allows you to modify step behavior based on runtime conditions or data.

Step Runtime Configuration

You can control where a step executes by specifying its runtime:

  • runtime="inline": The step runs in the orchestration environment (same process/container as the orchestrator)

  • runtime="isolated": The orchestrator spins up a separate step execution environment (new container/process)

@step(runtime="isolated")
def some_step() -> None:
    # This step will run in its own isolated environment
    ...

@step(runtime="inline")
def another_step() -> None:
    # This step will run in the orchestration environment
    ...

Use runtime="isolated" when you need:

  • Better resource isolation

  • Different environment requirements

  • Parallel execution (see below)

Use runtime="inline" when you need:

  • Faster execution (no container startup overhead)

  • Shared resources with the orchestrator

  • Sequential execution

Parallel Step Execution

Dynamic pipelines support true parallel execution using step.submit(). This method returns a StepRunFuture that you can use to wait for results or pass to downstream steps:

from zenml import step, pipeline

@step
def some_step(arg: int) -> int:
    return arg * 2

@pipeline(dynamic=True)
def dynamic_pipeline():
    # Submit a step for parallel execution
    future = some_step.submit(arg=1)
    
    # Wait and get artifact response(s)
    artifact = future.result()
    
    # Wait and load artifact data
    data = future.load()
    
    # Pass the output to another step
    downstream_step(future)

    # Run multiple steps in parallel
    for idx in range(3):
        some_step.submit(arg=idx)

The StepRunFuture object provides several methods:

  • result(): Wait for the step to complete and return the artifact response(s)

  • load(): Wait for the step to complete and load the actual artifact data

  • Pass directly: You can pass a StepRunFuture directly to downstream steps, and ZenML will automatically wait for it

When using step.submit(), steps with runtime="isolated" will execute in separate containers/processes, while steps with runtime="inline" will execute in separate threads within the orchestration environment.

Config Templates with depends_on

You can use YAML configuration files to provide default parameters for steps using the depends_on parameter:

# config.yaml
steps:
  some_step:
    parameters:
      arg: 3
# run.py
from zenml import step, pipeline

@step
def some_step(arg: int) -> None:
    print(f"arg is {arg}")

@pipeline(dynamic=True, depends_on=[some_step])
def dynamic_pipeline():
    some_step()

if __name__ == "__main__":
    dynamic_pipeline.with_options(config_path="config.yaml")()

The depends_on parameter tells ZenML which steps can be configured via the YAML file. This is particularly useful when you want to allow users to configure pipeline behavior without modifying code.

Limitations and Known Issues

Logging

Our logging storage isn't threadsafe yet, which means logs from parallel steps may be mixed up when multiple steps execute concurrently. This is a known limitation that we're working to address.

Error Handling

When running multiple steps concurrently using step.submit(), a failure in one step does not automatically stop other steps. Instead, they continue executing until finished. You should implement your own error handling logic if you need coordinated failure behavior.

Orchestrator Support

Dynamic pipelines are currently only supported by:

  • local orchestrator

  • kubernetes orchestrator

Other orchestrators will raise an error if you try to run a dynamic pipeline with them.

Remote Execution Requirement

When running dynamic pipelines remotely (e.g., with the kubernetes orchestrator), you must include depends_on for at least one step in your pipeline definition. This is currently required due to a bug in remote execution.

For example:

@pipeline(dynamic=True, depends_on=[some_step])
def dynamic_pipeline():
    some_step()
    # ... rest of your pipeline

Artifact Loading

When you call .load() on an artifact in a dynamic pipeline, it synchronously loads the data. For large artifacts or when you want to maintain parallelism, consider passing the step outputs (future or artifact) directly to downstream steps instead of loading them.

Best Practices

  1. Use runtime="isolated" for parallel steps: This ensures better resource isolation and prevents interference between concurrent step executions.

  2. Handle step outputs appropriately: If you need the data immediately, use .load(). If you're just passing to another step, pass the output directly.

  3. Be mindful of resource usage: Running many steps in parallel can consume significant resources. Monitor your orchestrator's resource limits.

  4. Test incrementally: Start with simple dynamic pipelines and gradually add complexity. Dynamic pipelines can be harder to debug than static ones.

  5. Use config templates for flexibility: The depends_on feature allows you to make pipelines configurable without code changes.

When to Use Dynamic Pipelines

Dynamic pipelines are ideal for:

  • AI agent orchestration: Coordinating multiple autonomous agents (e.g., retrieval or reasoning agents) whose interactions or number of invocations are determined at runtime

  • Hyperparameter tuning: Spawning multiple training runs with different configurations

  • Data processing: Processing variable numbers of data chunks in parallel

  • Conditional workflows: Adapting pipeline structure based on runtime data

  • Dynamic batching: Creating batches based on available data

  • Multi-agent and collaborative AI workflows: Building flexible, adaptive workflows where agents or LLM-driven components can be dynamically spawned, routed, or looped based on outputs, results, or user input

For most standard ML workflows, traditional static pipelines are simpler and more maintainable. Use dynamic pipelines when you specifically need runtime flexibility that static pipelines cannot provide.

Last updated

Was this helpful?