当前位置:   article > 正文

Llama源码解析之tokenizer.py_llama tokenizer

llama tokenizer

llama/llama/tokenizer.py at main · meta-llama/llama · GitHub

  1. # Copyright (c) Meta Platforms, Inc. and affiliates.
  2. # This software may be used and distributed according to the terms of the Llama 2 Community License Agreement.
  3. import os
  4. from logging import getLogger
  5. from typing import List
  6. from sentencepiece import SentencePieceProcessor
  7. logger = getLogger()
  8. class Tokenizer:
  9. """tokenizing and encoding/decoding text using SentencePiece."""
  10. def __init__(self, model_path: str):
  11. """
  12. Initializes the Tokenizer with a SentencePiece model.
  13. Args:
  14. model_path (str): The path to the SentencePiece model file.
  15. """
  16. # reload tokenizer
  17. assert os.path.isfile(model_path), model_path
  18. self.sp_model = SentencePieceProcessor(model_file=model_path)
  19. logger.info(f"Reloaded SentencePiece model from {model_path}")
  20. # BOS / EOS token IDs
  21. self.n_words: int = self.sp_model.vocab_size()
  22. self.bos_id: int = self.sp_model.bos_id()
  23. self.eos_id: int = self.sp_model.eos_id()
  24. self.pad_id: int = self.sp_model.pad_id()
  25. logger.info(
  26. f"#words: {self.n_words} - BOS ID: {self.bos_id} - EOS ID: {self.eos_id}"
  27. )
  28. assert self.sp_model.vocab_size() == self.sp_model.get_piece_size()
  29. def encode(self, s: str, bos: bool, eos: bool) -> List[int]:
  30. """
  31. Encodes a string into a list of token IDs.
  32. Args:
  33. s (str): The input string to be encoded.
  34. bos (bool): Whether to prepend the beginning-of-sequence token.
  35. eos (bool): Whether to append the end-of-sequence token.
  36. Returns:
  37. List[int]: A list of token IDs.
  38. """
  39. assert type(s) is str
  40. t = self.sp_model.encode(s)
  41. if bos:
  42. t = [self.bos_id] + t
  43. if eos:
  44. t = t + [self.eos_id]
  45. return t
  46. def decode(self, t: List[int]) -> str:
  47. """
  48. Decodes a list of token IDs into a string.
  49. Args:
  50. t (List[int]): The list of token IDs to be decoded.
  51. Returns:
  52. str: The decoded string.
  53. """
  54. return self.sp_model.decode(t)

 

Claude

我会逐行解释这段代码,用于编程和AI教学。这是一个名为TokenizerPython类,用于使用SentencePiece模型对文本进行分词和编码/解码。

python

复制

  1. class Tokenizer:
  2. """tokenizing and encoding/decoding text using SentencePiece."""
  • 第1-2行:定义了一个名为Tokenizer的类,并提供了一个文档字符串,说明该类使用SentencePiece对文本进行分词和编码/解码

python

复制

  1. def __init__(self, model_path: str):
  2. """
  3. Initializes the Tokenizer with a SentencePiece model.
  4. Args:
  5. model_path (str): The path to the SentencePiece model file.
  6. """
  • 第4-8行:定义了Tokenizer类的构造函数__init__,接受一个参数model_path,表示SentencePiece模型文件的路径。函数的文档字符串解释了构造函数的目的和参数。

python

复制

  1. # reload tokenizer
  2. assert os.path.isfile(model_path), model_path
  3. self.sp_model = SentencePieceProcessor(model_file=model_path)
  4. logger.info(f"Reloaded SentencePiece model from {model_path}")
  • 第10行:添加了一个注释,表示重新加载分词器
  • 第11行:使用assert语句检查model_path是否为一个文件,如果不是则抛出异常
  • 第12行:创建一个SentencePieceProcessor对象self.sp_model,并使model_path指定的模型文件初始化它。
  • 第13行:使用日志记录器logger记录一条信息,表示已从指定路径重新加载SentencePiece模型。

python

复制

  1. # BOS / EOS token IDs
  2. self.n_words: int = self.sp_model.vocab_size()
  3. self.bos_id: int = self.sp_model.bos_id()
  4. self.eos_id: int = self.sp_model.eos_id()
  5. self.pad_id: int = self.sp_model.pad_id()
  6. logger.info(
  7. f"#words: {self.n_words} - BOS ID: {self.bos_id} - EOS ID: {self.eos_id}"
  8. )
  9. assert self.sp_model.vocab_size() == self.sp_model.get_piece_size()
  • 第16行:添加了一个注释,表示与BOS(Beginning of Sequence)和EOS(End of Sequence)标记相关的ID。
  • 第17行:将self.n_words设置为SentencePiece模型的词汇量大小,并使用类型注释int指定其类型。
  • 第18行:将self.bos_id设置为SentencePiece模型的BOS标记ID。
  • 第19行:将self.eos_id设置为SentencePiece模型的EOS标记ID。
  • 第20行:将self.pad_id设置为SentencePiece模型的填充(padding)标记ID。
  • 第21-23行:使用日志记录器logger记录词汇量大小、BOS ID和EOS ID的信息。
  • 第24行:使用assert语句断言SentencePiece模型的词汇量大小与片段(piece)大小相等。

python

复制

  1. def encode(self, s: str, bos: bool, eos: bool) -> List[int]:
  2. """
  3. Encodes a string into a list of token IDs.
  4. Args:
  5. s (str): The input string to be encoded.
  6. bos (bool): Whether to prepend the beginning-of-sequence token.
  7. eos (bool): Whether to append the end-of-sequence token.
  8. Returns:
  9. List[int]: A list of token IDs.
  10. """
  11. assert type(s) is str
  12. t = self.sp_model.encode(s)
  13. if bos:
  14. t = [self.bos_id] + t
  15. if eos:
  16. t = t + [self.eos_id]
  17. return t
  • 第26-37行:定义了encode方法,用于将字符串编码为标记ID列表。
    • 函数接受三个参数:s表示要编码的输入字符串,bos表示是否在序列开头添加BOS标记,eos表示是否在序列末尾添加EOS标记。
    • 函数返回一个整数列表,表示编码后的标记ID。
    • 函数的文档字符串解释了函数的目的、参数和返回值。
  • 第38行:使用assert语句断言s的类型为字符串。
  • 第39行:使用self.sp_model.encode方法将输入字符串s编码为标记列表t
  • 第40-41行:如果bosTrue,则在标记列表t的开头添加BOS标记ID。
  • 第42-43行:如果eosTrue,则在标记列表t的末尾添加EOS标记ID。
  • 第44行:返回编码后的标记ID列表t

python

复制

  1. def decode(self, t: List[int]) -> str:
  2. """
  3. Decodes a list of token IDs into a string.
  4. Args:
  5. t (List[int]): The list of token IDs to be decoded.
  6. Returns:
  7. str: The decoded string.
  8. """
  9. return self.sp_model.decode(t)
  • 第46-54行:定义了decode方法,用于将标记ID列表解码为字符串
    • 函数接受一个参数t,表示要解码的标记ID列表
    • 函数返回解码后的字符串。
    • 函数的文档字符串解释了函数的目的、参数和返回值
  • 第55行:使用self.sp_model.decode方法将标记ID列表t解码为字符串并返回。

这个Tokenizer类提供了使用SentencePiece模型对文本进行分词和编码/解码的功能。它的构造函数接受SentencePiece模型文件的路径,并在初始化时加载模型encode方法将字符串编码为标记ID列表,可以选择在序列的开头和结尾添加特殊的BOS和EOS标记。

decode方法将标记ID列表解码为字符串。

这个类可以用于各种自然语言处理任务中的文本预处理和后处理步骤。

gpt4-v

它定义了一个使用SentencePiece模型进行文本分词的Tokenizer类。

python

复制

  1. class Tokenizer:

这行代码开始了一个名为Tokenizer的类的定义。在Python中,类是创建对象(特定数据结构)的蓝图,它封装了数据和操作这些数据的函数。

python

复制

    """tokenizing and encoding/decoding text using SentencePiece."""

这是一个文档字符串(docstring),它提供了该类的描述。文档字符串说明了Tokenizer类旨在使用SentencePiece进行文本的分词,编码和解码。

python

复制

    def __init__(self, model_path: str):

这一行定义了类的初始化方法__init__,当创建类的新对象时,会自动调用这个方法。该方法接收self(指向当前实例的引用)和model_path参数,其中model_path是一个字符串类型的参数,它指定了SentencePiece模型文件的路径。

python

复制

  1. # reload tokenizer
  2. assert os.path.isfile(model_path), model_path

这里使用了断言(assert)来确保model_path指向的路径确实存在一个文件。如果不是,程序将抛出一个异常。

python

复制

        self.sp_model = SentencePieceProcessor(model_file=model_path)

在这一行,创建了一个SentencePieceProcessor对象,用于加载和操作指定路径上的SentencePiece模型。

python

复制

        logger.info(f"Reloaded SentencePiece model from {model_path}")

使用logger记录信息,指出SentencePiece模型已经从给定的路径重新加载。

python

复制

  1. # BOS / EOS token IDs
  2. self.n_words: int = self.sp_model.vocab_size()
  3. self.bos_id: int = self.sp_model.bos_id()
  4. self.eos_id: int = self.sp_model.eos_id()
  5. self.pad_id: int = self.sp_model.pad_id()

这几行代码初始化了一些属性,分别是词汇表大小(n_words)、句子开始标记的ID(bos_id)、句子结束标记的ID(eos_id)和填充标记的ID(pad_id)。

python

复制

  1. logger.info(
  2. f"#words: {self.n_words} - BOS ID: {self.bos_id} - EOS ID: {self.eos_id}"
  3. )

再次使用logger记录词汇表大小和特殊标记的ID信息。

python

复制

        assert self.sp_model.vocab_size() == self.sp_model.get_piece_size()

这行代码断言词汇表的大小应该等于模型中分词(piece)的数量。如果不相等,会抛出一个异常。

python

复制

    def encode(self, s: str, bos: bool, eos: bool) -> List[int]:

定义了一个名为encode的方法,它将字符串S编码为一个整数列表。参数boseos是布尔类型,分别决定是否在序列前后添加开始和结束的标记。

python

复制

        assert type(s) is str

这里断言传入的s必须是一个字符串类型。

python

复制

        t = self.sp_model.encode(s)

使用SentencePiece模型将字符串s编码为一个token ID列表t

python

复制

  1. if bos:
  2. t = [self.bos_id] + t

如果bos参数为真,则在列表t的前面添加句子开始标记的ID。

python

复制

  1. if eos:
  2. t = t + [self.eos_id]

如果eos参数为真,则在列表t的后面添加句子结束标记的ID。

python

复制

        return t

返回编码后的token ID列表。

python

复制

    def decode(self, t: List[int]) -> str:

定义了一个名为decode的方法,它将一个整数列表t解码回字符串

python

复制

        return self.sp_model.decode(t)

使用SentencePiece模型将token ID列表t解码为字符串,并返回这个字符串

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/你好赵伟/article/detail/623082
推荐阅读
相关标签
  

闽ICP备14008679号