forked from swiss-ai/nanotron
-
Notifications
You must be signed in to change notification settings - Fork 0
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
Added script to count total number of tokens of SFT datasets
- Loading branch information
1 parent
a7051d1
commit a750b45
Showing
1 changed file
with
130 additions
and
0 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,130 @@ | ||
""" | ||
python3 tools/count_SFT_tokens.py --hf_dataset Magpie-Align/Magpie-Pro-300K-Filtered --path_to_tokenizer meta-llama/Meta-Llama-3.1-8B-Instruct | ||
""" | ||
import argparse | ||
from typing import List, Tuple | ||
|
||
from datasets import load_dataset | ||
from transformers import AutoTokenizer | ||
|
||
|
||
# ChatNanoset tokenizer | ||
class ChatTokenizer: | ||
""" | ||
The ChatTokenizer encodes a conversation applying the Llama3 Chat Template and returns the role (Either User or Assistant) of each token | ||
Args: | ||
tokenizer_name_or_path (str): A path to a directory containing vocabulary files required by the tokenizer or the model id of a predefined tokenizer hosted inside a model repo on the Hugging Face Hub. | ||
""" | ||
|
||
def __init__(self, tokenizer_name_or_path: str): | ||
self.tokenizer = AutoTokenizer.from_pretrained(tokenizer_name_or_path) | ||
|
||
# Add pad token if necessary | ||
if self.tokenizer.pad_token is None: | ||
self.tokenizer.add_special_tokens({"pad_token": "<|eot_id|>"}) | ||
|
||
def __call__(self, conversation: List[dict]) -> Tuple[List[int], List[bool]]: | ||
""" | ||
Applies the Llama3 chat template, encodes the conversation and returns the tokens along with a bool value for each token whether if the token belongs to the answer of the assistant or not to be able to just train on the assistant answers | ||
Args: | ||
conversation (List[dict]): List of dicts where each dict contains the "from" key to specify the emisor del mensaje and the "value" key with the message. | ||
Same format as SlimOrca dataset with possible from values: "System", "human" and "gpt" | ||
Example: | ||
conversation: [ { "from": "system", "value": "You are an AI assistant that follows instruction extremely well. Help as much as you can."}, | ||
{ "from": "human", "value": "Answer the following question: - number is 54 - debutteam is pittsburgh steelers - draftpick is 166 - birth date is 24 may 1982 - weight is 243 - nfl is wal475737 - debutyear is 2005 - finalteam is new york sentinels - statlabel is tackles sacks interceptions - heightin is 3 - statvalue is 9 0.0 1 - heightft is 6 - college is temple - birth place is pottstown , pennsylvania - draftyear is 2005 - position is linebacker - draftround is 5 - finalyear is 2009 Given the details above, guess who could this information be about.\nAnswer:"}, | ||
{ "from": "gpt", "value": "The information provided seems to refer to Rian Wallace, a former NFL player."} ] | ||
After applying chat template: | ||
<|begin_of_text|><|start_header_id|>system<|end_header_id|> | ||
You are an AI assistant that follows instruction extremely well. Help as much as you can.<|eot_id|><|start_header_id|>human<|end_header_id|> | ||
Answer the following question: - number is 54 - debutteam is pittsburgh steelers - draftpick is 166 - birth date is 24 may 1982 - weight is 243 - nfl is wal475737 - debutyear is 2005 - finalteam is new york sentinels - statlabel is tackles sacks interceptions - heightin is 3 - statvalue is 9 0.0 1 - heightft is 6 - college is temple - birth place is pottstown , pennsylvania - draftyear is 2005 - position is linebacker - draftround is 5 - finalyear is 2009 Given the details above, guess who could this information be about. | ||
Answer:<|eot_id|><|start_header_id|>gpt<|end_header_id|> | ||
The information provided seems to refer to Rian Wallace, a former NFL player.<|eot_id|> | ||
returns: | ||
tokens (List[int]): A list of tokens e.g. [128000, 128006, 9125, 128007, 271, 2675, 527, ..., 12873, 2851, 13, 128009, 128001] | ||
is_completitions (List[bool]): A list of bools whether the tokens belong to the assistant answer or not e.g. [False, False, False, ..., False, True, True, True, True] | ||
""" | ||
tokens = [] | ||
# Append <|begin_of_text|> | ||
tokens.append(self.tokenizer.bos_token_id) | ||
is_completitions = [False] * len(tokens) | ||
|
||
for message in conversation: | ||
message_tokens, message_completitions = self.encode_message(message) | ||
tokens.extend(message_tokens) | ||
is_completitions.extend(message_completitions) | ||
|
||
# Append <|end_of_text|> token | ||
tokens.extend(self.tokenizer.encode("<|end_of_text|>", add_special_tokens=False)) | ||
is_completitions.append( | ||
False | ||
) # NOTE(tj.solergibert) No need to predict <|end_of_text|> token from <|eot_id|> token | ||
|
||
return tokens, is_completitions | ||
|
||
def encode_message(self, message: dict) -> Tuple[List[int], List[int]]: | ||
# NOTE(tj.solergibert) The "from", "value", "gpt" keys are from SlimOrca Dataset. Llama3 HF Pretrained tokenizer uses another ones. We should stick to a | ||
# single format and document it properly rather than supporting multiple formats, as each DATASET will need a different | ||
# ChatTokenizer and the idea is that all Datasets share the same ChatTokenizer | ||
|
||
# Encode header | ||
tokens = self.tokenizer.encode( | ||
f"<|start_header_id|>{message['from']}<|end_header_id|>\n\n", add_special_tokens=False | ||
) | ||
is_completitions = [False] * len(tokens) | ||
|
||
# Encode message | ||
tokens.extend(self.tokenizer.encode(message["value"].strip(), add_special_tokens=False)) | ||
|
||
# Append <|eot_id|> token | ||
tokens.extend(self.tokenizer.encode("<|eot_id|>", add_special_tokens=False)) | ||
|
||
# True if token belongs to assistant answer, False otherwise | ||
is_completitions.extend([True if message["from"] == "gpt" else False] * (len(tokens) - len(is_completitions))) | ||
|
||
return tokens, is_completitions | ||
|
||
|
||
def compute_length(sample, chat_tokenizer, conversation_column_name): | ||
return {"sample_length": len(chat_tokenizer(sample[conversation_column_name])[0])} | ||
|
||
|
||
def main(args): | ||
# Load dataset & tokenizer | ||
ds = load_dataset(args.hf_dataset, split=args.dataset_split) | ||
chat_tokenizer = ChatTokenizer(args.path_to_tokenizer) | ||
|
||
ds = ds.map( | ||
compute_length, | ||
fn_kwargs={"chat_tokenizer": chat_tokenizer, "conversation_column_name": args.conversation_column_name}, | ||
batched=False, | ||
num_proc=64, | ||
) | ||
print(f"Total number of tokens of the {args.hf_dataset} dataset: {sum(ds['sample_length'])}") | ||
|
||
|
||
if __name__ == "__main__": | ||
parser = argparse.ArgumentParser(description="SFT Count tokens tool") | ||
parser.add_argument( | ||
"--hf_dataset", | ||
type=str, | ||
required=True, | ||
help="Name of the dataset in the HF Hub e.g. Magpie-Align/Magpie-Pro-300K-Filtered", | ||
) | ||
parser.add_argument( | ||
"--path_to_tokenizer", | ||
type=str, | ||
required=True, | ||
help="Path a local folder or a HF hub repo e.g. meta-llama/Meta-Llama-3.1-8B-Instruct", | ||
) | ||
parser.add_argument( | ||
"--dataset_split", type=str, default="train", help="Dataset split to compute the total number of tokens" | ||
) | ||
parser.add_argument( | ||
"--conversation_column_name", | ||
type=str, | ||
default="conversations", | ||
help="Column from the dataset containing a list of dictionaries where each dictionary is a message", | ||
) | ||
_args, _ = parser.parse_known_args() | ||
|
||
main(_args) |