tokenization_prophetnet.py 21 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504
  1. # coding=utf-8
  2. # Copyright 2020 The Microsoft Authors and The HuggingFace Inc. team.
  3. #
  4. # Licensed under the Apache License, Version 2.0 (the "License");
  5. # you may not use this file except in compliance with the License.
  6. # You may obtain a copy of the License at
  7. #
  8. # http://www.apache.org/licenses/LICENSE-2.0
  9. #
  10. # Unless required by applicable law or agreed to in writing, software
  11. # distributed under the License is distributed on an "AS IS" BASIS,
  12. # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  13. # See the License for the specific language governing permissions and
  14. # limitations under the License.
  15. import collections
  16. import os
  17. import unicodedata
  18. from typing import Iterable, List, Optional, Tuple
  19. from ...tokenization_utils import PreTrainedTokenizer, _is_control, _is_punctuation, _is_whitespace
  20. from ...utils import logging
  21. logger = logging.get_logger(__name__)
  22. VOCAB_FILES_NAMES = {"vocab_file": "prophetnet.tokenizer"}
  23. # Copied from transformers.models.bert.tokenization_bert.whitespace_tokenize
  24. def whitespace_tokenize(text):
  25. """Runs basic whitespace cleaning and splitting on a piece of text."""
  26. text = text.strip()
  27. if not text:
  28. return []
  29. tokens = text.split()
  30. return tokens
  31. # Copied from transformers.models.bert.tokenization_bert.BasicTokenizer
  32. class BasicTokenizer:
  33. """
  34. Constructs a BasicTokenizer that will run basic tokenization (punctuation splitting, lower casing, etc.).
  35. Args:
  36. do_lower_case (`bool`, *optional*, defaults to `True`):
  37. Whether or not to lowercase the input when tokenizing.
  38. never_split (`Iterable`, *optional*):
  39. Collection of tokens which will never be split during tokenization. Only has an effect when
  40. `do_basic_tokenize=True`
  41. tokenize_chinese_chars (`bool`, *optional*, defaults to `True`):
  42. Whether or not to tokenize Chinese characters.
  43. This should likely be deactivated for Japanese (see this
  44. [issue](https://github.com/huggingface/transformers/issues/328)).
  45. strip_accents (`bool`, *optional*):
  46. Whether or not to strip all accents. If this option is not specified, then it will be determined by the
  47. value for `lowercase` (as in the original BERT).
  48. do_split_on_punc (`bool`, *optional*, defaults to `True`):
  49. In some instances we want to skip the basic punctuation splitting so that later tokenization can capture
  50. the full context of the words, such as contractions.
  51. """
  52. def __init__(
  53. self,
  54. do_lower_case=True,
  55. never_split=None,
  56. tokenize_chinese_chars=True,
  57. strip_accents=None,
  58. do_split_on_punc=True,
  59. ):
  60. if never_split is None:
  61. never_split = []
  62. self.do_lower_case = do_lower_case
  63. self.never_split = set(never_split)
  64. self.tokenize_chinese_chars = tokenize_chinese_chars
  65. self.strip_accents = strip_accents
  66. self.do_split_on_punc = do_split_on_punc
  67. def tokenize(self, text, never_split=None):
  68. """
  69. Basic Tokenization of a piece of text. For sub-word tokenization, see WordPieceTokenizer.
  70. Args:
  71. never_split (`List[str]`, *optional*)
  72. Kept for backward compatibility purposes. Now implemented directly at the base class level (see
  73. [`PreTrainedTokenizer.tokenize`]) List of token not to split.
  74. """
  75. # union() returns a new set by concatenating the two sets.
  76. never_split = self.never_split.union(set(never_split)) if never_split else self.never_split
  77. text = self._clean_text(text)
  78. # This was added on November 1st, 2018 for the multilingual and Chinese
  79. # models. This is also applied to the English models now, but it doesn't
  80. # matter since the English models were not trained on any Chinese data
  81. # and generally don't have any Chinese data in them (there are Chinese
  82. # characters in the vocabulary because Wikipedia does have some Chinese
  83. # words in the English Wikipedia.).
  84. if self.tokenize_chinese_chars:
  85. text = self._tokenize_chinese_chars(text)
  86. # prevents treating the same character with different unicode codepoints as different characters
  87. unicode_normalized_text = unicodedata.normalize("NFC", text)
  88. orig_tokens = whitespace_tokenize(unicode_normalized_text)
  89. split_tokens = []
  90. for token in orig_tokens:
  91. if token not in never_split:
  92. if self.do_lower_case:
  93. token = token.lower()
  94. if self.strip_accents is not False:
  95. token = self._run_strip_accents(token)
  96. elif self.strip_accents:
  97. token = self._run_strip_accents(token)
  98. split_tokens.extend(self._run_split_on_punc(token, never_split))
  99. output_tokens = whitespace_tokenize(" ".join(split_tokens))
  100. return output_tokens
  101. def _run_strip_accents(self, text):
  102. """Strips accents from a piece of text."""
  103. text = unicodedata.normalize("NFD", text)
  104. output = []
  105. for char in text:
  106. cat = unicodedata.category(char)
  107. if cat == "Mn":
  108. continue
  109. output.append(char)
  110. return "".join(output)
  111. def _run_split_on_punc(self, text, never_split=None):
  112. """Splits punctuation on a piece of text."""
  113. if not self.do_split_on_punc or (never_split is not None and text in never_split):
  114. return [text]
  115. chars = list(text)
  116. i = 0
  117. start_new_word = True
  118. output = []
  119. while i < len(chars):
  120. char = chars[i]
  121. if _is_punctuation(char):
  122. output.append([char])
  123. start_new_word = True
  124. else:
  125. if start_new_word:
  126. output.append([])
  127. start_new_word = False
  128. output[-1].append(char)
  129. i += 1
  130. return ["".join(x) for x in output]
  131. def _tokenize_chinese_chars(self, text):
  132. """Adds whitespace around any CJK character."""
  133. output = []
  134. for char in text:
  135. cp = ord(char)
  136. if self._is_chinese_char(cp):
  137. output.append(" ")
  138. output.append(char)
  139. output.append(" ")
  140. else:
  141. output.append(char)
  142. return "".join(output)
  143. def _is_chinese_char(self, cp):
  144. """Checks whether CP is the codepoint of a CJK character."""
  145. # This defines a "chinese character" as anything in the CJK Unicode block:
  146. # https://en.wikipedia.org/wiki/CJK_Unified_Ideographs_(Unicode_block)
  147. #
  148. # Note that the CJK Unicode block is NOT all Japanese and Korean characters,
  149. # despite its name. The modern Korean Hangul alphabet is a different block,
  150. # as is Japanese Hiragana and Katakana. Those alphabets are used to write
  151. # space-separated words, so they are not treated specially and handled
  152. # like the all of the other languages.
  153. if (
  154. (cp >= 0x4E00 and cp <= 0x9FFF)
  155. or (cp >= 0x3400 and cp <= 0x4DBF) #
  156. or (cp >= 0x20000 and cp <= 0x2A6DF) #
  157. or (cp >= 0x2A700 and cp <= 0x2B73F) #
  158. or (cp >= 0x2B740 and cp <= 0x2B81F) #
  159. or (cp >= 0x2B820 and cp <= 0x2CEAF) #
  160. or (cp >= 0xF900 and cp <= 0xFAFF)
  161. or (cp >= 0x2F800 and cp <= 0x2FA1F) #
  162. ): #
  163. return True
  164. return False
  165. def _clean_text(self, text):
  166. """Performs invalid character removal and whitespace cleanup on text."""
  167. output = []
  168. for char in text:
  169. cp = ord(char)
  170. if cp == 0 or cp == 0xFFFD or _is_control(char):
  171. continue
  172. if _is_whitespace(char):
  173. output.append(" ")
  174. else:
  175. output.append(char)
  176. return "".join(output)
  177. # Copied from transformers.models.bert.tokenization_bert.WordpieceTokenizer
  178. class WordpieceTokenizer:
  179. """Runs WordPiece tokenization."""
  180. def __init__(self, vocab, unk_token, max_input_chars_per_word=100):
  181. self.vocab = vocab
  182. self.unk_token = unk_token
  183. self.max_input_chars_per_word = max_input_chars_per_word
  184. def tokenize(self, text):
  185. """
  186. Tokenizes a piece of text into its word pieces. This uses a greedy longest-match-first algorithm to perform
  187. tokenization using the given vocabulary.
  188. For example, `input = "unaffable"` wil return as output `["un", "##aff", "##able"]`.
  189. Args:
  190. text: A single token or whitespace separated tokens. This should have
  191. already been passed through *BasicTokenizer*.
  192. Returns:
  193. A list of wordpiece tokens.
  194. """
  195. output_tokens = []
  196. for token in whitespace_tokenize(text):
  197. chars = list(token)
  198. if len(chars) > self.max_input_chars_per_word:
  199. output_tokens.append(self.unk_token)
  200. continue
  201. is_bad = False
  202. start = 0
  203. sub_tokens = []
  204. while start < len(chars):
  205. end = len(chars)
  206. cur_substr = None
  207. while start < end:
  208. substr = "".join(chars[start:end])
  209. if start > 0:
  210. substr = "##" + substr
  211. if substr in self.vocab:
  212. cur_substr = substr
  213. break
  214. end -= 1
  215. if cur_substr is None:
  216. is_bad = True
  217. break
  218. sub_tokens.append(cur_substr)
  219. start = end
  220. if is_bad:
  221. output_tokens.append(self.unk_token)
  222. else:
  223. output_tokens.extend(sub_tokens)
  224. return output_tokens
  225. def load_vocab(vocab_file):
  226. """Loads a vocabulary file into a dictionary."""
  227. vocab = collections.OrderedDict()
  228. with open(vocab_file, "r", encoding="utf-8") as reader:
  229. tokens = reader.readlines()
  230. for index, token in enumerate(tokens):
  231. token = token.rstrip("\n")
  232. vocab[token] = index
  233. return vocab
  234. class ProphetNetTokenizer(PreTrainedTokenizer):
  235. r"""
  236. Construct a ProphetNetTokenizer. Based on WordPiece.
  237. This tokenizer inherits from [`PreTrainedTokenizer`] which contains most of the main methods. Users should refer to
  238. this superclass for more information regarding those methods.
  239. Args:
  240. vocab_file (`str`):
  241. File containing the vocabulary.
  242. do_lower_case (`bool`, *optional*, defaults to `True`):
  243. Whether or not to lowercase the input when tokenizing.
  244. do_basic_tokenize (`bool`, *optional*, defaults to `True`):
  245. Whether or not to do basic tokenization before WordPiece.
  246. never_split (`Iterable`, *optional*):
  247. Collection of tokens which will never be split during tokenization. Only has an effect when
  248. `do_basic_tokenize=True`
  249. unk_token (`str`, *optional*, defaults to `"[UNK]"`):
  250. The unknown token. A token that is not in the vocabulary cannot be converted to an ID and is set to be this
  251. token instead.
  252. sep_token (`str`, *optional*, defaults to `"[SEP]"`):
  253. The separator token, which is used when building a sequence from multiple sequences, e.g. two sequences for
  254. sequence classification or for a text and a question for question answering. It is also used as the last
  255. token of a sequence built with special tokens.
  256. x_sep_token (`str`, *optional*, defaults to `"[X_SEP]"`):
  257. Special second separator token, which can be generated by [`ProphetNetForConditionalGeneration`]. It is
  258. used to separate bullet-point like sentences in summarization, *e.g.*.
  259. pad_token (`str`, *optional*, defaults to `"[PAD]"`):
  260. The token used for padding, for example when batching sequences of different lengths.
  261. mask_token (`str`, *optional*, defaults to `"[MASK]"`):
  262. The token used for masking values. This is the token used when training this model with masked language
  263. modeling. This is the token which the model will try to predict.
  264. tokenize_chinese_chars (`bool`, *optional*, defaults to `True`):
  265. Whether or not to tokenize Chinese characters.
  266. This should likely be deactivated for Japanese (see this
  267. [issue](https://github.com/huggingface/transformers/issues/328)).
  268. strip_accents (`bool`, *optional*):
  269. Whether or not to strip all accents. If this option is not specified, then it will be determined by the
  270. value for `lowercase` (as in the original BERT).
  271. clean_up_tokenization_spaces (`bool`, *optional*, defaults to `True`):
  272. Whether or not to cleanup spaces after decoding, cleanup consists in removing potential artifacts like
  273. extra spaces.
  274. """
  275. vocab_files_names = VOCAB_FILES_NAMES
  276. # first name has to correspond to main model input name
  277. # to make sure `tokenizer.pad(...)` works correctly
  278. # `ProphetNet` doesn't have `token_type_ids` as argument.
  279. model_input_names: List[str] = ["input_ids", "attention_mask"]
  280. def __init__(
  281. self,
  282. vocab_file: str,
  283. do_lower_case: Optional[bool] = True,
  284. do_basic_tokenize: Optional[bool] = True,
  285. never_split: Optional[Iterable] = None,
  286. unk_token: Optional[str] = "[UNK]",
  287. sep_token: Optional[str] = "[SEP]",
  288. x_sep_token: Optional[str] = "[X_SEP]",
  289. pad_token: Optional[str] = "[PAD]",
  290. mask_token: Optional[str] = "[MASK]",
  291. tokenize_chinese_chars: Optional[bool] = True,
  292. strip_accents: Optional[bool] = None,
  293. clean_up_tokenization_spaces: bool = True,
  294. **kwargs,
  295. ):
  296. if not os.path.isfile(vocab_file):
  297. raise ValueError(
  298. f"Can't find a vocabulary file at path '{vocab_file}'. To load the vocabulary from a Google pretrained"
  299. " model use `tokenizer = AutoTokenizer.from_pretrained(PRETRAINED_MODEL_NAME)`"
  300. )
  301. self.vocab = load_vocab(vocab_file)
  302. self.ids_to_tokens = collections.OrderedDict([(ids, tok) for tok, ids in self.vocab.items()])
  303. self.do_basic_tokenize = do_basic_tokenize
  304. if do_basic_tokenize:
  305. self.basic_tokenizer = BasicTokenizer(
  306. do_lower_case=do_lower_case,
  307. never_split=never_split,
  308. tokenize_chinese_chars=tokenize_chinese_chars,
  309. strip_accents=strip_accents,
  310. )
  311. self.wordpiece_tokenizer = WordpieceTokenizer(vocab=self.vocab, unk_token=str(unk_token))
  312. super().__init__(
  313. do_lower_case=do_lower_case,
  314. do_basic_tokenize=do_basic_tokenize,
  315. never_split=never_split,
  316. unk_token=unk_token,
  317. sep_token=sep_token,
  318. x_sep_token=x_sep_token,
  319. pad_token=pad_token,
  320. mask_token=mask_token,
  321. tokenize_chinese_chars=tokenize_chinese_chars,
  322. strip_accents=strip_accents,
  323. clean_up_tokenization_spaces=clean_up_tokenization_spaces,
  324. **kwargs,
  325. )
  326. @property
  327. def vocab_size(self):
  328. return len(self.vocab)
  329. def get_vocab(self):
  330. return dict(self.vocab, **self.added_tokens_encoder)
  331. def _tokenize(self, text):
  332. split_tokens = []
  333. if self.do_basic_tokenize:
  334. for token in self.basic_tokenizer.tokenize(text, never_split=self.all_special_tokens):
  335. # If the token is part of the never_split set
  336. if token in self.basic_tokenizer.never_split:
  337. split_tokens.append(token)
  338. else:
  339. split_tokens += self.wordpiece_tokenizer.tokenize(token)
  340. else:
  341. split_tokens = self.wordpiece_tokenizer.tokenize(text)
  342. return split_tokens
  343. def _convert_token_to_id(self, token: str):
  344. """Converts a token (str) in an id using the vocab."""
  345. return self.vocab.get(token, self.vocab.get(self.unk_token))
  346. def _convert_id_to_token(self, index: int):
  347. """Converts an index (integer) in a token (str) using the vocab."""
  348. return self.ids_to_tokens.get(index, self.unk_token)
  349. def convert_tokens_to_string(self, tokens: str):
  350. """Converts a sequence of tokens (string) in a single string."""
  351. out_string = " ".join(tokens).replace(" ##", "").strip()
  352. return out_string
  353. def get_special_tokens_mask(
  354. self,
  355. token_ids_0: List[int],
  356. token_ids_1: Optional[List[int]] = None,
  357. already_has_special_tokens: Optional[bool] = False,
  358. ) -> List[int]:
  359. """
  360. Retrieve sequence ids from a token list that has no special tokens added. This method is called when adding
  361. special tokens using the tokenizer `prepare_for_model` method.
  362. Args:
  363. token_ids_0 (`List[int]`):
  364. List of IDs.
  365. token_ids_1 (`List[int]`, *optional*):
  366. Optional second list of IDs for sequence pairs.
  367. already_has_special_tokens (`bool`, *optional*, defaults to `False`):
  368. Whether or not the token list is already formatted with special tokens for the model.
  369. Returns:
  370. `List[int]`: A list of integers in the range [0, 1]: 1 for a special token, 0 for a sequence token.
  371. """
  372. if already_has_special_tokens:
  373. return super().get_special_tokens_mask(
  374. token_ids_0=token_ids_0, token_ids_1=token_ids_1, already_has_special_tokens=True
  375. )
  376. if token_ids_1 is None:
  377. return ([0] * len(token_ids_0)) + [1]
  378. return ([0] * len(token_ids_0)) + [1] + ([0] * len(token_ids_1)) + [1]
  379. def create_token_type_ids_from_sequences(
  380. self, token_ids_0: List[int], token_ids_1: Optional[List[int]] = None
  381. ) -> List[int]:
  382. """
  383. Create a mask from the two sequences passed to be used in a sequence-pair classification task. A ProphetNet
  384. sequence pair mask has the following format:
  385. ```
  386. 0 0 0 0 0 0 0 0 0 0 0 1 1 1 1 1 1 1 1 1
  387. | first sequence | second sequence |
  388. ```
  389. If `token_ids_1` is `None`, this method only returns the first portion of the mask (0s).
  390. Args:
  391. token_ids_0 (`List[int]`):
  392. List of IDs.
  393. token_ids_1 (`List[int]`, *optional*):
  394. Optional second list of IDs for sequence pairs.
  395. Returns:
  396. `List[int]`: List of [token type IDs](../glossary#token-type-ids) according to the given sequence(s).
  397. """
  398. sep = [self.sep_token_id]
  399. if token_ids_1 is None:
  400. return len(token_ids_0 + sep) * [0]
  401. return len(token_ids_0 + sep) * [0] + len(token_ids_1 + sep) * [1]
  402. def save_vocabulary(self, save_directory: str, filename_prefix: Optional[str] = None) -> Tuple[str]:
  403. index = 0
  404. if os.path.isdir(save_directory):
  405. vocab_file = os.path.join(
  406. save_directory, (filename_prefix + "-" if filename_prefix else "") + VOCAB_FILES_NAMES["vocab_file"]
  407. )
  408. else:
  409. vocab_file = (filename_prefix + "-" if filename_prefix else "") + save_directory
  410. with open(vocab_file, "w", encoding="utf-8") as writer:
  411. for token, token_index in sorted(self.vocab.items(), key=lambda kv: kv[1]):
  412. if index != token_index:
  413. logger.warning(
  414. f"Saving vocabulary to {vocab_file}: vocabulary indices are not consecutive."
  415. " Please check that the vocabulary is not corrupted!"
  416. )
  417. index = token_index
  418. writer.write(token + "\n")
  419. index += 1
  420. return (vocab_file,)
  421. def build_inputs_with_special_tokens(
  422. self, token_ids_0: List[int], token_ids_1: Optional[List[int]] = None
  423. ) -> List[int]:
  424. """
  425. Build model inputs from a sequence or a pair of sequence for sequence classification tasks by concatenating and
  426. adding special tokens. A BERT sequence has the following format:
  427. - single sequence: `[CLS] X [SEP]`
  428. - pair of sequences: `[CLS] A [SEP] B [SEP]`
  429. Args:
  430. token_ids_0 (`List[int]`):
  431. List of IDs to which the special tokens will be added.
  432. token_ids_1 (`List[int]`, *optional*):
  433. Optional second list of IDs for sequence pairs.
  434. Returns:
  435. `List[int]`: List of [input IDs](../glossary#input-ids) with the appropriate special tokens.
  436. """
  437. if token_ids_1 is None:
  438. return token_ids_0 + [self.sep_token_id]
  439. sep = [self.sep_token_id]
  440. return token_ids_0 + sep + token_ids_1 + sep