task_guide.md 11.8 KB
Newer Older
Jonathan Tow's avatar
Jonathan Tow committed
1
2
3
4
5
6
7
8
9
10
11
12
13
# `Task` Guide

The `Task` class is the foundation of all natural language tasks in the `lm-evaluation-harness` (harness). It encompasses everything you’d need to perform few-shot evaluation of an autoregressive language model. Here we’ll provide a step-by-step guide on how to subclass `Task` to create your very own task/s.

## Setup

If you haven't already, go ahead and fork the main repo, clone it, create a branch with the name of your task, and install the project requirements in your environment:

```sh
# After forking...
git clone https://github.com/<YOUR-USERNAME>/lm-evaluation-harness.git
cd lm-evaluation-harness
git checkout -b <task-name>
14
pip install -e ".[dev]"
Jonathan Tow's avatar
Jonathan Tow committed
15
16
```

17
## Creating Your Task File
Jonathan Tow's avatar
Jonathan Tow committed
18

jon-tow's avatar
jon-tow committed
19
From the `lm-evaluation-harness` project root, copy over the `new_task.py` template to `lm_eval/datasets`. 
Jonathan Tow's avatar
Jonathan Tow committed
20
21

```sh
jon-tow's avatar
jon-tow committed
22
cp templates/new_task.py lm_eval/tasks/<task-name>.py
Jonathan Tow's avatar
Jonathan Tow committed
23
24
```

jon-tow's avatar
jon-tow committed
25
26
27
28
29
30
31
32
33
34
35
or if your task is **multiple-choice**, the `new_multiple_choice_task.py`:

```sh
cp templates/new_multiple_choice_task.py lm_eval/tasks/<task-name>.py
```

This will set you up with a few `TODO`s to fill-in which we'll now go over in detail.

## Task Heading

Open the file you've just created and add a multiline docstring on the first line with the following contents:
36
37
38
39
40
41
42
43
44
45
46
47
48

```python
"""
<Paper title>
<Paper PDF URL>

<Short description of task>

Homepage: <URL to task's homepage>
"""
```

For example, take the QuAC dataset. We have:
49
50
51
52
53
54

```python
"""
QuAC: Question Answering in Context
https://arxiv.org/abs/1808.07036

55
56
57
58
59
60
61
Question Answering in Context (QuAC) is a dataset for modeling, understanding, and 
participating in information seeking dialog. Data instances consist of an interactive
dialog between two crowd workers: (1) a student who poses a sequence of freeform
questions to learn as much as possible about a hidden Wikipedia text, and (2)
a teacher who answers the questions by providing short excerpts (spans) from the text.

Homepage: https://quac.ai/
62
63
64
"""
```

65
66
67
Next, at the module-level, create a constant variable named
`_CITATION` that contains the citation information for your task in BibTeX format.

Jonathan Tow's avatar
Jonathan Tow committed
68
Now let's walk through the actual implementation - from data handling to evaluation.
Jonathan Tow's avatar
Jonathan Tow committed
69

70
71
72
## Data Handling

### Downloading your Data
Jonathan Tow's avatar
Jonathan Tow committed
73

jon-tow's avatar
jon-tow committed
74
75
76
All data downloading and management is handled through the HuggingFace (**HF**) [`datasets`](https://github.com/huggingface/datasets) API. So, the first thing you should do is check to see if your task's dataset is already provided in their catalog [here](https://huggingface.co/datasets). If it's not in there, please consider adding it to their Hub to make it accessible to a wider user base by following their [new dataset guide](https://github.com/huggingface/datasets/blob/master/ADD_NEW_DATASET.md)
. 
Now, that you have your HF dataset, you need to assign its path and name to your `Task` in the following fields:
Jonathan Tow's avatar
Jonathan Tow committed
77

jon-tow's avatar
jon-tow committed
78
79
80
81
82
```python
class TaskName(...):
    DATASET_PATH = "..."
    DATASET_NAME = "..."
```
Jonathan Tow's avatar
Jonathan Tow committed
83

jon-tow's avatar
jon-tow committed
84
85
where `DATASET_PATH` is the name of the dataset as listed by HF in the `datasets` Hub and `DATASET_NAME` is the name of, what HF calls, a “data instance” or sub-task of the benchmark. If your task does not contain any data instances, just set `DATASET_NAME = None`.
(If you're familiar with the HF `datasets.load_dataset` function, these are just the first 2 arguments to it.)
Jonathan Tow's avatar
Jonathan Tow committed
86

jon-tow's avatar
jon-tow committed
87
Next up, we have to set some “flags”:
Jonathan Tow's avatar
Jonathan Tow committed
88

jon-tow's avatar
jon-tow committed
89
```python
Jonathan Tow's avatar
Jonathan Tow committed
90
91
    def has_training_docs(self):
        return # True/False
jon-tow's avatar
jon-tow committed
92

Jonathan Tow's avatar
Jonathan Tow committed
93
94
    def has_validation_docs(self):
        return # True/False
jon-tow's avatar
jon-tow committed
95

Jonathan Tow's avatar
Jonathan Tow committed
96
97
    def has_test_docs(self):
        return # True/False
jon-tow's avatar
jon-tow committed
98
```
Jonathan Tow's avatar
Jonathan Tow committed
99

jon-tow's avatar
jon-tow committed
100
101
102
103
104
These methods return `True`/`False` whether or not your task dataset provides documents for each split type. __Note__: if the test set does not have publicly available answer labels, please do not put it down as having a test set - return False.

Lastly, we need to load the documents. In our terminology, a document (`doc`) is a single natural language data example stored in a Python `dict`. E.g.: `{“question”: “What is the capital of France?”, “answer”: “Paris”}`. Override the following methods to load your data splits from their storage location in `DATASET_PATH`:

```python
Jonathan Tow's avatar
Jonathan Tow committed
105
106
    def training_docs(self):
        return #...
jon-tow's avatar
jon-tow committed
107

108
    def validation_docs(self):
Jonathan Tow's avatar
Jonathan Tow committed
109
        return #...
jon-tow's avatar
jon-tow committed
110

Jonathan Tow's avatar
Jonathan Tow committed
111
112
    def test_docs(self):
        return #...
jon-tow's avatar
jon-tow committed
113
```
Jonathan Tow's avatar
Jonathan Tow committed
114

jon-tow's avatar
jon-tow committed
115
These should return a Python iterable (`list` or `generator`) of `dict`s that can be queried for individual `doc` examples.
116

jon-tow's avatar
jon-tow committed
117
#### Processing Documents
Jonathan Tow's avatar
Jonathan Tow committed
118

jon-tow's avatar
jon-tow committed
119
120
121
At this point, you can also process each individual document to, for example, strip whitespace or "detokenize" its fields. Put the processing logic into `_process_doc` and map the functions across training/validation/test docs inside of the respective functions. 
🔠 If your task is **multiple-choice**, we require you to format your documents such that they contain `gold` and `choices` fields. They can also have other fields, but those will be ignored by `MultipleChoiceTask`. `choices` should be a list of possible continuations, and `gold` should be an integer specifying the index of the correct completion.
See [this task](https://github.com/EleutherAI/lm-evaluation-harness/blob/6caa0afd96a7a7efb2ec4c1f24ad1756e48f3aa7/lm_eval/tasks/sat.py#L60) for an example. 🔠
Jonathan Tow's avatar
Jonathan Tow committed
122

jon-tow's avatar
jon-tow committed
123
### Formatting your Few-Shot Examples
124

jon-tow's avatar
jon-tow committed
125
The harness is designed to facilitate task evaluations under the few-shot setting. Here we’ll format such examples.
Jonathan Tow's avatar
Jonathan Tow committed
126

jon-tow's avatar
jon-tow committed
127
Format your document into a single query prompt __without the answer__ here. This method takes a single `doc` example of type `dict` with `str` key-value members. You should concatenate these `doc` item values together into a neatly formatted prompt.
128

jon-tow's avatar
jon-tow committed
129
130
131
```python
def doc_to_text(self, doc):
    return ""
Jonathan Tow's avatar
Jonathan Tow committed
132
```
Leo Gao's avatar
Leo Gao committed
133

jon-tow's avatar
jon-tow committed
134
<br>
Leo Gao's avatar
Leo Gao committed
135

jon-tow's avatar
jon-tow committed
136
️🔠 **Multiple-Choice Formatting**
Jonathan Tow's avatar
Jonathan Tow committed
137

jon-tow's avatar
jon-tow committed
138
If your task is multiple-choice, you can now skip ahead to <a href="#Registering-Your-Task">registering your task</a>.
Jonathan Tow's avatar
Jonathan Tow committed
139

jon-tow's avatar
jon-tow committed
140
️️🔠 **End Multiple-Choice Formatting**
Jonathan Tow's avatar
Jonathan Tow committed
141

Jonathan Tow's avatar
Jonathan Tow committed
142
<br>
143

jon-tow's avatar
jon-tow committed
144
Format the target answer from the contents of `doc`. Note that the prepended `" "` is required to space out the `doc_to_text` and `doc_to_target` strings.
Jonathan Tow's avatar
Jonathan Tow committed
145
146
147

```python
def doc_to_target(self, doc):
jon-tow's avatar
jon-tow committed
148
149
    target = ""
    return " " + target
Jonathan Tow's avatar
Jonathan Tow committed
150
151
```

jon-tow's avatar
jon-tow committed
152
Finally, be aware that the strings from `doc_to_text` and `doc_to_target` will be concatenated together to build up labeled examples in the k-shot setting where k > 0. Design with that in mind 👍.
Jonathan Tow's avatar
Jonathan Tow committed
153

researcher2's avatar
researcher2 committed
154
155
156
157
158
159
160
### Decontamination
For background on decontamination please see [this](./decontamination.md).

If you wish to support decontamination studies for your task simply override the "should_decontaminate" method and return true. 

You also need to override "doc_to_decontamination_query" and return the data you wish to compare against the training set. This doesn't necessarily need to be the full document or request, and we leave this up to the implementor. For a multi-choice evaluation you could for example just return the question.

161
### Registering Your Task
Jonathan Tow's avatar
Jonathan Tow committed
162
163
164

Now's a good time to register your task to expose it for usage. All you'll need to do is import your task module in `lm_eval/tasks/__init__.py` and provide an entry in the `TASK_REGISTRY`  dictionary with the key as the name of your benchmark task (in the form it'll be referred to in the command line) and the value as the task class. See how it's done for other tasks in the [file](https://github.com/EleutherAI/lm-evaluation-harness/blob/master/lm_eval/tasks/__init__.py).

165
### Checking the Data
Jonathan Tow's avatar
Jonathan Tow committed
166
167
168
169
170
171

After registering your task, you can now check on your data downloading and verify that the few-shot samples look as intended. Run the following command with your desired args:

```bash
python -m scripts.write_out \
    --output_base_path <path> \
172
    --tasks <your-task> \
Jonathan Tow's avatar
Jonathan Tow committed
173
174
    --sets <train | val | test> \
    --num_fewshot K \
175
176
    --num_examples N \ 
    --description_dict_path <path>
Jonathan Tow's avatar
Jonathan Tow committed
177
178
```

Jonathan Tow's avatar
Jonathan Tow committed
179
180
Open the file specified at the `--output_base_path <path>` and ensure it passes
a simple eye test.
Jonathan Tow's avatar
Jonathan Tow committed
181

182
## Evaluation
Jonathan Tow's avatar
Jonathan Tow committed
183

184
**🛑**  If your task is a single-true multiple-choice task and you've correctly inherited from `MultipleChoiceTask` then your job here is done; <a href="#Checking-the-Task-Performance">go ‘head and check on the task performance!</a> 🛑
Jonathan Tow's avatar
Jonathan Tow committed
185
186
187
188
189

Now comes evaluation. The methods you'll need to implement are:

```python
def construct_requests(self, doc, ctx):
Jonathan Tow's avatar
Jonathan Tow committed
190
    """ Uses RequestFactory to construct Requests and returns an iterable of
Jonathan Tow's avatar
Jonathan Tow committed
191
192
193
194
195
    Requests which will be sent to the LM.

    :param doc:
        The document as returned from training_docs, validation_docs, or test_docs.
    :param ctx: str
Jonathan Tow's avatar
Jonathan Tow committed
196
        The context string, generated by fewshot_context. This includes the natural
Jonathan Tow's avatar
Jonathan Tow committed
197
198
199
200
201
202
203
204
205
        language description, as well as the few shot examples, and the question
        part of the document for `doc`.
    """
    return ...
```
If your task requires generating text you'll need to return a `rf.greedy_until` request otherwise an `rf.loglikelihood` across all labels in a classification tasks will do.

```python
def process_results(self, doc, results):
Jonathan Tow's avatar
Jonathan Tow committed
206
207
    """Take a single document and the LM results and evaluates, returning a
    dict where keys are the names of submetrics and values are the values of
Jonathan Tow's avatar
Jonathan Tow committed
208
209
210
211
212
213
214
215
216
217
218
219
220
221
    the metric for that one document

    :param doc:
        The document as returned from training_docs, validation_docs, or test_docs.
    :param results:
        The results of the requests created in construct_requests.
    """
    return {}
```

```python
def aggregation(self):
    """
    :returns: {str: [float] -> float}
Jonathan Tow's avatar
Jonathan Tow committed
222
        A dictionary where keys are the names of submetrics and values are
Jonathan Tow's avatar
Jonathan Tow committed
223
        functions that aggregate a list of metrics
Jonathan Tow's avatar
Jonathan Tow committed
224
    """
Jonathan Tow's avatar
Jonathan Tow committed
225
226
227
228
229
230
231
232
233
    return {}
```

See `lm_eval/metrics.py` for a few "built-in" aggregate metrics you can easily import.

```python
def higher_is_better(self):
    """
    :returns: {str: bool}
Jonathan Tow's avatar
Jonathan Tow committed
234
        A dictionary where keys are the names of submetrics and values are
Jonathan Tow's avatar
Jonathan Tow committed
235
236
237
238
239
        whether a higher value of the submetric is better
    """
    return {}
```

Leo Gao's avatar
Leo Gao committed
240
241
Some tasks that are good examples of various ways evaluation can be implemented can be found here: [LAMBADA](https://github.com/EleutherAI/lm-evaluation-harness/blob/master/lm_eval/tasks/lambada.py), [TriviaQA](https://github.com/EleutherAI/lm-evaluation-harness/blob/master/lm_eval/tasks/triviaqa.py), [SQuAD](https://github.com/EleutherAI/lm-evaluation-harness/blob/master/lm_eval/tasks/squad.py).

Leo Gao's avatar
Leo Gao committed
242
Tip: Feel free to create your own helper-methods for your task!
243
244

### Checking the Task Performance
Jonathan Tow's avatar
Jonathan Tow committed
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264

```sh
python main.py \
	--model gpt2 \
	--model_args device=<device-name> \
	--tasks <task-name> \
	--num_fewshot K
```

Set the limit size, `N`, to a smallish number (e.g. 10) and try out the task under different `K`-shot settings. If you have an Nvidia GPU at your disposal, add the argument
`--model_args device=cuda:0`. If you have access to an OpenAI API key, you can also evaluate GPT-3 on various tasks with the following command:

```sh
export OPENAI_API_SECRET_KEY=YOUR_KEY_HERE
python main.py \
	--model gpt3 \
	--tasks <task-name> \
	--num_fewshot K
```

265
### Running Unit Tests
Jonathan Tow's avatar
Jonathan Tow committed
266

Leo Gao's avatar
Leo Gao committed
267
268
269
270
271
272
273
274
275
276
To run the entire test suite, use:

```sh
pytest
```

This is usually overkill; to run only the tests for your task, do:
```sh
pytest -k <task name>
```
Jonathan Tow's avatar
Jonathan Tow committed
277

278
279
280
281
282
283
284
285
286
## Versioning

Lastly, we need to "version control". Tasks in the harness can always evolve. Metrics get updated, data sources change, etc. It’s important to mark each task with a version attribute so users can document which implementation version was used to obtain their results. Add a `VERSION` attribute to your task right below the class name and set it to `0` (this is the first version/implementation of your task):

```python
class TaskName(...):
	VERSION = 0
```

Jonathan Tow's avatar
Jonathan Tow committed
287
288
289
290
## Submitting your Task

Although we currently do not work behind a specific style guide, we'd appreciate if you tidy up your file/s with the `black` formatter (which should've been install through the `requirements.txt`). Keep things clean…ish 🙂.

Leo Gao's avatar
Leo Gao committed
291
Now push your work and make a pull request! Thanks for the contribution 👍. If there are any questions, leave a message in the `#lm-thunderdome` channel on the EAI discord.