Spaces:
Runtime error
Runtime error
File size: 11,217 Bytes
431425d | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 | """Create a shared vocabulary to keep models consistent.
Load tokenmonster with tokenmonster/...
Load tiktoken with tiktoken/${model-name}
"""
import argparse
import collections
import functools
import json
import logging
import operator as op
import os
import re
from typing import List, Optional
import tokenizers
import transformers
import yaml
from xarch_tokenizers.models import load_tokenizer as hf_load_tokenizer
from xarch_tokenizers.utils import system
Vocab = dict[str, list[int]]
parser = argparse.ArgumentParser(description="Create a Super Vocab of all vocabs.")
parser.add_argument("--tokenizers", required=True, nargs="+")
parser.add_argument("--output_dir", default="vocabs")
logging.basicConfig(level=logging.INFO)
ALIGNED_BOS = "~SPECIAL~ALIGNED~BOS~SYMBOL~"
class Tokenizer:
"""Tokenizer wrapper that unifies interface."""
def __init__(self, name: str, tokenizer):
self._name = name
self.tokenizer = tokenizer
@property
def name(self):
return self._name
def get_vocab_size(self):
return self.tokenizer.get_vocab_size()
def get_token(self, i):
raise NotImplementedError
def get_bos_str(self):
raise NotImplementedError
def info(self):
raise NotImplementedError
@classmethod
def load(cls, name):
if name.startswith("tokenmonster"):
return TokenMonsterTokenizer.load(name)
if name.startswith("tiktoken"):
tok = TikTokenTokenizer.load(name)
import code
code.interact(local=locals() | globals())
return tok
if "tekken" in name:
return MistralTokenizer.load(name)
return HFTokenizer.load(name)
class HFTokenizer(Tokenizer):
def __init__(self, *args, bos_str: str | None = None, **kwargs):
super().__init__(*args, **kwargs)
self.bos_str = bos_str
def info(self):
return {"data": {"tokenizer": {"name": "huggingface", "path": self.name}}}
def get_vocab_size(self):
if "byt5" in self.name:
return self.tokenizer.vocab_size
return self.tokenizer.get_vocab_size()
def get_token(self, i):
if "byt5" in self.name:
token = self.tokenizer.convert_ids_to_tokens(i)
# We are a special value.
if len(token) > 1:
return token
as_int = ord(token)
as_bytes = bytes([as_int])
try:
return as_bytes.decode("utf-8")
except UnicodeDecodeError:
return as_int # as_bytes
t = self.tokenizer.id_to_token(i)
if t == self.bos_str:
return ALIGNED_BOS
if isinstance(self.tokenizer.model, tokenizers.models.WordPiece):
# If it is not a continuation character, then it is the start of a word. Other tokenizers start the word with a subword token that has a space to start.
if not t.startswith("##"):
return f" {t}"
return re.sub(r"##([^#])", r"\1", t)
if isinstance(self.tokenizer.model, tokenizers.models.Unigram) or any(
n in self.name for n in ("gemma", "Phi-3", "Mistral-7B-Instruct-v0.3")
):
# Replace whitespace handling with actual whitespace.
return t.replace("▁", " ")
# BPE models.
return real_unicode(t)
@classmethod
def load(cls, name):
if system.get_host() == system.Hosts.vector:
name = system.VECTOR_HF_MAPPING.get(name, name)
try:
tok = hf_load_tokenizer(name)
except:
tok = transformers.AutoTokenizer.from_pretrained(name)
sts = getattr(tok, "special_tokens_map", {})
if "bert" in name:
bos_str = sts.get("cls_token")
elif "t5" in name:
bos_str = sts.get("pad_token")
else:
bos_str = sts.get("bos_token")
if hasattr(tok, "_tokenizer"):
tok = tok._tokenizer
return cls(name, tok, bos_str=bos_str)
# Note, GPT4 and GPT4o don't have BOS
class TikTokenTokenizer(Tokenizer):
def info(self):
return {
"data": {"tokenizer": {"name": "tiktoken", "path": self.name.split("/")[1]}}
}
def get_token(self, i):
try:
b = self.tokenizer.decode_single_token_bytes(i)
except KeyError:
return f"~~~~~undefined {i}~~~~~~"
return b.decode("latin-1")
def get_vocab_size(self):
return self.tokenizer.n_vocab
@classmethod
def load(cls, name):
import tiktoken
tok = tiktoken.encoding_for_model(name.split("/")[1])
return cls(name, tok)
def encode(self, s: str, return_tensors: Optional[str] = None, **kwargs):
ids = self.tokenizer.encode(s)
if return_tensors == "pt":
import torch
return torch.tensor([ids], dtype=torch.long)
return ids
class TokenMonsterTokenizer(Tokenizer):
def info(self):
return {
"data": {
"tokenizer": {"name": "tokenmonster", "path": self.name.split("/")[-1]}
}
}
def get_token(self, i):
return self.tokenizer.id_to_token(i)
def get_vocab_size(self):
return self.tokenizer.vocab_size
def encode(self, s: str, return_tensors: Optional[str] = None, **kwargs):
ids = self.tokenizer.tokenize(s)
if return_tensors == "pt":
import torch
return torch.tensor([ids], dtype=torch.long)
return ids
def decode(self, tokens: List[int]):
return self.tokenizer.decode(tokens)
@classmethod
def load(cls, name):
import tokenmonster
tok = tokenmonster.load(name.split("/")[-1])
return cls(name, tok)
class MistralTokenizer(Tokenizer):
def info(self):
return {"data": {"tokenizer": {"name": "tekken", "path": "tekken"}}}
def get_token(self, i):
if i == self.tokenizer.bos_id:
return ALIGNED_BOS
return self.tokenizer.id_to_piece(i)
def get_vocab_size(self):
return self.tokenizer.n_words
@classmethod
def load(cls, name):
from mistral_common.tokens.tokenizers.mistral import MistralTokenizer
tok = MistralTokenizer.v3(is_tekken=True)
tok = tok.instruct_tokenizer.tokenizer
return cls(name, tok)
def encode(self, s: str, return_tensors: Optional[str] = None, **kwargs):
ids = self.tokenizer.encode(s, bos=False, eos=False)
if return_tensors == "pt":
import torch
return torch.tensor([ids], dtype=torch.long)
return ids
# Copied from transformers.models.gpt2.tokenization_gpt2.bytes_to_unicode
def bytes_to_unicode():
"""
Returns list of utf-8 byte and a mapping to unicode strings. We specifically avoids mapping to whitespace/control
characters the bpe code barfs on.
The reversible bpe codes work on unicode strings. This means you need a large # of unicode characters in your vocab
if you want to avoid UNKs. When you're at something like a 10B token dataset you end up needing around 5K for
decent coverage. This is a significant percentage of your normal, say, 32K bpe vocab. To avoid that, we want lookup
tables between utf-8 bytes and unicode strings.
"""
bs = (
list(range(ord("!"), ord("~") + 1))
+ list(range(ord("¡"), ord("¬") + 1))
+ list(range(ord("®"), ord("ÿ") + 1))
)
cs = bs[:]
n = 0
for b in range(2**8):
if b not in bs:
bs.append(b)
cs.append(2**8 + n)
n += 1
cs = [chr(n) for n in cs]
return dict(zip(bs, cs))
BYTES_TO_UNICODE = bytes_to_unicode()
UNICODE_TO_BYTES = {v: k for k, v in BYTES_TO_UNICODE.items()}
def real_unicode(word: str) -> str:
bytes_word = []
for c in word:
if c != " ":
if c in UNICODE_TO_BYTES:
c = chr(UNICODE_TO_BYTES[c])
bytes_word.append(c.encode("utf-8"))
return b"".join(bytes_word).decode("utf-8")
def make_vocab(tok: Tokenizer) -> Vocab:
# Track multiple values because tekken and tokenmonster are weird
vocab = collections.defaultdict(list)
for i in range(tok.get_vocab_size()):
vocab[tok.get_token(i)].append(i)
if len(vocab) != tok.get_vocab_size():
logging.error(
"Built vocab size (%d) does not match declared vocab size (%d) for %s",
len(vocab),
tok.get_vocab_size(),
tok.name,
)
return vocab
def to_bytes(s: bytes | str | int) -> bytes:
if isinstance(s, str):
s = s.encode("utf-8")
if isinstance(s, int):
s = bytes([s])
# Now s is def bytes
return s
def join_vocabs(vocabs: dict[str, Vocab]) -> Vocab:
joint = functools.reduce(op.or_, [v.keys() for v in vocabs.values()])
return {s: i for i, s in enumerate(sorted(joint, key=to_bytes))}
def align_to_super(super_vocab, model_vocab):
alignment = {}
for piece, idxs in model_vocab.items():
super_idx = super_vocab[piece]
for i in idxs:
alignment[i] = super_idx
return alignment
def main(args):
logging.info("Loading Tokenizers.")
tokenizers: dict[str, tokenizers.Tokenizer] = {
name: Tokenizer.load(name) for name in args.tokenizers
}
logging.info("Extracting Vocabularies.")
tokenizer_vocabs: dict[str, Vocab] = {
name: make_vocab(tokenizer) for name, tokenizer in tokenizers.items()
}
logging.info("Creating super set vocabulary")
super_vocab = join_vocabs(tokenizer_vocabs)
logging.info("Super set vocabulary has %d items", len(super_vocab))
# Save the super vocab
os.makedirs(args.output_dir, exist_ok=True)
with open(d := os.path.join(args.output_dir, "super_vocab.json"), "w") as wf:
logging.info("Saving super set vocab to '%s'", d)
json.dump(super_vocab, wf)
# Save each vocab mapping
for name, vocab in tokenizer_vocabs.items():
# Replace / with -- like the huggingface caching code does.
with open(
d := os.path.join(
args.output_dir, f"{name.replace('/', '--')}_super_mapping.json"
),
"w",
) as wf:
logging.info("Saving vocab mapping for %s to '%s'", name, d)
json.dump(align_to_super(super_vocab, vocab), wf)
with open(
d := os.path.join(args.output_dir, f"{name.replace('/', '--')}_vocab.json"),
"w",
) as wf:
logging.info("Saving vocab for %s to '%s'", name, d)
json.dump(vocab, wf)
with open(
d := os.path.join(args.output_dir, f"{name.replace('/', '--')}_info.json"),
"w",
) as wf:
logging.info("Saving tokenizer info for %s to '%s'", name, d)
json.dump(tokenizers[name].info(), wf)
with open(
d := os.path.join(args.output_dir, f"{name.replace('/', '--')}.yaml"), "w"
) as wf:
logging.info("Saving tokenizer info for %s to '%s'", name, d)
yaml.dump(tokenizers[name].info(), wf)
|