mirror of
https://github.com/vector-im/hydrogen-web.git
synced 2024-12-24 20:14:53 +01:00
100 lines
3.1 KiB
JavaScript
100 lines
3.1 KiB
JavaScript
import Room from "./room/room.js";
|
|
import { ObservableMap } from "../observable/index.js";
|
|
import { SendScheduler, RateLimitingBackoff } from "./SendScheduler.js";
|
|
import User from "./User.js";
|
|
|
|
export default class Session {
|
|
// sessionInfo contains deviceId, userId and homeServer
|
|
constructor({storage, hsApi, sessionInfo}) {
|
|
this._storage = storage;
|
|
this._hsApi = hsApi;
|
|
this._session = null;
|
|
this._sessionInfo = sessionInfo;
|
|
this._rooms = new ObservableMap();
|
|
this._sendScheduler = new SendScheduler({hsApi, backoff: new RateLimitingBackoff()});
|
|
this._roomUpdateCallback = (room, params) => this._rooms.update(room.id, params);
|
|
this._user = new User(sessionInfo.userId);
|
|
}
|
|
|
|
async load() {
|
|
const txn = await this._storage.readTxn([
|
|
this._storage.storeNames.session,
|
|
this._storage.storeNames.roomSummary,
|
|
this._storage.storeNames.roomState,
|
|
this._storage.storeNames.timelineEvents,
|
|
this._storage.storeNames.timelineFragments,
|
|
this._storage.storeNames.pendingEvents,
|
|
]);
|
|
// restore session object
|
|
this._session = await txn.session.get();
|
|
if (!this._session) {
|
|
this._session = {};
|
|
return;
|
|
}
|
|
const pendingEventsByRoomId = await this._getPendingEventsByRoom(txn);
|
|
// load rooms
|
|
const rooms = await txn.roomSummary.getAll();
|
|
await Promise.all(rooms.map(summary => {
|
|
const room = this.createRoom(summary.roomId, pendingEventsByRoomId.get(summary.roomId));
|
|
return room.load(summary, txn);
|
|
}));
|
|
}
|
|
|
|
notifyNetworkAvailable() {
|
|
for (const [, room] of this._rooms) {
|
|
room.resumeSending();
|
|
}
|
|
}
|
|
|
|
async _getPendingEventsByRoom(txn) {
|
|
const pendingEvents = await txn.pendingEvents.getAll();
|
|
return pendingEvents.reduce((groups, pe) => {
|
|
const group = groups.get(pe.roomId);
|
|
if (group) {
|
|
group.push(pe);
|
|
} else {
|
|
groups.set(pe.roomId, [pe]);
|
|
}
|
|
return groups;
|
|
}, new Map());
|
|
}
|
|
|
|
get rooms() {
|
|
return this._rooms;
|
|
}
|
|
|
|
createRoom(roomId, pendingEvents) {
|
|
const room = new Room({
|
|
roomId,
|
|
storage: this._storage,
|
|
emitCollectionChange: this._roomUpdateCallback,
|
|
hsApi: this._hsApi,
|
|
sendScheduler: this._sendScheduler,
|
|
pendingEvents,
|
|
user: this._user,
|
|
});
|
|
this._rooms.add(roomId, room);
|
|
return room;
|
|
}
|
|
|
|
persistSync(syncToken, syncFilterId, accountData, txn) {
|
|
if (syncToken !== this._session.syncToken) {
|
|
this._session.syncToken = syncToken;
|
|
this._session.syncFilterId = syncFilterId;
|
|
txn.session.set(this._session);
|
|
}
|
|
}
|
|
|
|
get syncToken() {
|
|
return this._session.syncToken;
|
|
}
|
|
|
|
get syncFilterId() {
|
|
return this._session.syncFilterId;
|
|
}
|
|
|
|
get user() {
|
|
return this._user;
|
|
}
|
|
}
|