fluffychat/lib/pages/chat.dart

795 lines
23 KiB
Dart
Raw Normal View History

2020-01-05 11:27:03 +00:00
import 'dart:async';
2020-01-01 18:10:13 +00:00
import 'dart:io';
2020-11-14 09:08:13 +00:00
import 'package:adaptive_dialog/adaptive_dialog.dart';
import 'package:flutter_app_badger/flutter_app_badger.dart';
2021-05-23 11:11:55 +00:00
import 'package:matrix/matrix.dart';
2020-10-04 15:01:54 +00:00
import 'package:file_picker_cross/file_picker_cross.dart';
2021-04-09 14:29:48 +00:00
import 'package:fluffychat/config/app_config.dart';
import 'package:fluffychat/pages/views/chat_view.dart';
2021-05-22 06:57:49 +00:00
import 'package:fluffychat/pages/recording_dialog.dart';
import 'package:flutter_local_notifications/flutter_local_notifications.dart';
2021-04-03 11:09:20 +00:00
2020-12-25 08:58:34 +00:00
import 'package:future_loading_dialog/future_loading_dialog.dart';
2021-05-22 06:53:52 +00:00
import 'package:fluffychat/widgets/matrix.dart';
import 'package:fluffychat/utils/matrix_sdk_extensions.dart/matrix_locals.dart';
2020-10-04 15:01:54 +00:00
import 'package:fluffychat/utils/platform_infos.dart';
2020-01-01 18:10:13 +00:00
import 'package:flutter/foundation.dart';
import 'package:flutter/material.dart';
import 'package:flutter/scheduler.dart';
2020-02-09 14:15:29 +00:00
import 'package:flutter/services.dart';
import 'package:flutter_gen/gen_l10n/l10n.dart';
import 'package:image_picker/image_picker.dart';
2021-07-24 08:35:18 +00:00
import 'package:record/record.dart';
2020-09-19 17:21:33 +00:00
import 'package:scroll_to_index/scroll_to_index.dart';
2021-01-16 15:39:07 +00:00
import 'package:url_launcher/url_launcher.dart';
2021-05-23 11:11:55 +00:00
import 'package:vrouter/vrouter.dart';
import '../utils/localized_exception_extension.dart';
2020-01-01 18:10:13 +00:00
2021-04-24 07:15:59 +00:00
import 'send_file_dialog.dart';
2021-08-01 07:53:43 +00:00
import 'send_location_dialog.dart';
2021-07-23 12:24:52 +00:00
import 'sticker_picker_dialog.dart';
import '../utils/matrix_sdk_extensions.dart/filtered_timeline_extension.dart';
import '../utils/matrix_sdk_extensions.dart/matrix_file_extension.dart';
import '../utils/account_bundles.dart';
2020-01-01 18:10:13 +00:00
2021-01-16 11:46:38 +00:00
class Chat extends StatefulWidget {
2021-05-23 11:11:55 +00:00
final Widget sideView;
2020-01-01 18:10:13 +00:00
2021-05-23 11:11:55 +00:00
Chat({Key key, this.sideView}) : super(key: key);
2020-01-01 18:10:13 +00:00
@override
ChatController createState() => ChatController();
2020-01-01 18:10:13 +00:00
}
class ChatController extends State<Chat> {
2020-01-01 18:10:13 +00:00
Room room;
Client sendingClient;
2020-01-01 18:10:13 +00:00
Timeline timeline;
2020-01-08 13:19:15 +00:00
MatrixState matrix;
2021-05-23 11:11:55 +00:00
String get roomId => context.vRouter.pathParameters['roomid'];
final AutoScrollController scrollController = AutoScrollController();
2020-01-01 18:10:13 +00:00
2020-01-24 10:51:23 +00:00
FocusNode inputFocus = FocusNode();
2020-01-05 11:27:03 +00:00
Timer typingCoolDown;
Timer typingTimeout;
bool currentlyTyping = false;
2020-04-02 11:14:39 +00:00
List<Event> selectedEvents = [];
2020-02-09 14:15:29 +00:00
2020-12-23 10:23:19 +00:00
List<Event> filteredEvents;
final Set<String> unfolded = {};
2020-11-22 18:34:19 +00:00
2020-02-09 14:15:29 +00:00
Event replyEvent;
Event editEvent;
2020-02-09 15:58:49 +00:00
bool showScrollDownButton = false;
2020-02-09 14:15:29 +00:00
bool get selectMode => selectedEvents.isNotEmpty;
2020-02-14 13:34:28 +00:00
final int _loadHistoryCount = 100;
2020-05-13 13:58:59 +00:00
String inputText = '';
2020-02-22 08:03:44 +00:00
String pendingText = '';
2021-09-06 18:16:01 +00:00
bool get canLoadMore =>
timeline.events.isEmpty ||
timeline.events.last.type != EventTypes.RoomCreate;
2020-05-09 07:30:03 +00:00
2021-05-20 11:46:52 +00:00
bool showEmojiPicker = false;
void startCallAction() async {
2021-01-16 15:39:07 +00:00
final url =
'${AppConfig.jitsiInstance}${Uri.encodeComponent(Matrix.of(context).client.generateUniqueTransactionId())}';
final success = await showFutureLoadingDialog(
context: context,
future: () => room.sendEvent({
'msgtype': Matrix.callNamespace,
'body': url,
}));
if (success.error != null) return;
await launch(url);
}
2020-02-14 13:34:28 +00:00
void requestHistory() async {
if (canLoadMore) {
try {
await timeline.requestHistory(historyCount: _loadHistoryCount);
} catch (err) {
2021-06-06 15:56:01 +00:00
ScaffoldMessenger.of(context).showSnackBar(
SnackBar(
content: Text(
(err as Object).toLocalizedString(context),
),
),
);
rethrow;
}
2020-09-19 17:21:33 +00:00
}
}
void _updateScrollController() {
2020-11-16 10:31:31 +00:00
if (!mounted) {
return;
}
if (scrollController.position.pixels ==
scrollController.position.maxScrollExtent &&
2020-09-19 17:21:33 +00:00
timeline.events.isNotEmpty &&
timeline.events[timeline.events.length - 1].type !=
EventTypes.RoomCreate) {
requestHistory();
}
if (scrollController.position.pixels > 0 && showScrollDownButton == false) {
2020-09-19 17:21:33 +00:00
setState(() => showScrollDownButton = true);
} else if (scrollController.position.pixels == 0 &&
2020-09-19 17:21:33 +00:00
showScrollDownButton == true) {
setState(() => showScrollDownButton = false);
2020-02-14 13:37:31 +00:00
}
2020-02-14 13:34:28 +00:00
}
2020-01-01 18:10:13 +00:00
@override
void initState() {
scrollController.addListener(_updateScrollController);
2020-01-01 18:10:13 +00:00
super.initState();
}
2020-01-05 11:27:03 +00:00
void updateView() {
if (!mounted) return;
2020-12-23 10:23:19 +00:00
setState(
() {
filteredEvents = timeline.getFilteredEvents(unfolded: unfolded);
2020-12-23 10:23:19 +00:00
},
);
2020-01-05 11:27:03 +00:00
}
void unfold(String eventId) {
var i = filteredEvents.indexWhere((e) => e.eventId == eventId);
setState(() {
while (i < filteredEvents.length - 1 && filteredEvents[i].isState) {
unfolded.add(filteredEvents[i].eventId);
i++;
}
filteredEvents = timeline.getFilteredEvents(unfolded: unfolded);
});
}
Future<bool> getTimeline() async {
if (timeline == null) {
timeline = await room.getTimeline(onUpdate: updateView);
if (timeline.events.isNotEmpty) {
// ignore: unawaited_futures
room.setUnread(false).catchError((err) {
2020-11-16 10:31:31 +00:00
if (err is MatrixException && err.errcode == 'M_FORBIDDEN') {
// ignore if the user is not in the room (still joining)
return;
}
throw err;
});
}
2020-09-19 17:21:33 +00:00
// when the scroll controller is attached we want to scroll to an event id, if specified
// and update the scroll controller...which will trigger a request history, if the
// "load more" button is visible on the screen
SchedulerBinding.instance.addPostFrameCallback((_) async {
2020-11-16 10:31:31 +00:00
if (mounted) {
2021-05-23 11:11:55 +00:00
final event = VRouter.of(context).queryParameters['event'];
if (event != null) {
scrollToEventId(event);
2020-11-16 10:31:31 +00:00
}
_updateScrollController();
2020-09-19 17:21:33 +00:00
}
});
}
2021-04-17 07:51:08 +00:00
filteredEvents = timeline.getFilteredEvents(unfolded: unfolded);
2021-05-15 09:55:04 +00:00
if (room.notificationCount != null &&
room.notificationCount > 0 &&
timeline != null &&
timeline.events.isNotEmpty &&
Matrix.of(context).webHasFocus) {
// ignore: unawaited_futures
2021-05-20 11:59:55 +00:00
room.setReadMarker(
2021-05-15 09:55:04 +00:00
timeline.events.first.eventId,
mRead: timeline.events.first.eventId,
2021-05-15 09:55:04 +00:00
);
if (PlatformInfos.isIOS) {
// Workaround for iOS not clearing notifications with fcm_shared_isolate
if (!room.client.rooms.any((r) =>
r.membership == Membership.invite ||
(r.notificationCount != null && r.notificationCount > 0))) {
// ignore: unawaited_futures
FlutterLocalNotificationsPlugin().cancelAll();
FlutterAppBadger.removeBadge();
}
}
2021-05-15 09:55:04 +00:00
}
2020-01-01 18:10:13 +00:00
return true;
}
@override
void dispose() {
2020-02-22 07:27:08 +00:00
timeline?.cancelSubscriptions();
timeline = null;
2020-01-01 18:10:13 +00:00
super.dispose();
}
2020-01-17 09:41:28 +00:00
TextEditingController sendController = TextEditingController();
2020-01-01 18:10:13 +00:00
void setSendingClient(Client c) {
// first cancle typing with the old sending client
if (currentlyTyping) {
// no need to have the setting typing to false be blocking
typingCoolDown?.cancel();
typingCoolDown = null;
room.setTyping(false);
currentlyTyping = false;
}
// then set the new sending client
setState(() => sendingClient = c);
}
void setActiveClient(Client c) => setState(() {
Matrix.of(context).setActiveClient(c);
});
Future<void> send() async {
2021-01-16 18:44:46 +00:00
if (sendController.text.trim().isEmpty) return;
var parseCommands = true;
final commandMatch = RegExp(r'^\/(\w+)').firstMatch(sendController.text);
if (commandMatch != null &&
!room.client.commands.keys.contains(commandMatch[1].toLowerCase())) {
final l10n = L10n.of(context);
final dialogResult = await showOkCancelAlertDialog(
context: context,
useRootNavigator: false,
title: l10n.commandInvalid,
message: l10n.commandMissing(commandMatch[0]),
okLabel: l10n.sendAsText,
cancelLabel: l10n.cancel,
);
if (dialogResult == null || dialogResult == OkCancelResult.cancel) return;
parseCommands = false;
}
// ignore: unawaited_futures
room.sendTextEvent(sendController.text,
inReplyTo: replyEvent,
editEventId: editEvent?.eventId,
parseCommands: parseCommands);
sendController.value = TextEditingValue(
text: pendingText,
selection: TextSelection.collapsed(offset: 0),
);
2020-02-23 07:52:28 +00:00
setState(() {
inputText = pendingText;
replyEvent = null;
editEvent = null;
pendingText = '';
});
2020-01-01 18:10:13 +00:00
}
void sendFileAction() async {
2020-10-04 15:01:54 +00:00
final result =
await FilePickerCross.importFromStorage(type: FileTypeCross.any);
if (result == null) return;
2020-09-04 10:56:25 +00:00
await showDialog(
2020-10-04 15:01:54 +00:00
context: context,
2021-05-23 13:02:36 +00:00
useRootNavigator: false,
2021-01-18 09:43:00 +00:00
builder: (c) => SendFileDialog(
2020-10-04 15:01:54 +00:00
file: MatrixFile(
bytes: result.toUint8List(),
name: result.fileName,
).detectFileType,
room: room,
),
);
2020-01-01 18:10:13 +00:00
}
void sendImageAction() async {
final result =
await FilePickerCross.importFromStorage(type: FileTypeCross.image);
if (result == null) return;
2020-09-04 10:56:25 +00:00
await showDialog(
2020-10-04 15:01:54 +00:00
context: context,
2021-05-23 13:02:36 +00:00
useRootNavigator: false,
2021-01-18 09:43:00 +00:00
builder: (c) => SendFileDialog(
file: MatrixImageFile(
bytes: result.toUint8List(),
name: result.fileName,
),
2020-10-04 15:01:54 +00:00
room: room,
),
);
2020-01-01 18:10:13 +00:00
}
void openCameraAction() async {
// Make sure the textfield is unfocused before opening the camera
FocusScope.of(context).requestFocus(FocusNode());
final file = await ImagePicker().pickImage(source: ImageSource.camera);
2020-01-01 18:10:13 +00:00
if (file == null) return;
2020-10-04 15:01:54 +00:00
final bytes = await file.readAsBytes();
2020-09-04 10:56:25 +00:00
await showDialog(
2020-10-04 15:01:54 +00:00
context: context,
2021-05-23 13:02:36 +00:00
useRootNavigator: false,
2021-01-18 09:43:00 +00:00
builder: (c) => SendFileDialog(
2020-10-04 15:01:54 +00:00
file: MatrixImageFile(
bytes: bytes,
name: file.path,
),
room: room,
),
);
2020-01-01 18:10:13 +00:00
}
2021-07-23 12:24:52 +00:00
void sendStickerAction() async {
final sticker = await showModalBottomSheet<ImagePackImageContent>(
context: context,
useRootNavigator: false,
builder: (c) => StickerPickerDialog(room: room),
);
if (sticker == null) return;
final eventContent = <String, dynamic>{
'body': sticker.body,
if (sticker.info != null) 'info': sticker.info,
'url': sticker.url.toString(),
};
// send the sticker
await showFutureLoadingDialog(
context: context,
future: () => room.sendEvent(
eventContent,
type: EventTypes.Sticker,
),
);
}
void voiceMessageAction() async {
2021-07-24 08:35:18 +00:00
if (await Record().hasPermission() == false) return;
final result = await showDialog<String>(
context: context,
2021-05-23 13:02:36 +00:00
useRootNavigator: false,
2021-02-24 11:17:23 +00:00
builder: (c) => RecordingDialog(),
);
2020-03-15 10:27:51 +00:00
if (result == null) return;
2020-05-13 13:58:59 +00:00
final audioFile = File(result);
// as we already explicitly say send in the recording dialog,
// we do not need the send file dialog anymore. We can just send this straight away.
2020-12-25 08:58:34 +00:00
await showFutureLoadingDialog(
context: context,
future: () => room.sendFileEvent(
MatrixAudioFile(
bytes: audioFile.readAsBytesSync(), name: audioFile.path),
2021-08-12 07:59:42 +00:00
inReplyTo: replyEvent,
),
);
2021-08-12 07:59:42 +00:00
setState(() {
replyEvent = null;
});
2020-03-15 10:27:51 +00:00
}
2021-08-01 07:53:43 +00:00
void sendLocationAction() async {
await showDialog(
context: context,
useRootNavigator: false,
builder: (c) => SendLocationDialog(room: room),
);
}
String _getSelectedEventString() {
2020-05-13 13:58:59 +00:00
var copyString = '';
2020-04-02 11:14:39 +00:00
if (selectedEvents.length == 1) {
return selectedEvents.first
.getDisplayEvent(timeline)
.getLocalizedBody(MatrixLocals(L10n.of(context)));
2020-04-02 11:14:39 +00:00
}
2021-04-14 08:37:15 +00:00
for (final event in selectedEvents) {
2020-05-13 13:58:59 +00:00
if (copyString.isNotEmpty) copyString += '\n\n';
copyString += event.getDisplayEvent(timeline).getLocalizedBody(
MatrixLocals(L10n.of(context)),
withSenderNamePrefix: true);
2020-02-09 14:15:29 +00:00
}
return copyString;
}
void copyEventsAction() {
Clipboard.setData(ClipboardData(text: _getSelectedEventString()));
2020-02-09 14:15:29 +00:00
setState(() => selectedEvents.clear());
}
void reportEventAction() async {
2021-02-01 20:26:02 +00:00
final event = selectedEvents.single;
final score = await showConfirmationDialog<int>(
context: context,
2021-08-15 18:43:38 +00:00
title: L10n.of(context).reportMessage,
message: L10n.of(context).howOffensiveIsThisContent,
cancelLabel: L10n.of(context).cancel,
okLabel: L10n.of(context).ok,
2021-02-01 20:26:02 +00:00
actions: [
AlertDialogAction(
2021-02-01 21:00:41 +00:00
key: -100,
2021-02-01 20:26:02 +00:00
label: L10n.of(context).extremeOffensive,
),
AlertDialogAction(
2021-02-01 21:00:41 +00:00
key: -50,
2021-02-01 20:26:02 +00:00
label: L10n.of(context).offensive,
),
AlertDialogAction(
key: 0,
label: L10n.of(context).inoffensive,
),
]);
if (score == null) return;
final reason = await showTextInputDialog(
2021-05-23 13:02:36 +00:00
useRootNavigator: false,
2021-02-01 20:26:02 +00:00
context: context,
title: L10n.of(context).whyDoYouWantToReportThis,
2021-02-23 10:03:54 +00:00
okLabel: L10n.of(context).ok,
cancelLabel: L10n.of(context).cancel,
2021-02-01 20:26:02 +00:00
textFields: [DialogTextField(hintText: L10n.of(context).reason)]);
if (reason == null || reason.single.isEmpty) return;
final result = await showFutureLoadingDialog(
context: context,
2021-05-20 11:59:55 +00:00
future: () => Matrix.of(context).client.reportContent(
2021-02-01 20:26:02 +00:00
event.roomId,
event.eventId,
reason: reason.single,
score: score,
2021-02-01 20:26:02 +00:00
),
);
if (result.error != null) return;
setState(() => selectedEvents.clear());
2021-05-23 11:11:55 +00:00
ScaffoldMessenger.of(context).showSnackBar(
2021-04-03 11:09:20 +00:00
SnackBar(content: Text(L10n.of(context).contentHasBeenReported)));
2021-02-01 20:26:02 +00:00
}
void redactEventsAction() async {
2021-04-14 08:37:15 +00:00
final confirmed = await showOkCancelAlertDialog(
2021-05-23 13:02:36 +00:00
useRootNavigator: false,
2020-11-14 09:08:13 +00:00
context: context,
title: L10n.of(context).messageWillBeRemovedWarning,
okLabel: L10n.of(context).remove,
2021-02-18 13:23:22 +00:00
cancelLabel: L10n.of(context).cancel,
2020-11-14 09:08:13 +00:00
) ==
OkCancelResult.ok;
2020-02-09 14:15:29 +00:00
if (!confirmed) return;
2021-04-14 08:37:15 +00:00
for (final event in selectedEvents) {
2020-12-25 08:58:34 +00:00
await showFutureLoadingDialog(
context: context,
future: () async {
if (event.status > 0) {
if (event.canRedact) {
await event.redactEvent();
} else {
final client = currentRoomBundle.firstWhere(
(cl) => selectedEvents.first.senderId == cl.userID,
orElse: () => null);
if (client == null) {
return;
}
final room = client.getRoomById(roomId);
await Event.fromJson(event.toJson(), room).redactEvent();
}
} else {
await event.remove();
}
});
2020-02-09 14:15:29 +00:00
}
setState(() => selectedEvents.clear());
}
List<Client> get currentRoomBundle {
final clients = matrix.currentBundle;
clients.removeWhere((c) => c.getRoomById(roomId) == null);
return clients;
}
2020-02-09 14:15:29 +00:00
bool get canRedactSelectedEvents {
final clients = matrix.currentBundle;
2021-04-14 08:37:15 +00:00
for (final event in selectedEvents) {
if (event.canRedact == false &&
!(clients.any((cl) => event.senderId == cl.userID))) return false;
2020-02-09 14:15:29 +00:00
}
return true;
}
bool get canEditSelectedEvents {
if (selectedEvents.length != 1 || selectedEvents.first.status < 1) {
return false;
}
return currentRoomBundle
.any((cl) => selectedEvents.first.senderId == cl.userID);
}
void forwardEventsAction() async {
2020-02-09 14:15:29 +00:00
if (selectedEvents.length == 1) {
Matrix.of(context).shareContent = selectedEvents.first.content;
} else {
Matrix.of(context).shareContent = {
2020-05-13 13:58:59 +00:00
'msgtype': 'm.text',
'body': _getSelectedEventString(),
2020-02-09 14:15:29 +00:00
};
}
setState(() => selectedEvents.clear());
2021-07-08 15:10:20 +00:00
VRouter.of(context).to('/rooms');
2020-02-09 14:15:29 +00:00
}
void sendAgainAction() {
final event = selectedEvents.first;
if (event.status == -1) {
event.sendAgain();
}
final allEditEvents = event
2021-04-21 12:19:54 +00:00
.aggregatedEvents(timeline, RelationshipTypes.edit)
.where((e) => e.status == -1);
for (final e in allEditEvents) {
e.sendAgain();
}
2020-02-09 14:15:29 +00:00
setState(() => selectedEvents.clear());
}
void replyAction({Event replyTo}) {
2020-02-09 14:15:29 +00:00
setState(() {
replyEvent = replyTo ?? selectedEvents.first;
2020-02-09 14:15:29 +00:00
selectedEvents.clear();
});
2020-02-16 10:36:18 +00:00
inputFocus.requestFocus();
2020-02-09 14:15:29 +00:00
}
void scrollToEventId(String eventId) async {
2020-12-23 10:23:19 +00:00
var eventIndex = filteredEvents.indexWhere((e) => e.eventId == eventId);
2020-09-19 17:21:33 +00:00
if (eventIndex == -1) {
// event id not found...maybe we can fetch it?
// the try...finally is here to start and close the loading dialog reliably
2020-11-14 09:08:13 +00:00
final task = Future.microtask(() async {
2020-09-19 17:21:33 +00:00
// okay, we first have to fetch if the event is in the room
try {
final event = await timeline.getEventById(eventId);
if (event == null) {
// event is null...meaning something is off
return;
}
} catch (err) {
if (err is MatrixException && err.errcode == 'M_NOT_FOUND') {
// event wasn't found, as the server gave a 404 or something
return;
}
rethrow;
}
// okay, we know that the event *is* in the room
while (eventIndex == -1) {
if (!canLoadMore) {
2020-09-19 17:21:33 +00:00
// we can't load any more events but still haven't found ours yet...better stop here
return;
}
try {
await timeline.requestHistory(historyCount: _loadHistoryCount);
} catch (err) {
if (err is TimeoutException) {
// loading the history timed out...so let's do nothing
return;
}
rethrow;
}
2020-12-23 10:23:19 +00:00
eventIndex = filteredEvents.indexWhere((e) => e.eventId == eventId);
2020-09-19 17:21:33 +00:00
}
2020-11-14 09:08:13 +00:00
});
if (context != null) {
2020-12-25 08:58:34 +00:00
await showFutureLoadingDialog(context: context, future: () => task);
2020-11-14 09:08:13 +00:00
} else {
await task;
2020-09-19 17:21:33 +00:00
}
}
2020-11-16 10:31:31 +00:00
if (!mounted) {
return;
}
await scrollController.scrollToIndex(eventIndex,
2020-09-19 17:21:33 +00:00
preferPosition: AutoScrollPosition.middle);
_updateScrollController();
}
void scrollDown() => scrollController.jumpTo(0);
2021-05-20 11:46:52 +00:00
void onEmojiSelected(category, emoji) {
setState(() => showEmojiPicker = false);
if (emoji == null) return;
// make sure we don't send the same emoji twice
2021-05-20 11:46:52 +00:00
if (_allReactionEvents
.any((e) => e.content['m.relates_to']['key'] == emoji.emoji)) return;
return sendEmojiAction(emoji.emoji);
}
2021-05-20 11:46:52 +00:00
Iterable<Event> _allReactionEvents;
void cancelEmojiPicker() => setState(() => showEmojiPicker = false);
void pickEmojiAction(Iterable<Event> allReactionEvents) async {
_allReactionEvents = allReactionEvents;
setState(() => showEmojiPicker = true);
}
void sendEmojiAction(String emoji) async {
2020-12-27 18:24:47 +00:00
await showFutureLoadingDialog(
2020-12-25 08:58:34 +00:00
context: context,
future: () => room.sendReaction(
2020-12-27 18:24:47 +00:00
selectedEvents.single.eventId,
emoji,
),
);
setState(() => selectedEvents.clear());
}
2021-05-20 11:46:52 +00:00
void clearSelectedEvents() => setState(() {
selectedEvents.clear();
showEmojiPicker = false;
});
2020-01-05 11:27:03 +00:00
void editSelectedEventAction() {
final client = currentRoomBundle.firstWhere(
(cl) => selectedEvents.first.senderId == cl.userID,
orElse: () => null);
if (client == null) {
return;
}
setSendingClient(client);
setState(() {
pendingText = sendController.text;
editEvent = selectedEvents.first;
inputText = sendController.text = editEvent
.getDisplayEvent(timeline)
.getLocalizedBody(MatrixLocals(L10n.of(context)),
withSenderNamePrefix: false, hideReply: true);
selectedEvents.clear();
});
inputFocus.requestFocus();
}
2021-03-28 07:20:34 +00:00
void goToNewRoomAction() async {
if (OkCancelResult.ok !=
await showOkCancelAlertDialog(
2021-05-23 13:02:36 +00:00
useRootNavigator: false,
context: context,
title: L10n.of(context).goToTheNewRoom,
message: room
.getState(EventTypes.RoomTombstone)
.parsedTombstoneContent
.body,
okLabel: L10n.of(context).ok,
cancelLabel: L10n.of(context).cancel,
)) {
return;
}
final result = await showFutureLoadingDialog(
context: context,
future: () => room.client.joinRoom(room
.getState(EventTypes.RoomTombstone)
.parsedTombstoneContent
.replacementRoom),
);
await showFutureLoadingDialog(
context: context,
future: room.leave,
);
if (result.error == null) {
2021-08-15 11:26:16 +00:00
VRouter.of(context).toSegments(['rooms', result.result]);
}
}
2020-11-07 09:18:51 +00:00
void onSelectMessage(Event event) {
if (!event.redacted) {
if (selectedEvents.contains(event)) {
setState(
() => selectedEvents.remove(event),
);
} else {
setState(
() => selectedEvents.add(event),
);
}
selectedEvents.sort(
(a, b) => a.originServerTs.compareTo(b.originServerTs),
);
}
}
int findChildIndexCallback(Key key, Map<String, int> thisEventsKeyMap) {
// this method is called very often. As such, it has to be optimized for speed.
if (!(key is ValueKey)) {
return null;
}
final eventId = (key as ValueKey).value;
if (!(eventId is String)) {
return null;
}
// first fetch the last index the event was at
final index = thisEventsKeyMap[eventId];
if (index == null) {
return null;
}
// we need to +1 as 0 is the typing thing at the bottom
return index + 1;
}
void onInputBarSubmitted(String text) {
send();
FocusScope.of(context).requestFocus(inputFocus);
}
2020-11-07 09:18:51 +00:00
void onAddPopupMenuButtonSelected(String choice) {
if (choice == 'file') {
sendFileAction();
2021-07-23 12:24:52 +00:00
}
if (choice == 'image') {
sendImageAction();
}
if (choice == 'camera') {
openCameraAction();
}
2021-07-23 12:24:52 +00:00
if (choice == 'sticker') {
sendStickerAction();
}
if (choice == 'voice') {
voiceMessageAction();
}
2021-08-01 07:53:43 +00:00
if (choice == 'location') {
sendLocationAction();
}
2020-01-01 18:10:13 +00:00
}
void onInputBarChanged(String text) {
if (text.endsWith(' ') && matrix.hasComplexBundles) {
final clients = currentRoomBundle;
for (final client in clients) {
final prefix = client.sendPrefix;
if ((prefix?.isNotEmpty ?? false) &&
text.toLowerCase() == '${prefix.toLowerCase()} ') {
setSendingClient(client);
setState(() {
inputText = '';
sendController.text = '';
});
return;
}
}
}
typingCoolDown?.cancel();
typingCoolDown = Timer(Duration(seconds: 2), () {
typingCoolDown = null;
currentlyTyping = false;
2021-05-20 11:59:55 +00:00
room.setTyping(false);
});
typingTimeout ??= Timer(Duration(seconds: 30), () {
typingTimeout = null;
currentlyTyping = false;
});
if (!currentlyTyping) {
currentlyTyping = true;
2021-05-20 11:59:55 +00:00
room.setTyping(true, timeout: Duration(seconds: 30).inMilliseconds);
}
setState(() => inputText = text);
}
void cancelReplyEventAction() => setState(() {
if (editEvent != null) {
inputText = sendController.text = pendingText;
pendingText = '';
}
replyEvent = null;
editEvent = null;
});
@override
2021-05-23 16:46:15 +00:00
Widget build(BuildContext context) => ChatView(this);
}