数据集文档

处理文本数据

Hugging Face's logo
加入 Hugging Face 社区

并获得增强文档体验

开始使用

处理文本数据

本指南展示了处理文本数据集的具体方法。了解如何

  • 使用 map() 对数据集进行分词。
  • 将数据集标签与 NLI 数据集的标签 ID 对齐。

有关如何处理任何类型数据集的指南,请查看 通用处理指南

映射

map() 函数支持一次处理一批示例,这可以加快分词速度。

从 🤗 Transformers 加载分词器

>>> from transformers import AutoTokenizer

>>> tokenizer = AutoTokenizer.from_pretrained("bert-base-cased")

map() 函数中将 batched 参数设置为 True,以便将分词器应用于示例批次。

>>> dataset = dataset.map(lambda examples: tokenizer(examples["text"]), batched=True)
>>> dataset[0]
{'text': 'the rock is destined to be the 21st century\'s new " conan " and that he\'s going to make a splash even greater than arnold schwarzenegger , jean-claud van damme or steven segal .', 
 'label': 1, 
 'input_ids': [101, 1996, 2600, 2003, 16036, 2000, 2022, 1996, 7398, 2301, 1005, 1055, 2047, 1000, 16608, 1000, 1998, 2008, 2002, 1005, 1055, 2183, 2000, 2191, 1037, 17624, 2130, 3618, 2084, 7779, 29058, 8625, 13327, 1010, 3744, 1011, 18856, 19513, 3158, 5477, 4168, 2030, 7112, 16562, 2140, 1012, 102], 
 'token_type_ids': [0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0], 
 'attention_mask': [1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1]}

map() 函数会将返回的值转换为 PyArrow 支持的格式。但是,显式地将张量作为 NumPy 数组返回速度更快,因为它是 PyArrow 原生支持的格式。在分词文本时,请设置 return_tensors="np"

>>> dataset = dataset.map(lambda examples: tokenizer(examples["text"], return_tensors="np"), batched=True)

对齐

align_labels_with_mapping() 函数将数据集标签 ID 与标签名称对齐。并非所有 🤗 Transformers 模型都遵循原始数据集规定的标签映射,尤其是在 NLI 数据集中。例如,MNLI 数据集使用以下标签映射

>>> label2id = {"entailment": 0, "neutral": 1, "contradiction": 2}

要将数据集标签映射与模型使用的映射对齐,请创建一个包含标签名称和 ID 的字典以进行对齐。

>>> label2id = {"contradiction": 0, "neutral": 1, "entailment": 2}

将标签映射的字典传递给 align_labels_with_mapping() 函数,以及要对齐的列。

>>> from datasets import load_dataset

>>> mnli = load_dataset("glue", "mnli", split="train")
>>> mnli_aligned = mnli.align_labels_with_mapping(label2id, "label")

您还可以使用此函数为标签分配自定义的 ID 映射。

< > 在 GitHub 上更新