| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116 | import { deflate, inflate } from "pako";// -----------------------------------------------------------------------------// byte (binary) strings// -----------------------------------------------------------------------------// fast, Buffer-compatible implemexport const toByteString = (data: string | Uint8Array): Promise<string> => {  return new Promise((resolve, reject) => {    const blob =      typeof data === "string"        ? new Blob([new TextEncoder().encode(data)])        : new Blob([data]);    const reader = new FileReader();    reader.onload = (event) => {      if (!event.target || typeof event.target.result !== "string") {        return reject(new Error("couldn't convert to byte string"));      }      resolve(event.target.result);    };    reader.readAsBinaryString(blob);  });};const byteStringToArrayBuffer = (byteString: string) => {  const buffer = new ArrayBuffer(byteString.length);  const bufferView = new Uint8Array(buffer);  for (let i = 0, len = byteString.length; i < len; i++) {    bufferView[i] = byteString.charCodeAt(i);  }  return buffer;};const byteStringToString = (byteString: string) => {  return new TextDecoder("utf-8").decode(byteStringToArrayBuffer(byteString));};// -----------------------------------------------------------------------------// base64// -----------------------------------------------------------------------------/** * @param isByteString set to true if already byte string to prevent bloat *  due to reencoding */export const stringToBase64 = async (str: string, isByteString = false) => {  return isByteString ? btoa(str) : btoa(await toByteString(str));};// async to align with stringToBase64export const base64ToString = async (base64: string, isByteString = false) => {  return isByteString ? atob(base64) : byteStringToString(atob(base64));};// -----------------------------------------------------------------------------// text encoding// -----------------------------------------------------------------------------type EncodedData = {  encoded: string;  encoding: "bstring";  /** whether text is compressed (zlib) */  compressed: boolean;  /** version for potential migration purposes */  version?: string;};/** * Encodes (and potentially compresses via zlib) text to byte string */export const encode = async ({  text,  compress,}: {  text: string;  /** defaults to `true`. If compression fails, falls back to bstring alone. */  compress?: boolean;}): Promise<EncodedData> => {  let deflated!: string;  if (compress !== false) {    try {      deflated = await toByteString(deflate(text));    } catch (error) {      console.error("encode: cannot deflate", error);    }  }  return {    version: "1",    encoding: "bstring",    compressed: !!deflated,    encoded: deflated || (await toByteString(text)),  };};export const decode = async (data: EncodedData): Promise<string> => {  let decoded: string;  switch (data.encoding) {    case "bstring":      // if compressed, do not double decode the bstring      decoded = data.compressed        ? data.encoded        : await byteStringToString(data.encoded);      break;    default:      throw new Error(`decode: unknown encoding "${data.encoding}"`);  }  if (data.compressed) {    return inflate(new Uint8Array(byteStringToArrayBuffer(decoded)), {      to: "string",    });  }  return decoded;};
 |