641 lines
20 KiB
Dart
641 lines
20 KiB
Dart
/*
|
|
* Famedly Matrix SDK
|
|
* Copyright (C) 2019, 2020, 2021 Famedly GmbH
|
|
*
|
|
* This program is free software: you can redistribute it and/or modify
|
|
* it under the terms of the GNU Affero General Public License as
|
|
* published by the Free Software Foundation, either version 3 of the
|
|
* License, or (at your option) any later version.
|
|
*
|
|
* This program is distributed in the hope that it will be useful,
|
|
* but WITHOUT ANY WARRANTY; without even the implied warranty of
|
|
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
|
* GNU Affero General Public License for more details.
|
|
*
|
|
* You should have received a copy of the GNU Affero General Public License
|
|
* along with this program. If not, see <https://www.gnu.org/licenses/>.
|
|
*/
|
|
|
|
import 'dart:async';
|
|
import 'dart:convert';
|
|
|
|
import 'package:collection/collection.dart';
|
|
import 'package:matrix/matrix.dart';
|
|
import 'package:matrix/src/models/timeline_chunk.dart';
|
|
|
|
/// Represents the main timeline of a room.
|
|
class RoomTimeline extends Timeline {
|
|
final Room room;
|
|
@override
|
|
List<Event> get events => chunk.events;
|
|
|
|
TimelineChunk chunk;
|
|
|
|
StreamSubscription<Event>? timelineSub;
|
|
StreamSubscription<Event>? historySub;
|
|
StreamSubscription<SyncUpdate>? roomSub;
|
|
StreamSubscription<String>? sessionIdReceivedSub;
|
|
StreamSubscription<String>? cancelSendEventSub;
|
|
|
|
bool isRequestingHistory = false;
|
|
bool isRequestingFuture = false;
|
|
bool allowNewEvent = true;
|
|
bool isFragmentedTimeline = false;
|
|
|
|
final Map<String, Event> _eventCache = {};
|
|
|
|
// When fetching history, we will collect them into the `_historyUpdates` set
|
|
// first, and then only process all events at once, once we have the full history.
|
|
// This ensures that the entire history fetching only triggers `onUpdate` only *once*,
|
|
// even if /sync's complete while history is being proccessed.
|
|
bool _collectHistoryUpdates = false;
|
|
|
|
// We confirmed, that there are no more events to load from the database.
|
|
bool _fetchedAllDatabaseEvents = false;
|
|
|
|
@override
|
|
bool get canRequestHistory {
|
|
if (!{Membership.join, Membership.leave}.contains(room.membership)) {
|
|
return false;
|
|
}
|
|
if (events.isEmpty) return true;
|
|
return !_fetchedAllDatabaseEvents ||
|
|
(room.prev_batch != null && events.last.type != EventTypes.RoomCreate);
|
|
}
|
|
|
|
@override
|
|
bool get canRequestFuture => !allowNewEvent;
|
|
|
|
RoomTimeline({
|
|
required this.room,
|
|
required this.chunk,
|
|
super.onUpdate,
|
|
super.onChange,
|
|
super.onInsert,
|
|
super.onRemove,
|
|
super.onNewEvent,
|
|
}) {
|
|
timelineSub = room.client.onTimelineEvent.stream.listen(
|
|
(event) => _handleEventUpdate(event, EventUpdateType.timeline),
|
|
);
|
|
historySub = room.client.onHistoryEvent.stream.listen(
|
|
(event) => _handleEventUpdate(event, EventUpdateType.history),
|
|
);
|
|
|
|
// If the timeline is limited we want to clear our events cache
|
|
roomSub = room.client.onSync.stream
|
|
.where((sync) => sync.rooms?.join?[room.id]?.timeline?.limited == true)
|
|
.listen(_removeEventsNotInThisSync);
|
|
|
|
sessionIdReceivedSub =
|
|
room.onSessionKeyReceived.stream.listen(_sessionKeyReceived);
|
|
cancelSendEventSub =
|
|
room.client.onCancelSendEvent.stream.listen(_cleanUpCancelledEvent);
|
|
|
|
// we want to populate our aggregated events
|
|
for (final e in events) {
|
|
addAggregatedEvent(e);
|
|
}
|
|
|
|
// we are using a fragmented timeline
|
|
if (chunk.nextBatch != '') {
|
|
allowNewEvent = false;
|
|
isFragmentedTimeline = true;
|
|
// fragmented timelines never read from the database.
|
|
_fetchedAllDatabaseEvents = true;
|
|
}
|
|
}
|
|
|
|
@override
|
|
Future<Event?> getEventById(String id) async {
|
|
for (final event in events) {
|
|
if (event.eventId == id) return event;
|
|
}
|
|
if (_eventCache.containsKey(id)) return _eventCache[id];
|
|
final requestedEvent = await room.getEventById(id);
|
|
if (requestedEvent == null) return null;
|
|
_eventCache[id] = requestedEvent;
|
|
return _eventCache[id];
|
|
}
|
|
|
|
@override
|
|
Future<void> requestHistory({
|
|
int historyCount = Room.defaultHistoryCount,
|
|
StateFilter? filter,
|
|
}) async {
|
|
if (isRequestingHistory) return;
|
|
isRequestingHistory = true;
|
|
await _requestEvents(
|
|
direction: Direction.b,
|
|
historyCount: historyCount,
|
|
filter: filter,
|
|
);
|
|
isRequestingHistory = false;
|
|
}
|
|
|
|
@override
|
|
Future<void> requestFuture({
|
|
int historyCount = Room.defaultHistoryCount,
|
|
StateFilter? filter,
|
|
}) async {
|
|
if (allowNewEvent) return;
|
|
if (isRequestingFuture) return;
|
|
isRequestingFuture = true;
|
|
await _requestEvents(
|
|
direction: Direction.f,
|
|
historyCount: historyCount,
|
|
filter: filter,
|
|
);
|
|
isRequestingFuture = false;
|
|
}
|
|
|
|
Future<void> _requestEvents({
|
|
int historyCount = Room.defaultHistoryCount,
|
|
required Direction direction,
|
|
StateFilter? filter,
|
|
}) async {
|
|
onUpdate?.call();
|
|
|
|
try {
|
|
// Look up for events in the database first. With fragmented view, we should delete the database cache
|
|
final eventsFromStore = isFragmentedTimeline
|
|
? null
|
|
: await room.client.database.getEventList(
|
|
room,
|
|
start: events.length,
|
|
limit: historyCount,
|
|
);
|
|
|
|
if (eventsFromStore != null && eventsFromStore.isNotEmpty) {
|
|
for (final e in eventsFromStore) {
|
|
addAggregatedEvent(e);
|
|
}
|
|
// Fetch all users from database we have got here.
|
|
for (final event in events) {
|
|
if (room.getState(EventTypes.RoomMember, event.senderId) != null) {
|
|
continue;
|
|
}
|
|
final dbUser =
|
|
await room.client.database.getUser(event.senderId, room);
|
|
if (dbUser != null) room.setState(dbUser);
|
|
}
|
|
|
|
if (direction == Direction.b) {
|
|
events.addAll(eventsFromStore);
|
|
final startIndex = events.length - eventsFromStore.length;
|
|
final endIndex = events.length;
|
|
for (var i = startIndex; i < endIndex; i++) {
|
|
onInsert?.call(i);
|
|
}
|
|
} else {
|
|
events.insertAll(0, eventsFromStore);
|
|
final startIndex = eventsFromStore.length;
|
|
final endIndex = 0;
|
|
for (var i = startIndex; i > endIndex; i--) {
|
|
onInsert?.call(i);
|
|
}
|
|
}
|
|
} else {
|
|
_fetchedAllDatabaseEvents = true;
|
|
Logs().i('No more events found in the store. Request from server...');
|
|
|
|
if (isFragmentedTimeline) {
|
|
await getRoomEvents(
|
|
historyCount: historyCount,
|
|
direction: direction,
|
|
filter: filter,
|
|
);
|
|
} else {
|
|
if (room.prev_batch == null) {
|
|
Logs().i('No more events to request from server...');
|
|
} else {
|
|
await room.requestHistory(
|
|
historyCount: historyCount,
|
|
direction: direction,
|
|
onHistoryReceived: () {
|
|
_collectHistoryUpdates = true;
|
|
},
|
|
filter: filter,
|
|
);
|
|
}
|
|
}
|
|
}
|
|
} finally {
|
|
_collectHistoryUpdates = false;
|
|
isRequestingHistory = false;
|
|
onUpdate?.call();
|
|
}
|
|
}
|
|
|
|
/// Request more previous events from the server.
|
|
Future<int> getRoomEvents({
|
|
int historyCount = Room.defaultHistoryCount,
|
|
direction = Direction.b,
|
|
StateFilter? filter,
|
|
}) async {
|
|
// Ensure stateFilter is not null and set lazyLoadMembers to true if not already set
|
|
filter ??= StateFilter(lazyLoadMembers: true);
|
|
filter.lazyLoadMembers ??= true;
|
|
|
|
final resp = await room.client.getRoomEvents(
|
|
room.id,
|
|
direction,
|
|
from: direction == Direction.b ? chunk.prevBatch : chunk.nextBatch,
|
|
limit: historyCount,
|
|
filter: jsonEncode(filter.toJson()),
|
|
);
|
|
|
|
if (resp.end == null) {
|
|
Logs().w('We reached the end of the timeline');
|
|
}
|
|
|
|
final newNextBatch = direction == Direction.b ? resp.start : resp.end;
|
|
final newPrevBatch = direction == Direction.b ? resp.end : resp.start;
|
|
|
|
final type = direction == Direction.b
|
|
? EventUpdateType.history
|
|
: EventUpdateType.timeline;
|
|
|
|
if ((resp.state?.length ?? 0) == 0 &&
|
|
resp.start != resp.end &&
|
|
newPrevBatch != null &&
|
|
newNextBatch != null) {
|
|
if (type == EventUpdateType.history) {
|
|
Logs().w(
|
|
'[nav] we can still request history prevBatch: $type $newPrevBatch',
|
|
);
|
|
} else {
|
|
Logs().w(
|
|
'[nav] we can still request timeline nextBatch: $type $newNextBatch',
|
|
);
|
|
}
|
|
}
|
|
|
|
final newEvents =
|
|
resp.chunk.map((e) => Event.fromMatrixEvent(e, room)).toList();
|
|
|
|
if (!allowNewEvent) {
|
|
if (resp.start == resp.end ||
|
|
(resp.end == null && direction == Direction.f)) {
|
|
allowNewEvent = true;
|
|
}
|
|
|
|
if (allowNewEvent) {
|
|
Logs().d('We now allow sync update into the timeline.');
|
|
newEvents.addAll(
|
|
await room.client.database.getEventList(room, onlySending: true),
|
|
);
|
|
}
|
|
}
|
|
|
|
// Try to decrypt encrypted events but don't update the database.
|
|
if (room.encrypted && room.client.encryptionEnabled) {
|
|
for (var i = 0; i < newEvents.length; i++) {
|
|
if (newEvents[i].type == EventTypes.Encrypted) {
|
|
newEvents[i] = await room.client.encryption!.decryptRoomEvent(
|
|
newEvents[i],
|
|
);
|
|
}
|
|
}
|
|
}
|
|
|
|
// update chunk anchors
|
|
if (type == EventUpdateType.history) {
|
|
chunk.prevBatch = newPrevBatch ?? '';
|
|
|
|
final offset = chunk.events.length;
|
|
|
|
chunk.events.addAll(newEvents);
|
|
|
|
for (var i = 0; i < newEvents.length; i++) {
|
|
onInsert?.call(i + offset);
|
|
}
|
|
} else {
|
|
chunk.nextBatch = newNextBatch ?? '';
|
|
chunk.events.insertAll(0, newEvents.reversed);
|
|
|
|
for (var i = 0; i < newEvents.length; i++) {
|
|
onInsert?.call(i);
|
|
}
|
|
}
|
|
|
|
if (onUpdate != null) {
|
|
onUpdate!();
|
|
}
|
|
return resp.chunk.length;
|
|
}
|
|
|
|
void _cleanUpCancelledEvent(String eventId) {
|
|
final i = _findEvent(event_id: eventId);
|
|
if (i < events.length) {
|
|
removeAggregatedEvent(events[i]);
|
|
events.removeAt(i);
|
|
onRemove?.call(i);
|
|
onUpdate?.call();
|
|
}
|
|
}
|
|
|
|
/// Removes all entries from [events] which are not in this SyncUpdate.
|
|
void _removeEventsNotInThisSync(SyncUpdate sync) {
|
|
final newSyncEvents = sync.rooms?.join?[room.id]?.timeline?.events ?? [];
|
|
final keepEventIds = newSyncEvents.map((e) => e.eventId);
|
|
events.removeWhere((e) => !keepEventIds.contains(e.eventId));
|
|
}
|
|
|
|
@override
|
|
void cancelSubscriptions() {
|
|
timelineSub?.cancel();
|
|
historySub?.cancel();
|
|
roomSub?.cancel();
|
|
sessionIdReceivedSub?.cancel();
|
|
cancelSendEventSub?.cancel();
|
|
}
|
|
|
|
void _sessionKeyReceived(String sessionId) async {
|
|
var decryptAtLeastOneEvent = false;
|
|
Future<void> decryptFn() async {
|
|
final encryption = room.client.encryption;
|
|
if (!room.client.encryptionEnabled || encryption == null) {
|
|
return;
|
|
}
|
|
for (var i = 0; i < events.length; i++) {
|
|
if (events[i].type == EventTypes.Encrypted &&
|
|
events[i].messageType == MessageTypes.BadEncrypted &&
|
|
events[i].content['session_id'] == sessionId) {
|
|
events[i] = await encryption.decryptRoomEvent(
|
|
events[i],
|
|
store: true,
|
|
updateType: EventUpdateType.history,
|
|
);
|
|
addAggregatedEvent(events[i]);
|
|
onChange?.call(i);
|
|
if (events[i].type != EventTypes.Encrypted) {
|
|
decryptAtLeastOneEvent = true;
|
|
}
|
|
}
|
|
}
|
|
}
|
|
|
|
await room.client.database.transaction(decryptFn);
|
|
if (decryptAtLeastOneEvent) onUpdate?.call();
|
|
}
|
|
|
|
@override
|
|
void requestKeys({
|
|
bool tryOnlineBackup = true,
|
|
bool onlineKeyBackupOnly = true,
|
|
}) {
|
|
for (final event in events) {
|
|
if (event.type == EventTypes.Encrypted &&
|
|
event.messageType == MessageTypes.BadEncrypted &&
|
|
event.content['can_request_session'] == true) {
|
|
final sessionId = event.content.tryGet<String>('session_id');
|
|
final senderKey = event.content.tryGet<String>('sender_key');
|
|
if (sessionId != null && senderKey != null) {
|
|
room.client.encryption?.keyManager.maybeAutoRequest(
|
|
room.id,
|
|
sessionId,
|
|
senderKey,
|
|
tryOnlineBackup: tryOnlineBackup,
|
|
onlineKeyBackupOnly: onlineKeyBackupOnly,
|
|
);
|
|
}
|
|
}
|
|
}
|
|
}
|
|
|
|
@override
|
|
Future<void> setReadMarker({String? eventId, bool? public}) async {
|
|
eventId ??=
|
|
events.firstWhereOrNull((event) => event.status.isSynced)?.eventId;
|
|
if (eventId == null) return;
|
|
return room.setReadMarker(eventId, mRead: eventId, public: public);
|
|
}
|
|
|
|
/// Find event index by event ID or transaction ID
|
|
int _findEvent({String? event_id, String? unsigned_txid}) {
|
|
final searchNeedle = <String>{};
|
|
if (event_id != null) searchNeedle.add(event_id);
|
|
if (unsigned_txid != null) searchNeedle.add(unsigned_txid);
|
|
|
|
int i;
|
|
for (i = 0; i < events.length; i++) {
|
|
final searchHaystack = <String>{events[i].eventId};
|
|
final txnid = events[i].transactionId;
|
|
if (txnid != null) searchHaystack.add(txnid);
|
|
if (searchNeedle.intersection(searchHaystack).isNotEmpty) break;
|
|
}
|
|
return i;
|
|
}
|
|
|
|
void _handleEventUpdate(
|
|
Event event,
|
|
EventUpdateType type, {
|
|
bool update = true,
|
|
}) {
|
|
try {
|
|
if (event.roomId != room.id) return;
|
|
|
|
if (type != EventUpdateType.timeline && type != EventUpdateType.history) {
|
|
return;
|
|
}
|
|
|
|
if (type == EventUpdateType.timeline) {
|
|
onNewEvent?.call();
|
|
}
|
|
|
|
if (!allowNewEvent) return;
|
|
|
|
final status = event.status;
|
|
|
|
final i = _findEvent(
|
|
event_id: event.eventId,
|
|
unsigned_txid: event.transactionId,
|
|
);
|
|
|
|
if (i < events.length) {
|
|
// if the old status is larger than the new one, we also want to preserve the old status
|
|
final oldStatus = events[i].status;
|
|
events[i] = event;
|
|
// do we preserve the status? we should allow 0 -> -1 updates and status increases
|
|
if ((latestEventStatus(status, oldStatus) == oldStatus) &&
|
|
!(status.isError && oldStatus.isSending)) {
|
|
events[i].status = oldStatus;
|
|
}
|
|
addAggregatedEvent(events[i]);
|
|
onChange?.call(i);
|
|
} else {
|
|
if (type == EventUpdateType.history &&
|
|
events.indexWhere((e) => e.eventId == event.eventId) != -1) {
|
|
return;
|
|
}
|
|
var index = events.length;
|
|
if (type == EventUpdateType.history) {
|
|
events.add(event);
|
|
} else {
|
|
index = events.firstIndexWhereNotError;
|
|
events.insert(index, event);
|
|
}
|
|
onInsert?.call(index);
|
|
|
|
addAggregatedEvent(event);
|
|
}
|
|
|
|
// Handle redaction events
|
|
if (event.type == EventTypes.Redaction) {
|
|
final index = _findEvent(event_id: event.redacts);
|
|
if (index < events.length) {
|
|
removeAggregatedEvent(events[index]);
|
|
|
|
// Is the redacted event a reaction? Then update the event this
|
|
// belongs to:
|
|
if (onChange != null) {
|
|
final relationshipEventId = events[index].relationshipEventId;
|
|
if (relationshipEventId != null) {
|
|
onChange?.call(_findEvent(event_id: relationshipEventId));
|
|
return;
|
|
}
|
|
}
|
|
|
|
events[index].setRedactionEvent(event);
|
|
onChange?.call(index);
|
|
}
|
|
}
|
|
|
|
if (update && !_collectHistoryUpdates) {
|
|
onUpdate?.call();
|
|
}
|
|
} catch (e, s) {
|
|
Logs().w('Handle event update failed', e, s);
|
|
}
|
|
}
|
|
|
|
@override
|
|
Stream<(List<Event>, String?)> startSearch({
|
|
String? searchTerm,
|
|
int requestHistoryCount = 100,
|
|
int maxHistoryRequests = 10,
|
|
String? prevBatch,
|
|
@Deprecated('Use [prevBatch] instead.') String? sinceEventId,
|
|
int? limit,
|
|
bool Function(Event)? searchFunc,
|
|
}) async* {
|
|
assert(searchTerm != null || searchFunc != null);
|
|
searchFunc ??= (event) =>
|
|
event.body.toLowerCase().contains(searchTerm?.toLowerCase() ?? '');
|
|
final found = <Event>[];
|
|
|
|
if (sinceEventId == null) {
|
|
// Search locally
|
|
for (final event in events) {
|
|
if (searchFunc(event)) {
|
|
yield (found..add(event), null);
|
|
}
|
|
}
|
|
|
|
// Search in database
|
|
var start = events.length;
|
|
while (true) {
|
|
final eventsFromStore = await room.client.database.getEventList(
|
|
room,
|
|
start: start,
|
|
limit: requestHistoryCount,
|
|
);
|
|
if (eventsFromStore.isEmpty) break;
|
|
start += eventsFromStore.length;
|
|
for (final event in eventsFromStore) {
|
|
if (searchFunc(event)) {
|
|
yield (found..add(event), null);
|
|
}
|
|
}
|
|
}
|
|
}
|
|
|
|
// Search on the server
|
|
prevBatch ??= room.prev_batch;
|
|
if (sinceEventId != null) {
|
|
prevBatch =
|
|
(await room.client.getEventContext(room.id, sinceEventId)).end;
|
|
}
|
|
final encryption = room.client.encryption;
|
|
for (var i = 0; i < maxHistoryRequests; i++) {
|
|
if (prevBatch == null) break;
|
|
if (limit != null && found.length >= limit) break;
|
|
try {
|
|
final resp = await room.client.getRoomEvents(
|
|
room.id,
|
|
Direction.b,
|
|
from: prevBatch,
|
|
limit: requestHistoryCount,
|
|
filter: jsonEncode(StateFilter(lazyLoadMembers: true).toJson()),
|
|
);
|
|
for (final matrixEvent in resp.chunk) {
|
|
var event = Event.fromMatrixEvent(matrixEvent, room);
|
|
if (event.type == EventTypes.Encrypted && encryption != null) {
|
|
event = await encryption.decryptRoomEvent(event);
|
|
if (event.type == EventTypes.Encrypted &&
|
|
event.messageType == MessageTypes.BadEncrypted &&
|
|
event.content['can_request_session'] == true) {
|
|
// Await requestKey() here to ensure decrypted message bodies
|
|
await event.requestKey();
|
|
}
|
|
}
|
|
if (searchFunc(event)) {
|
|
yield (found..add(event), resp.end);
|
|
if (limit != null && found.length >= limit) break;
|
|
}
|
|
}
|
|
prevBatch = resp.end;
|
|
// We are at the beginning of the room
|
|
if (resp.chunk.length < requestHistoryCount) break;
|
|
} on MatrixException catch (e) {
|
|
// We have no permission anymore to request the history
|
|
if (e.error == MatrixError.M_FORBIDDEN) {
|
|
break;
|
|
}
|
|
rethrow;
|
|
}
|
|
}
|
|
return;
|
|
}
|
|
|
|
/// Add an event to the aggregation tree
|
|
void addAggregatedEvent(Event event) {
|
|
final relationshipType = event.relationshipType;
|
|
final relationshipEventId = event.relationshipEventId;
|
|
if (relationshipType == null || relationshipEventId == null) {
|
|
return;
|
|
}
|
|
final e = (aggregatedEvents[relationshipEventId] ??=
|
|
<String, Set<Event>>{})[relationshipType] ??= <Event>{};
|
|
_removeEventFromSet(e, event);
|
|
e.add(event);
|
|
if (onChange != null) {
|
|
final index = _findEvent(event_id: relationshipEventId);
|
|
onChange?.call(index);
|
|
}
|
|
}
|
|
|
|
/// Remove an event from aggregation
|
|
void removeAggregatedEvent(Event event) {
|
|
aggregatedEvents.remove(event.eventId);
|
|
if (event.transactionId != null) {
|
|
aggregatedEvents.remove(event.transactionId);
|
|
}
|
|
for (final types in aggregatedEvents.values) {
|
|
for (final e in types.values) {
|
|
_removeEventFromSet(e, event);
|
|
}
|
|
}
|
|
}
|
|
|
|
/// Remove event from set based on event or transaction ID
|
|
void _removeEventFromSet(Set<Event> eventSet, Event event) {
|
|
eventSet.removeWhere(
|
|
(e) =>
|
|
e.matchesEventOrTransactionId(event.eventId) ||
|
|
event.unsigned != null &&
|
|
e.matchesEventOrTransactionId(event.transactionId),
|
|
);
|
|
}
|
|
} |