File size: 9,663 Bytes
27871e7 |
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 |
"""
Custom BPE Tokenizer for SLM v1.
16,384 vocabulary size optimized for conversational use.
"""
import os
import json
from typing import List, Optional, Union
from tokenizers import Tokenizer, models, trainers, pre_tokenizers, processors, decoders
from tokenizers.normalizers import NFKC, Lowercase, Sequence
class SLMTokenizer:
"""Custom BPE tokenizer for the SLM model.
Features:
- 16,384 token vocabulary (memory efficient)
- Special tokens for conversation format
- Compatible with the model's embedding layer
"""
# Special tokens
PAD_TOKEN = "<|pad|>"
BOS_TOKEN = "<|bos|>"
EOS_TOKEN = "<|eos|>"
UNK_TOKEN = "<|unk|>"
USER_TOKEN = "<|user|>"
ASSISTANT_TOKEN = "<|assistant|>"
SPECIAL_TOKENS = [PAD_TOKEN, BOS_TOKEN, EOS_TOKEN, UNK_TOKEN, USER_TOKEN, ASSISTANT_TOKEN]
def __init__(self, tokenizer: Optional[Tokenizer] = None):
"""Initialize tokenizer.
Args:
tokenizer: Pre-trained HuggingFace tokenizer object
"""
self.tokenizer = tokenizer
self._setup_special_token_ids()
def _setup_special_token_ids(self):
"""Setup special token IDs for easy access."""
if self.tokenizer is not None:
self.pad_token_id = self.tokenizer.token_to_id(self.PAD_TOKEN)
self.bos_token_id = self.tokenizer.token_to_id(self.BOS_TOKEN)
self.eos_token_id = self.tokenizer.token_to_id(self.EOS_TOKEN)
self.unk_token_id = self.tokenizer.token_to_id(self.UNK_TOKEN)
self.user_token_id = self.tokenizer.token_to_id(self.USER_TOKEN)
self.assistant_token_id = self.tokenizer.token_to_id(self.ASSISTANT_TOKEN)
@classmethod
def train(
cls,
files: List[str],
vocab_size: int = 16384,
min_frequency: int = 2,
save_path: Optional[str] = None,
) -> "SLMTokenizer":
"""Train a new BPE tokenizer on the given files.
Args:
files: List of text file paths to train on
vocab_size: Size of vocabulary (default 16,384)
min_frequency: Minimum token frequency to include
save_path: Optional path to save the trained tokenizer
Returns:
Trained SLMTokenizer instance
"""
print(f"Training BPE tokenizer with vocab_size={vocab_size}...")
print(f"Training files: {files}")
# Initialize a BPE tokenizer
tokenizer = Tokenizer(models.BPE(unk_token=cls.UNK_TOKEN))
# Set up normalizer (optional - keeps text mostly as-is)
# We use NFKC normalization to standardize unicode
tokenizer.normalizer = NFKC()
# Set up pre-tokenizer (splits on whitespace and punctuation)
tokenizer.pre_tokenizer = pre_tokenizers.ByteLevel(add_prefix_space=False)
# Set up decoder
tokenizer.decoder = decoders.ByteLevel()
# Set up trainer
trainer = trainers.BpeTrainer(
vocab_size=vocab_size,
min_frequency=min_frequency,
special_tokens=cls.SPECIAL_TOKENS,
show_progress=True,
)
# Train the tokenizer
tokenizer.train(files, trainer)
# Set up post-processor for adding special tokens
tokenizer.post_processor = processors.TemplateProcessing(
single=f"{cls.BOS_TOKEN} $A {cls.EOS_TOKEN}",
pair=f"{cls.BOS_TOKEN} $A {cls.EOS_TOKEN} {cls.BOS_TOKEN} $B {cls.EOS_TOKEN}",
special_tokens=[
(cls.BOS_TOKEN, tokenizer.token_to_id(cls.BOS_TOKEN)),
(cls.EOS_TOKEN, tokenizer.token_to_id(cls.EOS_TOKEN)),
],
)
print(f"Tokenizer trained! Vocabulary size: {tokenizer.get_vocab_size()}")
# Create instance
instance = cls(tokenizer)
# Save if path provided
if save_path:
instance.save(save_path)
return instance
@classmethod
def from_file(cls, path: str) -> "SLMTokenizer":
"""Load a tokenizer from a saved file.
Args:
path: Path to the tokenizer.json file
Returns:
Loaded SLMTokenizer instance
"""
tokenizer = Tokenizer.from_file(path)
return cls(tokenizer)
def save(self, path: str):
"""Save the tokenizer to a file.
Args:
path: Path to save the tokenizer (directory or file)
"""
if os.path.isdir(path):
save_path = os.path.join(path, "tokenizer.json")
else:
save_path = path
os.makedirs(os.path.dirname(save_path), exist_ok=True)
self.tokenizer.save(save_path)
print(f"Tokenizer saved to: {save_path}")
# Also save config
config_path = save_path.replace("tokenizer.json", "tokenizer_config.json")
config = {
"vocab_size": self.vocab_size,
"pad_token": self.PAD_TOKEN,
"bos_token": self.BOS_TOKEN,
"eos_token": self.EOS_TOKEN,
"unk_token": self.UNK_TOKEN,
"user_token": self.USER_TOKEN,
"assistant_token": self.ASSISTANT_TOKEN,
}
with open(config_path, "w") as f:
json.dump(config, f, indent=2)
print(f"Tokenizer config saved to: {config_path}")
def encode(
self,
text: str,
add_special_tokens: bool = True,
max_length: Optional[int] = None,
padding: bool = False,
truncation: bool = False,
) -> List[int]:
"""Encode text to token IDs.
Args:
text: Input text string
add_special_tokens: Whether to add BOS/EOS tokens
max_length: Maximum sequence length
padding: Whether to pad to max_length
truncation: Whether to truncate to max_length
Returns:
List of token IDs
"""
# Encode
if add_special_tokens:
encoding = self.tokenizer.encode(text)
else:
encoding = self.tokenizer.encode(text, add_special_tokens=False)
ids = encoding.ids
# Truncation
if truncation and max_length and len(ids) > max_length:
ids = ids[:max_length]
# Ensure EOS at end if we had special tokens
if add_special_tokens and ids[-1] != self.eos_token_id:
ids[-1] = self.eos_token_id
# Padding
if padding and max_length and len(ids) < max_length:
ids = ids + [self.pad_token_id] * (max_length - len(ids))
return ids
def decode(self, ids: List[int], skip_special_tokens: bool = True) -> str:
"""Decode token IDs to text.
Args:
ids: List of token IDs
skip_special_tokens: Whether to remove special tokens
Returns:
Decoded text string
"""
return self.tokenizer.decode(ids, skip_special_tokens=skip_special_tokens)
def encode_conversation(
self,
user_message: str,
assistant_message: Optional[str] = None,
max_length: Optional[int] = None,
) -> List[int]:
"""Encode a conversation turn.
Format: <|bos|><|user|>message<|assistant|>response<|eos|>
Args:
user_message: The user's message
assistant_message: Optional assistant response
max_length: Maximum sequence length
Returns:
List of token IDs
"""
# Build conversation string
if assistant_message:
text = f"{self.USER_TOKEN}{user_message}{self.ASSISTANT_TOKEN}{assistant_message}"
else:
# For inference - no response yet
text = f"{self.USER_TOKEN}{user_message}{self.ASSISTANT_TOKEN}"
return self.encode(text, add_special_tokens=True, max_length=max_length, truncation=True)
@property
def vocab_size(self) -> int:
"""Get vocabulary size."""
return self.tokenizer.get_vocab_size()
def get_vocab(self) -> dict:
"""Get the vocabulary as a dictionary."""
return self.tokenizer.get_vocab()
def __len__(self) -> int:
"""Return vocabulary size."""
return self.vocab_size
def __call__(
self,
text: Union[str, List[str]],
max_length: Optional[int] = None,
padding: bool = False,
truncation: bool = False,
return_tensors: Optional[str] = None,
) -> dict:
"""Tokenize text (HuggingFace-style interface).
Args:
text: Input text or list of texts
max_length: Maximum sequence length
padding: Whether to pad sequences
truncation: Whether to truncate sequences
return_tensors: If "pt", return PyTorch tensors
Returns:
Dictionary with input_ids and attention_mask
"""
if isinstance(text, str):
text = [text]
all_ids = []
for t in text:
ids = self.encode(
t,
max_length=max_length,
padding=padding,
truncation=truncation,
)
all_ids.append(ids)
# Create attention mask (1 for real tokens, 0 for padding)
attention_mask = [[1 if id != self.pad_token_id else 0 for id in ids] for ids in all_ids]
result = {
"input_ids": all_ids,
"attention_mask": attention_mask,
}
if return_tensors == "pt":
import torch
result["input_ids"] = torch.tensor(all_ids)
result["attention_mask"] = torch.tensor(attention_mask)
return result
|