@unwanted/matrix-sdk-mini 34.12.0-9 → 34.13.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/src/base64.ts CHANGED
@@ -18,30 +18,32 @@ limitations under the License.
18
18
  * Base64 encoding and decoding utilities
19
19
  */
20
20
 
21
+ function toBase64(uint8Array: Uint8Array, options: Uint8ArrayToBase64Options): string {
22
+ if (typeof uint8Array.toBase64 === "function") {
23
+ // Currently this is only supported in Firefox,
24
+ // but we match the options in the hope in the future we can rely on it for all environments.
25
+ // https://tc39.es/proposal-arraybuffer-base64/spec/#sec-uint8array.prototype.tobase64
26
+ return uint8Array.toBase64(options);
27
+ }
28
+
29
+ let base64 = btoa(uint8Array.reduce((acc, current) => acc + String.fromCharCode(current), ""));
30
+ if (options.omitPadding) {
31
+ base64 = base64.replace(/={1,2}$/, "");
32
+ }
33
+ if (options.alphabet === "base64url") {
34
+ base64 = base64.replace(/\+/g, "-").replace(/\//g, "_");
35
+ }
36
+
37
+ return base64;
38
+ }
39
+
21
40
  /**
22
41
  * Encode a typed array of uint8 as base64.
23
42
  * @param uint8Array - The data to encode.
24
43
  * @returns The base64.
25
44
  */
26
- export function encodeBase64(uint8Array: ArrayBuffer | Uint8Array): string {
27
- // A brief note on the state of base64 encoding in Javascript.
28
- // As of 2023, there is still no common native impl between both browsers and
29
- // node. Older Webpack provides an impl for Buffer and there is a polyfill class
30
- // for it. There are also plenty of pure js impls, eg. base64-js which has 2336
31
- // dependents at current count. Using this would probably be fine although it's
32
- // a little under-docced and run by an individual. The node impl works fine,
33
- // the browser impl works but predates Uint8Array and so only uses strings.
34
- // Right now, switching between native (or polyfilled) impls like this feels
35
- // like the least bad option, but... *shrugs*.
36
- if (typeof Buffer === "function") {
37
- return Buffer.from(uint8Array).toString("base64");
38
- } else if (typeof btoa === "function" && uint8Array instanceof Uint8Array) {
39
- // ArrayBuffer is a node concept so the param should always be a Uint8Array on
40
- // the browser. We need to check because ArrayBuffers don't have reduce.
41
- return btoa(uint8Array.reduce((acc, current) => acc + String.fromCharCode(current), ""));
42
- } else {
43
- throw new Error("No base64 impl found!");
44
- }
45
+ export function encodeBase64(uint8Array: Uint8Array): string {
46
+ return toBase64(uint8Array, { alphabet: "base64", omitPadding: false });
45
47
  }
46
48
 
47
49
  /**
@@ -49,8 +51,8 @@ export function encodeBase64(uint8Array: ArrayBuffer | Uint8Array): string {
49
51
  * @param uint8Array - The data to encode.
50
52
  * @returns The unpadded base64.
51
53
  */
52
- export function encodeUnpaddedBase64(uint8Array: ArrayBuffer | Uint8Array): string {
53
- return encodeBase64(uint8Array).replace(/={1,2}$/, "");
54
+ export function encodeUnpaddedBase64(uint8Array: Uint8Array): string {
55
+ return toBase64(uint8Array, { alphabet: "base64", omitPadding: true });
54
56
  }
55
57
 
56
58
  /**
@@ -58,8 +60,19 @@ export function encodeUnpaddedBase64(uint8Array: ArrayBuffer | Uint8Array): stri
58
60
  * @param uint8Array - The data to encode.
59
61
  * @returns The unpadded base64.
60
62
  */
61
- export function encodeUnpaddedBase64Url(uint8Array: ArrayBuffer | Uint8Array): string {
62
- return encodeUnpaddedBase64(uint8Array).replace(/\+/g, "-").replace(/\//g, "_");
63
+ export function encodeUnpaddedBase64Url(uint8Array: Uint8Array): string {
64
+ return toBase64(uint8Array, { alphabet: "base64url", omitPadding: true });
65
+ }
66
+
67
+ function fromBase64(base64: string, options: Uint8ArrayFromBase64Options): Uint8Array {
68
+ if (typeof Uint8Array.fromBase64 === "function") {
69
+ // Currently this is only supported in Firefox,
70
+ // but we match the options in the hope in the future we can rely on it for all environments.
71
+ // https://tc39.es/proposal-arraybuffer-base64/spec/#sec-uint8array.frombase64
72
+ return Uint8Array.fromBase64(base64, options);
73
+ }
74
+
75
+ return Uint8Array.from(atob(base64), (c) => c.charCodeAt(0));
63
76
  }
64
77
 
65
78
  /**
@@ -68,21 +81,6 @@ export function encodeUnpaddedBase64Url(uint8Array: ArrayBuffer | Uint8Array): s
68
81
  * @returns The decoded data.
69
82
  */
70
83
  export function decodeBase64(base64: string): Uint8Array {
71
- // See encodeBase64 for a short treatise on base64 en/decoding in JS
72
- if (typeof Buffer === "function") {
73
- return Buffer.from(base64, "base64");
74
- } else if (typeof atob === "function") {
75
- const itFunc = function* (): Generator<number> {
76
- const decoded = atob(
77
- // built-in atob doesn't support base64url: convert so we support either
78
- base64.replace(/-/g, "+").replace(/_/g, "/"),
79
- );
80
- for (let i = 0; i < decoded.length; ++i) {
81
- yield decoded.charCodeAt(i);
82
- }
83
- };
84
- return Uint8Array.from(itFunc());
85
- } else {
86
- throw new Error("No base64 impl found!");
87
- }
84
+ // The function requires us to select an alphabet, but we don't know if base64url was used so we convert.
85
+ return fromBase64(base64.replace(/-/g, "+").replace(/_/g, "/"), { alphabet: "base64", lastChunkHandling: "loose" });
88
86
  }
package/src/client.ts CHANGED
@@ -296,18 +296,6 @@ export interface ICreateClientOpts {
296
296
  */
297
297
  deviceToImport?: IExportedDevice;
298
298
 
299
- /**
300
- * Encryption key used for encrypting sensitive data (such as e2ee keys) in {@link ICreateClientOpts#cryptoStore}.
301
- *
302
- * This must be set to the same value every time the client is initialised for the same device.
303
- *
304
- * This is only used for the legacy crypto implementation (as used by {@link MatrixClient#initCrypto}),
305
- * but if you use the rust crypto implementation ({@link MatrixClient#initRustCrypto}) and the device
306
- * previously used legacy crypto (so must be migrated), then this must still be provided, so that the
307
- * data can be migrated from the legacy store.
308
- */
309
- pickleKey?: string;
310
-
311
299
  /**
312
300
  * Verification methods we should offer to the other side when performing an interactive verification.
313
301
  * If unset, we will offer all known methods. Currently these are: showing a QR code, scanning a QR code, and SAS
@@ -1027,17 +1015,6 @@ export class MatrixClient extends TypedEventEmitter<EmittedEvents, ClientEventHa
1027
1015
  public deviceId: string | null;
1028
1016
  public credentials: { userId: string | null };
1029
1017
 
1030
- /**
1031
- * Encryption key used for encrypting sensitive data (such as e2ee keys) in storage.
1032
- *
1033
- * As supplied in the constructor via {@link IMatrixClientCreateOpts#pickleKey}.
1034
- *
1035
- * If unset, either a hardcoded key or no encryption at all is used, depending on the Crypto implementation.
1036
- *
1037
- * @deprecated this should be a private property.
1038
- */
1039
- public pickleKey?: string;
1040
-
1041
1018
  public scheduler?: MatrixScheduler;
1042
1019
  public clientRunning = false;
1043
1020
  public timelineSupport = false;
@@ -1154,8 +1131,6 @@ export class MatrixClient extends TypedEventEmitter<EmittedEvents, ClientEventHa
1154
1131
  this.deviceId = opts.deviceToImport.deviceId;
1155
1132
  this.credentials.userId = opts.deviceToImport.userId;
1156
1133
  }
1157
- } else if (opts.pickleKey) {
1158
- this.pickleKey = opts.pickleKey;
1159
1134
  }
1160
1135
 
1161
1136
  this.useLivekitForGroupCalls = Boolean(opts.useLivekitForGroupCalls);
@@ -1339,10 +1314,7 @@ export class MatrixClient extends TypedEventEmitter<EmittedEvents, ClientEventHa
1339
1314
  * @returns MXID for the logged-in user, or null if not logged in
1340
1315
  */
1341
1316
  public getUserId(): string | null {
1342
- if (this.credentials && this.credentials.userId) {
1343
- return this.credentials.userId;
1344
- }
1345
- return null;
1317
+ return this.credentials?.userId ?? null;
1346
1318
  }
1347
1319
 
1348
1320
  /**
@@ -1364,7 +1336,7 @@ export class MatrixClient extends TypedEventEmitter<EmittedEvents, ClientEventHa
1364
1336
  * @returns Domain of this MXID
1365
1337
  */
1366
1338
  public getDomain(): string | null {
1367
- if (this.credentials && this.credentials.userId) {
1339
+ if (this.credentials?.userId) {
1368
1340
  return this.credentials.userId.replace(/^.*?:/, "");
1369
1341
  }
1370
1342
  return null;
@@ -1375,10 +1347,7 @@ export class MatrixClient extends TypedEventEmitter<EmittedEvents, ClientEventHa
1375
1347
  * @returns The user ID localpart or null.
1376
1348
  */
1377
1349
  public getUserIdLocalpart(): string | null {
1378
- if (this.credentials && this.credentials.userId) {
1379
- return this.credentials.userId.split(":")[0].substring(1);
1380
- }
1381
- return null;
1350
+ return this.credentials?.userId?.split(":")[0].substring(1) ?? null;
1382
1351
  }
1383
1352
 
1384
1353
  /**
@@ -1704,7 +1673,7 @@ export class MatrixClient extends TypedEventEmitter<EmittedEvents, ClientEventHa
1704
1673
  */
1705
1674
  public getIgnoredUsers(): string[] {
1706
1675
  const event = this.getAccountData("m.ignored_user_list");
1707
- if (!event || !event.getContent() || !event.getContent()["ignored_users"]) return [];
1676
+ if (!event?.getContent()["ignored_users"]) return [];
1708
1677
  return Object.keys(event.getContent()["ignored_users"]);
1709
1678
  }
1710
1679
 
package/src/digest.ts CHANGED
@@ -18,11 +18,11 @@ limitations under the License.
18
18
  * Computes a SHA-256 hash of a string (after utf-8 encoding) and returns it as an ArrayBuffer.
19
19
  *
20
20
  * @param plaintext The string to hash
21
- * @returns An ArrayBuffer containing the SHA-256 hash of the input string
21
+ * @returns An Uint8Array containing the SHA-256 hash of the input string
22
22
  * @throws If the subtle crypto API is not available, for example if the code is running
23
23
  * in a web page with an insecure context (eg. served over plain HTTP).
24
24
  */
25
- export async function sha256(plaintext: string): Promise<ArrayBuffer> {
25
+ export async function sha256(plaintext: string): Promise<Uint8Array> {
26
26
  if (!globalThis.crypto.subtle) {
27
27
  throw new Error("Crypto.subtle is not available: insecure context?");
28
28
  }
@@ -30,5 +30,5 @@ export async function sha256(plaintext: string): Promise<ArrayBuffer> {
30
30
 
31
31
  const digest = await globalThis.crypto.subtle.digest("SHA-256", utf8);
32
32
 
33
- return digest;
33
+ return new Uint8Array(digest);
34
34
  }
@@ -533,9 +533,9 @@ export class MatrixEvent extends TypedEventEmitter<MatrixEventEmittedEvents, Mat
533
533
  return {} as T;
534
534
  }
535
535
  if (this.clearEvent) {
536
- return (this.clearEvent.content || {}) as T;
536
+ return (this.clearEvent.content ?? {}) as T;
537
537
  }
538
- return (this.event.content || {}) as T;
538
+ return (this.event.content ?? {}) as T;
539
539
  }
540
540
 
541
541
  /**
@@ -549,7 +549,7 @@ export class MatrixEvent extends TypedEventEmitter<MatrixEventEmittedEvents, Mat
549
549
  if (this._localRedactionEvent) {
550
550
  return {} as T;
551
551
  } else if (this._replacingEvent) {
552
- return this._replacingEvent.getContent()["m.new_content"] || {};
552
+ return this._replacingEvent.getContent()["m.new_content"] ?? {};
553
553
  } else {
554
554
  return this.getOriginalContent();
555
555
  }
@@ -1111,7 +1111,7 @@ export class MatrixEvent extends TypedEventEmitter<MatrixEventEmittedEvents, Mat
1111
1111
  this.emit(MatrixEventEvent.LocalEventIdReplaced, this);
1112
1112
  }
1113
1113
 
1114
- this.localTimestamp = Date.now() - this.getAge()!;
1114
+ this.localTimestamp = Date.now() - (this.getAge() ?? 0);
1115
1115
  }
1116
1116
 
1117
1117
  /**
@@ -1348,7 +1348,7 @@ export class MatrixEvent extends TypedEventEmitter<MatrixEventEmittedEvents, Mat
1348
1348
  * @param otherEvent - The other event to check against.
1349
1349
  * @returns True if the events are the same, false otherwise.
1350
1350
  */
1351
- public isEquivalentTo(otherEvent: MatrixEvent): boolean {
1351
+ public isEquivalentTo(otherEvent?: MatrixEvent): boolean {
1352
1352
  if (!otherEvent) return false;
1353
1353
  if (otherEvent === this) return true;
1354
1354
  const myProps = deepSortedObjectEntries(this.event);
@@ -196,8 +196,8 @@ class SlidingList {
196
196
  * @param list - The new list parameters
197
197
  */
198
198
  public replaceList(list: MSC3575List): void {
199
- list.filters = list.filters || {};
200
- list.ranges = list.ranges || [];
199
+ list.filters = list.filters ?? {};
200
+ list.ranges = list.ranges ?? [];
201
201
  this.list = JSON.parse(JSON.stringify(list));
202
202
  this.isModified = true;
203
203
 
@@ -894,9 +894,9 @@ export class SlidingSync extends TypedEventEmitter<SlidingSyncEvent, SlidingSync
894
894
  l.setModified(false);
895
895
  });
896
896
  // set default empty values so we don't need to null check
897
- resp.lists = resp.lists || {};
898
- resp.rooms = resp.rooms || {};
899
- resp.extensions = resp.extensions || {};
897
+ resp.lists = resp.lists ?? {};
898
+ resp.rooms = resp.rooms ?? {};
899
+ resp.extensions = resp.extensions ?? {};
900
900
  Object.keys(resp.lists).forEach((key: string) => {
901
901
  const list = this.lists.get(key);
902
902
  if (!list || !resp) {
@@ -934,7 +934,7 @@ export class SlidingSync extends TypedEventEmitter<SlidingSyncEvent, SlidingSync
934
934
  const listKeysWithUpdates: Set<string> = new Set();
935
935
  if (!doNotUpdateList) {
936
936
  for (const [key, list] of Object.entries(resp.lists)) {
937
- list.ops = list.ops || [];
937
+ list.ops = list.ops ?? [];
938
938
  if (list.ops.length > 0) {
939
939
  listKeysWithUpdates.add(key);
940
940
  }
@@ -42,7 +42,7 @@ const WRITE_DELAY_MS = 1000 * 60 * 5; // once every 5 minutes
42
42
 
43
43
  interface IOpts extends IBaseOpts {
44
44
  /** The Indexed DB interface e.g. `window.indexedDB` */
45
- indexedDB: IDBFactory;
45
+ indexedDB?: IDBFactory;
46
46
  /** Optional database name. The same name must be used to open the same database. */
47
47
  dbName?: string;
48
48
  /** Optional factory to spin up a Worker to execute the IDB transactions within. */