TRL supports the GRPO Trainer for training language models, as described in the paper DeepSeekMath: Pushing the Limits of Mathematical Reasoning in Open Language Models by Zhihong Shao, Peiyi Wang, Qihao Zhu, Runxin Xu, Junxiao Song, Mingchuan Zhang, Y. K. Li, Y. Wu, Daya Guo.
The abstract from the paper is the following:
Mathematical reasoning poses a significant challenge for language models due to its complex and structured nature. In this paper, we introduce DeepSeekMath 7B, which continues pre-training DeepSeek-Coder-Base-v1.5 7B with 120B math-related tokens sourced from Common Crawl, together with natural language and code data. DeepSeekMath 7B has achieved an impressive score of 51.7% on the competition-level MATH benchmark without relying on external toolkits and voting techniques, approaching the performance level of Gemini-Ultra and GPT-4. Self-consistency over 64 samples from DeepSeekMath 7B achieves 60.9% on MATH. The mathematical reasoning capability of DeepSeekMath is attributed to two key factors: First, we harness the significant potential of publicly available web data through a meticulously engineered data selection pipeline. Second, we introduce Group Relative Policy Optimization (GRPO), a variant of Proximal Policy Optimization (PPO), that enhances mathematical reasoning abilities while concurrently optimizing the memory usage of PPO.
This post-training method was contributed by Quentin Gallouédec.
This example demonstrates how to train a model using the GRPO method. We train a Qwen 0.5B Instruct model with the prompts from the DeepMath-103K dataset. You can view the data in the dataset here:
<iframe src="https://huggingface.co/datasets/trl-lib/DeepMath-103K/embed/viewer/default/train?row=0" frameborder="0" width="100%" height="560px" ></iframe>Below is the script to train the model.
# train_grpo.py
from datasets import load_dataset
from trl import GRPOTrainer
from trl.rewards import accuracy_reward
dataset = load_dataset("trl-lib/DeepMath-103K", split="train")
trainer = GRPOTrainer(
model="Qwen/Qwen2-0.5B-Instruct",
reward_funcs=accuracy_reward,
train_dataset=dataset,
)
trainer.train()Execute the script using the following command:
accelerate launch train_grpo.pyDistributed across 8 GPUs, the training takes approximately 1 day.
GRPO is an online learning algorithm, meaning it improves iteratively by using the data generated by the trained model itself during training. The intuition behind GRPO objective is to maximize the advantage of the generated completions, while ensuring that the model remains close to the reference policy. To understand how GRPO works, it can be broken down into four main steps: Generating completions, computing the advantage, estimating the KL divergence, and computing the loss.
At each training step, we sample a batch of prompts and generate a set of \( G \) completions for each prompt (denoted as \( o_i \)).
For each of the \( G \) sequences, we compute the reward using a reward model or reward function. To align with the comparative nature of reward models—typically trained on datasets of comparisons between outputs for the same question—the advantage is calculated to reflect these relative comparisons. It is normalized as follows:
This approach gives the method its name: Group Relative Policy Optimization (GRPO).
Tip
It was shown in the paper Understanding R1-Zero-Like Training: A Critical Perspective that scaling by \( \text{std}(\mathbf{r}) \) may cause a question-level difficulty bias. You can disable this scaling by setting scale_rewards=False in [GRPOConfig].
Note that turning off std-based scaling also removes variance normalization, so update magnitudes depend directly on the raw reward scale and batch composition.
Tip
As shown in Part I: Tricks or Traps? A Deep Dive into RL for LLM Reasoning (Lite PPO), calculating the mean at the local (group) level and the standard deviation at the global (batch) level enables more robust reward shaping. You can use this scaling strategy by setting scale_rewards="batch" in [GRPOConfig].
KL divergence is estimated using the approximator introduced by Schulman et al. (2020). The approximator is defined as follows:
The objective is to maximize the advantage while ensuring that the model remains close to the reference policy. Consequently, the loss is defined as follows:
where the first term represents the scaled advantage and the second term penalizes deviations from the reference policy through KL divergence.
Tip
Note that compared to the original formulation in DeepSeekMath: Pushing the Limits of Mathematical Reasoning in Open Language Models, we don't scale by \( \frac{1}{|o_i|} \) because it was shown in the paper Understanding R1-Zero-Like Training: A Critical Perspective that this introduces a response-level length bias. More details in loss types.
Tip
Note that compared to the original formulation in DeepSeekMath: Pushing the Limits of Mathematical Reasoning in Open Language Models, we use \( \beta = 0.0 \) by default, meaning that the KL divergence term is not used. This choice is motivated by several recent studies (e.g., Open-Reasoner-Zero: An Open Source Approach to Scaling Up Reinforcement Learning on the Base Model) which have shown that the KL divergence term is not essential for training with GRPO. As a result, it has become common practice to exclude it (e.g. Understanding R1-Zero-Like Training: A Critical Perspective, DAPO: An Open-Source LLM Reinforcement Learning System at Scale). If you wish to include the KL divergence term, you can set beta in [GRPOConfig] to a non-zero value.
In the original paper, this formulation is generalized to account for multiple updates after each generation (denoted \( \mu \), can be set with num_iterations in [GRPOConfig]) by leveraging the clipped surrogate objective:
where \(\text{clip}(\cdot, 1 - \epsilon, 1 + \epsilon) \) ensures that updates do not deviate excessively from the reference policy by bounding the policy ratio between \( 1 - \epsilon \) and \( 1 + \epsilon \). When \( \mu = 1 \) (default in TRL), the clipped surrogate objective simplifies to the original objective.
Several formulations of the objective have been proposed in the literature. Initially, the objective of GRPO was defined as follows:
where
The DAPO paper highlights the limitations of the GRPO algorithm’s sample-level loss in long-CoT scenarios, where longer responses are under-penalized, leading to poorer quality outputs. The proposed solution is a token-level normalization, which better handles longer sequences by assigning more balanced rewards to individual tokens, regardless of response length:
To use this formulation, set loss_type="dapo" in [GRPOConfig].
Furthermore, it was demonstrated in the paper Understanding R1-Zero-Like Training: A Critical Perspective that the initial GRPO formulation introduces a response length bias. They show that while the DAPO formulation reduces this bias, it does not eliminate it completely. To fully remove this bias, they propose dividing by a constant instead of the sequence length, resulting in the following formulation:
This constant is recommended to be the maximum completion length. To use this formulation, set loss_type="dr_grpo" in the [GRPOConfig].
Alternatively, in the SAPO paper, the Qwen team proposes replacing the "hard" clipping mechanism of GRPO with a smooth, temperature-controlled soft gating mechanism. While GRPO zeroes out gradients when the policy deviates too far from the reference, SAPO uses a soft trust region that smoothly decays the gradient weight. This allows the model to retain useful learning signals from "near-on-policy" tokens while suppressing noise from extreme deviations.
The loss function is defined as:
The soft-gating function \( f_{i,t} \) is defined using the sigmoid function \( \sigma \) as:
The temperature \( \tau_{i,t} \) is chosen based on the sign of the advantage \( \hat{A}_{i,t} \):
They recommend using asymmetric temperatures, \( \tau_{\text{neg}} > \tau_{\text{pos}} \) (defaults are \( \tau_{\text{pos}}=1.0, \tau_{\text{neg}}=1.05 \) ). This ensures that the model is penalized more strictly for "bad" actions to prevent instability, while being more permissive with "good" actions.
To use this formulation, set loss_type="sapo" in the [GRPOConfig].
While training and evaluating, we record the following reward metrics:
-
num_tokens: The total number of tokens processed so far, including both prompts and completions. When using tools, only non-tool tokens are counted. -
step_time: The average time (in seconds) taken per training step (including generation). -
completions/mean_length: The average length of generated completions. When using tools, only non-tool tokens are counted. -
completions/min_length: The minimum length of generated completions. When using tools, only non-tool tokens are counted. -
completions/max_length: The maximum length of generated completions. When using tools, only non-tool tokens are counted. -
completions/mean_terminated_length: The average length of generated completions that terminate with EOS. When using tools, only non-tool tokens are counted. -
completions/min_terminated_length: The minimum length of generated completions that terminate with EOS. When using tools, only non-tool tokens are counted. -
completions/max_terminated_length: The maximum length of generated completions that terminate with EOS. When using tools, only non-tool tokens are counted. -
completions/clipped_ratio: The ratio of truncated (clipped) completions. -
reward/{reward_func_name}/mean: The average reward from a specific reward function. -
reward/{reward_func_name}/std: The standard deviation of the reward from a specific reward function. -
reward: The overall average reward after summing rewards across functions (unweighted). -
reward_std: The standard deviation of summed rewards across functions (unweighted), computed over the full batch. -
frac_reward_zero_std: The fraction of samples in the generation batch with a reward std of zero, implying there is little diversity for that prompt (all answers are correct or incorrect). -
entropy: Average entropy of token predictions across generated completions. (Ifmask_truncated_completions=True, masked sequences tokens are excluded.) -
kl: The average KL divergence between the model and the reference model, calculated over generated completions. Logged only ifbetais nonzero. -
clip_ratio/region_mean: The ratio of token (or sequence, ifimportance_sampling_level="sequence") probabilities where the GRPO objective is clipped to stay within the trust region: \( \text{clip}\left( r_{i,t}(\theta), 1 - \epsilon_\mathrm{low}, 1 + \epsilon_\mathrm{high} \right),, \quad r_{i,t}(\theta) = \frac{\pi_\theta(o_{i,t} \mid q, o_{i,< t})}{\pi_{\theta_{\text{old}}}(o_{i,t} \mid q, o_{i,< t})} \). A higher value means more tokens are clipped, which constrains how much the policy$\pi_\theta$ can change. -
clip_ratio/low_mean: The average ratio of token (or sequence, ifimportance_sampling_level="sequence") probabilities that were clipped on the lower bound of the trust region: \(r_{i,t}(\theta) < 1 - \epsilon_\mathrm{low}\). -
clip_ratio/low_min: The minimum ratio of token (or sequence, ifimportance_sampling_level="sequence") probabilities that were clipped on the lower bound of the trust region: \(r_{i,t}(\theta) < 1 - \epsilon_\mathrm{low}\). -
clip_ratio/high_mean: The average ratio of token (or sequence, ifimportance_sampling_level="sequence") probabilities that were clipped on the upper bound of the trust region: \(r_{i,t}(\theta) > 1 + \epsilon_\mathrm{high}\). -
clip_ratio/high_max: The maximum ratio of token (or sequence, ifimportance_sampling_level="sequence") probabilities that were clipped on the upper bound of the trust region: \(r_{i,t}(\theta) > 1 + \epsilon_\mathrm{high}\).
Generation is often the main bottleneck when training with online methods. To accelerate generation, you can use vLLM, a high-throughput, low-latency inference engine for LLMs. To enable it, first install the package with
pip install trl[vllm]We support two ways of using vLLM during training: server mode and colocate mode.
Tip
By default, Truncated Importance Sampling is activated for vLLM generation to address the generation-training mismatch that occurs when using different frameworks. This can be turned off by setting vllm_importance_sampling_correction=False. For more information, see Truncated Importance Sampling
In this mode, vLLM runs in a separate process (and using separate GPUs) and communicates with the trainer via HTTP. This is ideal if you have dedicated GPUs for inference.
-
Start the vLLM server:
trl vllm-serve --model <model_name>
-
Enable server mode in your training script:
from trl import GRPOConfig training_args = GRPOConfig( ..., use_vllm=True, vllm_mode="server", # default value, can be omitted )
Warning
Make sure that the server is using different GPUs than the trainer, otherwise you may run into NCCL errors. You can specify the GPUs to use with the CUDA_VISIBLE_DEVICES environment variable.
In this mode, vLLM runs inside the trainer process and shares GPU memory with the training model. This avoids launching a separate server and can improve GPU utilization, but may lead to memory contention on the training GPUs.
from trl import GRPOConfig
training_args = GRPOConfig(
...,
use_vllm=True,
vllm_mode="colocate",
)Tip
Depending on the model size and the overall GPU memory requirements for training, you may need to adjust the vllm_gpu_memory_utilization parameter in [GRPOConfig] to avoid underutilization or out-of-memory errors.
We provide a HF Space to help estimate the recommended GPU memory utilization based on your model configuration and experiment settings. Simply use it as follows to get vllm_gpu_memory_utilization recommendation:
If the recommended value does not work in your environment, we suggest adding a small buffer (e.g., +0.05 or +0.1) to the recommended value to ensure stability.
If you still find you are getting out-of-memory errors set vllm_enable_sleep_mode to True and the vllm parameters and cache will be offloaded during the optimization step. For more information, see Reducing Memory Usage with vLLM Sleep Mode.
Tip
By default, GRPO uses MASTER_ADDR=localhost and MASTER_PORT=12345 for vLLM, but you can override these values by setting the environment variables accordingly.
For more information, see Speeding up training with vLLM.
While vLLM greatly accelerates inference, it also decouples the inference engine from the training engine. In theory these engines are mathematically identical, in practice however they can produce different outputs due to precision effects and hardware specific optimizations. This divergence reflects the different optimization objectives of the two systems. This divergence reflects the distinct optimization goals of the two systems. Inference engines aim to maximize sampling throughput, typically measured in tokens per second, while maintaining acceptable sampling fidelity. Training frameworks instead focus on numerical stability and precision for gradient computation, often using higher precision formats like FP32 for master weights and optimizer states. These differing priorities and constraints introduce an inevitable, albeit subtle, mismatch between training and inference.
This mismatch leads to a biased gradient update which has been observed to destabilize training ([1][2][3][4][5]). For simplicity, consider the REINFORCE policy gradient:
Here \( x \) denotes prompts sampled from some data distribution, and \( \pi^\text{train} \) is the policy implemented by the training engine. With vLLM in the loop we obtain a separate inference policy \( \pi^\text{inference} \), so the effective policy gradient becomes
This turns an otherwise on policy RL problem into an off policy one.
The standard way to correct for this distribution shift is importance sampling (IS). We provide two IS variants: Truncated Importance Sampling (TIS) and Masked Importance Sampling (MIS). Both variants can be applied either at the token level or at the sequence level.Let \( \rho \) denote the importance weight, for example \( \rho_t \) per token or \( \rho_{\text{seq}} \) per sequence. Under TIS, ratios larger than vllm_importance_sampling_cap are clipped,
Under MIS, ratios larger than vllm_importance_sampling_cap are set to zero, so those samples do not contribute to the gradient. In other words, large ratio samples are downweighted under TIS and discarded under MIS. The configuration flag vllm_importance_sampling_mode chooses both the IS variant (masking or truncation) and the granularity (token level or sequence level).
Importance sampling is the principled algorithmic response to the training–inference mismatch. However, there are also more direct approaches that attempt to reduce the mismatch between the two engines themselves. Most of these are engineering solutions. For example, MiniMax M1 uses an FP32 language model head in the inference engine. Thinking Machines has explored deterministic inference kernels, although this comes with a significant efficiency cost. vLLM has shown bitwise consistent policies by building on the batch invariant deterministic kernels from Thinking Machines, but as of November 2025 there remains a substantial throughput penalty relative to standard vLLM inference.
When training large models like Qwen2.5-72B, you need several key optimizations to make the training efficient and scalable across multiple GPUs and nodes. These include:
- DeepSpeed ZeRO Stage 3: ZeRO leverages data parallelism to distribute model states (weights, gradients, optimizer states) across multiple GPUs and CPUs, reducing memory and compute requirements on each device. Since large models cannot fit on a single GPU, using ZeRO Stage 3 is required for training such models. For more details, see DeepSpeed Integration.
- Accelerate: Accelerate is a library that simplifies distributed training across multiple GPUs and nodes. It provides a simple API to launch distributed training and handles the complexities of distributed training, such as data parallelism, gradient accumulation, and distributed data loading. For more details, see Distributing Training.
- vLLM: See the previous section on how to use vLLM to speed up generation.
Below is an example SLURM script to train a 70B model with GRPO on multiple nodes. This script trains a model on 4 nodes and uses the 5th node for vLLM-powered generation.
#!/bin/bash
#SBATCH --nodes=5
#SBATCH --gres=gpu:8
# Get the list of allocated nodes
NODELIST=($(scontrol show hostnames $SLURM_JOB_NODELIST))
# Assign the first 4 nodes for training and the 5th node for vLLM
TRAIN_NODES="${NODELIST[@]:0:4}" # Nodes 0, 1, 2, 3 for training
VLLM_NODE="${NODELIST[4]}" # Node 4 for vLLM
# Run training on the first 4 nodes (Group 1)
srun --nodes=4 --ntasks=4 --nodelist="${NODELIST[@]:0:4}" accelerate launch \
--config_file examples/accelerate_configs/deepspeed_zero3.yaml \
--num_processes 32 \
--num_machines 4 \
--main_process_ip ${NODELIST[0]} \
--machine_rank $SLURM_PROCID \
--rdzv_backend c10d \
train_grpo.py \
--server_ip $VLLM_NODE &
# Run vLLM server on the 5th node (Group 2)
srun --nodes=1 --ntasks=1 --nodelist="${NODELIST[4]}" trl vllm-serve --model Qwen/Qwen2.5-72B --tensor_parallel_size 8 &
waitimport argparse
from datasets import load_dataset
from trl import GRPOTrainer, GRPOConfig
from trl.rewards import accuracy_reward
def main():
parser = argparse.ArgumentParser()
parser.add_argument("--vllm_server_host", type=str, default="", help="The server IP")
args = parser.parse_args()
dataset = load_dataset("trl-lib/DeepMath-103K", split="train")
training_args = GRPOConfig(
per_device_train_batch_size=4,
use_vllm=True,
vllm_server_host=args.vllm_server_host.replace("ip-", "").replace("-", "."), # from ip-X-X-X-X to X.X.X.X
)
trainer = GRPOTrainer(
model="Qwen/Qwen2.5-72B",
args=training_args,
reward_funcs=accuracy_reward,
train_dataset=dataset
)
trainer.train()
if __name__=="__main__":
main()The [GRPOTrainer] supports using custom reward functions instead of dense reward models. To ensure compatibility, your reward function must satisfy the following requirements:
Reward functions can be either synchronous Python callables or asynchronous async def coroutines. When you provide multiple asynchronous reward functions, they are awaited concurrently (run in parallel via asyncio.gather) so their latency overlaps.
-
Input arguments:
-
The function must accept the following as keyword arguments:
prompts(contains the prompts),completions(contains the generated completions),completion_ids(contains the tokenized completions),trainer_state([~transformers.TrainerState]): The current state of the trainer. This can be used to implement dynamic reward functions, such as curriculum learning, where the reward is adjusted based on the training progress.log_extra: a callablelog_extra(column: str, values: list)to add extra columns to the completions table. See Example 6.log_metric: a callablelog_metric(name: str, value: float)to log scalar metrics as plots alongsidekl,entropy, etc. See Example 6.- All column names (but
prompt) that the dataset may have. For example, if the dataset contains a column namedground_truth, the function will be called withground_truthas a keyword argument.
The easiest way to comply with this requirement is to use
**kwargsin the function signature. -
Depending on the dataset format, the input will vary:
- For standard format,
promptsandcompletionswill be lists of strings. - For conversational format,
promptsandcompletionswill be lists of message dictionaries.
- For standard format,
-
-
Return value: The function must return a list of floats. Each float represents the reward corresponding to a single completion.
Below is an example of a reward function for a standard format that rewards longer completions:
def reward_func(completion_ids, **kwargs):
"""Reward function that assigns higher scores to longer completions (in terms of token count)."""
return [float(len(ids)) for ids in completion_ids]You can test it as follows:
>>> prompts = ["The sky is", "The sun is"] # not used in the reward function, but the trainer will pass it
>>> completions = [" blue.", " in the sky."] # not used in the reward function, but the trainer will pass it
>>> completion_ids = [[6303, 13], [304, 279, 12884, 13]]
>>> reward_func(prompts=prompts, completions=completions, completion_ids=completion_ids)
[2.0, 4.0]Same as the previous example, but this time the reward function is based on the number of characters instead of tokens.
def reward_func(completions, **kwargs):
"""Reward function that assigns higher scores to longer completions (in terms of character count)."""
return [float(len(completion)) for completion in completions]You can test it as follows:
>>> prompts = ["The sky is", "The sun is"]
>>> completions = [" blue.", " in the sky."]
>>> completion_ids = [[6303, 13], [304, 279, 12884, 13]] # not used in the reward function, but the trainer will pass it
>>> reward_func(prompts=prompts, completions=completions, completion_ids=completion_ids)
[6.0, 12.0]Below is an example of a reward function that checks if the completion has a specific format. This example is inspired by the format reward function used in the paper DeepSeek-R1: Incentivizing Reasoning Capability in LLMs via Reinforcement Learning. It is designed for a conversational format, where prompts and completions consist of structured messages.
import re
def format_reward_func(completions, **kwargs):
"""Reward function that checks if the completion has a specific format."""
pattern = r"^<think>.*?</think><answer>.*?</answer>$"
completion_contents = [completion[0]["content"] for completion in completions]
matches = [re.match(pattern, content) for content in completion_contents]
return [1.0 if match else 0.0 for match in matches]You can test this function as follows:
>>> prompts = [
... [{"role": "assistant", "content": "What is the result of (1 + 2) * 4?"}],
... [{"role": "assistant", "content": "What is the result of (3 + 1) * 2?"}],
... ]
>>> completions = [
... [{"role": "assistant", "content": "<think>The sum of 1 and 2 is 3, which we multiply by 4 to get 12.</think><answer>(1 + 2) * 4 = 12</answer>"}],
... [{"role": "assistant", "content": "The sum of 3 and 1 is 4, which we multiply by 2 to get 8. So (3 + 1) * 2 = 8."}],
... ]
>>> format_reward_func(prompts=prompts, completions=completions)
[1.0, 0.0]Below is an example of a reward function that checks if the completion is correct. This example is inspired by the accuracy reward function used in the paper DeepSeek-R1: Incentivizing Reasoning Capability in LLMs via Reinforcement Learning.
This example is designed for standard format, where the dataset contains a column named ground_truth.
import re
def reward_func(completions, ground_truth, **kwargs):
# Regular expression to capture content inside \boxed{}
matches = [re.search(r"\\boxed\{(.*?)\}", completion) for completion in completions]
contents = [match.group(1) if match else "" for match in matches]
# Reward 1 if the content is the same as the ground truth, 0 otherwise
return [1.0 if c == gt else 0.0 for c, gt in zip(contents, ground_truth)]You can test this function as follows:
>>> prompts = ["Problem: Solve the equation $2x + 3 = 7$. Solution:", "Problem: Solve the equation $3x - 5 = 10$."]
>>> completions = [r" The solution is \boxed{2}.", r" The solution is \boxed{6}."]
>>> ground_truth = ["2", "5"]
>>> reward_func(prompts=prompts, completions=completions, ground_truth=ground_truth)
[1.0, 0.0]Below is an example of using multiple reward functions in the [GRPOTrainer]. In this example, we define two task-specific reward functions: math_reward_func and coding_reward_func. The math_reward_func rewards math problems based on their correctness, while the coding_reward_func rewards coding problems based on whether the solution works.
from datasets import Dataset
from trl import GRPOTrainer
# Define a dataset that contains both math and coding problems
dataset = Dataset.from_list(
[
{"prompt": "What is 2+2?", "task": "math"},
{"prompt": "Write a function that returns the sum of two numbers.", "task": "code"},
{"prompt": "What is 3*4?", "task": "math"},
{"prompt": "Write a function that returns the product of two numbers.", "task": "code"},
]
)
# Math-specific reward function
def math_reward_func(prompts, completions, task, **kwargs):
rewards = []
for prompt, completion, t in zip(prompts, completions, task):
if t == "math":
# Calculate math-specific reward
correct = check_math_solution(prompt, completion)
reward = 1.0 if correct else -1.0
rewards.append(reward)
else:
# Return None for non-math tasks
rewards.append(None)
return rewards
# Coding-specific reward function
def coding_reward_func(prompts, completions, task, **kwargs):
rewards = []
for prompt, completion, t in zip(prompts, completions, task):
if t == "coding":
# Calculate coding-specific reward
works = test_code_solution(prompt, completion)
reward = 1.0 if works else -1.0
rewards.append(reward)
else:
# Return None for non-coding tasks
rewards.append(None)
return rewards
# Use both task-specific reward functions
trainer = GRPOTrainer(
model="Qwen/Qwen2-0.5B-Instruct",
reward_funcs=[math_reward_func, coding_reward_func],
train_dataset=dataset,
)
trainer.train()In this example, the math_reward_func and coding_reward_func are designed to work with a mixed dataset that contains both math and coding problems. The task column in the dataset is used to determine which reward function to apply to each problem. If there is no relevant reward function for a sample in the dataset, the reward function will return None, and the [GRPOTrainer] will continue with the valid functions and tasks. This allows the [GRPOTrainer] to handle multiple reward functions with different applicability.
Note that the [GRPOTrainer] will ignore the None rewards returned by the reward functions and only consider the rewards returned by the relevant functions. This ensures that the model is trained on the relevant tasks and ignores the tasks for which there is no relevant reward function.
Custom reward functions can also be defined as async def coroutines. This is useful if your reward depends on slow I/O (for example, calling a remote service). When you pass multiple async reward functions, [GRPOTrainer] executes them concurrently so their latency overlaps.
Below is a minimal example of an async reward function that simulates an I/O-bound operation:
import asyncio
async def async_reward_func(prompts, completions, **kwargs):
# Simulate an I/O-bound call (e.g., HTTP request, database lookup)
await asyncio.sleep(0.01)
# Simple toy reward: 1.0 if the completion is non-empty, else 0.0
return [1.0 if completion else 0.0 for completion in completions]Below is an example of a reward function that logs extra columns to the completions table and scalar metrics as plots.
import re
def reward_func(completions, ground_truth, log_extra=None, log_metric=None, **kwargs):
extracted = [re.search(r"\\boxed\{(.*?)\}", c) for c in completions]
extracted = [m.group(1) if m else None for m in extracted]
rewards = [1.0 if e == gt else 0.0 for e, gt in zip(extracted, ground_truth)]
if log_extra:
log_extra("golden_answer", list(ground_truth))
log_extra("extracted_answer", [e or "[none]" for e in extracted])
if log_metric:
log_metric("accuracy", sum(rewards) / len(rewards))
return rewardsTo use your custom reward function, pass it to the [GRPOTrainer] as follows:
from trl import GRPOTrainer
trainer = GRPOTrainer(
reward_funcs=reward_func,
...,
)You can pass several reward functions as a list; this list may include both synchronous and asynchronous functions:
from trl import GRPOTrainer
trainer = GRPOTrainer(
reward_funcs=[reward_func, async_reward_func1, async_reward_func2],
...,
)and the reward will be computed as the sum of the rewards from each function, or the weighted sum if reward_weights is provided in the config.
Note that [GRPOTrainer] supports multiple reward functions of different types. See the parameters documentation for more details.
RapidFire AI is an open-source experimentation engine that sits on top of TRL and lets you launch multiple GRPO configurations at once, even on a single GPU. Instead of trying configurations sequentially, RapidFire lets you see all their learning curves earlier, stop underperforming runs, and clone promising ones with new settings in flight without restarting. For more information, see RapidFire AI Integration.
GRPO supports agent training through the tools argument in [GRPOTrainer].
This parameter expects a list of Python functions (sync or async) that define the tools available to the agent:
from trl import GRPOTrainer
trainer = GRPOTrainer(
tools=[tool1, tool2],
...,
)Each tool must be a standard Python function with type-hinted arguments and return types, along with a Google-style docstring describing its purpose, arguments, and return value. For more details, see the Passing tools guide.
Example:
from trl import GRPOTrainer
def multiply(a: int, b: int) -> int:
"""
Multiplies two integers.
Args:
a: The first integer.
b: The second integer.
Returns:
The product of the two integers.
"""
return a * b
async def async_add(a: int, b: int) -> int:
"""
Asynchronously adds two integers.
Args:
a: The first integer.
b: The second integer.
Returns:
The sum of the two integers.
"""
return a + b
trainer = GRPOTrainer(
tools=[multiply, async_add],
...,
)You can also provide tools through environment_factory. In this mode, [GRPOTrainer] creates one environment instance per rollout and exposes the environment's public methods as tools.
Important
environment_factory requires transformers>=5.2.0.
The following is a minimal example of using environment_factory to define a simple environment with an increment method, which is exposed as a tool to the agent:
from datasets import Dataset
from trl import GRPOConfig, GRPOTrainer
instructions = [f"Increment the counter by {i}." for i in range(1, 7)]
dataset = Dataset.from_dict({"prompt": [[{"role": "user", "content": instruction}] for instruction in instructions]})
def reward_func(environments, **kwargs): # dummy reward: the reward is the current value of the counter
return [environment.counter for environment in environments]
class IncrementEnv:
def reset(self, **kwargs) -> str | None: # required; receives sampled row fields as kwargs (e.g., `prompt`)
self.counter = 0
return "Counter reset to 0.\n"
def increment(self, step: int) -> int: # the other public methods of the environment are exposed as tools
"""
Increment the internal counter.
Args:
step: Value to add to the counter.
Returns:
The updated counter value.
"""
self.counter += step
return self.counter
trainer = GRPOTrainer(
model="Qwen/Qwen3-0.6B",
args=GRPOConfig(chat_template_kwargs={"enable_thinking": False}),
train_dataset=dataset,
reward_funcs=reward_func,
environment_factory=IncrementEnv,
)
trainer.train()reset can return either None or a string. In GRPO, when it returns a string, that string is appended to the last user message before generation.
Tested with:
Tip
Compatibility with all LLMs is not guaranteed. If you believe a model should be supported, feel free to open an issue on GitHub — or better yet, submit a pull request with the required changes.
Use grpo_agent.py to fine-tune a LLM for agentic workflows.
accelerate launch \
--config_file=examples/accelerate_configs/deepspeed_zero3.yaml \
examples/scripts/grpo_agent.py \
--model_name_or_path Qwen/Qwen3-0.6B
...GRPO supports training Vision-Language Models (VLMs) on multimodal datasets containing both text and images.
Tested with:
- Gemma3 — e.g.,
google/gemma-3-4b-it - LLaVA-NeXT — e.g.,
llava-hf/llava-v1.6-mistral-7b-hf - Qwen2-VL — e.g.,
Qwen/Qwen2-VL-2B-Instruct - Qwen2.5-VL — e.g.,
Qwen/Qwen2.5-VL-3B-Instruct - SmolVLM2 — e.g.,
HuggingFaceTB/SmolVLM2-2.2B-Instruct
Tip
Compatibility with all VLMs is not guaranteed. If you believe a model should be supported, feel free to open an issue on GitHub — or better yet, submit a pull request with the required changes.
Use grpo_vlm.py to fine-tune a VLM. Example command for training on lmms-lab/multimodal-open-r1-8k-verified:
accelerate launch \
--config_file=examples/accelerate_configs/deepspeed_zero3.yaml \
examples/scripts/grpo_vlm.py \
--model_name_or_path Qwen/Qwen2.5-VL-3B-Instruct \
--output_dir grpo-Qwen2.5-VL-3B-Instruct \
--learning_rate 1e-5 \
--dtype bfloat16 \
--max_completion_length 1024 \
--use_vllm \
--vllm_mode colocate \
--use_peft \
--lora_target_modules "q_proj", "v_proj" \
--log_completions- Use LoRA on vision-language projection layers
- Enable 4-bit quantization to reduce memory usage
- VLMs are memory-intensive — start with smaller batch sizes
- Most models are compatible with vLLM (
serverandcolocatemodes)
Each training sample should include:
prompt: Text formatted via the processor's chat templateimage/images: PIL Image or list of PIL Images
The trainer automatically handles image-to-tensor conversion via the model’s image processor.
[[autodoc]] GRPOTrainer - train - save_model - push_to_hub
[[autodoc]] GRPOConfig

