An e2e framework for creating, deploying and using isolated execution environments for agentic RL training, built using Gymnasium style simple APIs.
π Featured Example: Train LLMs to play BlackJack using torchforge (PyTorch's agentic RL framework): examples/grpo_blackjack/
π₯ GPU Mode Tutorial: End to end tutorial from GPU Mode blog post.
Install the OpenEnv core package:
pip install openenv-coreInstall an environment client (e.g., Echo):
pip install git+https://huggingface.co/spaces/openenv/echo_envThen use the environment:
import asyncio
from echo_env import EchoAction, EchoEnv
async def main():
# Connect to a running Space (async context manager)
async with EchoEnv(base_url="https://openenv-echo-env.hf.space") as client:
# Reset the environment
result = await client.reset()
print(result.observation.echoed_message) # "Echo environment ready!"
# Send messages
result = await client.step(EchoAction(message="Hello, World!"))
print(result.observation.echoed_message) # "Hello, World!"
print(result.reward) # 1.3 (based on message length)
asyncio.run(main())Synchronous usage is also supported via the .sync() wrapper:
from echo_env import EchoAction, EchoEnv
# Use .sync() for synchronous context manager
with EchoEnv(base_url="https://openenv-echo-env.hf.space").sync() as client:
result = client.reset()
result = client.step(EchoAction(message="Hello, World!"))
print(result.observation.echoed_message)For a detailed quick start, check out the docs page.
OpenEnv provides a standard for interacting with agentic execution environments via simple Gymnasium style APIs - step(), reset(), state(). Users of agentic execution environments can interact with the environment during RL training loops using these simple APIs.
In addition to making it easier for researchers and RL framework writers, we also provide tools for environment creators making it easier for them to create richer environments and make them available over familiar protocols like HTTP and packaged using canonical technologies like docker. Environment creators can use the OpenEnv framework to create environments that are isolated, secure, and easy to deploy and use.
The OpenEnv CLI (openenv) provides commands to initialize new environments and deploy them to Hugging Face Spaces.
β οΈ Early Development Warning OpenEnv is currently in an experimental stage. You should expect bugs, incomplete features, and APIs that may change in future versions. The project welcomes bugfixes, but to make sure things are well coordinated you should discuss any significant change before starting the work. It's recommended that you signal your intention to contribute in the issue tracker, either by filing a new issue or by claiming an existing one.
Below is a list of active and historical RFCs for OpenEnv. RFCs are proposals for major changes or features. Please review and contribute!
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
β Client Application β
β ββββββββββββββββββ ββββββββββββββββββββ β
β β EchoEnv β β CodingEnv β β
β β (EnvClient) β β (EnvClient) β β
β ββββββββββ¬ββββββββ ββββββββββ¬ββββββββββ β
βββββββββββββΌββββββββββββββββββββββββββββββββΌββββββββββββββ
β WebSocket β WebSocket
β (reset, step, state) β
βββββββββββββΌββββββββββββββββββββββββββββββββΌββββββββββββββ
β Docker Containers (Isolated) β
β ββββββββββββββββββββββββ ββββββββββββββββββββββββ β
β β FastAPI Server β β FastAPI Server β β
β β EchoEnvironment β β PythonCodeActEnv β β
β β (Environment base) β β (Environment base) β β
β ββββββββββββββββββββββββ ββββββββββββββββββββββββ β
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
OpenEnv includes a built-in web interface for interactive environment exploration and debugging. The web interface provides:
- Two-Pane Layout: HumanAgent interaction on the left, state observation on the right
- Real-time Updates: WebSocket-based live updates without page refresh
- Dynamic Forms: Automatically generated action forms based on environment Action types
- Action History: Complete log of all actions taken and their results
The web interface is conditionally enabled based on environment variables:
- Local Development: Disabled by default for lightweight development
- Manual Override: Enable with
ENABLE_WEB_INTERFACE=true
To use the web interface:
from openenv.core.env_server import create_web_interface_app
from your_env.models import YourAction, YourObservation
from your_env.server.your_environment import YourEnvironment
env = YourEnvironment()
app = create_web_interface_app(env, YourAction, YourObservation)When enabled, open http://localhost:8000/web in your browser to interact with the environment.
Base class for implementing environment logic:
reset(): Initialize a new episode, returns initialObservationstep(action): Execute anAction, returns resultingObservationstate(): Access episode metadata (Statewith episode_id, step_count, etc.)
Base class for environment communication:
- Async by default: Use
async withandawaitfor all operations - Sync wrapper: Call
.sync()to get aSyncEnvClientfor synchronous usage - Handles WebSocket connections to environment server
- Contains a utility to spin up a docker container locally for the corresponding environment
- Type-safe action/observation parsing
Manage container deployment:
LocalDockerProvider: Run containers on local Docker daemonKubernetesProvider: Deploy to K8s clusters (future)
Type-safe data structures:
Action: Base class for environment actionsObservation: Base class for environment observationsState: Episode state trackingStepResult: Combines observation, reward, done flag
Use the CLI to quickly scaffold a new environment:
openenv init my_envThis creates the following structure:
my_env/
βββ .dockerignore # Docker build exclusions
βββ __init__.py # Export YourAction, YourObservation, YourEnv
βββ models.py # Define Action, Observation, State dataclasses
βββ client.py # Implement YourEnv(EnvClient)
βββ README.md # Document your environment
βββ openenv.yaml # Environment manifest
βββ pyproject.toml # Dependencies and package configuration
βββ outputs/ # Runtime outputs (logs, evals) - gitignored
β βββ logs/
β βββ evals/
βββ server/
βββ your_environment.py # Implement YourEnvironment(Environment)
βββ app.py # Create FastAPI app
βββ requirements.txt # Dependencies for Docker (can be generated)
βββ Dockerfile # Define container image
OpenEnv uses pyproject.toml as the primary dependency specification:
- Environment-level
pyproject.toml: Each environment defines its own dependencies - Root-level
pyproject.toml: Contains shared core dependencies (fastapi, pydantic, uvicorn) - Server
requirements.txt: Can be auto-generated frompyproject.tomlfor Docker builds
Development Workflow:
# Install environment in editable mode
cd my_env
pip install -e .
# Or using uv (faster)
uv pip install -e .
# Run server locally without Docker
uv run server --host 0.0.0.0 --port 8000Benefits:
- β Client-side extensions: Modify client classes locally without repo changes
- β Better dependency management: Clear separation between environments
- β Flexible workflows: Use pip, uv, or Docker for different scenarios
- β CI/CD ready: Automated dependency generation and validation
See envs/README.md for a complete guide on building environments.
To use an environment:
- Install the client:
pip install git+https://huggingface.co/spaces/openenv/echo-env - Import:
from echo_env import EchoAction, EchoEnv - Use async (recommended) or sync API:
Async (recommended):
async with EchoEnv(base_url="...") as client:
result = await client.reset()
result = await client.step(action)Sync (via .sync() wrapper):
with EchoEnv(base_url="...").sync() as client:
result = client.reset()
result = client.step(action)See example scripts in examples/ directory.
The OpenEnv CLI provides commands to manage environments:
openenv init <env_name>- Initialize a new environment from templateopenenv push [--repo-id <repo>] [--private]- Deploy environment to Hugging Face Spaces
# Create a new environment
openenv init my_game_env
# Deploy to Hugging Face (will prompt for login if needed)
cd my_game_env
openenv pushFor detailed options: openenv init --help and openenv push --help.
- Separation of Concerns: Clear client-server boundaries
- Type Safety: Strongly-typed actions, observations, and state
- Container Isolation: Each environment runs in its own container
- Simple APIs: Minimal, intuitive interfaces
# Clone the repository
git clone https://github.com/meta-pytorch/OpenEnv.git
cd OpenEnv
# Install core package in editable mode
pip install -e .
# Or using uv (faster)
uv pip install -e .OpenEnv uses a modular dependency structure: the core package is minimal, and each environment has its own dependencies. This means some tests require environment-specific packages.
# Install pytest (required for running tests)
uv pip install pytest
# Run all tests (skips tests requiring uninstalled dependencies)
PYTHONPATH=src:envs uv run pytest tests/ -v --tb=short
# Run a specific test file
PYTHONPATH=src:envs uv run pytest tests/envs/test_echo_environment.py -vTo run environment-specific tests, install that environment's dependencies:
# Example: Install coding_env with dev dependencies (includes smolagents + pytest)
uv pip install -e "envs/coding_env[dev]"
# Then run coding_env tests
PYTHONPATH=src:envs uv run pytest tests/envs/test_python_codeact_rewards.py -vTests will be automatically skipped if their required dependencies aren't installed.
- Python 3.10+
- Docker Desktop or Docker Engine
- FastAPI >= 0.104.0
- Uvicorn >= 0.24.0
- Requests >= 2.25.0
- Environment-specific dependencies (e.g., smolagents for coding_env)
The goal of this project is to support a broad set of open and closed tools to help standardize the agentic RL community. If you have a project that supports OpenEnv environments, please put up a PR to add your tool name along with a link to your documentation.
See GRPO BlackJack training example: examples/grpo_blackjack/
See the TRL example on how to integrate OpenEnv environments with GRPO training.
See the 2048 game example based on gpt-oss: Colab notebook
See the SkyRL example on how to train on OpenEnv environments with SkyRL.
See the ART example on how OpenEnv environments can be used to train models with ART.
See the Oumi example on how OpenEnv environments can be used to train models with Oumi.
A simple environment that echoes back messages with metadata. Perfect for:
- Testing the HTTP server infrastructure
- Learning the framework basics
- Verifying container deployment
Executes arbitrary Python code in a sandboxed environment. Features:
- Safe code execution using smolagents
- Capture stdout, stderr, and exit codes
- Persistent execution context within episodes
- Error handling with detailed messages
See: envs/coding_env/README.md
This is an open and community-centric project. If you would like to add your name here, please put up a pull request and tag @jspisak for review. Ty!!
Supporters include: Meta-PyTorch, Hugging Face, Scaler AI Labs, Patronus AI, Surge AI, LastMile AI, Unsloth AI, Reflection AI, vLLM, SkyRL (UC-Berkeley), LightningAI, Axolotl AI, Stanford Scaling Intelligence Lab, Mithril, OpenMined, Fleet AI, Halluminate, Turing, Scale AI ..
And we'd also like to acknowledge the team at Farama Foundation as the OpenEnv API was heavily inspired by the work you all have done on Gymnasium. Cheers!
BSD 3-Clause License (see LICENSE file)