|
# Using LLaMA models with TRL |
|
|
|
We've begun rolling out examples to use Meta's LLaMA models in `trl` (see [Meta's LLaMA release](https: |
|
|
|
## Efficient training strategies |
|
|
|
Even training the smallest LLaMA model requires an enormous amount of memory. Some quick math: in bf16, every parameter uses 2 bytes (in fp32 4 bytes) in addition to 8 bytes used, e.g., in the Adam optimizer (see the [performance docs](https: |
|
|
|
Another option is to use Parameter-Efficient Fine-Tuning (PEFT) techniques, such as the [`peft`](https: |
|
For more on `peft` + `trl`, see the [docs](https: |
|
|
|
Loading the model in 8bit reduces the memory footprint drastically since you only need one byte per parameter for the weights (e.g. 7B LlaMa is 7GB in memory). |
|
Instead of training the original weights directly, LoRA adds small adapter layers on top of some specific layers (usually the attention layers); thus, the number of trainable parameters is drastically reduced. |
|
|
|
In this scenario, a rule of thumb is to allocate ~1.2-1.4GB per billion parameters (depending on the batch size and sequence length) to fit the entire fine-tuning setup. |
|
This enables fine-tuning larger models (up to 50-60B scale models on a NVIDIA A100 80GB) at low cost. |
|
|
|
Now we can fit very large models into a single GPU, but the training might still be very slow. |
|
The simplest strategy in this scenario is data parallelism: we replicate the same training setup into separate GPUs and pass different batches to each GPU. |
|
With this, you can parallelize the forward/backward passes of the model and scale with the number of GPUs. |
|
|
|
data:image/s3,"s3://crabby-images/3f32b/3f32bb9b8e4320b5d59be2ba1ca7b33acd69ff7b" alt="chapter10_ddp.png".local_process_index} |
|
) |
|
model = prepare_model_for_kbit_training(model) |
|
|
|
# add LoRA to model |
|
lora_config = LoraConfig( |
|
r=16, |
|
lora_alpha=32, |
|
lora_dropout=0.05, |
|
bias="none", |
|
task_type="CAUSAL_LM", |
|
) |
|
|
|
model = get_peft_model(model, config) |
|
``` |
|
|
|
We train the model for a few thousand steps with the causal language modeling objective and save the model. |
|
Since we will tune the model again with different objectives, we merge the adapter weights with the original model weights. |
|
|
|
|
|
You can apply for access to the base model's weights by filling out Meta AI's [form](https: |
|
Note that you'll also need to install 🤗 Transformers from source until the `v4.28` is released. |
|
|
|
Now that we have fine-tuned the model for the task, we are ready to train a reward model. |
|
|
|
## Reward modeling and human preferences |
|
|
|
In principle, we could fine-tune the model using RLHF directly with the human annotations. |
|
However, this would require us to send some samples to humans for rating after each optimization iteration. |
|
This is expensive and slow due to the number of training samples needed for convergence and the inherent latency of human reading and annotator speed. |
|
|
|
A trick that works well instead of direct feedback is training a reward model on human annotations collected before the RL loop. |
|
The goal of the reward model is to imitate how a human would rate a text. There are several possible strategies to build a reward model: the most straightforward way would be to predict the annotation (e.g. a rating score or a binary value for “good”/”bad”). |
|
In practice, what works better is to predict the ranking of two examples, where the reward model is presented with two candidates `(y_k, y_j)` for a given prompt `x` and has to predict which one would be rated higher by a human annotator. |
|
|
|
With the StackExchange dataset, we can infer which of the two answers was preferred by the users based on the score. |
|
With that information and the loss defined above, we can then modify the `transformers.Trainer` by adding a custom loss function. |
|
|
|
```python |
|
class RewardTrainer(Trainer): |
|
def compute_loss(self, model, inputs, return_outputs=False): |
|
rewards_j = model(input_ids=inputs["input_ids_j"], attention_mask=inputs["attention_mask_j"])[0] |
|
rewards_k = model(input_ids=inputs["input_ids_k"], attention_mask=inputs["attention_mask_k"])[0] |
|
loss = -nn.functional.logsigmoid(rewards_j - rewards_k).mean() |
|
if return_outputs: |
|
return loss, {"rewards_j": rewards_j, "rewards_k": rewards_k} |
|
return loss |
|
``` |
|
|
|
We utilize a subset of a 100,000 pair of candidates and evaluate on a held-out set of 50,000. With a modest training batch size of 4, we train the Llama model using the LoRA `peft` adapter for a single epoch using the Adam optimizer with BF16 precision. Our LoRA configuration is: |
|
|
|
```python |
|
peft_config = LoraConfig( |
|
task_type=TaskType.SEQ_CLS, |
|
inference_mode=False, |
|
r=8, |
|
lora_alpha=32, |
|
lora_dropout=0.1, |
|
) |
|
``` |
|
As detailed in the next section, the resulting adapter can be merged into the frozen model and saved for further downstream use. |
|
|
|
## Reinforcement Learning from Human Feedback |
|
|
|
With the fine-tuned language model and the reward model at hand, we are now ready to run the RL loop. It follows roughly three steps: |
|
|
|
1. Generate responses from prompts, |
|
2. Rate the responses with the reward model, |
|
3. Run a reinforcement learning policy-optimization step with the ratings. |
|
|
|
The Query and Response prompts are templated as follows before being tokenized and passed to the model: |
|
|
|
```bash |
|
Question: <Query> |
|
|
|
Answer: <Response> |
|
``` |
|
|
|
The same template was used for SFT, RM and RLHF stages. |
|
Once more, we utilize `peft` for memory-efficient training, which offers an extra advantage in the RLHF context. |
|
Here, the reference model and policy share the same base, the SFT model, which we load in 8-bit and freeze during training. |
|
We exclusively optimize the policy's LoRA weights using PPO while sharing the base model's weights. |
|
|
|
```python |
|
for epoch, batch in tqdm(enumerate(ppo_trainer.dataloader)): |
|
question_tensors = batch["input_ids"] |
|
|
|
# sample from the policy and to generate responses |
|
response_tensors = ppo_trainer.generate( |
|
question_tensors, |
|
return_prompt=False, |
|
length_sampler=output_length_sampler, |
|
|
|
) |
|
batch["response"] = tokenizer.batch_decode(response_tensors, skip_special_tokens=True) |
|
|
|
# Compute sentiment score |
|
texts = [q + r for q, r in zip(batch["query"], batch["response"])] |
|
pipe_outputs = sentiment_pipe(texts, **sent_kwargs) |
|
rewards = [torch.tensor(output[0]["score"] - script_args.reward_baseline) for output in pipe_outputs] |
|
|
|
# Run PPO step |
|
stats = ppo_trainer.step(question_tensors, response_tensors, rewards) |
|
# Log stats to Wandb |
|
ppo_trainer.log_stats(stats, batch, rewards) |
|
``` |
|
|
|
For the rest of the details and evaluation, please refer to our [blog post on StackLLaMA](https: |
|
|