File size: 16,359 Bytes
858e8b2 8a58ffe 858e8b2 8a58ffe 858e8b2 8a58ffe 858e8b2 8a58ffe 858e8b2 8a58ffe 858e8b2 8a58ffe 8a39fec 858e8b2 8a39fec 858e8b2 8a39fec 858e8b2 8a39fec 8a58ffe 0cd5689 858e8b2 8a58ffe 1a63fd0 8a58ffe 858e8b2 8a39fec 858e8b2 8a58ffe 858e8b2 8a58ffe 858e8b2 8a58ffe 858e8b2 8a58ffe 858e8b2 8a58ffe 858e8b2 8a58ffe 858e8b2 8a58ffe 858e8b2 8a58ffe 858e8b2 8a58ffe 858e8b2 8a58ffe 858e8b2 8a58ffe 858e8b2 8a58ffe 858e8b2 8a58ffe 858e8b2 8a39fec 858e8b2 8a58ffe 858e8b2 8a39fec 8a58ffe 858e8b2 8a39fec 8a58ffe 8a39fec 8a58ffe 858e8b2 8a58ffe 858e8b2 8a58ffe 858e8b2 8a58ffe 858e8b2 8a58ffe 1a63fd0 8a58ffe 858e8b2 8a58ffe 8672e7f 8a58ffe 858e8b2 8a58ffe 858e8b2 8a58ffe a424729 3541707 a424729 a8a9cbe a424729 8a58ffe 858e8b2 8a58ffe 858e8b2 8a58ffe | 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 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 | """Streaming dataset — sequence packing and validation dataset."""
from typing import Iterator, List, Dict, Optional
import torch
from torch.utils.data import IterableDataset, DataLoader
from llm_lab.config import DataConfig
from .tokenizer import Tokenizer
class PackedStreamingDataset(IterableDataset):
"""Streaming + sequence packing dataset.
Why sequence packing?
- Naive approach: truncate each document to max_seq_len with padding → wastes GPU
- Sequence packing: concatenate multiple documents to fill max_seq_len → 100% utilization
How it works:
Doc1 (300 tokens) + Doc2 (1500 tokens) + Doc3 (248 tokens) = 2048 tokens
→ [Doc1][EOS][Doc2][EOS][Doc3][EOS][... no padding, fits exactly]
Why streaming?
- FineWeb-Edu 10B samples: tens of GB even when compressed
- Full download not feasible on Colab disk limit (~200GB)
- Streaming: reads from the network only as much as needed
Notes for training:
- EOS token inserted at document boundaries so the model recognizes end-of-document
- EOS naturally serves as a boundary marker without cross-attention masking
"""
def __init__(
self,
tokenizer: Tokenizer,
config: DataConfig,
split: str = "train",
seed: int = 42,
):
super().__init__()
self.tokenizer = tokenizer
self.config = config
self.split = split
self.seed = seed
self.max_seq_len = config.max_seq_len
def _load_dataset(self, num_shards: int = 1, shard_index: int = 0):
"""Loads the HuggingFace dataset in streaming mode.
Args:
num_shards: Total number of shards (= DataLoader num_workers)
shard_index: The shard index this worker is responsible for (0 ~ num_shards-1)
Sharding principle:
With num_shards=4, the stream is split into 4 equal parts so each worker
processes a distinct 1/4. Shuffling is applied after sharding so there is
no document overlap between workers.
"""
from datasets import load_dataset
ds = load_dataset(
self.config.dataset_name,
name=self.config.dataset_subset,
split=self.split,
streaming=True, # Key: streaming mode
trust_remote_code=True,
token=self.config.hf_token,
)
# Full partitioning (sharding): worker i processes only 1/num_shards of the stream
# Must be applied before shuffling so each worker has a non-overlapping set of documents
if num_shards > 1:
ds = ds.shard(num_shards=num_shards, index=shard_index)
# Shuffle (approximate buffer-based shuffle in streaming mode)
ds = ds.shuffle(seed=self.seed, buffer_size=10_000)
return ds
def _tokenize_and_pack(self, dataset) -> Iterator[Dict[str, torch.Tensor]]:
"""Tokenizes documents and packs them into sequences.
Yields:
{"input_ids": (max_seq_len,), "targets": (max_seq_len,)}
targets = input_ids shifted by one position:
input_ids: [A, B, C, D, E]
targets: [B, C, D, E, F]
→ The model sees A and predicts B, sees B and predicts C, ...
"""
buffer: List[int] = [] # Token buffer
for example in dataset:
text = example[self.config.text_column]
if not text or not text.strip():
continue
# Tokenize (without special tokens)
token_ids = self.tokenizer.encode(text, add_special_tokens=False)
if not token_ids:
continue
# Append EOS token (marks document boundary)
if self.config.use_eos_separator:
token_ids.append(self.tokenizer.eos_id)
# Add to buffer
buffer.extend(token_ids)
# Generate sequences once the buffer is full enough
# +1 is needed to generate targets (input + next token)
while len(buffer) >= self.max_seq_len + 1:
# Extract max_seq_len + 1 tokens
chunk = buffer[: self.max_seq_len + 1]
buffer = buffer[self.max_seq_len + 1 :]
# input_ids: from the first to the second-to-last token
input_ids = torch.tensor(chunk[:-1], dtype=torch.long)
# targets: from the second to the last token (shifted by one)
targets = torch.tensor(chunk[1:], dtype=torch.long)
yield {"input_ids": input_ids, "targets": targets}
def __iter__(self) -> Iterator[Dict[str, torch.Tensor]]:
"""Iterator called by DataLoader.
Multi-worker support (full partitioning approach):
- Previous: all workers read the same stream with different seeds → possible document duplication
- Improved: ds.shard() splits the stream into num_workers parts → no document overlap between workers
Example (num_workers=4, total N documents):
Worker 0: docs 0, 4, 8, 12, ... (N/4 docs)
Worker 1: docs 1, 5, 9, 13, ... (N/4 docs)
Worker 2: docs 2, 6, 10, 14, ... (N/4 docs)
Worker 3: docs 3, 7, 11, 15, ... (N/4 docs)
"""
worker_info = torch.utils.data.get_worker_info()
if worker_info is not None:
# Full partitioning: assign a shard per worker + independent shuffle seed
num_shards = worker_info.num_workers
shard_index = worker_info.id
worker_seed = self.seed + worker_info.id
else:
# Single process: process the full stream without sharding
num_shards = 1
shard_index = 0
worker_seed = self.seed
self.seed = worker_seed
dataset = self._load_dataset(num_shards=num_shards, shard_index=shard_index)
return self._tokenize_and_pack(dataset)
class ValidationDataset:
"""Validation dataset.
Pre-fetches a fixed amount of data from the streaming dataset and stores it in memory.
Consistent data across evaluations is necessary for meaningful comparisons between epochs.
"""
def __init__(
self,
tokenizer: Tokenizer,
config: DataConfig,
num_samples: int = 100,
seed: int = 9999,
):
self.tokenizer = tokenizer
self.config = config
self.num_samples = num_samples
self.samples: List[Dict[str, torch.Tensor]] = []
self._prepare(seed)
def _prepare(self, seed: int):
"""Pre-extracts validation samples from the dataset."""
from datasets import load_dataset
print(f"[Validation] Preparing {self.num_samples} validation samples...")
ds = load_dataset(
self.config.dataset_name,
name=self.config.dataset_subset,
split=self.config.dataset_split,
streaming=True,
trust_remote_code=True,
token=self.config.hf_token,
)
# Use a different seed and skip the beginning to avoid overlap with training data
ds = ds.shuffle(seed=seed, buffer_size=5_000)
buffer: List[int] = []
count = 0
for example in ds:
if count >= self.num_samples:
break
text = example[self.config.text_column]
if not text or not text.strip():
continue
token_ids = self.tokenizer.encode(text, add_special_tokens=False)
if not token_ids:
continue
if self.config.use_eos_separator:
token_ids.append(self.tokenizer.eos_id)
buffer.extend(token_ids)
while len(buffer) >= self.config.max_seq_len + 1 and count < self.num_samples:
chunk = buffer[: self.config.max_seq_len + 1]
buffer = buffer[self.config.max_seq_len + 1 :]
self.samples.append({
"input_ids": torch.tensor(chunk[:-1], dtype=torch.long),
"targets": torch.tensor(chunk[1:], dtype=torch.long),
})
count += 1
print(f"[Validation] {len(self.samples)} samples ready")
def get_dataloader(self, batch_size: int) -> DataLoader:
"""Returns a validation DataLoader."""
return DataLoader(
self.samples,
batch_size=batch_size,
shuffle=False,
num_workers=0,
collate_fn=_collate_fn,
)
class MixedStreamingDataset(IterableDataset):
"""Interleaves multiple streaming datasets by sampling weight.
Used for Continual Pre-Training (CPT) to mix domain-specific data
(e.g., code) with general data to prevent catastrophic forgetting.
How it works:
- Maintains one PackedStreamingDataset per source
- At each yield, randomly selects a source according to mix_weights
- Each source independently packs and tokenizes its own stream
Example (Code CPT):
sources = [FineWeb-Edu (general), StarCoder (Python)]
weights = [0.2, 0.8] → 20% general, 80% code
"""
def __init__(
self,
tokenizer: "Tokenizer",
config: "DataConfig",
seed: int = 42,
):
super().__init__()
self.tokenizer = tokenizer
self.config = config
self.seed = seed
self.max_seq_len = config.max_seq_len
# Build dataset specs: primary + secondary datasets
self.dataset_specs = [
{
"name": config.dataset_name,
"subset": config.dataset_subset,
"split": config.dataset_split,
"text_column": config.text_column,
}
] + list(config.mix_datasets)
self.weights = config.mix_weights
assert len(self.weights) == len(self.dataset_specs), (
f"mix_weights length ({len(self.weights)}) must match "
f"number of datasets ({len(self.dataset_specs)})"
)
assert abs(sum(self.weights) - 1.0) < 1e-6, (
f"mix_weights must sum to 1.0, got {sum(self.weights)}"
)
def _load_single_dataset(self, spec: dict, num_shards: int, shard_index: int, seed: int):
"""Loads a single HuggingFace dataset in streaming mode."""
from datasets import load_dataset
load_kwargs: dict = {
"split": spec["split"],
"streaming": True,
"trust_remote_code": True,
"token": self.config.hf_token,
}
# Some datasets use named BuilderConfigs (name=), others organize by directory (data_dir=).
# e.g. fineweb-edu uses name="sample-10BT"; starcoderdata uses data_dir="python".
if spec.get("subset"):
load_kwargs["name"] = spec["subset"]
if spec.get("data_dir"):
load_kwargs["data_dir"] = spec["data_dir"]
ds = load_dataset(spec["name"], **load_kwargs)
if num_shards > 1:
ds = ds.shard(num_shards=num_shards, index=shard_index)
ds = ds.shuffle(seed=seed, buffer_size=10_000)
return ds
def _token_stream(self, dataset, text_column: str) -> Iterator[int]:
"""Yields tokens one-by-one from a dataset stream (with EOS separators).
Automatically retries with exponential backoff on transient network errors
(e.g. RemoteProtocolError from HuggingFace Hub streaming).
"""
import time
_NETWORK_EXC_NAMES = {
"RemoteProtocolError", "ProtocolError", "ConnectionError",
"ChunkedEncodingError", "ReadTimeout", "ConnectTimeout",
}
max_retries = 10
base_delay = 5.0
def _is_network_error(exc: Exception) -> bool:
for cls in type(exc).__mro__:
if cls.__name__ in _NETWORK_EXC_NAMES:
return True
return False
retry_count = 0
ds_iter = iter(dataset)
while True:
try:
example = next(ds_iter)
except StopIteration:
break
except Exception as e:
if _is_network_error(e) and retry_count < max_retries:
retry_count += 1
delay = min(base_delay * (2 ** (retry_count - 1)), 300.0)
print(
f"[Data] Network error ({type(e).__name__}), "
f"retrying in {delay:.0f}s "
f"(attempt {retry_count}/{max_retries}): {e}"
)
time.sleep(delay)
ds_iter = iter(dataset) # restart stream from beginning
continue
raise
retry_count = 0 # reset on success
text = example[text_column]
if not text or not text.strip():
continue
token_ids = self.tokenizer.encode(text, add_special_tokens=False)
if not token_ids:
continue
if self.config.use_eos_separator:
token_ids.append(self.tokenizer.eos_id)
yield from token_ids
def _pack_from_stream(self, token_iter: Iterator[int]) -> Iterator[List[int]]:
"""Packs token stream into max_seq_len+1 chunks."""
buffer: List[int] = []
for tok in token_iter:
buffer.append(tok)
if len(buffer) >= self.max_seq_len + 1:
yield buffer[: self.max_seq_len + 1]
buffer = buffer[self.max_seq_len + 1 :]
def __iter__(self) -> Iterator[Dict[str, torch.Tensor]]:
import random
worker_info = torch.utils.data.get_worker_info()
if worker_info is not None:
num_shards = worker_info.num_workers
shard_index = worker_info.id
worker_seed = self.seed + worker_info.id
else:
num_shards = 1
shard_index = 0
worker_seed = self.seed
rng = random.Random(worker_seed)
# Create a packed-sequence iterator for each dataset source
source_iters = []
for i, spec in enumerate(self.dataset_specs):
ds = self._load_single_dataset(
spec, num_shards, shard_index, seed=worker_seed + i * 1000
)
token_iter = self._token_stream(ds, spec["text_column"])
pack_iter = self._pack_from_stream(token_iter)
source_iters.append(pack_iter)
# Pre-fetch one chunk from each source (None = exhausted)
buffers: List[Optional[List[int]]] = [None] * len(source_iters)
for i, it in enumerate(source_iters):
try:
buffers[i] = next(it)
except StopIteration:
buffers[i] = None
# Weighted round-robin sampling
while any(b is not None for b in buffers):
# Build active weights (zero out exhausted sources)
active_weights = [
w if buffers[i] is not None else 0.0
for i, w in enumerate(self.weights)
]
total = sum(active_weights)
if total == 0:
break
# Weighted random selection
r = rng.random() * total
cumulative = 0.0
chosen = 0
for i, w in enumerate(active_weights):
cumulative += w
if r <= cumulative:
chosen = i
break
chunk = buffers[chosen]
input_ids = torch.tensor(chunk[:-1], dtype=torch.long)
targets = torch.tensor(chunk[1:], dtype=torch.long)
yield {"input_ids": input_ids, "targets": targets}
# Refill the chosen source
try:
buffers[chosen] = next(source_iters[chosen])
except StopIteration:
buffers[chosen] = None
def _collate_fn(batch: List[Dict[str, torch.Tensor]]) -> Dict[str, torch.Tensor]:
"""Combines samples in a batch into a single tensor.
Because of sequence packing, all samples have the same length (max_seq_len),
so no additional padding is needed.
"""
return {
"input_ids": torch.stack([s["input_ids"] for s in batch]),
"targets": torch.stack([s["targets"] for s in batch]),
}
|