training.mdx 14.6 KB
Newer Older
Steven Liu's avatar
Steven Liu committed
1
<!--Copyright 2022 The HuggingFace Team. All rights reserved.
Sylvain Gugger's avatar
Sylvain Gugger committed
2
3
4
5
6
7
8
9
10
11
12

Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with
the License. You may obtain a copy of the License at

http://www.apache.org/licenses/LICENSE-2.0

Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on
an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the
specific language governing permissions and limitations under the License.
-->

Steven Liu's avatar
Steven Liu committed
13
# Fine-tune a pretrained model
Sylvain Gugger's avatar
Sylvain Gugger committed
14

15
16
[[open-in-colab]]

Steven Liu's avatar
Steven Liu committed
17
There are significant benefits to using a pretrained model. It reduces computation costs, your carbon footprint, and allows you to use state-of-the-art models without having to train one from scratch. 馃 Transformers provides access to thousands of pretrained models for a wide range of tasks. When you use a pretrained model, you train it on a dataset specific to your task. This is known as fine-tuning, an incredibly powerful training technique. In this tutorial, you will fine-tune a pretrained model with a deep learning framework of your choice:
Sylvain Gugger's avatar
Sylvain Gugger committed
18

Steven Liu's avatar
Steven Liu committed
19
20
21
* Fine-tune a pretrained model with 馃 Transformers [`Trainer`].
* Fine-tune a pretrained model in TensorFlow with Keras.
* Fine-tune a pretrained model in native PyTorch.
Sylvain Gugger's avatar
Sylvain Gugger committed
22
23
24

<a id='data-processing'></a>

Steven Liu's avatar
Steven Liu committed
25
## Prepare a dataset
Sylvain Gugger's avatar
Sylvain Gugger committed
26
27
28

<Youtube id="_BZearw7f0w"/>

Steven Liu's avatar
Steven Liu committed
29
Before you can fine-tune a pretrained model, download a dataset and prepare it for training. The previous tutorial showed you how to process data for training, and now you get an opportunity to put those skills to the test!
Sylvain Gugger's avatar
Sylvain Gugger committed
30

Steven Liu's avatar
Steven Liu committed
31
Begin by loading the [Yelp Reviews](https://huggingface.co/datasets/yelp_review_full) dataset:
Sylvain Gugger's avatar
Sylvain Gugger committed
32

Steven Liu's avatar
Steven Liu committed
33
34
```py
>>> from datasets import load_dataset
Sylvain Gugger's avatar
Sylvain Gugger committed
35

Steven Liu's avatar
Steven Liu committed
36
>>> dataset = load_dataset("yelp_review_full")
37
>>> dataset["train"][100]
Steven Liu's avatar
Steven Liu committed
38
39
{'label': 0,
 'text': 'My expectations for McDonalds are t rarely high. But for one to still fail so spectacularly...that takes something special!\\nThe cashier took my friends\'s order, then promptly ignored me. I had to force myself in front of a cashier who opened his register to wait on the person BEHIND me. I waited over five minutes for a gigantic order that included precisely one kid\'s meal. After watching two people who ordered after me be handed their food, I asked where mine was. The manager started yelling at the cashiers for \\"serving off their orders\\" when they didn\'t have their food. But neither cashier was anywhere near those controls, and the manager was the one serving food to customers and clearing the boards.\\nThe manager was rude when giving me my order. She didn\'t make sure that I had everything ON MY RECEIPT, and never even had the decency to apologize that I felt I was getting poor service.\\nI\'ve eaten at various McDonalds restaurants for over 30 years. I\'ve worked at more than one location. I expect bad days, bad moods, and the occasional mistake. But I have yet to have a decent experience at this store. It will remain a place I avoid unless someone in my party needs to avoid illness from low blood sugar. Perhaps I should go back to the racially biased service of Steak n Shake instead!'}
Sylvain Gugger's avatar
Sylvain Gugger committed
40
41
```

Steven Liu's avatar
Steven Liu committed
42
As you now know, you need a tokenizer to process the text and include a padding and truncation strategy to handle any variable sequence lengths. To process your dataset in one step, use 馃 Datasets [`map`](https://huggingface.co/docs/datasets/process.html#map) method to apply a preprocessing function over the entire dataset:
Sylvain Gugger's avatar
Sylvain Gugger committed
43

Steven Liu's avatar
Steven Liu committed
44
45
```py
>>> from transformers import AutoTokenizer
Sylvain Gugger's avatar
Sylvain Gugger committed
46

Steven Liu's avatar
Steven Liu committed
47
>>> tokenizer = AutoTokenizer.from_pretrained("bert-base-cased")
Sylvain Gugger's avatar
Sylvain Gugger committed
48
49


Steven Liu's avatar
Steven Liu committed
50
51
>>> def tokenize_function(examples):
...     return tokenizer(examples["text"], padding="max_length", truncation=True)
Sylvain Gugger's avatar
Sylvain Gugger committed
52
53


Steven Liu's avatar
Steven Liu committed
54
>>> tokenized_datasets = dataset.map(tokenize_function, batched=True)
Sylvain Gugger's avatar
Sylvain Gugger committed
55
56
```

Steven Liu's avatar
Steven Liu committed
57
If you like, you can create a smaller subset of the full dataset to fine-tune on to reduce the time it takes:
Sylvain Gugger's avatar
Sylvain Gugger committed
58

Steven Liu's avatar
Steven Liu committed
59
60
61
```py
>>> small_train_dataset = tokenized_datasets["train"].shuffle(seed=42).select(range(1000))
>>> small_eval_dataset = tokenized_datasets["test"].shuffle(seed=42).select(range(1000))
Sylvain Gugger's avatar
Sylvain Gugger committed
62
63
64
65
```

<a id='trainer'></a>

66
## Train
Sylvain Gugger's avatar
Sylvain Gugger committed
67

68
69
<frameworkcontent>
<pt>
Sylvain Gugger's avatar
Sylvain Gugger committed
70
71
<Youtube id="nvBXf7s7vTI"/>

Steven Liu's avatar
Steven Liu committed
72
馃 Transformers provides a [`Trainer`] class optimized for training 馃 Transformers models, making it easier to start training without manually writing your own training loop. The [`Trainer`] API supports a wide range of training options and features such as logging, gradient accumulation, and mixed precision.
Sylvain Gugger's avatar
Sylvain Gugger committed
73

Steven Liu's avatar
Steven Liu committed
74
Start by loading your model and specify the number of expected labels. From the Yelp Review [dataset card](https://huggingface.co/datasets/yelp_review_full#data-fields), you know there are five labels:
Sylvain Gugger's avatar
Sylvain Gugger committed
75

Steven Liu's avatar
Steven Liu committed
76
77
```py
>>> from transformers import AutoModelForSequenceClassification
Sylvain Gugger's avatar
Sylvain Gugger committed
78

Steven Liu's avatar
Steven Liu committed
79
>>> model = AutoModelForSequenceClassification.from_pretrained("bert-base-cased", num_labels=5)
Sylvain Gugger's avatar
Sylvain Gugger committed
80
81
```

Steven Liu's avatar
Steven Liu committed
82
<Tip>
Sylvain Gugger's avatar
Sylvain Gugger committed
83

Steven Liu's avatar
Steven Liu committed
84
85
You will see a warning about some of the pretrained weights not being used and some weights being randomly
initialized. Don't worry, this is completely normal! The pretrained head of the BERT model is discarded, and replaced with a randomly initialized classification head. You will fine-tune this new model head on your sequence classification task, transferring the knowledge of the pretrained model to it.
Sylvain Gugger's avatar
Sylvain Gugger committed
86

Steven Liu's avatar
Steven Liu committed
87
</Tip>
Sylvain Gugger's avatar
Sylvain Gugger committed
88

Steven Liu's avatar
Steven Liu committed
89
### Training hyperparameters
Sylvain Gugger's avatar
Sylvain Gugger committed
90

Steven Liu's avatar
Steven Liu committed
91
Next, create a [`TrainingArguments`] class which contains all the hyperparameters you can tune as well as flags for activating different training options. For this tutorial you can start with the default training [hyperparameters](https://huggingface.co/docs/transformers/main_classes/trainer#transformers.TrainingArguments), but feel free to experiment with these to find your optimal settings.
Sylvain Gugger's avatar
Sylvain Gugger committed
92

Steven Liu's avatar
Steven Liu committed
93
Specify where to save the checkpoints from your training:
Sylvain Gugger's avatar
Sylvain Gugger committed
94

Steven Liu's avatar
Steven Liu committed
95
96
```py
>>> from transformers import TrainingArguments
Sylvain Gugger's avatar
Sylvain Gugger committed
97

Steven Liu's avatar
Steven Liu committed
98
>>> training_args = TrainingArguments(output_dir="test_trainer")
Sylvain Gugger's avatar
Sylvain Gugger committed
99
100
```

Steven Liu's avatar
Steven Liu committed
101
### Metrics
Sylvain Gugger's avatar
Sylvain Gugger committed
102

Steven Liu's avatar
Steven Liu committed
103
[`Trainer`] does not automatically evaluate model performance during training. You will need to pass [`Trainer`] a function to compute and report metrics. The 馃 Datasets library provides a simple [`accuracy`](https://huggingface.co/metrics/accuracy) function you can load with the `load_metric` (see this [tutorial](https://huggingface.co/docs/datasets/metrics.html) for more information) function:
Sylvain Gugger's avatar
Sylvain Gugger committed
104

Steven Liu's avatar
Steven Liu committed
105
106
107
```py
>>> import numpy as np
>>> from datasets import load_metric
Sylvain Gugger's avatar
Sylvain Gugger committed
108

Steven Liu's avatar
Steven Liu committed
109
110
>>> metric = load_metric("accuracy")
```
Sylvain Gugger's avatar
Sylvain Gugger committed
111

Steven Liu's avatar
Steven Liu committed
112
Call `compute` on `metric` to calculate the accuracy of your predictions. Before passing your predictions to `compute`, you need to convert the predictions to logits (remember all 馃 Transformers models return logits):
Sylvain Gugger's avatar
Sylvain Gugger committed
113

Steven Liu's avatar
Steven Liu committed
114
115
116
117
118
```py
>>> def compute_metrics(eval_pred):
...     logits, labels = eval_pred
...     predictions = np.argmax(logits, axis=-1)
...     return metric.compute(predictions=predictions, references=labels)
Sylvain Gugger's avatar
Sylvain Gugger committed
119
120
```

Steven Liu's avatar
Steven Liu committed
121
122
123
124
If you'd like to monitor your evaluation metrics during fine-tuning, specify the `evaluation_strategy` parameter in your training arguments to report the evaluation metric at the end of each epoch:

```py
>>> from transformers import TrainingArguments
Sylvain Gugger's avatar
Sylvain Gugger committed
125

Steven Liu's avatar
Steven Liu committed
126
127
>>> training_args = TrainingArguments(output_dir="test_trainer", evaluation_strategy="epoch")
```
Sylvain Gugger's avatar
Sylvain Gugger committed
128

Steven Liu's avatar
Steven Liu committed
129
### Trainer
Sylvain Gugger's avatar
Sylvain Gugger committed
130

Steven Liu's avatar
Steven Liu committed
131
Create a [`Trainer`] object with your model, training arguments, training and test datasets, and evaluation function:
Sylvain Gugger's avatar
Sylvain Gugger committed
132

Steven Liu's avatar
Steven Liu committed
133
134
135
136
137
138
139
140
```py
>>> trainer = Trainer(
...     model=model,
...     args=training_args,
...     train_dataset=small_train_dataset,
...     eval_dataset=small_eval_dataset,
...     compute_metrics=compute_metrics,
... )
Sylvain Gugger's avatar
Sylvain Gugger committed
141
142
```

Steven Liu's avatar
Steven Liu committed
143
Then fine-tune your model by calling [`~transformers.Trainer.train`]:
Sylvain Gugger's avatar
Sylvain Gugger committed
144

Steven Liu's avatar
Steven Liu committed
145
146
147
```py
>>> trainer.train()
```
148
149
</pt>
<tf>
Sylvain Gugger's avatar
Sylvain Gugger committed
150
151
152
153
<a id='keras'></a>

<Youtube id="rnTGBy2ax1c"/>

154
馃 Transformers models also supports training in TensorFlow with the Keras API.
Sylvain Gugger's avatar
Sylvain Gugger committed
155

Steven Liu's avatar
Steven Liu committed
156
### Convert dataset to TensorFlow format
Sylvain Gugger's avatar
Sylvain Gugger committed
157

Steven Liu's avatar
Steven Liu committed
158
The [`DefaultDataCollator`] assembles tensors into a batch for the model to train on. Make sure you specify `return_tensors` to return TensorFlow tensors:
Sylvain Gugger's avatar
Sylvain Gugger committed
159

Steven Liu's avatar
Steven Liu committed
160
161
```py
>>> from transformers import DefaultDataCollator
Sylvain Gugger's avatar
Sylvain Gugger committed
162

Steven Liu's avatar
Steven Liu committed
163
>>> data_collator = DefaultDataCollator(return_tensors="tf")
Sylvain Gugger's avatar
Sylvain Gugger committed
164
165
```

Steven Liu's avatar
Steven Liu committed
166
167
168
169
170
<Tip>

[`Trainer`] uses [`DataCollatorWithPadding`] by default so you don't need to explicitly specify a data collator.

</Tip>
Sylvain Gugger's avatar
Sylvain Gugger committed
171

Steven Liu's avatar
Steven Liu committed
172
Next, convert the tokenized datasets to TensorFlow datasets with the [`to_tf_dataset`](https://huggingface.co/docs/datasets/package_reference/main_classes.html#datasets.Dataset.to_tf_dataset) method. Specify your inputs in `columns`, and your label in `label_cols`:
Sylvain Gugger's avatar
Sylvain Gugger committed
173

Steven Liu's avatar
Steven Liu committed
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
```py
>>> tf_train_dataset = small_train_dataset.to_tf_dataset(
...     columns=["attention_mask", "input_ids", "token_type_ids"],
...     label_cols=["labels"],
...     shuffle=True,
...     collate_fn=data_collator,
...     batch_size=8,
... )

>>> tf_validation_dataset = small_eval_dataset.to_tf_dataset(
...     columns=["attention_mask", "input_ids", "token_type_ids"],
...     label_cols=["labels"],
...     shuffle=False,
...     collate_fn=data_collator,
...     batch_size=8,
... )
Sylvain Gugger's avatar
Sylvain Gugger committed
190
191
```

Steven Liu's avatar
Steven Liu committed
192
193
194
### Compile and fit

Load a TensorFlow model with the expected number of labels:
Sylvain Gugger's avatar
Sylvain Gugger committed
195

Steven Liu's avatar
Steven Liu committed
196
197
198
```py
>>> import tensorflow as tf
>>> from transformers import TFAutoModelForSequenceClassification
Sylvain Gugger's avatar
Sylvain Gugger committed
199

Steven Liu's avatar
Steven Liu committed
200
>>> model = TFAutoModelForSequenceClassification.from_pretrained("bert-base-cased", num_labels=5)
Sylvain Gugger's avatar
Sylvain Gugger committed
201
202
```

Steven Liu's avatar
Steven Liu committed
203
Then compile and fine-tune your model with [`fit`](https://keras.io/api/models/model_training_apis/) as you would with any other Keras model:
Sylvain Gugger's avatar
Sylvain Gugger committed
204

Steven Liu's avatar
Steven Liu committed
205
206
207
208
209
210
```py
>>> model.compile(
...     optimizer=tf.keras.optimizers.Adam(learning_rate=5e-5),
...     loss=tf.keras.losses.SparseCategoricalCrossentropy(from_logits=True),
...     metrics=tf.metrics.SparseCategoricalAccuracy(),
... )
Sylvain Gugger's avatar
Sylvain Gugger committed
211

Steven Liu's avatar
Steven Liu committed
212
>>> model.fit(tf_train_dataset, validation_data=tf_validation_dataset, epochs=3)
Sylvain Gugger's avatar
Sylvain Gugger committed
213
```
214
215
</tf>
</frameworkcontent>
Sylvain Gugger's avatar
Sylvain Gugger committed
216
217
218

<a id='pytorch_native'></a>

219
## Train in native PyTorch
Sylvain Gugger's avatar
Sylvain Gugger committed
220

221
222
<frameworkcontent>
<pt>
Sylvain Gugger's avatar
Sylvain Gugger committed
223
224
<Youtube id="Dh9CL8fyG80"/>

Steven Liu's avatar
Steven Liu committed
225
[`Trainer`] takes care of the training loop and allows you to fine-tune a model in a single line of code. For users who prefer to write their own training loop, you can also fine-tune a 馃 Transformers model in native PyTorch.
Sylvain Gugger's avatar
Sylvain Gugger committed
226

Steven Liu's avatar
Steven Liu committed
227
228
229
At this point, you may need to restart your notebook or execute the following code to free some memory:

```py
Sylvain Gugger's avatar
Sylvain Gugger committed
230
231
232
233
234
235
del model
del pytorch_model
del trainer
torch.cuda.empty_cache()
```

Steven Liu's avatar
Steven Liu committed
236
237
238
239
240
241
242
243
244
Next, manually postprocess `tokenized_dataset` to prepare it for training.

1. Remove the `text` column because the model does not accept raw text as an input:

    ```py
    >>> tokenized_datasets = tokenized_datasets.remove_columns(["text"])
    ```

2. Rename the `label` column to `labels` because the model expects the argument to be named `labels`:
Sylvain Gugger's avatar
Sylvain Gugger committed
245

Steven Liu's avatar
Steven Liu committed
246
247
248
    ```py
    >>> tokenized_datasets = tokenized_datasets.rename_column("label", "labels")
    ```
Sylvain Gugger's avatar
Sylvain Gugger committed
249

Steven Liu's avatar
Steven Liu committed
250
3. Set the format of the dataset to return PyTorch tensors instead of lists:
Sylvain Gugger's avatar
Sylvain Gugger committed
251

Steven Liu's avatar
Steven Liu committed
252
253
254
    ```py
    >>> tokenized_datasets.set_format("torch")
    ```
Sylvain Gugger's avatar
Sylvain Gugger committed
255

Steven Liu's avatar
Steven Liu committed
256
257
258
259
260
Then create a smaller subset of the dataset as previously shown to speed up the fine-tuning:

```py
>>> small_train_dataset = tokenized_datasets["train"].shuffle(seed=42).select(range(1000))
>>> small_eval_dataset = tokenized_datasets["test"].shuffle(seed=42).select(range(1000))
Sylvain Gugger's avatar
Sylvain Gugger committed
261
262
```

Steven Liu's avatar
Steven Liu committed
263
264
265
### DataLoader

Create a `DataLoader` for your training and test datasets so you can iterate over batches of data:
Sylvain Gugger's avatar
Sylvain Gugger committed
266

Steven Liu's avatar
Steven Liu committed
267
268
```py
>>> from torch.utils.data import DataLoader
Sylvain Gugger's avatar
Sylvain Gugger committed
269

Steven Liu's avatar
Steven Liu committed
270
271
>>> train_dataloader = DataLoader(small_train_dataset, shuffle=True, batch_size=8)
>>> eval_dataloader = DataLoader(small_eval_dataset, batch_size=8)
Sylvain Gugger's avatar
Sylvain Gugger committed
272
273
```

Steven Liu's avatar
Steven Liu committed
274
Load your model with the number of expected labels:
Sylvain Gugger's avatar
Sylvain Gugger committed
275

Steven Liu's avatar
Steven Liu committed
276
277
```py
>>> from transformers import AutoModelForSequenceClassification
Sylvain Gugger's avatar
Sylvain Gugger committed
278

Steven Liu's avatar
Steven Liu committed
279
>>> model = AutoModelForSequenceClassification.from_pretrained("bert-base-cased", num_labels=5)
Sylvain Gugger's avatar
Sylvain Gugger committed
280
281
```

Steven Liu's avatar
Steven Liu committed
282
### Optimizer and learning rate scheduler
Sylvain Gugger's avatar
Sylvain Gugger committed
283

Steven Liu's avatar
Steven Liu committed
284
Create an optimizer and learning rate scheduler to fine-tune the model. Let's use the [`AdamW`](https://pytorch.org/docs/stable/generated/torch.optim.AdamW.html) optimizer from PyTorch:
Sylvain Gugger's avatar
Sylvain Gugger committed
285

Steven Liu's avatar
Steven Liu committed
286
287
288
289
```py
>>> from torch.optim import AdamW

>>> optimizer = AdamW(model.parameters(), lr=5e-5)
Sylvain Gugger's avatar
Sylvain Gugger committed
290
291
```

Steven Liu's avatar
Steven Liu committed
292
Create the default learning rate scheduler from [`Trainer`]:
Sylvain Gugger's avatar
Sylvain Gugger committed
293

Steven Liu's avatar
Steven Liu committed
294
295
```py
>>> from transformers import get_scheduler
Sylvain Gugger's avatar
Sylvain Gugger committed
296

Steven Liu's avatar
Steven Liu committed
297
298
299
300
301
>>> num_epochs = 3
>>> num_training_steps = num_epochs * len(train_dataloader)
>>> lr_scheduler = get_scheduler(
...     name="linear", optimizer=optimizer, num_warmup_steps=0, num_training_steps=num_training_steps
... )
Sylvain Gugger's avatar
Sylvain Gugger committed
302
303
```

Steven Liu's avatar
Steven Liu committed
304
Lastly, specify `device` to use a GPU if you have access to one. Otherwise, training on a CPU may take several hours instead of a couple of minutes.
Sylvain Gugger's avatar
Sylvain Gugger committed
305

Steven Liu's avatar
Steven Liu committed
306
307
```py
>>> import torch
Sylvain Gugger's avatar
Sylvain Gugger committed
308

Steven Liu's avatar
Steven Liu committed
309
310
>>> device = torch.device("cuda") if torch.cuda.is_available() else torch.device("cpu")
>>> model.to(device)
Sylvain Gugger's avatar
Sylvain Gugger committed
311
312
```

Steven Liu's avatar
Steven Liu committed
313
314
315
316
317
318
319
320
321
322
323
<Tip>

Get free access to a cloud GPU if you don't have one with a hosted notebook like [Colaboratory](https://colab.research.google.com/) or [SageMaker StudioLab](https://studiolab.sagemaker.aws/).

</Tip>

Great, now you are ready to train! 馃コ 

### Training loop

To keep track of your training progress, use the [tqdm](https://tqdm.github.io/) library to add a progress bar over the number of training steps:
Sylvain Gugger's avatar
Sylvain Gugger committed
324

Steven Liu's avatar
Steven Liu committed
325
326
```py
>>> from tqdm.auto import tqdm
Sylvain Gugger's avatar
Sylvain Gugger committed
327

Steven Liu's avatar
Steven Liu committed
328
>>> progress_bar = tqdm(range(num_training_steps))
Sylvain Gugger's avatar
Sylvain Gugger committed
329

Steven Liu's avatar
Steven Liu committed
330
331
332
333
334
335
336
>>> model.train()
>>> for epoch in range(num_epochs):
...     for batch in train_dataloader:
...         batch = {k: v.to(device) for k, v in batch.items()}
...         outputs = model(**batch)
...         loss = outputs.loss
...         loss.backward()
Sylvain Gugger's avatar
Sylvain Gugger committed
337

Steven Liu's avatar
Steven Liu committed
338
339
340
341
...         optimizer.step()
...         lr_scheduler.step()
...         optimizer.zero_grad()
...         progress_bar.update(1)
Sylvain Gugger's avatar
Sylvain Gugger committed
342
343
```

Steven Liu's avatar
Steven Liu committed
344
### Metrics
Sylvain Gugger's avatar
Sylvain Gugger committed
345

Steven Liu's avatar
Steven Liu committed
346
Just like how you need to add an evaluation function to [`Trainer`], you need to do the same when you write your own training loop. But instead of calculating and reporting the metric at the end of each epoch, this time you will accumulate all the batches with [`add_batch`](https://huggingface.co/docs/datasets/package_reference/main_classes.html?highlight=add_batch#datasets.Metric.add_batch) and calculate the metric at the very end.
Sylvain Gugger's avatar
Sylvain Gugger committed
347

Steven Liu's avatar
Steven Liu committed
348
349
350
351
352
353
354
```py
>>> metric = load_metric("accuracy")
>>> model.eval()
>>> for batch in eval_dataloader:
...     batch = {k: v.to(device) for k, v in batch.items()}
...     with torch.no_grad():
...         outputs = model(**batch)
Sylvain Gugger's avatar
Sylvain Gugger committed
355

Steven Liu's avatar
Steven Liu committed
356
357
358
...     logits = outputs.logits
...     predictions = torch.argmax(logits, dim=-1)
...     metric.add_batch(predictions=predictions, references=batch["labels"])
Sylvain Gugger's avatar
Sylvain Gugger committed
359

Steven Liu's avatar
Steven Liu committed
360
>>> metric.compute()
Sylvain Gugger's avatar
Sylvain Gugger committed
361
```
362
363
</pt>
</frameworkcontent>
Sylvain Gugger's avatar
Sylvain Gugger committed
364
365
366
367
368

<a id='additional-resources'></a>

## Additional resources

Steven Liu's avatar
Steven Liu committed
369
For more fine-tuning examples, refer to:
Sylvain Gugger's avatar
Sylvain Gugger committed
370

371
- [馃 Transformers Examples](https://github.com/huggingface/transformers/tree/main/examples) includes scripts
Steven Liu's avatar
Steven Liu committed
372
  to train common NLP tasks in PyTorch and TensorFlow.
Sylvain Gugger's avatar
Sylvain Gugger committed
373

Steven Liu's avatar
Steven Liu committed
374
- [馃 Transformers Notebooks](notebooks) contains various notebooks on how to fine-tune a model for specific tasks in PyTorch and TensorFlow.