Spaces:
Running on Zero
Running on Zero
File size: 30,160 Bytes
5b8133e 8f1bdaa 5b8133e 8f1bdaa 5b8133e 8f1bdaa | 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 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 | """Neural text compressor with context mixing.
Lossless compression using SmolLM2-135M + ensemble of adaptive models:
1. N-gram model – fast local pattern prediction (order 1-4)
2. LZP model – long-range exact match prediction (order 4-8)
3. Context mixer – adaptive linear blending of all models
4. Adaptive head – online bias correction on LLM logits
5. Confidence skip – bypass the LLM when n-gram is confident enough
The compressor and decompressor maintain identical model states by
processing tokens in the same order with the same updates, ensuring
lossless symmetry.
This module provides the core NeuralCompressor class used as workers
by ParallelNeuralCompressor (NC05/NC06 formats).
"""
import gc
import gzip
import lzma
import struct
import sys
import numpy as np
from arithmetic_coder import ArithmeticEncoder, ArithmeticDecoder
from model_wrapper import ModelWrapper
from utils import probs_to_cdf, CdfConverter
from ngram_model import NgramModel
from lzp_model import LZPModel
from context_mixer import ContextMixer
from adaptive_head import AdaptiveHead
# ---- File format constants (NC05 text / NC06 hybrid binary) ----
MAGIC = b'NC05' # single-worker text format
MAGIC_BIN = b'NC06' # single-worker hybrid binary format
# Minimum bytes needed to identify a valid header (NC05: 9B)
HEADER_SIZE = 9
NC06_VERSION = 1
# ---- CDF precision ----
# Enhanced CDF: 2^24 instead of the original 2^16.
# With vocab_size=49152, 2^16 wastes 75% of the CDF range on MIN_PROB
# floors, adding ~2 bits overhead per token. 2^24 wastes only 0.3%,
# cutting overhead to ~0.004 bits/token.
# Safe with 32-bit arithmetic coder (min symbol width = 64).
CDF_TOTAL = 1 << 24
# Config flags (stored in file header for decompressor)
FLAG_NGRAM = 0x01
FLAG_LZP = 0x02
FLAG_ADAPTIVE_HEAD = 0x04
FLAG_CONFIDENCE_SKIP = 0x08
# ---- Segmentation constants ----
CHUNK_TYPE_TEXT = 0x54 # 'T'
CHUNK_TYPE_BINARY = 0x42 # 'B'
MIN_TEXT_RUN = 64
MAX_BRIDGE_GAP = 8
MIN_BINARY_CHUNK = 64
# Binary blob compression methods
BLOB_GZIP = 0x47 # 'G'
BLOB_LZMA = 0x4C # 'L'
BLOB_RAW = 0x52 # 'R'
LZMA_THRESHOLD = 4096
# Bytes considered "text-like": printable ASCII (32-126) + tab/LF/CR
TEXT_BYTES = frozenset(range(32, 127)) | {9, 10, 13}
# Bytes that the SmolLM2 tokenizer silently drops during encode→decode.
# A binary chunk containing any of these must NEVER be absorbed into a
# text chunk, or the roundtrip will lose data.
TOKENIZER_LOSSY_BYTES = frozenset({0x04, 0x06, 0x13, 0x14, 0x16, 0x1D})
# ---- Default hyperparameters ----
DEFAULT_NGRAM_ORDER = 4
DEFAULT_LZP_MAX_ORDER = 8
DEFAULT_LZP_MIN_ORDER = 4
DEFAULT_MIXER_LR = 0.5
DEFAULT_ADAPTIVE_LR = 0.001
DEFAULT_SKIP_THRESHOLD = 1.5 # bits; skip LLM only when n-gram is VERY confident
DEFAULT_WARMUP = 100 # tokens — use LLM alone while secondary models accumulate data
DEFAULT_TEMPERATURE = 1.0 # softmax temperature; <1 sharpens, >1 softens
# When LLM is skipped and both n-gram and LZP are active,
# blend them with these fixed weights.
SKIP_NGRAM_WEIGHT = 0.7
SKIP_LZP_WEIGHT = 0.3
def _segment_chunks(data: bytes) -> list[tuple[int, int, int]]:
"""Segment data into text and binary chunks.
Returns list of (chunk_type, offset, length) tuples where chunk_type
is CHUNK_TYPE_TEXT or CHUNK_TYPE_BINARY.
"""
if not data:
return []
# Step 1: classify each byte and collect contiguous runs
runs = [] # list of (type, offset, length)
current_type = CHUNK_TYPE_TEXT if data[0] in TEXT_BYTES else CHUNK_TYPE_BINARY
run_start = 0
for i in range(1, len(data)):
byte_type = CHUNK_TYPE_TEXT if data[i] in TEXT_BYTES else CHUNK_TYPE_BINARY
if byte_type != current_type:
runs.append((current_type, run_start, i - run_start))
current_type = byte_type
run_start = i
runs.append((current_type, run_start, len(data) - run_start))
# Step 2: demote short text runs to binary
runs = [
(CHUNK_TYPE_BINARY if t == CHUNK_TYPE_TEXT and length < MIN_TEXT_RUN else t,
off, length)
for t, off, length in runs
]
# Step 3: merge adjacent same-type runs (after demotion)
merged = [runs[0]]
for t, off, length in runs[1:]:
if t == merged[-1][0]:
prev_t, prev_off, prev_len = merged[-1]
merged[-1] = (prev_t, prev_off, prev_len + length)
else:
merged.append((t, off, length))
runs = merged
# Step 4: bridge small binary gaps between text runs
if len(runs) >= 3:
bridged = [runs[0]]
i = 1
while i < len(runs) - 1:
prev_t = bridged[-1][0]
curr_t, curr_off, curr_len = runs[i]
next_t = runs[i + 1][0]
if (prev_t == CHUNK_TYPE_TEXT and curr_t == CHUNK_TYPE_BINARY
and next_t == CHUNK_TYPE_TEXT and curr_len <= MAX_BRIDGE_GAP):
# Bridge: merge prev + gap + next into one text chunk
prev_t2, prev_off, prev_len = bridged[-1]
next_t2, next_off, next_len = runs[i + 1]
bridged[-1] = (CHUNK_TYPE_TEXT, prev_off,
prev_len + curr_len + next_len)
i += 2
else:
bridged.append((curr_t, curr_off, curr_len))
i += 1
if i < len(runs):
bridged.append(runs[i])
runs = bridged
# Step 5: final merge of adjacent same-type runs
merged = [runs[0]]
for t, off, length in runs[1:]:
if t == merged[-1][0]:
prev_t, prev_off, prev_len = merged[-1]
merged[-1] = (prev_t, prev_off, prev_len + length)
else:
merged.append((t, off, length))
runs = merged
# Step 6: absorb small binary chunks into adjacent text chunks,
# but only if the chunk contains no tokenizer-lossy bytes.
if len(runs) >= 2:
absorbed = []
i = 0
while i < len(runs):
t, off, length = runs[i]
if (t == CHUNK_TYPE_BINARY and length < MIN_BINARY_CHUNK
and not TOKENIZER_LOSSY_BYTES.intersection(
data[off:off + length])):
left_text = (absorbed and absorbed[-1][0] == CHUNK_TYPE_TEXT)
right_text = (i + 1 < len(runs)
and runs[i + 1][0] == CHUNK_TYPE_TEXT)
if left_text and right_text:
# Merge left + this + right into one text chunk
prev_t, prev_off, prev_len = absorbed[-1]
_next_t, _next_off, next_len = runs[i + 1]
absorbed[-1] = (CHUNK_TYPE_TEXT, prev_off,
prev_len + length + next_len)
i += 2
continue
elif left_text:
prev_t, prev_off, prev_len = absorbed[-1]
absorbed[-1] = (CHUNK_TYPE_TEXT, prev_off,
prev_len + length)
i += 1
continue
elif right_text:
# Convert to text; will merge with next text chunk
absorbed.append((CHUNK_TYPE_TEXT, off, length))
i += 1
continue
absorbed.append((t, off, length))
i += 1
runs = absorbed
# Final merge after absorption
merged = [runs[0]]
for t, off, length in runs[1:]:
if t == merged[-1][0]:
prev_t, prev_off, prev_len = merged[-1]
merged[-1] = (prev_t, prev_off, prev_len + length)
else:
merged.append((t, off, length))
runs = merged
return runs
def _entropy(probs: np.ndarray, buf: np.ndarray = None) -> float:
"""Compute Shannon entropy in bits.
Args:
probs: Probability distribution.
buf: Optional pre-allocated buffer (same shape as probs) to
avoid 768 KB of temporary allocations per call.
"""
if buf is not None:
np.add(probs, 1e-10, out=buf)
np.log2(buf, out=buf)
buf *= probs
return -float(buf.sum())
log_p = np.log2(probs + 1e-10)
return -float((probs * log_p).sum())
class NeuralCompressor:
"""Lossless neural compressor with ensemble prediction."""
def __init__(
self,
model: ModelWrapper = None,
verbose: bool = True,
*,
use_ngram: bool = True,
use_lzp: bool = True,
use_adaptive_head: bool = True,
use_confidence_skip: bool = True,
ngram_order: int = DEFAULT_NGRAM_ORDER,
lzp_max_order: int = DEFAULT_LZP_MAX_ORDER,
lzp_min_order: int = DEFAULT_LZP_MIN_ORDER,
mixer_lr: float = DEFAULT_MIXER_LR,
adaptive_lr: float = DEFAULT_ADAPTIVE_LR,
skip_threshold: float = DEFAULT_SKIP_THRESHOLD,
warmup: int = DEFAULT_WARMUP,
temperature: float = DEFAULT_TEMPERATURE,
):
self.verbose = verbose
self.model = model or ModelWrapper(verbose=verbose)
self.vocab_size = self.model.vocab_size
# Progress counters (read by ParallelNeuralCompressor monitor)
self._progress = 0
self._progress_total = 0
# Feature flags
self.use_ngram = use_ngram
self.use_lzp = use_lzp
self.use_adaptive_head = use_adaptive_head
# Confidence skip requires n-gram to compute entropy
self.use_confidence_skip = use_confidence_skip and use_ngram
self.skip_threshold = skip_threshold
self.warmup = warmup
self.temperature = temperature
# Secondary models
self.ngram = NgramModel(
max_order=ngram_order, vocab_size=self.vocab_size
) if use_ngram else None
self.lzp = LZPModel(
max_order=lzp_max_order, min_order=lzp_min_order,
vocab_size=self.vocab_size,
) if use_lzp else None
self.adaptive_head = AdaptiveHead(
vocab_size=self.vocab_size, lr=adaptive_lr,
) if use_adaptive_head else None
# Context mixer: combines LLM + active secondary models
num_mix_models = 1 # LLM always present
if use_ngram:
num_mix_models += 1
if use_lzp:
num_mix_models += 1
self.mixer = ContextMixer(
num_models=num_mix_models, lr=mixer_lr,
vocab_size=self.vocab_size,
) if num_mix_models > 1 else None
# Pre-allocated buffers to avoid per-token numpy temporaries.
# These eliminate ~5 MB of malloc/free per token across 8 workers.
self._entropy_buf = np.zeros(self.vocab_size, dtype=np.float64)
self._temp_buf = np.zeros(self.vocab_size, dtype=np.float64)
self._cdf_converter = CdfConverter(self.vocab_size)
def _config_flags(self) -> int:
"""Encode active features as a bitmask."""
flags = 0
if self.use_ngram:
flags |= FLAG_NGRAM
if self.use_lzp:
flags |= FLAG_LZP
if self.use_adaptive_head:
flags |= FLAG_ADAPTIVE_HEAD
if self.use_confidence_skip:
flags |= FLAG_CONFIDENCE_SKIP
return flags
def _reset_secondary_models(self):
"""Reset all secondary models for a new sequence."""
if self.ngram:
self.ngram.reset()
if self.lzp:
self.lzp.reset()
if self.mixer:
self.mixer.reset()
if self.adaptive_head:
self.adaptive_head.reset()
def _apply_temperature(self, probs: np.ndarray) -> np.ndarray:
"""Sharpen or soften model probabilities via temperature scaling.
Uses pre-allocated buffer to avoid ~1.5 MB of temporaries per call.
"""
if self.temperature == 1.0:
return probs
buf = self._temp_buf
np.add(probs, 1e-10, out=buf)
np.log(buf, out=buf)
buf /= self.temperature
buf -= buf.max()
np.exp(buf, out=buf)
buf /= buf.sum()
return buf
def _get_probs(
self, context: list[int], token_index: int,
) -> tuple[np.ndarray, bool, "list[np.ndarray] | None"]:
"""Compute blended prediction for the next token.
All secondary models and mixing operate on numpy arrays.
The LLM's torch tensor is converted to numpy at the boundary.
Args:
context: Token IDs seen so far.
token_index: Position in the sequence (for warmup check).
Returns:
(final_probs, skipped_llm, model_probs_for_mixer_update)
All probability arrays are numpy float64.
"""
in_warmup = (token_index < self.warmup)
# Secondary model predictions (always computed for learning)
ngram_probs = self.ngram.predict(context) if self.ngram else None
lzp_probs = self.lzp.predict(context) if self.lzp else None
# During warmup: LLM only, no mixing, no skip
if in_warmup:
llm_probs = self.model.get_probs(context).numpy()
llm_probs = self._apply_temperature(llm_probs)
return llm_probs, False, None
# Confidence-based LLM skip (post-warmup only)
skip_llm = False
if self.use_confidence_skip and ngram_probs is not None:
ent = _entropy(ngram_probs, self._entropy_buf)
skip_llm = (ent < self.skip_threshold)
if skip_llm:
if ngram_probs is not None and lzp_probs is not None:
probs = (SKIP_NGRAM_WEIGHT * ngram_probs
+ SKIP_LZP_WEIGHT * lzp_probs)
elif ngram_probs is not None:
probs = ngram_probs
else:
probs = np.full(
self.vocab_size, 1.0 / self.vocab_size,
dtype=np.float64,
)
return probs, True, None
# LLM prediction (torch → numpy at boundary)
llm_probs = self.model.get_probs(context).numpy()
llm_probs = self._apply_temperature(llm_probs)
if self.adaptive_head:
llm_probs = self.adaptive_head.adjust(llm_probs)
# Mixing
if self.mixer is not None:
model_probs = [llm_probs]
if ngram_probs is not None:
model_probs.append(ngram_probs)
if lzp_probs is not None:
model_probs.append(lzp_probs)
probs = self.mixer.mix(model_probs)
return probs, False, model_probs
return llm_probs, False, None
def _update_models(
self,
context: list[int],
actual_token: int,
skipped_llm: bool,
model_probs: "list[np.ndarray] | None",
llm_adjusted_probs: "np.ndarray | None",
):
"""Update all models after observing a token."""
if self.ngram:
self.ngram.update(context, actual_token)
if self.lzp:
self.lzp.update(context, actual_token)
if not skipped_llm:
if self.mixer and model_probs is not None:
self.mixer.update(actual_token, model_probs)
if self.adaptive_head and llm_adjusted_probs is not None:
self.adaptive_head.update(actual_token, llm_adjusted_probs)
# ------------------------------------------------------------------
# Text stream compression (used by parallel workers)
# ------------------------------------------------------------------
def _compress_text_to_stream(
self, text: str, *,
bytes_done: int = 0, bytes_total: int = 0, chunk_size: int = 0,
) -> tuple[int, int, bytes]:
"""Arithmetic-code a text string using the ensemble.
Returns:
(token_count, bit_count, stream_bytes)
"""
token_ids = self.model.tokenizer.encode(text)
num_tokens = len(token_ids)
if self.verbose:
print(f"Tokens: {num_tokens}", file=sys.stderr)
keep = self.model.MAX_CONTEXT - self.model.SLIDE_CHUNK
encoder = ArithmeticEncoder()
context: list[int] = []
skipped_count = 0
self._progress_total = num_tokens
self._progress = 0
# Disable cyclic GC during the hot loop. The N-gram/LZP tables
# create millions of small dicts that are never cyclic (int→int).
# Without this, Python's GC periodically scans ALL tracked objects,
# causing growing pauses as table size increases.
gc.disable()
for i, token_id in enumerate(token_ids):
self._progress = i
if self.verbose and (i % 500 == 0 or i == num_tokens - 1):
line = (
f"\rEncoding: {i+1}/{num_tokens} "
f"({100*(i+1)/num_tokens:.1f}%)"
)
if bytes_total > 0:
frac = (i + 1) / num_tokens if num_tokens else 1
overall = (bytes_done + chunk_size * frac) / bytes_total
line += f" [total: {100*overall:.1f}%]"
if self.use_confidence_skip:
line += f" [skipped: {skipped_count}]"
print(line, end="", file=sys.stderr)
probs, skipped_llm, model_probs = self._get_probs(context, i)
if skipped_llm:
skipped_count += 1
# Extract LLM adjusted probs for adaptive head update
llm_adjusted = None
if not skipped_llm and model_probs is not None:
llm_adjusted = model_probs[0] # first model is always LLM
elif not skipped_llm and self.adaptive_head:
llm_adjusted = probs # probs IS the adjusted LLM output
# Encode (zero-alloc CDF conversion)
cdf = self._cdf_converter.convert(probs, CDF_TOTAL)
encoder.encode_symbol(cdf, token_id)
# Update models
self._update_models(
context, token_id, skipped_llm, model_probs, llm_adjusted,
)
# Maintain context window
context.append(token_id)
if len(context) > self.model.MAX_CONTEXT:
context = context[-keep:]
gc.enable()
if self.verbose:
print(file=sys.stderr)
warmup_used = min(self.warmup, num_tokens)
if warmup_used > 0 and self.mixer:
print(
f"Warmup: {warmup_used} tokens (LLM only)",
file=sys.stderr,
)
if self.use_confidence_skip:
pct = 100 * skipped_count / num_tokens if num_tokens else 0
print(
f"LLM skipped: {skipped_count}/{num_tokens} "
f"({pct:.1f}%)",
file=sys.stderr,
)
if self.mixer:
print(
f"Final mixer weights: "
f"{[f'{w:.3f}' for w in self.mixer.get_weights()]}",
file=sys.stderr,
)
compressed_bits = encoder.get_bit_count()
stream = encoder.finish()
return num_tokens, compressed_bits, stream
def _decompress_text_stream(self, stream: bytes, num_tokens: int) -> str:
"""Decode an arithmetic-coded stream back to text."""
decoder = ArithmeticDecoder(stream)
context: list[int] = []
token_ids: list[int] = []
self._progress_total = num_tokens
self._progress = 0
gc.disable()
for i in range(num_tokens):
self._progress = i
if self.verbose and (i % 100 == 0 or i == num_tokens - 1):
print(
f"\rDecompressing: {i+1}/{num_tokens} "
f"({100*(i+1)/num_tokens:.1f}%)",
end="", file=sys.stderr,
)
probs, skipped_llm, model_probs = self._get_probs(context, i)
llm_adjusted = None
if not skipped_llm and model_probs is not None:
llm_adjusted = model_probs[0]
elif not skipped_llm and self.adaptive_head:
llm_adjusted = probs
cdf = self._cdf_converter.convert(probs, CDF_TOTAL)
token_id = decoder.decode_symbol(cdf)
token_ids.append(token_id)
self._update_models(
context, token_id, skipped_llm, model_probs, llm_adjusted,
)
context.append(token_id)
if len(context) > self.model.MAX_CONTEXT:
keep = self.model.MAX_CONTEXT - self.model.SLIDE_CHUNK
context = context[-keep:]
gc.enable()
if self.verbose:
print(file=sys.stderr)
return self.model.tokenizer.decode(token_ids)
def _apply_flags(self, flags: int):
"""Configure features from stored flags (for decompression)."""
want_ngram = bool(flags & FLAG_NGRAM)
want_lzp = bool(flags & FLAG_LZP)
want_adaptive = bool(flags & FLAG_ADAPTIVE_HEAD)
want_skip = bool(flags & FLAG_CONFIDENCE_SKIP)
if want_ngram and self.ngram is None:
self.ngram = NgramModel(
max_order=DEFAULT_NGRAM_ORDER, vocab_size=self.vocab_size,
)
self.use_ngram = want_ngram
if want_lzp and self.lzp is None:
self.lzp = LZPModel(
max_order=DEFAULT_LZP_MAX_ORDER,
min_order=DEFAULT_LZP_MIN_ORDER,
vocab_size=self.vocab_size,
)
self.use_lzp = want_lzp
if want_adaptive and self.adaptive_head is None:
self.adaptive_head = AdaptiveHead(
vocab_size=self.vocab_size, lr=DEFAULT_ADAPTIVE_LR,
)
self.use_adaptive_head = want_adaptive
self.use_confidence_skip = want_skip and self.use_ngram
# Rebuild mixer for the correct number of models.
num_mix = 1
if self.use_ngram:
num_mix += 1
if self.use_lzp:
num_mix += 1
self.mixer = ContextMixer(
num_models=num_mix, lr=DEFAULT_MIXER_LR,
) if num_mix > 1 else None
# ------------------------------------------------------------------
# Public compress / decompress (NC05 text, NC06 hybrid binary)
# ------------------------------------------------------------------
def compress(self, text: str) -> bytes:
"""Compress text to bytes (NC05 single-chunk format)."""
flags = self._config_flags()
temp_encoded = int(round(self.temperature * 10000))
if not text:
return MAGIC + struct.pack('>BHH', flags, temp_encoded, 0)
self.model.reset_cache()
self._reset_secondary_models()
num_tokens, compressed_bits, stream = self._compress_text_to_stream(text)
header = MAGIC + struct.pack('>BHH', flags, temp_encoded, 1)
entry = struct.pack('>III', num_tokens, compressed_bits, len(stream))
return header + entry + stream
def compress_bytes(self, data: bytes) -> bytes:
"""Compress raw bytes using hybrid chunked format (NC06)."""
chunks = _segment_chunks(data)
num_entries = len(chunks)
flags = self._config_flags()
temp_encoded = int(round(self.temperature * 10000))
file_header = MAGIC_BIN + struct.pack(
'>BHII', flags, temp_encoded, NC06_VERSION, num_entries,
)
if num_entries == 0:
return file_header
entry_table = []
binary_parts = []
text_indices = []
total_binary = 0
for ci, (chunk_type, offset, length) in enumerate(chunks):
entry_table.append(struct.pack('>BI', chunk_type, length))
if chunk_type == CHUNK_TYPE_BINARY:
binary_parts.append(data[offset:offset + length])
total_binary += length
else:
text_indices.append(ci)
if total_binary > 0:
binary_blob = b''.join(binary_parts)
if total_binary >= LZMA_THRESHOLD:
compressed = lzma.compress(binary_blob)
method = BLOB_LZMA
else:
compressed = gzip.compress(binary_blob, compresslevel=9)
method = BLOB_GZIP
if len(compressed) >= total_binary:
compressed = binary_blob
method = BLOB_RAW
binary_section = struct.pack('>BI', method, len(compressed)) + compressed
else:
binary_section = b''
# NC06 text entry: n_sub_chunks(2) + sub-chunk table + streams
# Single worker: always 1 sub-chunk per text entry.
text_sections = []
for ci in text_indices:
chunk_type, offset, length = chunks[ci]
text = data[offset:offset + length].decode('latin-1')
self.model.reset_cache()
self._reset_secondary_models()
token_count, bit_count, stream = self._compress_text_to_stream(text)
sub_entry = struct.pack('>III', token_count, bit_count, len(stream))
text_sections.append(struct.pack('>H', 1) + sub_entry + stream)
return (file_header
+ b''.join(entry_table)
+ binary_section
+ b''.join(text_sections))
def decompress(self, data: bytes) -> 'str | bytes':
"""Decompress NC05 (text) or NC06 (hybrid binary) format."""
if len(data) < HEADER_SIZE:
raise ValueError("Data too short to contain a valid header")
magic = data[:4]
if magic == MAGIC:
return self._decompress_nc05(data)
elif magic == MAGIC_BIN:
return self._decompress_nc06(data)
else:
raise ValueError(
f"Invalid magic bytes: {magic!r} "
f"(expected {MAGIC!r} or {MAGIC_BIN!r})"
)
def _decompress_nc05(self, data: bytes) -> str:
"""Decompress NC05 (text) format."""
flags = data[4]
temp_encoded, n_chunks = struct.unpack('>HH', data[5:9])
if n_chunks == 0:
return ""
self._apply_flags(flags)
self.temperature = temp_encoded / 10000.0
pos = 9
entries = []
for _ in range(n_chunks):
num_tokens, comp_bits, stream_len = struct.unpack(
'>III', data[pos:pos + 12],
)
entries.append((num_tokens, comp_bits, stream_len))
pos += 12
texts = []
for num_tokens, comp_bits, stream_len in entries:
stream = data[pos:pos + stream_len]
pos += stream_len
self.model.reset_cache()
self._reset_secondary_models()
texts.append(self._decompress_text_stream(stream, num_tokens))
return ''.join(texts)
def _decompress_nc06(self, data: bytes) -> bytes:
"""Decompress NC06 (hybrid binary) format."""
flags = data[4]
temp_encoded, _version, num_entries = struct.unpack('>HII', data[5:15])
self._apply_flags(flags)
self.temperature = temp_encoded / 10000.0
if num_entries == 0:
return b""
pos = 15
entries = []
total_binary = 0
for _ in range(num_entries):
etype, elen = struct.unpack('>BI', data[pos:pos + 5])
entries.append((etype, elen))
if etype == CHUNK_TYPE_BINARY:
total_binary += elen
pos += 5
binary_data = b''
if total_binary > 0:
method, comp_len = struct.unpack('>BI', data[pos:pos + 5])
pos += 5
compressed = data[pos:pos + comp_len]
pos += comp_len
if method == BLOB_RAW:
binary_data = compressed
elif method == BLOB_GZIP:
binary_data = gzip.decompress(compressed)
elif method == BLOB_LZMA:
binary_data = lzma.decompress(compressed)
binary_offset = 0
output_parts = []
for etype, elen in entries:
if etype == CHUNK_TYPE_BINARY:
output_parts.append(
binary_data[binary_offset:binary_offset + elen]
)
binary_offset += elen
else:
n_sub = struct.unpack('>H', data[pos:pos + 2])[0]
pos += 2
sub_entries = []
for _ in range(n_sub):
num_tokens, comp_bits, stream_len = struct.unpack(
'>III', data[pos:pos + 12],
)
sub_entries.append((num_tokens, comp_bits, stream_len))
pos += 12
texts = []
for num_tokens, comp_bits, stream_len in sub_entries:
stream = data[pos:pos + stream_len]
pos += stream_len
self.model.reset_cache()
self._reset_secondary_models()
texts.append(
self._decompress_text_stream(stream, num_tokens)
)
output_parts.append(''.join(texts).encode('latin-1'))
return b''.join(output_parts)
|