File size: 19,342 Bytes
21dd449 |
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 |
import { createApiError } from "../error";
import type { CredentialsParams } from "../types/public";
import { checkCredentials } from "./checkCredentials";
import { decompress as lz4_decompress } from "../vendor/lz4js";
import { RangeList } from "./RangeList";
const JWT_SAFETY_PERIOD = 60_000;
const JWT_CACHE_SIZE = 1_000;
type XetBlobCreateOptions = {
/**
* Custom fetch function to use instead of the default one, for example to use a proxy or edit headers.
*/
fetch?: typeof fetch;
// URL to get the access token from
refreshUrl: string;
size: number;
listener?: (arg: { event: "read" } | { event: "progress"; progress: { read: number; total: number } }) => void;
internalLogging?: boolean;
} & ({ hash: string; reconstructionUrl?: string } | { hash?: string; reconstructionUrl: string }) &
Partial<CredentialsParams>;
export interface ReconstructionInfo {
/**
* List of CAS blocks
*/
terms: Array<{
/** Hash of the CAS block */
hash: string;
/** Total uncompressed length of data of the chunks from range.start to range.end - 1 */
unpacked_length: number;
/** Chunks. Eg start: 10, end: 100 = chunks 10-99 */
range: { start: number; end: number };
}>;
/**
* Dictionnary of CAS block hash => list of ranges in the block + url to fetch it
*/
fetch_info: Record<
string,
Array<{
url: string;
/** Chunk range */
range: { start: number; end: number };
/**
* Byte range, when making the call to the URL.
*
* We assume that we're given non-overlapping ranges for each hash
*/
url_range: { start: number; end: number };
}>
>;
/**
* When doing a range request, the offset into the term's uncompressed data. Can be multiple chunks' worth of data.
*/
offset_into_first_range: number;
}
enum CompressionScheme {
None = 0,
LZ4 = 1,
ByteGroupingLZ4 = 2,
}
const compressionSchemeLabels: Record<CompressionScheme, string> = {
[CompressionScheme.None]: "None",
[CompressionScheme.LZ4]: "LZ4",
[CompressionScheme.ByteGroupingLZ4]: "ByteGroupingLZ4",
};
interface ChunkHeader {
version: number; // u8, 1 byte
compressed_length: number; // 3 * u8, 3 bytes
compression_scheme: CompressionScheme; // u8, 1 byte
uncompressed_length: number; // 3 * u8, 3 bytes
}
const CHUNK_HEADER_BYTES = 8;
/**
* XetBlob is a blob implementation that fetches data directly from the Xet storage
*/
export class XetBlob extends Blob {
fetch: typeof fetch;
accessToken?: string;
refreshUrl: string;
reconstructionUrl?: string;
hash?: string;
start = 0;
end = 0;
internalLogging = false;
reconstructionInfo: ReconstructionInfo | undefined;
listener: XetBlobCreateOptions["listener"];
constructor(params: XetBlobCreateOptions) {
super([]);
this.fetch = params.fetch ?? fetch.bind(globalThis);
this.accessToken = checkCredentials(params);
this.refreshUrl = params.refreshUrl;
this.end = params.size;
this.reconstructionUrl = params.reconstructionUrl;
this.hash = params.hash;
this.listener = params.listener;
this.internalLogging = params.internalLogging ?? false;
this.refreshUrl;
}
override get size(): number {
return this.end - this.start;
}
#clone() {
const blob = new XetBlob({
fetch: this.fetch,
hash: this.hash,
refreshUrl: this.refreshUrl,
// eslint-disable-next-line @typescript-eslint/no-non-null-assertion
reconstructionUrl: this.reconstructionUrl!,
size: this.size,
});
blob.accessToken = this.accessToken;
blob.start = this.start;
blob.end = this.end;
blob.reconstructionInfo = this.reconstructionInfo;
blob.listener = this.listener;
blob.internalLogging = this.internalLogging;
return blob;
}
override slice(start = 0, end = this.size): XetBlob {
if (start < 0 || end < 0) {
new TypeError("Unsupported negative start/end on XetBlob.slice");
}
const slice = this.#clone();
slice.start = this.start + start;
slice.end = Math.min(this.start + end, this.end);
if (slice.start !== this.start || slice.end !== this.end) {
slice.reconstructionInfo = undefined;
}
return slice;
}
#reconstructionInfoPromise?: Promise<ReconstructionInfo>;
#loadReconstructionInfo() {
if (this.#reconstructionInfoPromise) {
return this.#reconstructionInfoPromise;
}
this.#reconstructionInfoPromise = (async () => {
const connParams = await getAccessToken(this.accessToken, this.fetch, this.refreshUrl);
// debug(
// `curl '${connParams.casUrl}/reconstruction/${this.hash}' -H 'Authorization: Bearer ${connParams.accessToken}'`
// );
const resp = await this.fetch(this.reconstructionUrl ?? `${connParams.casUrl}/reconstruction/${this.hash}`, {
headers: {
Authorization: `Bearer ${connParams.accessToken}`,
Range: `bytes=${this.start}-${this.end - 1}`,
},
});
if (!resp.ok) {
throw await createApiError(resp);
}
this.reconstructionInfo = (await resp.json()) as ReconstructionInfo;
return this.reconstructionInfo;
})().finally(() => (this.#reconstructionInfoPromise = undefined));
return this.#reconstructionInfoPromise;
}
async #fetch(): Promise<ReadableStream<Uint8Array>> {
if (!this.reconstructionInfo) {
await this.#loadReconstructionInfo();
}
const rangeLists = new Map<string, RangeList<Uint8Array[]>>();
if (!this.reconstructionInfo) {
throw new Error("Failed to load reconstruction info");
}
for (const term of this.reconstructionInfo.terms) {
let rangeList = rangeLists.get(term.hash);
if (!rangeList) {
rangeList = new RangeList<Uint8Array[]>();
rangeLists.set(term.hash, rangeList);
}
rangeList.add(term.range.start, term.range.end);
}
const listener = this.listener;
const log = this.internalLogging ? (...args: unknown[]) => console.log(...args) : () => {};
async function* readData(
reconstructionInfo: ReconstructionInfo,
customFetch: typeof fetch,
maxBytes: number,
reloadReconstructionInfo: () => Promise<ReconstructionInfo>
) {
let totalBytesRead = 0;
let readBytesToSkip = reconstructionInfo.offset_into_first_range;
for (const term of reconstructionInfo.terms) {
if (totalBytesRead >= maxBytes) {
break;
}
const rangeList = rangeLists.get(term.hash);
if (!rangeList) {
throw new Error(`Failed to find range list for term ${term.hash}`);
}
{
const termRanges = rangeList.getRanges(term.range.start, term.range.end);
if (termRanges.every((range) => range.data)) {
log("all data available for term", term.hash, readBytesToSkip);
rangeLoop: for (const range of termRanges) {
// eslint-disable-next-line @typescript-eslint/no-non-null-assertion
for (let chunk of range.data!) {
if (readBytesToSkip) {
const skipped = Math.min(readBytesToSkip, chunk.byteLength);
chunk = chunk.slice(skipped);
readBytesToSkip -= skipped;
if (!chunk.byteLength) {
continue;
}
}
if (chunk.byteLength > maxBytes - totalBytesRead) {
chunk = chunk.slice(0, maxBytes - totalBytesRead);
}
totalBytesRead += chunk.byteLength;
// The stream consumer can decide to transfer ownership of the chunk, so we need to return a clone
// if there's more than one range for the same term
yield range.refCount > 1 ? chunk.slice() : chunk;
listener?.({ event: "progress", progress: { read: totalBytesRead, total: maxBytes } });
if (totalBytesRead >= maxBytes) {
break rangeLoop;
}
}
}
rangeList.remove(term.range.start, term.range.end);
continue;
}
}
const fetchInfo = reconstructionInfo.fetch_info[term.hash].find(
(info) => info.range.start <= term.range.start && info.range.end >= term.range.end
);
if (!fetchInfo) {
throw new Error(
`Failed to find fetch info for term ${term.hash} and range ${term.range.start}-${term.range.end}`
);
}
log("term", term);
log("fetchinfo", fetchInfo);
log("readBytesToSkip", readBytesToSkip);
let resp = await customFetch(fetchInfo.url, {
headers: {
Range: `bytes=${fetchInfo.url_range.start}-${fetchInfo.url_range.end}`,
},
});
if (resp.status === 403) {
// In case it's expired
reconstructionInfo = await reloadReconstructionInfo();
resp = await customFetch(fetchInfo.url, {
headers: {
Range: `bytes=${fetchInfo.url_range.start}-${fetchInfo.url_range.end}`,
},
});
}
if (!resp.ok) {
throw await createApiError(resp);
}
log(
"expected content length",
resp.headers.get("content-length"),
"range",
fetchInfo.url_range,
resp.headers.get("content-range")
);
const reader = resp.body?.getReader();
if (!reader) {
throw new Error("Failed to get reader from response body");
}
let done = false;
let chunkIndex = fetchInfo.range.start;
const ranges = rangeList.getRanges(fetchInfo.range.start, fetchInfo.range.end);
let leftoverBytes: Uint8Array | undefined = undefined;
let totalFetchBytes = 0;
fetchData: while (!done && totalBytesRead < maxBytes) {
const result = await reader.read();
listener?.({ event: "read" });
done = result.done;
log("read", result.value?.byteLength, "bytes", "total read", totalBytesRead, "toSkip", readBytesToSkip);
if (!result.value) {
log("no data in result, cancelled", result);
continue;
}
totalFetchBytes += result.value.byteLength;
if (leftoverBytes) {
result.value = new Uint8Array([...leftoverBytes, ...result.value]);
leftoverBytes = undefined;
}
while (totalBytesRead < maxBytes && result.value.byteLength) {
if (result.value.byteLength < 8) {
// We need 8 bytes to parse the chunk header
leftoverBytes = result.value;
continue fetchData;
}
const header = new DataView(result.value.buffer, result.value.byteOffset, CHUNK_HEADER_BYTES);
const chunkHeader: ChunkHeader = {
version: header.getUint8(0),
compressed_length: header.getUint8(1) | (header.getUint8(2) << 8) | (header.getUint8(3) << 16),
compression_scheme: header.getUint8(4),
uncompressed_length: header.getUint8(5) | (header.getUint8(6) << 8) | (header.getUint8(7) << 16),
};
log("chunk header", chunkHeader, "to skip", readBytesToSkip);
if (chunkHeader.version !== 0) {
throw new Error(`Unsupported chunk version ${chunkHeader.version}`);
}
if (
chunkHeader.compression_scheme !== CompressionScheme.None &&
chunkHeader.compression_scheme !== CompressionScheme.LZ4 &&
chunkHeader.compression_scheme !== CompressionScheme.ByteGroupingLZ4
) {
throw new Error(
`Unsupported compression scheme ${
compressionSchemeLabels[chunkHeader.compression_scheme] ?? chunkHeader.compression_scheme
}`
);
}
if (result.value.byteLength < chunkHeader.compressed_length + CHUNK_HEADER_BYTES) {
// We need more data to read the full chunk
leftoverBytes = result.value;
continue fetchData;
}
result.value = result.value.slice(CHUNK_HEADER_BYTES);
let uncompressed =
chunkHeader.compression_scheme === CompressionScheme.LZ4
? lz4_decompress(result.value.slice(0, chunkHeader.compressed_length), chunkHeader.uncompressed_length)
: chunkHeader.compression_scheme === CompressionScheme.ByteGroupingLZ4
? bg4_regoup_bytes(
lz4_decompress(
result.value.slice(0, chunkHeader.compressed_length),
chunkHeader.uncompressed_length
)
)
: result.value.slice(0, chunkHeader.compressed_length);
const range = ranges.find((range) => chunkIndex >= range.start && chunkIndex < range.end);
const shouldYield = chunkIndex >= term.range.start && chunkIndex < term.range.end;
const minRefCountToStore = shouldYield ? 2 : 1;
let stored = false;
// Assuming non-overlapping fetch_info ranges for the same hash
if (range && range.refCount >= minRefCountToStore) {
range.data ??= [];
range.data.push(uncompressed);
stored = true;
}
if (shouldYield) {
if (readBytesToSkip) {
const skipped = Math.min(readBytesToSkip, uncompressed.byteLength);
uncompressed = uncompressed.slice(readBytesToSkip);
readBytesToSkip -= skipped;
}
if (uncompressed.byteLength > maxBytes - totalBytesRead) {
uncompressed = uncompressed.slice(0, maxBytes - totalBytesRead);
}
if (uncompressed.byteLength) {
log(
"yield",
uncompressed.byteLength,
"bytes",
result.value.byteLength,
"total read",
totalBytesRead,
stored
);
totalBytesRead += uncompressed.byteLength;
yield stored ? uncompressed.slice() : uncompressed;
listener?.({ event: "progress", progress: { read: totalBytesRead, total: maxBytes } });
}
}
chunkIndex++;
result.value = result.value.slice(chunkHeader.compressed_length);
}
}
if (
done &&
totalBytesRead < maxBytes &&
totalFetchBytes < fetchInfo.url_range.end - fetchInfo.url_range.start + 1
) {
log("done", done, "total read", totalBytesRead, maxBytes, totalFetchBytes);
log("failed to fetch all data for term", term.hash);
throw new Error(
`Failed to fetch all data for term ${term.hash}, fetched ${totalFetchBytes} bytes out of ${
fetchInfo.url_range.end - fetchInfo.url_range.start + 1
}`
);
}
log("done", done, "total read", totalBytesRead, maxBytes, totalFetchBytes);
// Release the reader
log("cancel reader");
await reader.cancel();
}
}
const iterator = readData(
this.reconstructionInfo,
this.fetch,
this.end - this.start,
this.#loadReconstructionInfo.bind(this)
);
// todo: when Chrome/Safari support it, use ReadableStream.from(readData)
return new ReadableStream<Uint8Array>(
{
// todo: when Safari supports it, type controller as ReadableByteStreamController
async pull(controller) {
const result = await iterator.next();
if (result.value) {
controller.enqueue(result.value);
}
if (result.done) {
controller.close();
}
},
type: "bytes",
// todo: when Safari supports it, add autoAllocateChunkSize param
},
// todo : use ByteLengthQueuingStrategy when there's good support for it, currently in Node.js it fails due to size being a function
{
highWaterMark: 1_000, // 1_000 chunks for ~1MB of RAM
}
);
}
override async arrayBuffer(): Promise<ArrayBuffer> {
const result = await this.#fetch();
return new Response(result).arrayBuffer();
}
override async text(): Promise<string> {
const result = await this.#fetch();
return new Response(result).text();
}
async response(): Promise<Response> {
const result = await this.#fetch();
return new Response(result);
}
override stream(): ReturnType<Blob["stream"]> {
const stream = new TransformStream();
this.#fetch()
.then((response) => response.pipeThrough(stream))
.catch((error) => stream.writable.abort(error.message));
return stream.readable;
}
}
const jwtPromises: Map<string, Promise<{ accessToken: string; casUrl: string }>> = new Map();
/**
* Cache to store JWTs, to avoid making many auth requests when downloading multiple files from the same repo
*/
const jwts: Map<
string,
{
accessToken: string;
expiresAt: Date;
casUrl: string;
}
> = new Map();
function cacheKey(params: { refreshUrl: string; initialAccessToken: string | undefined }): string {
return JSON.stringify([params.refreshUrl, params.initialAccessToken]);
}
// exported for testing purposes
export function bg4_regoup_bytes(bytes: Uint8Array): Uint8Array {
// python code
// split = len(x) // 4
// rem = len(x) % 4
// g1_pos = split + (1 if rem >= 1 else 0)
// g2_pos = g1_pos + split + (1 if rem >= 2 else 0)
// g3_pos = g2_pos + split + (1 if rem == 3 else 0)
// ret = bytearray(len(x))
// ret[0::4] = x[:g1_pos]
// ret[1::4] = x[g1_pos:g2_pos]
// ret[2::4] = x[g2_pos:g3_pos]
// ret[3::4] = x[g3_pos:]
// todo: optimize to do it in-place
const split = Math.floor(bytes.byteLength / 4);
const rem = bytes.byteLength % 4;
const g1_pos = split + (rem >= 1 ? 1 : 0);
const g2_pos = g1_pos + split + (rem >= 2 ? 1 : 0);
const g3_pos = g2_pos + split + (rem == 3 ? 1 : 0);
const ret = new Uint8Array(bytes.byteLength);
for (let i = 0, j = 0; i < bytes.byteLength; i += 4, j++) {
ret[i] = bytes[j];
}
for (let i = 1, j = g1_pos; i < bytes.byteLength; i += 4, j++) {
ret[i] = bytes[j];
}
for (let i = 2, j = g2_pos; i < bytes.byteLength; i += 4, j++) {
ret[i] = bytes[j];
}
for (let i = 3, j = g3_pos; i < bytes.byteLength; i += 4, j++) {
ret[i] = bytes[j];
}
return ret;
// alternative implementation (to benchmark which one is faster)
// for (let i = 0; i < bytes.byteLength - 3; i += 4) {
// ret[i] = bytes[i / 4];
// ret[i + 1] = bytes[g1_pos + i / 4];
// ret[i + 2] = bytes[g2_pos + i / 4];
// ret[i + 3] = bytes[g3_pos + i / 4];
// }
// if (rem === 1) {
// ret[bytes.byteLength - 1] = bytes[g1_pos - 1];
// } else if (rem === 2) {
// ret[bytes.byteLength - 2] = bytes[g1_pos - 1];
// ret[bytes.byteLength - 1] = bytes[g2_pos - 1];
// } else if (rem === 3) {
// ret[bytes.byteLength - 3] = bytes[g1_pos - 1];
// ret[bytes.byteLength - 2] = bytes[g2_pos - 1];
// ret[bytes.byteLength - 1] = bytes[g3_pos - 1];
// }
}
async function getAccessToken(
initialAccessToken: string | undefined,
customFetch: typeof fetch,
refreshUrl: string
): Promise<{ accessToken: string; casUrl: string }> {
const key = cacheKey({ refreshUrl, initialAccessToken });
const jwt = jwts.get(key);
if (jwt && jwt.expiresAt > new Date(Date.now() + JWT_SAFETY_PERIOD)) {
return { accessToken: jwt.accessToken, casUrl: jwt.casUrl };
}
// If we already have a promise for this repo, return it
const existingPromise = jwtPromises.get(key);
if (existingPromise) {
return existingPromise;
}
const promise = (async () => {
const resp = await customFetch(refreshUrl, {
headers: {
...(initialAccessToken
? {
Authorization: `Bearer ${initialAccessToken}`,
}
: {}),
},
});
if (!resp.ok) {
throw new Error(`Failed to get JWT token: ${resp.status} ${await resp.text()}`);
}
const json: { accessToken: string; casUrl: string; exp: number } = await resp.json();
const jwt = {
accessToken: json.accessToken,
expiresAt: new Date(json.exp * 1000),
initialAccessToken,
refreshUrl,
casUrl: json.casUrl,
};
jwtPromises.delete(key);
for (const [key, value] of jwts.entries()) {
if (value.expiresAt < new Date(Date.now() + JWT_SAFETY_PERIOD)) {
jwts.delete(key);
} else {
break;
}
}
if (jwts.size >= JWT_CACHE_SIZE) {
const keyToDelete = jwts.keys().next().value;
if (keyToDelete) {
jwts.delete(keyToDelete);
}
}
jwts.set(key, jwt);
return {
accessToken: json.accessToken,
casUrl: json.casUrl,
};
})();
jwtPromises.set(key, promise);
return promise;
}
|