mirror of
https://gitlab.com/veilid/veilidchat.git
synced 2024-12-24 23:29:32 -05:00
better message status support
This commit is contained in:
parent
4f02435964
commit
809f6d69bf
@ -26,7 +26,8 @@ class AccountRepository {
|
|||||||
? IList<LocalAccount>.fromJson(
|
? IList<LocalAccount>.fromJson(
|
||||||
obj, genericFromJson(LocalAccount.fromJson))
|
obj, genericFromJson(LocalAccount.fromJson))
|
||||||
: IList<LocalAccount>(),
|
: IList<LocalAccount>(),
|
||||||
valueToJson: (val) => val.toJson((la) => la.toJson()));
|
valueToJson: (val) => val?.toJson((la) => la.toJson()),
|
||||||
|
makeInitialValue: IList<LocalAccount>.empty);
|
||||||
|
|
||||||
static TableDBValue<IList<UserLogin>> _initUserLogins() => TableDBValue(
|
static TableDBValue<IList<UserLogin>> _initUserLogins() => TableDBValue(
|
||||||
tableName: 'local_account_manager',
|
tableName: 'local_account_manager',
|
||||||
@ -34,13 +35,15 @@ class AccountRepository {
|
|||||||
valueFromJson: (obj) => obj != null
|
valueFromJson: (obj) => obj != null
|
||||||
? IList<UserLogin>.fromJson(obj, genericFromJson(UserLogin.fromJson))
|
? IList<UserLogin>.fromJson(obj, genericFromJson(UserLogin.fromJson))
|
||||||
: IList<UserLogin>(),
|
: IList<UserLogin>(),
|
||||||
valueToJson: (val) => val.toJson((la) => la.toJson()));
|
valueToJson: (val) => val?.toJson((la) => la.toJson()),
|
||||||
|
makeInitialValue: IList<UserLogin>.empty);
|
||||||
|
|
||||||
static TableDBValue<TypedKey?> _initActiveAccount() => TableDBValue(
|
static TableDBValue<TypedKey?> _initActiveAccount() => TableDBValue(
|
||||||
tableName: 'local_account_manager',
|
tableName: 'local_account_manager',
|
||||||
tableKeyName: 'active_local_account',
|
tableKeyName: 'active_local_account',
|
||||||
valueFromJson: (obj) => obj == null ? null : TypedKey.fromJson(obj),
|
valueFromJson: (obj) => obj == null ? null : TypedKey.fromJson(obj),
|
||||||
valueToJson: (val) => val?.toJson());
|
valueToJson: (val) => val?.toJson(),
|
||||||
|
makeInitialValue: () => null);
|
||||||
|
|
||||||
//////////////////////////////////////////////////////////////
|
//////////////////////////////////////////////////////////////
|
||||||
/// Fields
|
/// Fields
|
||||||
@ -62,7 +65,9 @@ class AccountRepository {
|
|||||||
}
|
}
|
||||||
|
|
||||||
Future<void> close() async {
|
Future<void> close() async {
|
||||||
// ???
|
await _localAccounts.close();
|
||||||
|
await _userLogins.close();
|
||||||
|
await _activeLocalAccount.close();
|
||||||
}
|
}
|
||||||
|
|
||||||
//////////////////////////////////////////////////////////////
|
//////////////////////////////////////////////////////////////
|
||||||
@ -72,18 +77,18 @@ class AccountRepository {
|
|||||||
|
|
||||||
//////////////////////////////////////////////////////////////
|
//////////////////////////////////////////////////////////////
|
||||||
/// Selectors
|
/// Selectors
|
||||||
IList<LocalAccount> getLocalAccounts() => _localAccounts.requireValue;
|
IList<LocalAccount> getLocalAccounts() => _localAccounts.value;
|
||||||
TypedKey? getActiveLocalAccount() => _activeLocalAccount.requireValue;
|
TypedKey? getActiveLocalAccount() => _activeLocalAccount.value;
|
||||||
IList<UserLogin> getUserLogins() => _userLogins.requireValue;
|
IList<UserLogin> getUserLogins() => _userLogins.value;
|
||||||
UserLogin? getActiveUserLogin() {
|
UserLogin? getActiveUserLogin() {
|
||||||
final activeLocalAccount = _activeLocalAccount.requireValue;
|
final activeLocalAccount = _activeLocalAccount.value;
|
||||||
return activeLocalAccount == null
|
return activeLocalAccount == null
|
||||||
? null
|
? null
|
||||||
: fetchUserLogin(activeLocalAccount);
|
: fetchUserLogin(activeLocalAccount);
|
||||||
}
|
}
|
||||||
|
|
||||||
LocalAccount? fetchLocalAccount(TypedKey accountMasterRecordKey) {
|
LocalAccount? fetchLocalAccount(TypedKey accountMasterRecordKey) {
|
||||||
final localAccounts = _localAccounts.requireValue;
|
final localAccounts = _localAccounts.value;
|
||||||
final idx = localAccounts.indexWhere(
|
final idx = localAccounts.indexWhere(
|
||||||
(e) => e.identityMaster.masterRecordKey == accountMasterRecordKey);
|
(e) => e.identityMaster.masterRecordKey == accountMasterRecordKey);
|
||||||
if (idx == -1) {
|
if (idx == -1) {
|
||||||
@ -93,7 +98,7 @@ class AccountRepository {
|
|||||||
}
|
}
|
||||||
|
|
||||||
UserLogin? fetchUserLogin(TypedKey accountMasterRecordKey) {
|
UserLogin? fetchUserLogin(TypedKey accountMasterRecordKey) {
|
||||||
final userLogins = _userLogins.requireValue;
|
final userLogins = _userLogins.value;
|
||||||
final idx = userLogins
|
final idx = userLogins
|
||||||
.indexWhere((e) => e.accountMasterRecordKey == accountMasterRecordKey);
|
.indexWhere((e) => e.accountMasterRecordKey == accountMasterRecordKey);
|
||||||
if (idx == -1) {
|
if (idx == -1) {
|
||||||
@ -295,7 +300,7 @@ class AccountRepository {
|
|||||||
|
|
||||||
if (accountMasterRecordKey != null) {
|
if (accountMasterRecordKey != null) {
|
||||||
// Assert the specified record key can be found, will throw if not
|
// Assert the specified record key can be found, will throw if not
|
||||||
final _ = _userLogins.requireValue.firstWhere(
|
final _ = _userLogins.value.firstWhere(
|
||||||
(ul) => ul.accountMasterRecordKey == accountMasterRecordKey);
|
(ul) => ul.accountMasterRecordKey == accountMasterRecordKey);
|
||||||
}
|
}
|
||||||
await _activeLocalAccount.set(accountMasterRecordKey);
|
await _activeLocalAccount.set(accountMasterRecordKey);
|
||||||
|
@ -1,2 +1,3 @@
|
|||||||
export 'cubits/cubits.dart';
|
export 'cubits/cubits.dart';
|
||||||
|
export 'models/models.dart';
|
||||||
export 'views/views.dart';
|
export 'views/views.dart';
|
||||||
|
@ -1,20 +1,49 @@
|
|||||||
import 'dart:async';
|
import 'dart:async';
|
||||||
|
|
||||||
import 'package:async_tools/async_tools.dart';
|
import 'package:async_tools/async_tools.dart';
|
||||||
import 'package:bloc_tools/bloc_tools.dart';
|
|
||||||
import 'package:fast_immutable_collections/fast_immutable_collections.dart';
|
import 'package:fast_immutable_collections/fast_immutable_collections.dart';
|
||||||
|
import 'package:fixnum/fixnum.dart';
|
||||||
import 'package:flutter_bloc/flutter_bloc.dart';
|
import 'package:flutter_bloc/flutter_bloc.dart';
|
||||||
import 'package:veilid_support/veilid_support.dart';
|
import 'package:veilid_support/veilid_support.dart';
|
||||||
|
|
||||||
import '../../account_manager/account_manager.dart';
|
import '../../account_manager/account_manager.dart';
|
||||||
import '../../proto/proto.dart' as proto;
|
import '../../proto/proto.dart' as proto;
|
||||||
|
import '../models/models.dart';
|
||||||
|
|
||||||
class _SingleContactMessageQueueEntry {
|
class RenderStateElement {
|
||||||
_SingleContactMessageQueueEntry({this.remoteMessages});
|
RenderStateElement(
|
||||||
IList<proto.Message>? remoteMessages;
|
{required this.message,
|
||||||
|
required this.isLocal,
|
||||||
|
this.reconciled = false,
|
||||||
|
this.reconciledOffline = false,
|
||||||
|
this.sent = false,
|
||||||
|
this.sentOffline = false});
|
||||||
|
|
||||||
|
MessageSendState? get sendState {
|
||||||
|
if (!isLocal) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
if (reconciled && sent) {
|
||||||
|
if (!reconciledOffline && !sentOffline) {
|
||||||
|
return MessageSendState.delivered;
|
||||||
|
}
|
||||||
|
return MessageSendState.sent;
|
||||||
|
}
|
||||||
|
if (sent && !sentOffline) {
|
||||||
|
return MessageSendState.sent;
|
||||||
|
}
|
||||||
|
return MessageSendState.sending;
|
||||||
|
}
|
||||||
|
|
||||||
|
proto.Message message;
|
||||||
|
bool isLocal;
|
||||||
|
bool reconciled;
|
||||||
|
bool reconciledOffline;
|
||||||
|
bool sent;
|
||||||
|
bool sentOffline;
|
||||||
}
|
}
|
||||||
|
|
||||||
typedef SingleContactMessagesState = AsyncValue<IList<proto.Message>>;
|
typedef SingleContactMessagesState = AsyncValue<IList<MessageState>>;
|
||||||
|
|
||||||
// Cubit that processes single-contact chats
|
// Cubit that processes single-contact chats
|
||||||
// Builds the reconciled chat record from the local and remote conversation keys
|
// Builds the reconciled chat record from the local and remote conversation keys
|
||||||
@ -34,7 +63,14 @@ class SingleContactMessagesCubit extends Cubit<SingleContactMessagesState> {
|
|||||||
_remoteConversationRecordKey = remoteConversationRecordKey,
|
_remoteConversationRecordKey = remoteConversationRecordKey,
|
||||||
_remoteMessagesRecordKey = remoteMessagesRecordKey,
|
_remoteMessagesRecordKey = remoteMessagesRecordKey,
|
||||||
_reconciledChatRecord = reconciledChatRecord,
|
_reconciledChatRecord = reconciledChatRecord,
|
||||||
_messagesUpdateQueue = StreamController(),
|
_unreconciledMessagesQueue = PersistentQueueCubit<proto.Message>(
|
||||||
|
table: 'SingleContactUnreconciledMessages',
|
||||||
|
key: remoteConversationRecordKey.toString(),
|
||||||
|
fromBuffer: proto.Message.fromBuffer),
|
||||||
|
_sendingMessagesQueue = PersistentQueueCubit<proto.Message>(
|
||||||
|
table: 'SingleContactSendingMessages',
|
||||||
|
key: remoteConversationRecordKey.toString(),
|
||||||
|
fromBuffer: proto.Message.fromBuffer),
|
||||||
super(const AsyncValue.loading()) {
|
super(const AsyncValue.loading()) {
|
||||||
// Async Init
|
// Async Init
|
||||||
_initWait.add(_init);
|
_initWait.add(_init);
|
||||||
@ -44,13 +80,14 @@ class SingleContactMessagesCubit extends Cubit<SingleContactMessagesState> {
|
|||||||
Future<void> close() async {
|
Future<void> close() async {
|
||||||
await _initWait();
|
await _initWait();
|
||||||
|
|
||||||
await _messagesUpdateQueue.close();
|
await _unreconciledMessagesQueue.close();
|
||||||
await _localSubscription?.cancel();
|
await _sendingMessagesQueue.close();
|
||||||
await _remoteSubscription?.cancel();
|
await _sentSubscription?.cancel();
|
||||||
await _reconciledChatSubscription?.cancel();
|
await _rcvdSubscription?.cancel();
|
||||||
await _localMessagesCubit?.close();
|
await _reconciledSubscription?.cancel();
|
||||||
await _remoteMessagesCubit?.close();
|
await _sentMessagesCubit?.close();
|
||||||
await _reconciledChatMessagesCubit?.close();
|
await _rcvdMessagesCubit?.close();
|
||||||
|
await _reconciledMessagesCubit?.close();
|
||||||
await super.close();
|
await super.close();
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -60,95 +97,137 @@ class SingleContactMessagesCubit extends Cubit<SingleContactMessagesState> {
|
|||||||
await _initMessagesCrypto();
|
await _initMessagesCrypto();
|
||||||
|
|
||||||
// Reconciled messages key
|
// Reconciled messages key
|
||||||
await _initReconciledChatMessages();
|
await _initReconciledMessagesCubit();
|
||||||
|
|
||||||
// Local messages key
|
// Local messages key
|
||||||
await _initLocalMessages();
|
await _initSentMessagesCubit();
|
||||||
|
|
||||||
// Remote messages key
|
// Remote messages key
|
||||||
await _initRemoteMessages();
|
await _initRcvdMessagesCubit();
|
||||||
|
|
||||||
// Messages listener
|
// Unreconciled messages processing queue listener
|
||||||
Future.delayed(Duration.zero, () async {
|
Future.delayed(Duration.zero, () async {
|
||||||
await for (final entry in _messagesUpdateQueue.stream) {
|
await for (final entry in _unreconciledMessagesQueue.stream) {
|
||||||
await _updateMessagesStateAsync(entry);
|
final data = entry.asData;
|
||||||
|
if (data != null && data.value.isNotEmpty) {
|
||||||
|
// Process data using recoverable processing mechanism
|
||||||
|
await _unreconciledMessagesQueue.process((messages) async {
|
||||||
|
await _processUnreconciledMessages(data.value);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
// Sending messages processing queue listener
|
||||||
|
Future.delayed(Duration.zero, () async {
|
||||||
|
await for (final entry in _sendingMessagesQueue.stream) {
|
||||||
|
final data = entry.asData;
|
||||||
|
if (data != null && data.value.isNotEmpty) {
|
||||||
|
// Process data using recoverable processing mechanism
|
||||||
|
await _sendingMessagesQueue.process((messages) async {
|
||||||
|
await _processSendingMessages(data.value);
|
||||||
|
});
|
||||||
|
}
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
// Make crypto
|
// Make crypto
|
||||||
|
|
||||||
Future<void> _initMessagesCrypto() async {
|
Future<void> _initMessagesCrypto() async {
|
||||||
_messagesCrypto = await _activeAccountInfo
|
_messagesCrypto = await _activeAccountInfo
|
||||||
.makeConversationCrypto(_remoteIdentityPublicKey);
|
.makeConversationCrypto(_remoteIdentityPublicKey);
|
||||||
}
|
}
|
||||||
|
|
||||||
// Open local messages key
|
// Open local messages key
|
||||||
Future<void> _initLocalMessages() async {
|
Future<void> _initSentMessagesCubit() async {
|
||||||
final writer = _activeAccountInfo.conversationWriter;
|
final writer = _activeAccountInfo.conversationWriter;
|
||||||
|
|
||||||
_localMessagesCubit = DHTShortArrayCubit(
|
_sentMessagesCubit = DHTShortArrayCubit(
|
||||||
open: () async => DHTShortArray.openWrite(
|
open: () async => DHTShortArray.openWrite(
|
||||||
_localMessagesRecordKey, writer,
|
_localMessagesRecordKey, writer,
|
||||||
debugName:
|
debugName:
|
||||||
'SingleContactMessagesCubit::_initLocalMessages::LocalMessages',
|
'SingleContactMessagesCubit::_initSentMessagesCubit::SentMessages',
|
||||||
parent: _localConversationRecordKey,
|
parent: _localConversationRecordKey,
|
||||||
crypto: _messagesCrypto),
|
crypto: _messagesCrypto),
|
||||||
decodeElement: proto.Message.fromBuffer);
|
decodeElement: proto.Message.fromBuffer);
|
||||||
|
_sentSubscription =
|
||||||
|
_sentMessagesCubit!.stream.listen(_updateSentMessagesState);
|
||||||
|
_updateSentMessagesState(_sentMessagesCubit!.state);
|
||||||
}
|
}
|
||||||
|
|
||||||
// Open remote messages key
|
// Open remote messages key
|
||||||
Future<void> _initRemoteMessages() async {
|
Future<void> _initRcvdMessagesCubit() async {
|
||||||
_remoteMessagesCubit = DHTShortArrayCubit(
|
_rcvdMessagesCubit = DHTShortArrayCubit(
|
||||||
open: () async => DHTShortArray.openRead(_remoteMessagesRecordKey,
|
open: () async => DHTShortArray.openRead(_remoteMessagesRecordKey,
|
||||||
debugName: 'SingleContactMessagesCubit::_initRemoteMessages::'
|
debugName: 'SingleContactMessagesCubit::_initRcvdMessagesCubit::'
|
||||||
'RemoteMessages',
|
'RcvdMessages',
|
||||||
parent: _remoteConversationRecordKey,
|
parent: _remoteConversationRecordKey,
|
||||||
crypto: _messagesCrypto),
|
crypto: _messagesCrypto),
|
||||||
decodeElement: proto.Message.fromBuffer);
|
decodeElement: proto.Message.fromBuffer);
|
||||||
_remoteSubscription =
|
_rcvdSubscription =
|
||||||
_remoteMessagesCubit!.stream.listen(_updateRemoteMessagesState);
|
_rcvdMessagesCubit!.stream.listen(_updateRcvdMessagesState);
|
||||||
_updateRemoteMessagesState(_remoteMessagesCubit!.state);
|
_updateRcvdMessagesState(_rcvdMessagesCubit!.state);
|
||||||
}
|
}
|
||||||
|
|
||||||
// Open reconciled chat record key
|
// Open reconciled chat record key
|
||||||
Future<void> _initReconciledChatMessages() async {
|
Future<void> _initReconciledMessagesCubit() async {
|
||||||
final accountRecordKey =
|
final accountRecordKey =
|
||||||
_activeAccountInfo.userLogin.accountRecordInfo.accountRecord.recordKey;
|
_activeAccountInfo.userLogin.accountRecordInfo.accountRecord.recordKey;
|
||||||
|
|
||||||
_reconciledChatMessagesCubit = DHTShortArrayCubit(
|
_reconciledMessagesCubit = DHTShortArrayCubit(
|
||||||
open: () async => DHTShortArray.openOwned(_reconciledChatRecord,
|
open: () async => DHTShortArray.openOwned(_reconciledChatRecord,
|
||||||
debugName:
|
debugName: 'SingleContactMessagesCubit::_initReconciledMessages::'
|
||||||
'SingleContactMessagesCubit::_initReconciledChatMessages::'
|
'ReconciledMessages',
|
||||||
'ReconciledChat',
|
|
||||||
parent: accountRecordKey),
|
parent: accountRecordKey),
|
||||||
decodeElement: proto.Message.fromBuffer);
|
decodeElement: proto.Message.fromBuffer);
|
||||||
_reconciledChatSubscription =
|
_reconciledSubscription =
|
||||||
_reconciledChatMessagesCubit!.stream.listen(_updateReconciledChatState);
|
_reconciledMessagesCubit!.stream.listen(_updateReconciledMessagesState);
|
||||||
_updateReconciledChatState(_reconciledChatMessagesCubit!.state);
|
_updateReconciledMessagesState(_reconciledMessagesCubit!.state);
|
||||||
}
|
}
|
||||||
|
|
||||||
// Called when the remote messages list gets a change
|
// Called when the remote messages list gets a change
|
||||||
void _updateRemoteMessagesState(
|
void _updateRcvdMessagesState(
|
||||||
BlocBusyState<AsyncValue<IList<proto.Message>>> avmessages) {
|
DHTShortArrayBusyState<proto.Message> avmessages) {
|
||||||
final remoteMessages = avmessages.state.asData?.value;
|
final remoteMessages = avmessages.state.asData?.value;
|
||||||
if (remoteMessages == null) {
|
if (remoteMessages == null) {
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
// Add remote messages updates to queue to process asynchronously
|
// Add remote messages updates to queue to process asynchronously
|
||||||
_messagesUpdateQueue
|
// Ignore offline state because remote messages are always fully delivered
|
||||||
.add(_SingleContactMessageQueueEntry(remoteMessages: remoteMessages));
|
// This may happen once per client but should be idempotent
|
||||||
|
_unreconciledMessagesQueue
|
||||||
|
.addAllSync(remoteMessages.map((x) => x.value).toIList());
|
||||||
|
|
||||||
|
// Update the view
|
||||||
|
_renderState();
|
||||||
|
}
|
||||||
|
|
||||||
|
// Called when the send messages list gets a change
|
||||||
|
// This will re-render when messages are sent from another machine
|
||||||
|
void _updateSentMessagesState(
|
||||||
|
DHTShortArrayBusyState<proto.Message> avmessages) {
|
||||||
|
final remoteMessages = avmessages.state.asData?.value;
|
||||||
|
if (remoteMessages == null) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
// Don't reconcile, the sending machine will have already added
|
||||||
|
// to the reconciliation queue on that machine
|
||||||
|
|
||||||
|
// Update the view
|
||||||
|
_renderState();
|
||||||
}
|
}
|
||||||
|
|
||||||
// Called when the reconciled messages list gets a change
|
// Called when the reconciled messages list gets a change
|
||||||
void _updateReconciledChatState(
|
// This can happen when multiple clients for the same identity are
|
||||||
BlocBusyState<AsyncValue<IList<proto.Message>>> avmessages) {
|
// reading and reconciling the same remote chat
|
||||||
// When reconciled messages are updated, pass this
|
void _updateReconciledMessagesState(
|
||||||
// directly to the messages cubit state
|
DHTShortArrayBusyState<proto.Message> avmessages) {
|
||||||
emit(avmessages.state);
|
// Update the view
|
||||||
|
_renderState();
|
||||||
}
|
}
|
||||||
|
|
||||||
Future<void> _mergeMessagesInner(
|
Future<void> _reconcileMessagesInner(
|
||||||
{required DHTShortArrayWrite reconciledMessagesWriter,
|
{required DHTShortArrayWrite reconciledMessagesWriter,
|
||||||
required IList<proto.Message> messages}) async {
|
required IList<proto.Message> messages}) async {
|
||||||
// Ensure remoteMessages is sorted by timestamp
|
// Ensure remoteMessages is sorted by timestamp
|
||||||
@ -209,29 +288,129 @@ class SingleContactMessagesCubit extends Cubit<SingleContactMessagesState> {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
Future<void> _updateMessagesStateAsync(
|
// Async process to reconcile messages sent or received in the background
|
||||||
_SingleContactMessageQueueEntry entry) async {
|
Future<void> _processUnreconciledMessages(
|
||||||
final reconciledChatMessagesCubit = _reconciledChatMessagesCubit!;
|
IList<proto.Message> messages) async {
|
||||||
|
await _reconciledMessagesCubit!
|
||||||
// Merge remote and local messages into the reconciled chat log
|
|
||||||
await reconciledChatMessagesCubit
|
|
||||||
.operateWrite((reconciledMessagesWriter) async {
|
.operateWrite((reconciledMessagesWriter) async {
|
||||||
if (entry.remoteMessages != null) {
|
await _reconcileMessagesInner(
|
||||||
await _mergeMessagesInner(
|
|
||||||
reconciledMessagesWriter: reconciledMessagesWriter,
|
reconciledMessagesWriter: reconciledMessagesWriter,
|
||||||
messages: entry.remoteMessages!);
|
messages: messages);
|
||||||
}
|
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
Future<void> addMessage({required proto.Message message}) async {
|
// Async process to send messages in the background
|
||||||
await _initWait();
|
Future<void> _processSendingMessages(IList<proto.Message> messages) async {
|
||||||
|
for (final message in messages) {
|
||||||
|
await _sentMessagesCubit!.operateWriteEventual(
|
||||||
|
(writer) => writer.tryAddItem(message.writeToBuffer()));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
await _reconciledChatMessagesCubit!.operateWrite((writer) =>
|
// Produce a state for this cubit from the input cubits and queues
|
||||||
_mergeMessagesInner(
|
void _renderState() {
|
||||||
reconciledMessagesWriter: writer, messages: [message].toIList()));
|
// Get all reconciled messages
|
||||||
await _localMessagesCubit!
|
final reconciledMessages =
|
||||||
.operateWrite((writer) => writer.tryAddItem(message.writeToBuffer()));
|
_reconciledMessagesCubit?.state.state.asData?.value;
|
||||||
|
// Get all sent messages
|
||||||
|
final sentMessages = _sentMessagesCubit?.state.state.asData?.value;
|
||||||
|
// Get all items in the unreconciled queue
|
||||||
|
final unreconciledMessages = _unreconciledMessagesQueue.state.asData?.value;
|
||||||
|
// Get all items in the unsent queue
|
||||||
|
final sendingMessages = _sendingMessagesQueue.state.asData?.value;
|
||||||
|
|
||||||
|
// If we aren't ready to render a state, say we're loading
|
||||||
|
if (reconciledMessages == null ||
|
||||||
|
sentMessages == null ||
|
||||||
|
unreconciledMessages == null ||
|
||||||
|
sendingMessages == null) {
|
||||||
|
emit(const AsyncLoading());
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Generate state for each message
|
||||||
|
final sentMessagesMap =
|
||||||
|
IMap<Int64, DHTShortArrayElementState<proto.Message>>.fromValues(
|
||||||
|
keyMapper: (x) => x.value.timestamp,
|
||||||
|
values: sentMessages,
|
||||||
|
);
|
||||||
|
final reconciledMessagesMap =
|
||||||
|
IMap<Int64, DHTShortArrayElementState<proto.Message>>.fromValues(
|
||||||
|
keyMapper: (x) => x.value.timestamp,
|
||||||
|
values: reconciledMessages,
|
||||||
|
);
|
||||||
|
final sendingMessagesMap = IMap<Int64, proto.Message>.fromValues(
|
||||||
|
keyMapper: (x) => x.timestamp,
|
||||||
|
values: sendingMessages,
|
||||||
|
);
|
||||||
|
final unreconciledMessagesMap = IMap<Int64, proto.Message>.fromValues(
|
||||||
|
keyMapper: (x) => x.timestamp,
|
||||||
|
values: unreconciledMessages,
|
||||||
|
);
|
||||||
|
|
||||||
|
final renderedElements = <Int64, RenderStateElement>{};
|
||||||
|
|
||||||
|
for (final m in reconciledMessagesMap.entries) {
|
||||||
|
renderedElements[m.key] = RenderStateElement(
|
||||||
|
message: m.value.value,
|
||||||
|
isLocal: m.value.value.author.toVeilid() != _remoteIdentityPublicKey,
|
||||||
|
reconciled: true,
|
||||||
|
reconciledOffline: m.value.isOffline);
|
||||||
|
}
|
||||||
|
for (final m in sentMessagesMap.entries) {
|
||||||
|
renderedElements.putIfAbsent(
|
||||||
|
m.key,
|
||||||
|
() => RenderStateElement(
|
||||||
|
message: m.value.value,
|
||||||
|
isLocal: true,
|
||||||
|
))
|
||||||
|
..sent = true
|
||||||
|
..sentOffline = m.value.isOffline;
|
||||||
|
}
|
||||||
|
for (final m in unreconciledMessagesMap.entries) {
|
||||||
|
renderedElements
|
||||||
|
.putIfAbsent(
|
||||||
|
m.key,
|
||||||
|
() => RenderStateElement(
|
||||||
|
message: m.value,
|
||||||
|
isLocal:
|
||||||
|
m.value.author.toVeilid() != _remoteIdentityPublicKey,
|
||||||
|
))
|
||||||
|
.reconciled = false;
|
||||||
|
}
|
||||||
|
for (final m in sendingMessagesMap.entries) {
|
||||||
|
renderedElements
|
||||||
|
.putIfAbsent(
|
||||||
|
m.key,
|
||||||
|
() => RenderStateElement(
|
||||||
|
message: m.value,
|
||||||
|
isLocal: true,
|
||||||
|
))
|
||||||
|
.sent = false;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Render the state
|
||||||
|
final messageKeys = renderedElements.entries
|
||||||
|
.toIList()
|
||||||
|
.sort((x, y) => x.key.compareTo(y.key));
|
||||||
|
final renderedState = messageKeys
|
||||||
|
.map((x) => MessageState(
|
||||||
|
author: x.value.message.author.toVeilid(),
|
||||||
|
timestamp: Timestamp.fromInt64(x.key),
|
||||||
|
text: x.value.message.text,
|
||||||
|
sendState: x.value.sendState))
|
||||||
|
.toIList();
|
||||||
|
|
||||||
|
// Emit the rendered state
|
||||||
|
emit(AsyncValue.data(renderedState));
|
||||||
|
}
|
||||||
|
|
||||||
|
void addMessage({required proto.Message message}) {
|
||||||
|
_unreconciledMessagesQueue.addSync(message);
|
||||||
|
_sendingMessagesQueue.addSync(message);
|
||||||
|
|
||||||
|
// Update the view
|
||||||
|
_renderState();
|
||||||
}
|
}
|
||||||
|
|
||||||
final WaitSet _initWait = WaitSet();
|
final WaitSet _initWait = WaitSet();
|
||||||
@ -245,16 +424,15 @@ class SingleContactMessagesCubit extends Cubit<SingleContactMessagesState> {
|
|||||||
|
|
||||||
late final DHTRecordCrypto _messagesCrypto;
|
late final DHTRecordCrypto _messagesCrypto;
|
||||||
|
|
||||||
DHTShortArrayCubit<proto.Message>? _localMessagesCubit;
|
DHTShortArrayCubit<proto.Message>? _sentMessagesCubit;
|
||||||
DHTShortArrayCubit<proto.Message>? _remoteMessagesCubit;
|
DHTShortArrayCubit<proto.Message>? _rcvdMessagesCubit;
|
||||||
DHTShortArrayCubit<proto.Message>? _reconciledChatMessagesCubit;
|
DHTShortArrayCubit<proto.Message>? _reconciledMessagesCubit;
|
||||||
|
|
||||||
final StreamController<_SingleContactMessageQueueEntry> _messagesUpdateQueue;
|
final PersistentQueueCubit<proto.Message> _unreconciledMessagesQueue;
|
||||||
|
final PersistentQueueCubit<proto.Message> _sendingMessagesQueue;
|
||||||
|
|
||||||
StreamSubscription<BlocBusyState<AsyncValue<IList<proto.Message>>>>?
|
StreamSubscription<DHTShortArrayBusyState<proto.Message>>? _sentSubscription;
|
||||||
_localSubscription;
|
StreamSubscription<DHTShortArrayBusyState<proto.Message>>? _rcvdSubscription;
|
||||||
StreamSubscription<BlocBusyState<AsyncValue<IList<proto.Message>>>>?
|
StreamSubscription<DHTShortArrayBusyState<proto.Message>>?
|
||||||
_remoteSubscription;
|
_reconciledSubscription;
|
||||||
StreamSubscription<BlocBusyState<AsyncValue<IList<proto.Message>>>>?
|
|
||||||
_reconciledChatSubscription;
|
|
||||||
}
|
}
|
||||||
|
34
lib/chat/models/message_state.dart
Normal file
34
lib/chat/models/message_state.dart
Normal file
@ -0,0 +1,34 @@
|
|||||||
|
import 'package:change_case/change_case.dart';
|
||||||
|
import 'package:flutter/foundation.dart';
|
||||||
|
import 'package:freezed_annotation/freezed_annotation.dart';
|
||||||
|
import 'package:veilid_support/veilid_support.dart';
|
||||||
|
|
||||||
|
part 'message_state.freezed.dart';
|
||||||
|
part 'message_state.g.dart';
|
||||||
|
|
||||||
|
// Whether or not a message has been fully sent
|
||||||
|
enum MessageSendState {
|
||||||
|
// message is still being sent
|
||||||
|
sending,
|
||||||
|
// message issued has not reached the network
|
||||||
|
sent,
|
||||||
|
// message was sent and has reached the network
|
||||||
|
delivered;
|
||||||
|
|
||||||
|
factory MessageSendState.fromJson(dynamic j) =>
|
||||||
|
MessageSendState.values.byName((j as String).toCamelCase());
|
||||||
|
String toJson() => name.toPascalCase();
|
||||||
|
}
|
||||||
|
|
||||||
|
@freezed
|
||||||
|
class MessageState with _$MessageState {
|
||||||
|
const factory MessageState({
|
||||||
|
required TypedKey author,
|
||||||
|
required Timestamp timestamp,
|
||||||
|
required String text,
|
||||||
|
required MessageSendState? sendState,
|
||||||
|
}) = _MessageState;
|
||||||
|
|
||||||
|
factory MessageState.fromJson(dynamic json) =>
|
||||||
|
_$MessageStateFromJson(json as Map<String, dynamic>);
|
||||||
|
}
|
229
lib/chat/models/message_state.freezed.dart
Normal file
229
lib/chat/models/message_state.freezed.dart
Normal file
@ -0,0 +1,229 @@
|
|||||||
|
// coverage:ignore-file
|
||||||
|
// GENERATED CODE - DO NOT MODIFY BY HAND
|
||||||
|
// ignore_for_file: type=lint
|
||||||
|
// ignore_for_file: unused_element, deprecated_member_use, deprecated_member_use_from_same_package, use_function_type_syntax_for_parameters, unnecessary_const, avoid_init_to_null, invalid_override_different_default_values_named, prefer_expression_function_bodies, annotate_overrides, invalid_annotation_target, unnecessary_question_mark
|
||||||
|
|
||||||
|
part of 'message_state.dart';
|
||||||
|
|
||||||
|
// **************************************************************************
|
||||||
|
// FreezedGenerator
|
||||||
|
// **************************************************************************
|
||||||
|
|
||||||
|
T _$identity<T>(T value) => value;
|
||||||
|
|
||||||
|
final _privateConstructorUsedError = UnsupportedError(
|
||||||
|
'It seems like you constructed your class using `MyClass._()`. This constructor is only meant to be used by freezed and you are not supposed to need it nor use it.\nPlease check the documentation here for more information: https://github.com/rrousselGit/freezed#adding-getters-and-methods-to-our-models');
|
||||||
|
|
||||||
|
MessageState _$MessageStateFromJson(Map<String, dynamic> json) {
|
||||||
|
return _MessageState.fromJson(json);
|
||||||
|
}
|
||||||
|
|
||||||
|
/// @nodoc
|
||||||
|
mixin _$MessageState {
|
||||||
|
Typed<FixedEncodedString43> get author => throw _privateConstructorUsedError;
|
||||||
|
Timestamp get timestamp => throw _privateConstructorUsedError;
|
||||||
|
String get text => throw _privateConstructorUsedError;
|
||||||
|
MessageSendState? get sendState => throw _privateConstructorUsedError;
|
||||||
|
|
||||||
|
Map<String, dynamic> toJson() => throw _privateConstructorUsedError;
|
||||||
|
@JsonKey(ignore: true)
|
||||||
|
$MessageStateCopyWith<MessageState> get copyWith =>
|
||||||
|
throw _privateConstructorUsedError;
|
||||||
|
}
|
||||||
|
|
||||||
|
/// @nodoc
|
||||||
|
abstract class $MessageStateCopyWith<$Res> {
|
||||||
|
factory $MessageStateCopyWith(
|
||||||
|
MessageState value, $Res Function(MessageState) then) =
|
||||||
|
_$MessageStateCopyWithImpl<$Res, MessageState>;
|
||||||
|
@useResult
|
||||||
|
$Res call(
|
||||||
|
{Typed<FixedEncodedString43> author,
|
||||||
|
Timestamp timestamp,
|
||||||
|
String text,
|
||||||
|
MessageSendState? sendState});
|
||||||
|
}
|
||||||
|
|
||||||
|
/// @nodoc
|
||||||
|
class _$MessageStateCopyWithImpl<$Res, $Val extends MessageState>
|
||||||
|
implements $MessageStateCopyWith<$Res> {
|
||||||
|
_$MessageStateCopyWithImpl(this._value, this._then);
|
||||||
|
|
||||||
|
// ignore: unused_field
|
||||||
|
final $Val _value;
|
||||||
|
// ignore: unused_field
|
||||||
|
final $Res Function($Val) _then;
|
||||||
|
|
||||||
|
@pragma('vm:prefer-inline')
|
||||||
|
@override
|
||||||
|
$Res call({
|
||||||
|
Object? author = null,
|
||||||
|
Object? timestamp = null,
|
||||||
|
Object? text = null,
|
||||||
|
Object? sendState = freezed,
|
||||||
|
}) {
|
||||||
|
return _then(_value.copyWith(
|
||||||
|
author: null == author
|
||||||
|
? _value.author
|
||||||
|
: author // ignore: cast_nullable_to_non_nullable
|
||||||
|
as Typed<FixedEncodedString43>,
|
||||||
|
timestamp: null == timestamp
|
||||||
|
? _value.timestamp
|
||||||
|
: timestamp // ignore: cast_nullable_to_non_nullable
|
||||||
|
as Timestamp,
|
||||||
|
text: null == text
|
||||||
|
? _value.text
|
||||||
|
: text // ignore: cast_nullable_to_non_nullable
|
||||||
|
as String,
|
||||||
|
sendState: freezed == sendState
|
||||||
|
? _value.sendState
|
||||||
|
: sendState // ignore: cast_nullable_to_non_nullable
|
||||||
|
as MessageSendState?,
|
||||||
|
) as $Val);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/// @nodoc
|
||||||
|
abstract class _$$MessageStateImplCopyWith<$Res>
|
||||||
|
implements $MessageStateCopyWith<$Res> {
|
||||||
|
factory _$$MessageStateImplCopyWith(
|
||||||
|
_$MessageStateImpl value, $Res Function(_$MessageStateImpl) then) =
|
||||||
|
__$$MessageStateImplCopyWithImpl<$Res>;
|
||||||
|
@override
|
||||||
|
@useResult
|
||||||
|
$Res call(
|
||||||
|
{Typed<FixedEncodedString43> author,
|
||||||
|
Timestamp timestamp,
|
||||||
|
String text,
|
||||||
|
MessageSendState? sendState});
|
||||||
|
}
|
||||||
|
|
||||||
|
/// @nodoc
|
||||||
|
class __$$MessageStateImplCopyWithImpl<$Res>
|
||||||
|
extends _$MessageStateCopyWithImpl<$Res, _$MessageStateImpl>
|
||||||
|
implements _$$MessageStateImplCopyWith<$Res> {
|
||||||
|
__$$MessageStateImplCopyWithImpl(
|
||||||
|
_$MessageStateImpl _value, $Res Function(_$MessageStateImpl) _then)
|
||||||
|
: super(_value, _then);
|
||||||
|
|
||||||
|
@pragma('vm:prefer-inline')
|
||||||
|
@override
|
||||||
|
$Res call({
|
||||||
|
Object? author = null,
|
||||||
|
Object? timestamp = null,
|
||||||
|
Object? text = null,
|
||||||
|
Object? sendState = freezed,
|
||||||
|
}) {
|
||||||
|
return _then(_$MessageStateImpl(
|
||||||
|
author: null == author
|
||||||
|
? _value.author
|
||||||
|
: author // ignore: cast_nullable_to_non_nullable
|
||||||
|
as Typed<FixedEncodedString43>,
|
||||||
|
timestamp: null == timestamp
|
||||||
|
? _value.timestamp
|
||||||
|
: timestamp // ignore: cast_nullable_to_non_nullable
|
||||||
|
as Timestamp,
|
||||||
|
text: null == text
|
||||||
|
? _value.text
|
||||||
|
: text // ignore: cast_nullable_to_non_nullable
|
||||||
|
as String,
|
||||||
|
sendState: freezed == sendState
|
||||||
|
? _value.sendState
|
||||||
|
: sendState // ignore: cast_nullable_to_non_nullable
|
||||||
|
as MessageSendState?,
|
||||||
|
));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/// @nodoc
|
||||||
|
@JsonSerializable()
|
||||||
|
class _$MessageStateImpl with DiagnosticableTreeMixin implements _MessageState {
|
||||||
|
const _$MessageStateImpl(
|
||||||
|
{required this.author,
|
||||||
|
required this.timestamp,
|
||||||
|
required this.text,
|
||||||
|
required this.sendState});
|
||||||
|
|
||||||
|
factory _$MessageStateImpl.fromJson(Map<String, dynamic> json) =>
|
||||||
|
_$$MessageStateImplFromJson(json);
|
||||||
|
|
||||||
|
@override
|
||||||
|
final Typed<FixedEncodedString43> author;
|
||||||
|
@override
|
||||||
|
final Timestamp timestamp;
|
||||||
|
@override
|
||||||
|
final String text;
|
||||||
|
@override
|
||||||
|
final MessageSendState? sendState;
|
||||||
|
|
||||||
|
@override
|
||||||
|
String toString({DiagnosticLevel minLevel = DiagnosticLevel.info}) {
|
||||||
|
return 'MessageState(author: $author, timestamp: $timestamp, text: $text, sendState: $sendState)';
|
||||||
|
}
|
||||||
|
|
||||||
|
@override
|
||||||
|
void debugFillProperties(DiagnosticPropertiesBuilder properties) {
|
||||||
|
super.debugFillProperties(properties);
|
||||||
|
properties
|
||||||
|
..add(DiagnosticsProperty('type', 'MessageState'))
|
||||||
|
..add(DiagnosticsProperty('author', author))
|
||||||
|
..add(DiagnosticsProperty('timestamp', timestamp))
|
||||||
|
..add(DiagnosticsProperty('text', text))
|
||||||
|
..add(DiagnosticsProperty('sendState', sendState));
|
||||||
|
}
|
||||||
|
|
||||||
|
@override
|
||||||
|
bool operator ==(Object other) {
|
||||||
|
return identical(this, other) ||
|
||||||
|
(other.runtimeType == runtimeType &&
|
||||||
|
other is _$MessageStateImpl &&
|
||||||
|
(identical(other.author, author) || other.author == author) &&
|
||||||
|
(identical(other.timestamp, timestamp) ||
|
||||||
|
other.timestamp == timestamp) &&
|
||||||
|
(identical(other.text, text) || other.text == text) &&
|
||||||
|
(identical(other.sendState, sendState) ||
|
||||||
|
other.sendState == sendState));
|
||||||
|
}
|
||||||
|
|
||||||
|
@JsonKey(ignore: true)
|
||||||
|
@override
|
||||||
|
int get hashCode =>
|
||||||
|
Object.hash(runtimeType, author, timestamp, text, sendState);
|
||||||
|
|
||||||
|
@JsonKey(ignore: true)
|
||||||
|
@override
|
||||||
|
@pragma('vm:prefer-inline')
|
||||||
|
_$$MessageStateImplCopyWith<_$MessageStateImpl> get copyWith =>
|
||||||
|
__$$MessageStateImplCopyWithImpl<_$MessageStateImpl>(this, _$identity);
|
||||||
|
|
||||||
|
@override
|
||||||
|
Map<String, dynamic> toJson() {
|
||||||
|
return _$$MessageStateImplToJson(
|
||||||
|
this,
|
||||||
|
);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
abstract class _MessageState implements MessageState {
|
||||||
|
const factory _MessageState(
|
||||||
|
{required final Typed<FixedEncodedString43> author,
|
||||||
|
required final Timestamp timestamp,
|
||||||
|
required final String text,
|
||||||
|
required final MessageSendState? sendState}) = _$MessageStateImpl;
|
||||||
|
|
||||||
|
factory _MessageState.fromJson(Map<String, dynamic> json) =
|
||||||
|
_$MessageStateImpl.fromJson;
|
||||||
|
|
||||||
|
@override
|
||||||
|
Typed<FixedEncodedString43> get author;
|
||||||
|
@override
|
||||||
|
Timestamp get timestamp;
|
||||||
|
@override
|
||||||
|
String get text;
|
||||||
|
@override
|
||||||
|
MessageSendState? get sendState;
|
||||||
|
@override
|
||||||
|
@JsonKey(ignore: true)
|
||||||
|
_$$MessageStateImplCopyWith<_$MessageStateImpl> get copyWith =>
|
||||||
|
throw _privateConstructorUsedError;
|
||||||
|
}
|
25
lib/chat/models/message_state.g.dart
Normal file
25
lib/chat/models/message_state.g.dart
Normal file
@ -0,0 +1,25 @@
|
|||||||
|
// GENERATED CODE - DO NOT MODIFY BY HAND
|
||||||
|
|
||||||
|
part of 'message_state.dart';
|
||||||
|
|
||||||
|
// **************************************************************************
|
||||||
|
// JsonSerializableGenerator
|
||||||
|
// **************************************************************************
|
||||||
|
|
||||||
|
_$MessageStateImpl _$$MessageStateImplFromJson(Map<String, dynamic> json) =>
|
||||||
|
_$MessageStateImpl(
|
||||||
|
author: Typed<FixedEncodedString43>.fromJson(json['author']),
|
||||||
|
timestamp: Timestamp.fromJson(json['timestamp']),
|
||||||
|
text: json['text'] as String,
|
||||||
|
sendState: json['send_state'] == null
|
||||||
|
? null
|
||||||
|
: MessageSendState.fromJson(json['send_state']),
|
||||||
|
);
|
||||||
|
|
||||||
|
Map<String, dynamic> _$$MessageStateImplToJson(_$MessageStateImpl instance) =>
|
||||||
|
<String, dynamic>{
|
||||||
|
'author': instance.author.toJson(),
|
||||||
|
'timestamp': instance.timestamp.toJson(),
|
||||||
|
'text': instance.text,
|
||||||
|
'send_state': instance.sendState?.toJson(),
|
||||||
|
};
|
1
lib/chat/models/models.dart
Normal file
1
lib/chat/models/models.dart
Normal file
@ -0,0 +1 @@
|
|||||||
|
export 'message_state.dart';
|
@ -1,5 +1,3 @@
|
|||||||
import 'dart:async';
|
|
||||||
|
|
||||||
import 'package:async_tools/async_tools.dart';
|
import 'package:async_tools/async_tools.dart';
|
||||||
import 'package:awesome_extensions/awesome_extensions.dart';
|
import 'package:awesome_extensions/awesome_extensions.dart';
|
||||||
import 'package:flutter/material.dart';
|
import 'package:flutter/material.dart';
|
||||||
@ -99,38 +97,52 @@ class ChatComponent extends StatelessWidget {
|
|||||||
|
|
||||||
/////////////////////////////////////////////////////////////////////
|
/////////////////////////////////////////////////////////////////////
|
||||||
|
|
||||||
types.Message messageToChatMessage(proto.Message message) {
|
types.Message messageToChatMessage(MessageState message) {
|
||||||
final isLocal = message.author == _localUserIdentityKey.toProto();
|
final isLocal = message.author == _localUserIdentityKey;
|
||||||
|
|
||||||
|
types.Status? status;
|
||||||
|
if (message.sendState != null) {
|
||||||
|
assert(isLocal, 'send state should only be on sent messages');
|
||||||
|
switch (message.sendState!) {
|
||||||
|
case MessageSendState.sending:
|
||||||
|
status = types.Status.sending;
|
||||||
|
case MessageSendState.sent:
|
||||||
|
status = types.Status.sent;
|
||||||
|
case MessageSendState.delivered:
|
||||||
|
status = types.Status.delivered;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
final textMessage = types.TextMessage(
|
final textMessage = types.TextMessage(
|
||||||
author: isLocal ? _localUser : _remoteUser,
|
author: isLocal ? _localUser : _remoteUser,
|
||||||
createdAt: (message.timestamp ~/ 1000).toInt(),
|
createdAt: (message.timestamp.value ~/ BigInt.from(1000)).toInt(),
|
||||||
id: message.timestamp.toString(),
|
id: message.timestamp.toString(),
|
||||||
text: message.text,
|
text: message.text,
|
||||||
);
|
showStatus: status != null,
|
||||||
|
status: status);
|
||||||
return textMessage;
|
return textMessage;
|
||||||
}
|
}
|
||||||
|
|
||||||
Future<void> _addMessage(proto.Message message) async {
|
void _addMessage(proto.Message message) {
|
||||||
if (message.text.isEmpty) {
|
if (message.text.isEmpty) {
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
await _messagesCubit.addMessage(message: message);
|
_messagesCubit.addMessage(message: message);
|
||||||
}
|
}
|
||||||
|
|
||||||
Future<void> _handleSendPressed(types.PartialText message) async {
|
void _handleSendPressed(types.PartialText message) {
|
||||||
final protoMessage = proto.Message()
|
final protoMessage = proto.Message()
|
||||||
..author = _localUserIdentityKey.toProto()
|
..author = _localUserIdentityKey.toProto()
|
||||||
..timestamp = Veilid.instance.now().toInt64()
|
..timestamp = Veilid.instance.now().toInt64()
|
||||||
..text = message.text;
|
..text = message.text;
|
||||||
//..signature = signature;
|
//..signature = signature;
|
||||||
|
|
||||||
await _addMessage(protoMessage);
|
_addMessage(protoMessage);
|
||||||
}
|
}
|
||||||
|
|
||||||
Future<void> _handleAttachmentPressed() async {
|
// void _handleAttachmentPressed() async {
|
||||||
//
|
// //
|
||||||
}
|
// }
|
||||||
|
|
||||||
@override
|
@override
|
||||||
Widget build(BuildContext context) {
|
Widget build(BuildContext context) {
|
||||||
@ -195,10 +207,7 @@ class ChatComponent extends StatelessWidget {
|
|||||||
//onAttachmentPressed: _handleAttachmentPressed,
|
//onAttachmentPressed: _handleAttachmentPressed,
|
||||||
//onMessageTap: _handleMessageTap,
|
//onMessageTap: _handleMessageTap,
|
||||||
//onPreviewDataFetched: _handlePreviewDataFetched,
|
//onPreviewDataFetched: _handlePreviewDataFetched,
|
||||||
onSendPressed: (message) {
|
onSendPressed: _handleSendPressed,
|
||||||
singleFuture(
|
|
||||||
this, () async => _handleSendPressed(message));
|
|
||||||
},
|
|
||||||
//showUserAvatars: false,
|
//showUserAvatars: false,
|
||||||
//showUserNames: true,
|
//showUserNames: true,
|
||||||
user: _localUser,
|
user: _localUser,
|
||||||
|
@ -85,14 +85,14 @@ class ActiveConversationsBlocMapCubit extends BlocMapCubit<TypedKey,
|
|||||||
await addState(key, const AsyncValue.loading());
|
await addState(key, const AsyncValue.loading());
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
final contactIndex = contactList
|
final contactIndex = contactList.indexWhere(
|
||||||
.indexWhere((c) => c.remoteConversationRecordKey.toVeilid() == key);
|
(c) => c.value.remoteConversationRecordKey.toVeilid() == key);
|
||||||
if (contactIndex == -1) {
|
if (contactIndex == -1) {
|
||||||
await addState(key, AsyncValue.error('Contact not found'));
|
await addState(key, AsyncValue.error('Contact not found'));
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
final contact = contactList[contactIndex];
|
final contact = contactList[contactIndex];
|
||||||
await _addConversation(contact: contact);
|
await _addConversation(contact: contact.value);
|
||||||
}
|
}
|
||||||
|
|
||||||
////
|
////
|
||||||
|
@ -2,7 +2,6 @@ import 'dart:async';
|
|||||||
|
|
||||||
import 'package:async_tools/async_tools.dart';
|
import 'package:async_tools/async_tools.dart';
|
||||||
import 'package:bloc_tools/bloc_tools.dart';
|
import 'package:bloc_tools/bloc_tools.dart';
|
||||||
import 'package:fast_immutable_collections/fast_immutable_collections.dart';
|
|
||||||
import 'package:veilid_support/veilid_support.dart';
|
import 'package:veilid_support/veilid_support.dart';
|
||||||
|
|
||||||
import '../../account_manager/account_manager.dart';
|
import '../../account_manager/account_manager.dart';
|
||||||
@ -16,7 +15,7 @@ import 'chat_list_cubit.dart';
|
|||||||
// Wraps a MessagesCubit to stream the latest messages to the state
|
// Wraps a MessagesCubit to stream the latest messages to the state
|
||||||
// Automatically follows the state of a ActiveConversationsBlocMapCubit.
|
// Automatically follows the state of a ActiveConversationsBlocMapCubit.
|
||||||
class ActiveSingleContactChatBlocMapCubit extends BlocMapCubit<TypedKey,
|
class ActiveSingleContactChatBlocMapCubit extends BlocMapCubit<TypedKey,
|
||||||
AsyncValue<IList<proto.Message>>, SingleContactMessagesCubit>
|
SingleContactMessagesState, SingleContactMessagesCubit>
|
||||||
with
|
with
|
||||||
StateMapFollower<ActiveConversationsBlocMapState, TypedKey,
|
StateMapFollower<ActiveConversationsBlocMapState, TypedKey,
|
||||||
AsyncValue<ActiveConversationState>> {
|
AsyncValue<ActiveConversationState>> {
|
||||||
@ -61,14 +60,14 @@ class ActiveSingleContactChatBlocMapCubit extends BlocMapCubit<TypedKey,
|
|||||||
await addState(key, const AsyncValue.loading());
|
await addState(key, const AsyncValue.loading());
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
final contactIndex = contactList
|
final contactIndex = contactList.indexWhere(
|
||||||
.indexWhere((c) => c.remoteConversationRecordKey.toVeilid() == key);
|
(c) => c.value.remoteConversationRecordKey.toVeilid() == key);
|
||||||
if (contactIndex == -1) {
|
if (contactIndex == -1) {
|
||||||
await addState(
|
await addState(
|
||||||
key, AsyncValue.error('Contact not found for conversation'));
|
key, AsyncValue.error('Contact not found for conversation'));
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
final contact = contactList[contactIndex];
|
final contact = contactList[contactIndex].value;
|
||||||
|
|
||||||
// Get the chat object for this single contact chat
|
// Get the chat object for this single contact chat
|
||||||
final chatList = _chatListCubit.state.state.asData?.value;
|
final chatList = _chatListCubit.state.state.asData?.value;
|
||||||
@ -76,13 +75,13 @@ class ActiveSingleContactChatBlocMapCubit extends BlocMapCubit<TypedKey,
|
|||||||
await addState(key, const AsyncValue.loading());
|
await addState(key, const AsyncValue.loading());
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
final chatIndex = chatList
|
final chatIndex = chatList.indexWhere(
|
||||||
.indexWhere((c) => c.remoteConversationRecordKey.toVeilid() == key);
|
(c) => c.value.remoteConversationRecordKey.toVeilid() == key);
|
||||||
if (contactIndex == -1) {
|
if (contactIndex == -1) {
|
||||||
await addState(key, AsyncValue.error('Chat not found for conversation'));
|
await addState(key, AsyncValue.error('Chat not found for conversation'));
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
final chat = chatList[chatIndex];
|
final chat = chatList[chatIndex].value;
|
||||||
|
|
||||||
await value.when(
|
await value.when(
|
||||||
data: (state) => _addConversationMessages(
|
data: (state) => _addConversationMessages(
|
||||||
|
@ -1,6 +1,5 @@
|
|||||||
import 'dart:async';
|
import 'dart:async';
|
||||||
|
|
||||||
import 'package:async_tools/async_tools.dart';
|
|
||||||
import 'package:bloc_tools/bloc_tools.dart';
|
import 'package:bloc_tools/bloc_tools.dart';
|
||||||
import 'package:fast_immutable_collections/fast_immutable_collections.dart';
|
import 'package:fast_immutable_collections/fast_immutable_collections.dart';
|
||||||
import 'package:veilid_support/veilid_support.dart';
|
import 'package:veilid_support/veilid_support.dart';
|
||||||
@ -14,7 +13,7 @@ import '../../tools/tools.dart';
|
|||||||
|
|
||||||
//////////////////////////////////////////////////
|
//////////////////////////////////////////////////
|
||||||
// Mutable state for per-account chat list
|
// Mutable state for per-account chat list
|
||||||
typedef ChatListCubitState = BlocBusyState<AsyncValue<IList<proto.Chat>>>;
|
typedef ChatListCubitState = DHTShortArrayBusyState<proto.Chat>;
|
||||||
|
|
||||||
class ChatListCubit extends DHTShortArrayCubit<proto.Chat>
|
class ChatListCubit extends DHTShortArrayCubit<proto.Chat>
|
||||||
with StateMapFollowable<ChatListCubitState, TypedKey, proto.Chat> {
|
with StateMapFollowable<ChatListCubitState, TypedKey, proto.Chat> {
|
||||||
@ -119,8 +118,8 @@ class ChatListCubit extends DHTShortArrayCubit<proto.Chat>
|
|||||||
// chat record now
|
// chat record now
|
||||||
if (success && deletedItem != null) {
|
if (success && deletedItem != null) {
|
||||||
try {
|
try {
|
||||||
await DHTRecordPool.instance
|
await DHTRecordPool.instance.deleteRecord(
|
||||||
.delete(deletedItem.reconciledChatRecord.toVeilid().recordKey);
|
deletedItem.reconciledChatRecord.toVeilid().recordKey);
|
||||||
} on Exception catch (e) {
|
} on Exception catch (e) {
|
||||||
log.debug('error removing reconciled chat record: $e', e);
|
log.debug('error removing reconciled chat record: $e', e);
|
||||||
}
|
}
|
||||||
@ -135,8 +134,8 @@ class ChatListCubit extends DHTShortArrayCubit<proto.Chat>
|
|||||||
return IMap();
|
return IMap();
|
||||||
}
|
}
|
||||||
return IMap.fromIterable(stateValue,
|
return IMap.fromIterable(stateValue,
|
||||||
keyMapper: (e) => e.remoteConversationRecordKey.toVeilid(),
|
keyMapper: (e) => e.value.remoteConversationRecordKey.toVeilid(),
|
||||||
valueMapper: (e) => e);
|
valueMapper: (e) => e.value);
|
||||||
}
|
}
|
||||||
|
|
||||||
final ActiveChatCubit activeChatCubit;
|
final ActiveChatCubit activeChatCubit;
|
||||||
|
@ -20,8 +20,8 @@ class ChatSingleContactListWidget extends StatelessWidget {
|
|||||||
|
|
||||||
return contactListV.builder((context, contactList) {
|
return contactListV.builder((context, contactList) {
|
||||||
final contactMap = IMap.fromIterable(contactList,
|
final contactMap = IMap.fromIterable(contactList,
|
||||||
keyMapper: (c) => c.remoteConversationRecordKey,
|
keyMapper: (c) => c.value.remoteConversationRecordKey,
|
||||||
valueMapper: (c) => c);
|
valueMapper: (c) => c.value);
|
||||||
|
|
||||||
final chatListV = context.watch<ChatListCubit>().state;
|
final chatListV = context.watch<ChatListCubit>().state;
|
||||||
return chatListV
|
return chatListV
|
||||||
@ -33,7 +33,7 @@ class ChatSingleContactListWidget extends StatelessWidget {
|
|||||||
child: (chatList.isEmpty)
|
child: (chatList.isEmpty)
|
||||||
? const EmptyChatListWidget()
|
? const EmptyChatListWidget()
|
||||||
: SearchableList<proto.Chat>(
|
: SearchableList<proto.Chat>(
|
||||||
initialList: chatList.toList(),
|
initialList: chatList.map((x) => x.value).toList(),
|
||||||
builder: (l, i, c) {
|
builder: (l, i, c) {
|
||||||
final contact =
|
final contact =
|
||||||
contactMap[c.remoteConversationRecordKey];
|
contactMap[c.remoteConversationRecordKey];
|
||||||
@ -47,7 +47,7 @@ class ChatSingleContactListWidget extends StatelessWidget {
|
|||||||
},
|
},
|
||||||
filter: (value) {
|
filter: (value) {
|
||||||
final lowerValue = value.toLowerCase();
|
final lowerValue = value.toLowerCase();
|
||||||
return chatList.where((c) {
|
return chatList.map((x) => x.value).where((c) {
|
||||||
final contact =
|
final contact =
|
||||||
contactMap[c.remoteConversationRecordKey];
|
contactMap[c.remoteConversationRecordKey];
|
||||||
if (contact == null) {
|
if (contact == null) {
|
||||||
|
@ -1,6 +1,5 @@
|
|||||||
import 'dart:async';
|
import 'dart:async';
|
||||||
|
|
||||||
import 'package:async_tools/async_tools.dart';
|
|
||||||
import 'package:bloc_tools/bloc_tools.dart';
|
import 'package:bloc_tools/bloc_tools.dart';
|
||||||
import 'package:fast_immutable_collections/fast_immutable_collections.dart';
|
import 'package:fast_immutable_collections/fast_immutable_collections.dart';
|
||||||
import 'package:fixnum/fixnum.dart';
|
import 'package:fixnum/fixnum.dart';
|
||||||
@ -27,7 +26,7 @@ typedef GetEncryptionKeyCallback = Future<SecretKey?> Function(
|
|||||||
//////////////////////////////////////////////////
|
//////////////////////////////////////////////////
|
||||||
|
|
||||||
typedef ContactInvitiationListState
|
typedef ContactInvitiationListState
|
||||||
= BlocBusyState<AsyncValue<IList<proto.ContactInvitationRecord>>>;
|
= DHTShortArrayBusyState<proto.ContactInvitationRecord>;
|
||||||
//////////////////////////////////////////////////
|
//////////////////////////////////////////////////
|
||||||
// Mutable state for per-account contact invitations
|
// Mutable state for per-account contact invitations
|
||||||
|
|
||||||
@ -208,13 +207,14 @@ class ContactInvitationListCubit
|
|||||||
await contactRequestInbox.tryWriteBytes(Uint8List(0));
|
await contactRequestInbox.tryWriteBytes(Uint8List(0));
|
||||||
});
|
});
|
||||||
try {
|
try {
|
||||||
await pool.delete(contactRequestInbox.recordKey);
|
await pool.deleteRecord(contactRequestInbox.recordKey);
|
||||||
} on Exception catch (e) {
|
} on Exception catch (e) {
|
||||||
log.debug('error removing contact request inbox: $e', e);
|
log.debug('error removing contact request inbox: $e', e);
|
||||||
}
|
}
|
||||||
if (!accepted) {
|
if (!accepted) {
|
||||||
try {
|
try {
|
||||||
await pool.delete(deletedItem.localConversationRecordKey.toVeilid());
|
await pool
|
||||||
|
.deleteRecord(deletedItem.localConversationRecordKey.toVeilid());
|
||||||
} on Exception catch (e) {
|
} on Exception catch (e) {
|
||||||
log.debug('error removing local conversation record: $e', e);
|
log.debug('error removing local conversation record: $e', e);
|
||||||
}
|
}
|
||||||
@ -246,7 +246,7 @@ class ContactInvitationListCubit
|
|||||||
// If we're chatting to ourselves,
|
// If we're chatting to ourselves,
|
||||||
// we are validating an invitation we have created
|
// we are validating an invitation we have created
|
||||||
final isSelf = state.state.asData!.value.indexWhere((cir) =>
|
final isSelf = state.state.asData!.value.indexWhere((cir) =>
|
||||||
cir.contactRequestInbox.recordKey.toVeilid() ==
|
cir.value.contactRequestInbox.recordKey.toVeilid() ==
|
||||||
contactRequestInboxKey) !=
|
contactRequestInboxKey) !=
|
||||||
-1;
|
-1;
|
||||||
|
|
||||||
@ -315,8 +315,8 @@ class ContactInvitationListCubit
|
|||||||
return IMap();
|
return IMap();
|
||||||
}
|
}
|
||||||
return IMap.fromIterable(stateValue,
|
return IMap.fromIterable(stateValue,
|
||||||
keyMapper: (e) => e.contactRequestInbox.recordKey.toVeilid(),
|
keyMapper: (e) => e.value.contactRequestInbox.recordKey.toVeilid(),
|
||||||
valueMapper: (e) => e);
|
valueMapper: (e) => e.value);
|
||||||
}
|
}
|
||||||
|
|
||||||
//
|
//
|
||||||
|
@ -1,6 +1,5 @@
|
|||||||
import 'package:async_tools/async_tools.dart';
|
import 'package:async_tools/async_tools.dart';
|
||||||
import 'package:bloc_tools/bloc_tools.dart';
|
import 'package:bloc_tools/bloc_tools.dart';
|
||||||
import 'package:fast_immutable_collections/fast_immutable_collections.dart';
|
|
||||||
import 'package:veilid_support/veilid_support.dart';
|
import 'package:veilid_support/veilid_support.dart';
|
||||||
|
|
||||||
import '../../account_manager/account_manager.dart';
|
import '../../account_manager/account_manager.dart';
|
||||||
@ -16,10 +15,8 @@ typedef WaitingInvitationsBlocMapState
|
|||||||
class WaitingInvitationsBlocMapCubit extends BlocMapCubit<TypedKey,
|
class WaitingInvitationsBlocMapCubit extends BlocMapCubit<TypedKey,
|
||||||
AsyncValue<InvitationStatus>, WaitingInvitationCubit>
|
AsyncValue<InvitationStatus>, WaitingInvitationCubit>
|
||||||
with
|
with
|
||||||
StateMapFollower<
|
StateMapFollower<DHTShortArrayBusyState<proto.ContactInvitationRecord>,
|
||||||
BlocBusyState<AsyncValue<IList<proto.ContactInvitationRecord>>>,
|
TypedKey, proto.ContactInvitationRecord> {
|
||||||
TypedKey,
|
|
||||||
proto.ContactInvitationRecord> {
|
|
||||||
WaitingInvitationsBlocMapCubit(
|
WaitingInvitationsBlocMapCubit(
|
||||||
{required this.activeAccountInfo, required this.account});
|
{required this.activeAccountInfo, required this.account});
|
||||||
|
|
||||||
|
@ -173,8 +173,8 @@ class ConversationCubit extends Cubit<AsyncValue<ConversationState>> {
|
|||||||
await localConversationCubit.close();
|
await localConversationCubit.close();
|
||||||
final conversation = data.value;
|
final conversation = data.value;
|
||||||
final messagesKey = conversation.messages.toVeilid();
|
final messagesKey = conversation.messages.toVeilid();
|
||||||
await pool.delete(messagesKey);
|
await pool.deleteRecord(messagesKey);
|
||||||
await pool.delete(_localConversationRecordKey!);
|
await pool.deleteRecord(_localConversationRecordKey!);
|
||||||
_localConversationRecordKey = null;
|
_localConversationRecordKey = null;
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
@ -191,8 +191,8 @@ class ConversationCubit extends Cubit<AsyncValue<ConversationState>> {
|
|||||||
await remoteConversationCubit.close();
|
await remoteConversationCubit.close();
|
||||||
final conversation = data.value;
|
final conversation = data.value;
|
||||||
final messagesKey = conversation.messages.toVeilid();
|
final messagesKey = conversation.messages.toVeilid();
|
||||||
await pool.delete(messagesKey);
|
await pool.deleteRecord(messagesKey);
|
||||||
await pool.delete(_remoteConversationRecordKey!);
|
await pool.deleteRecord(_remoteConversationRecordKey!);
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -38,11 +38,14 @@ class AccountPageState extends State<AccountPage> {
|
|||||||
final cilState = context.watch<ContactInvitationListCubit>().state;
|
final cilState = context.watch<ContactInvitationListCubit>().state;
|
||||||
final cilBusy = cilState.busy;
|
final cilBusy = cilState.busy;
|
||||||
final contactInvitationRecordList =
|
final contactInvitationRecordList =
|
||||||
cilState.state.asData?.value ?? const IListConst([]);
|
cilState.state.asData?.value.map((x) => x.value).toIList() ??
|
||||||
|
const IListConst([]);
|
||||||
|
|
||||||
final ciState = context.watch<ContactListCubit>().state;
|
final ciState = context.watch<ContactListCubit>().state;
|
||||||
final ciBusy = ciState.busy;
|
final ciBusy = ciState.busy;
|
||||||
final contactList = ciState.state.asData?.value ?? const IListConst([]);
|
final contactList =
|
||||||
|
ciState.state.asData?.value.map((x) => x.value).toIList() ??
|
||||||
|
const IListConst([]);
|
||||||
|
|
||||||
return SizedBox(
|
return SizedBox(
|
||||||
child: Column(children: <Widget>[
|
child: Column(children: <Widget>[
|
||||||
|
@ -27,8 +27,6 @@ message Attachment {
|
|||||||
}
|
}
|
||||||
|
|
||||||
// A single message as part of a series of messages
|
// A single message as part of a series of messages
|
||||||
// Messages are stored in a DHTLog
|
|
||||||
// DHT Schema: SMPL(0,1,[identityPublicKey])
|
|
||||||
message Message {
|
message Message {
|
||||||
// Author of the message
|
// Author of the message
|
||||||
veilid.TypedKey author = 1;
|
veilid.TypedKey author = 1;
|
||||||
@ -53,7 +51,6 @@ message Message {
|
|||||||
// DHT Key (UnicastOutbox): localConversation
|
// DHT Key (UnicastOutbox): localConversation
|
||||||
// DHT Secret: None
|
// DHT Secret: None
|
||||||
// Encryption: DH(IdentityA, IdentityB)
|
// Encryption: DH(IdentityA, IdentityB)
|
||||||
|
|
||||||
message Conversation {
|
message Conversation {
|
||||||
// Profile to publish to friend
|
// Profile to publish to friend
|
||||||
Profile profile = 1;
|
Profile profile = 1;
|
||||||
|
@ -16,11 +16,20 @@ import '../../veilid_processor/views/developer.dart';
|
|||||||
|
|
||||||
part 'router_cubit.freezed.dart';
|
part 'router_cubit.freezed.dart';
|
||||||
part 'router_cubit.g.dart';
|
part 'router_cubit.g.dart';
|
||||||
part 'router_state.dart';
|
|
||||||
|
|
||||||
final _rootNavKey = GlobalKey<NavigatorState>(debugLabel: 'rootNavKey');
|
final _rootNavKey = GlobalKey<NavigatorState>(debugLabel: 'rootNavKey');
|
||||||
final _homeNavKey = GlobalKey<NavigatorState>(debugLabel: 'homeNavKey');
|
final _homeNavKey = GlobalKey<NavigatorState>(debugLabel: 'homeNavKey');
|
||||||
|
|
||||||
|
@freezed
|
||||||
|
class RouterState with _$RouterState {
|
||||||
|
const factory RouterState(
|
||||||
|
{required bool hasAnyAccount,
|
||||||
|
required bool hasActiveChat}) = _RouterState;
|
||||||
|
|
||||||
|
factory RouterState.fromJson(dynamic json) =>
|
||||||
|
_$RouterStateFromJson(json as Map<String, dynamic>);
|
||||||
|
}
|
||||||
|
|
||||||
class RouterCubit extends Cubit<RouterState> {
|
class RouterCubit extends Cubit<RouterState> {
|
||||||
RouterCubit(AccountRepository accountRepository)
|
RouterCubit(AccountRepository accountRepository)
|
||||||
: super(RouterState(
|
: super(RouterState(
|
||||||
|
@ -1,11 +0,0 @@
|
|||||||
part of 'router_cubit.dart';
|
|
||||||
|
|
||||||
@freezed
|
|
||||||
class RouterState with _$RouterState {
|
|
||||||
const factory RouterState(
|
|
||||||
{required bool hasAnyAccount,
|
|
||||||
required bool hasActiveChat}) = _RouterState;
|
|
||||||
|
|
||||||
factory RouterState.fromJson(dynamic json) =>
|
|
||||||
_$RouterStateFromJson(json as Map<String, dynamic>);
|
|
||||||
}
|
|
@ -5,7 +5,7 @@ import 'package:bloc/bloc.dart';
|
|||||||
|
|
||||||
abstract class FutureCubit<State> extends Cubit<AsyncValue<State>> {
|
abstract class FutureCubit<State> extends Cubit<AsyncValue<State>> {
|
||||||
FutureCubit(Future<State> fut) : super(const AsyncValue.loading()) {
|
FutureCubit(Future<State> fut) : super(const AsyncValue.loading()) {
|
||||||
unawaited(fut.then((value) {
|
_initWait.add(() async => fut.then((value) {
|
||||||
emit(AsyncValue.data(value));
|
emit(AsyncValue.data(value));
|
||||||
// ignore: avoid_types_on_closure_parameters
|
// ignore: avoid_types_on_closure_parameters
|
||||||
}, onError: (Object e, StackTrace stackTrace) {
|
}, onError: (Object e, StackTrace stackTrace) {
|
||||||
@ -13,4 +13,12 @@ abstract class FutureCubit<State> extends Cubit<AsyncValue<State>> {
|
|||||||
}));
|
}));
|
||||||
}
|
}
|
||||||
FutureCubit.value(State state) : super(AsyncValue.data(state));
|
FutureCubit.value(State state) : super(AsyncValue.data(state));
|
||||||
|
|
||||||
|
@override
|
||||||
|
Future<void> close() async {
|
||||||
|
await _initWait();
|
||||||
|
await super.close();
|
||||||
|
}
|
||||||
|
|
||||||
|
final WaitSet _initWait = WaitSet();
|
||||||
}
|
}
|
||||||
|
@ -86,7 +86,7 @@ class DHTRecord {
|
|||||||
if (_open) {
|
if (_open) {
|
||||||
await close();
|
await close();
|
||||||
}
|
}
|
||||||
await DHTRecordPool.instance.delete(key);
|
await DHTRecordPool.instance.deleteRecord(key);
|
||||||
rethrow;
|
rethrow;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -109,7 +109,7 @@ class OpenedRecordInfo {
|
|||||||
String get sharedDetails => shared.toString();
|
String get sharedDetails => shared.toString();
|
||||||
}
|
}
|
||||||
|
|
||||||
class DHTRecordPool with TableDBBacked<DHTRecordPoolAllocations> {
|
class DHTRecordPool with TableDBBackedJson<DHTRecordPoolAllocations> {
|
||||||
DHTRecordPool._(Veilid veilid, VeilidRoutingContext routingContext)
|
DHTRecordPool._(Veilid veilid, VeilidRoutingContext routingContext)
|
||||||
: _state = const DHTRecordPoolAllocations(),
|
: _state = const DHTRecordPoolAllocations(),
|
||||||
_mutex = Mutex(),
|
_mutex = Mutex(),
|
||||||
@ -150,7 +150,7 @@ class DHTRecordPool with TableDBBacked<DHTRecordPoolAllocations> {
|
|||||||
? DHTRecordPoolAllocations.fromJson(obj)
|
? DHTRecordPoolAllocations.fromJson(obj)
|
||||||
: const DHTRecordPoolAllocations();
|
: const DHTRecordPoolAllocations();
|
||||||
@override
|
@override
|
||||||
Object? valueToJson(DHTRecordPoolAllocations val) => val.toJson();
|
Object? valueToJson(DHTRecordPoolAllocations? val) => val?.toJson();
|
||||||
|
|
||||||
//////////////////////////////////////////////////////////////
|
//////////////////////////////////////////////////////////////
|
||||||
|
|
||||||
@ -161,7 +161,7 @@ class DHTRecordPool with TableDBBacked<DHTRecordPoolAllocations> {
|
|||||||
final globalPool = DHTRecordPool._(Veilid.instance, routingContext);
|
final globalPool = DHTRecordPool._(Veilid.instance, routingContext);
|
||||||
globalPool
|
globalPool
|
||||||
.._logger = logger
|
.._logger = logger
|
||||||
.._state = await globalPool.load();
|
.._state = await globalPool.load() ?? const DHTRecordPoolAllocations();
|
||||||
_singleton = globalPool;
|
_singleton = globalPool;
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -279,7 +279,7 @@ class DHTRecordPool with TableDBBacked<DHTRecordPoolAllocations> {
|
|||||||
if (openedRecordInfo.records.isEmpty) {
|
if (openedRecordInfo.records.isEmpty) {
|
||||||
await _routingContext.closeDHTRecord(key);
|
await _routingContext.closeDHTRecord(key);
|
||||||
if (openedRecordInfo.shared.deleteOnClose) {
|
if (openedRecordInfo.shared.deleteOnClose) {
|
||||||
await _deleteInner(key);
|
await _deleteRecordInner(key);
|
||||||
}
|
}
|
||||||
_opened.remove(key);
|
_opened.remove(key);
|
||||||
}
|
}
|
||||||
@ -316,7 +316,7 @@ class DHTRecordPool with TableDBBacked<DHTRecordPoolAllocations> {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
Future<void> _deleteInner(TypedKey recordKey) async {
|
Future<void> _deleteRecordInner(TypedKey recordKey) async {
|
||||||
log('deleteDHTRecord: key=$recordKey');
|
log('deleteDHTRecord: key=$recordKey');
|
||||||
|
|
||||||
// Remove this child from parents
|
// Remove this child from parents
|
||||||
@ -324,7 +324,7 @@ class DHTRecordPool with TableDBBacked<DHTRecordPoolAllocations> {
|
|||||||
await _routingContext.deleteDHTRecord(recordKey);
|
await _routingContext.deleteDHTRecord(recordKey);
|
||||||
}
|
}
|
||||||
|
|
||||||
Future<void> delete(TypedKey recordKey) async {
|
Future<void> deleteRecord(TypedKey recordKey) async {
|
||||||
await _mutex.protect(() async {
|
await _mutex.protect(() async {
|
||||||
final allDeps = _collectChildrenInner(recordKey);
|
final allDeps = _collectChildrenInner(recordKey);
|
||||||
|
|
||||||
@ -339,7 +339,7 @@ class DHTRecordPool with TableDBBacked<DHTRecordPoolAllocations> {
|
|||||||
ori.shared.deleteOnClose = true;
|
ori.shared.deleteOnClose = true;
|
||||||
} else {
|
} else {
|
||||||
// delete now
|
// delete now
|
||||||
await _deleteInner(recordKey);
|
await _deleteRecordInner(recordKey);
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
@ -69,7 +69,7 @@ class DHTShortArray {
|
|||||||
return dhtShortArray;
|
return dhtShortArray;
|
||||||
} on Exception catch (_) {
|
} on Exception catch (_) {
|
||||||
await dhtRecord.close();
|
await dhtRecord.close();
|
||||||
await pool.delete(dhtRecord.key);
|
await pool.deleteRecord(dhtRecord.key);
|
||||||
rethrow;
|
rethrow;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -152,7 +152,7 @@ class DHTShortArray {
|
|||||||
/// Free all resources for the DHTShortArray and delete it from the DHT
|
/// Free all resources for the DHTShortArray and delete it from the DHT
|
||||||
Future<void> delete() async {
|
Future<void> delete() async {
|
||||||
await close();
|
await close();
|
||||||
await DHTRecordPool.instance.delete(recordKey);
|
await DHTRecordPool.instance.deleteRecord(recordKey);
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Runs a closure that guarantees the DHTShortArray
|
/// Runs a closure that guarantees the DHTShortArray
|
||||||
@ -212,6 +212,8 @@ class DHTShortArray {
|
|||||||
return closure(writer);
|
return closure(writer);
|
||||||
}, timeout: timeout);
|
}, timeout: timeout);
|
||||||
|
|
||||||
|
/// Listen to and any all changes to the structure of this short array
|
||||||
|
/// regardless of where the changes are coming from
|
||||||
Future<StreamSubscription<void>> listen(
|
Future<StreamSubscription<void>> listen(
|
||||||
void Function() onChanged,
|
void Function() onChanged,
|
||||||
) =>
|
) =>
|
||||||
|
@ -3,11 +3,24 @@ import 'dart:async';
|
|||||||
import 'package:async_tools/async_tools.dart';
|
import 'package:async_tools/async_tools.dart';
|
||||||
import 'package:bloc/bloc.dart';
|
import 'package:bloc/bloc.dart';
|
||||||
import 'package:bloc_tools/bloc_tools.dart';
|
import 'package:bloc_tools/bloc_tools.dart';
|
||||||
|
import 'package:equatable/equatable.dart';
|
||||||
import 'package:fast_immutable_collections/fast_immutable_collections.dart';
|
import 'package:fast_immutable_collections/fast_immutable_collections.dart';
|
||||||
|
import 'package:meta/meta.dart';
|
||||||
|
|
||||||
import '../../../veilid_support.dart';
|
import '../../../veilid_support.dart';
|
||||||
|
|
||||||
typedef DHTShortArrayState<T> = AsyncValue<IList<T>>;
|
@immutable
|
||||||
|
class DHTShortArrayElementState<T> extends Equatable {
|
||||||
|
const DHTShortArrayElementState(
|
||||||
|
{required this.value, required this.isOffline});
|
||||||
|
final T value;
|
||||||
|
final bool isOffline;
|
||||||
|
|
||||||
|
@override
|
||||||
|
List<Object?> get props => [value, isOffline];
|
||||||
|
}
|
||||||
|
|
||||||
|
typedef DHTShortArrayState<T> = AsyncValue<IList<DHTShortArrayElementState<T>>>;
|
||||||
typedef DHTShortArrayBusyState<T> = BlocBusyState<DHTShortArrayState<T>>;
|
typedef DHTShortArrayBusyState<T> = BlocBusyState<DHTShortArrayState<T>>;
|
||||||
|
|
||||||
class DHTShortArrayCubit<T> extends Cubit<DHTShortArrayBusyState<T>>
|
class DHTShortArrayCubit<T> extends Cubit<DHTShortArrayBusyState<T>>
|
||||||
@ -49,13 +62,19 @@ class DHTShortArrayCubit<T> extends Cubit<DHTShortArrayBusyState<T>>
|
|||||||
Future<void> _refreshNoWait({bool forceRefresh = false}) async =>
|
Future<void> _refreshNoWait({bool forceRefresh = false}) async =>
|
||||||
busy((emit) async => _refreshInner(emit, forceRefresh: forceRefresh));
|
busy((emit) async => _refreshInner(emit, forceRefresh: forceRefresh));
|
||||||
|
|
||||||
Future<void> _refreshInner(void Function(AsyncValue<IList<T>>) emit,
|
Future<void> _refreshInner(void Function(DHTShortArrayState<T>) emit,
|
||||||
{bool forceRefresh = false}) async {
|
{bool forceRefresh = false}) async {
|
||||||
try {
|
try {
|
||||||
final newState = (await _shortArray.operate(
|
final newState = await _shortArray.operate((reader) async {
|
||||||
(reader) => reader.getAllItems(forceRefresh: forceRefresh)))
|
final offlinePositions = await reader.getOfflinePositions();
|
||||||
?.map(_decodeElement)
|
final allItems = (await reader.getAllItems(forceRefresh: forceRefresh))
|
||||||
|
?.indexed
|
||||||
|
.map((x) => DHTShortArrayElementState(
|
||||||
|
value: _decodeElement(x.$2),
|
||||||
|
isOffline: offlinePositions.contains(x.$1)))
|
||||||
.toIList();
|
.toIList();
|
||||||
|
return allItems;
|
||||||
|
});
|
||||||
if (newState != null) {
|
if (newState != null) {
|
||||||
emit(AsyncValue.data(newState));
|
emit(AsyncValue.data(newState));
|
||||||
}
|
}
|
||||||
|
@ -15,6 +15,9 @@ abstract class DHTShortArrayRead {
|
|||||||
/// is specified, the network will always be checked for newer values
|
/// is specified, the network will always be checked for newer values
|
||||||
/// rather than returning the existing locally stored copy of the elements.
|
/// rather than returning the existing locally stored copy of the elements.
|
||||||
Future<List<Uint8List>?> getAllItems({bool forceRefresh = false});
|
Future<List<Uint8List>?> getAllItems({bool forceRefresh = false});
|
||||||
|
|
||||||
|
/// Get a list of the positions that were written offline and not flushed yet
|
||||||
|
Future<Set<int>> getOfflinePositions();
|
||||||
}
|
}
|
||||||
|
|
||||||
extension DHTShortArrayReadExt on DHTShortArrayRead {
|
extension DHTShortArrayReadExt on DHTShortArrayRead {
|
||||||
@ -96,6 +99,40 @@ class _DHTShortArrayRead implements DHTShortArrayRead {
|
|||||||
return out;
|
return out;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// Get a list of the positions that were written offline and not flushed yet
|
||||||
|
@override
|
||||||
|
Future<Set<int>> getOfflinePositions() async {
|
||||||
|
final indexOffline = <int>{};
|
||||||
|
final inspects = await [
|
||||||
|
_head._headRecord.inspect(),
|
||||||
|
..._head._linkedRecords.map((lr) => lr.inspect())
|
||||||
|
].wait;
|
||||||
|
|
||||||
|
// Add to offline index
|
||||||
|
var strideOffset = 0;
|
||||||
|
for (final inspect in inspects) {
|
||||||
|
for (final r in inspect.offlineSubkeys) {
|
||||||
|
for (var i = r.low; i <= r.high; i++) {
|
||||||
|
// If this is the head record, ignore the first head subkey
|
||||||
|
if (strideOffset != 0 || i != 0) {
|
||||||
|
indexOffline.add(i + ((strideOffset == 0) ? -1 : strideOffset));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
strideOffset += _head._stride;
|
||||||
|
}
|
||||||
|
|
||||||
|
// See which positions map to offline indexes
|
||||||
|
final positionOffline = <int>{};
|
||||||
|
for (var i = 0; i < _head._index.length; i++) {
|
||||||
|
final idx = _head._index[i];
|
||||||
|
if (indexOffline.contains(idx)) {
|
||||||
|
positionOffline.add(i);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return positionOffline;
|
||||||
|
}
|
||||||
|
|
||||||
////////////////////////////////////////////////////////////////////////////
|
////////////////////////////////////////////////////////////////////////////
|
||||||
// Fields
|
// Fields
|
||||||
final _DHTShortArrayHead _head;
|
final _DHTShortArrayHead _head;
|
||||||
|
@ -92,12 +92,11 @@ extension DHTShortArrayWriteExt on DHTShortArrayWrite {
|
|||||||
}
|
}
|
||||||
|
|
||||||
////////////////////////////////////////////////////////////////////////////
|
////////////////////////////////////////////////////////////////////////////
|
||||||
// Writer-only implementation
|
// Writer implementation
|
||||||
|
|
||||||
class _DHTShortArrayWrite implements DHTShortArrayWrite {
|
class _DHTShortArrayWrite extends _DHTShortArrayRead
|
||||||
_DHTShortArrayWrite._(_DHTShortArrayHead head)
|
implements DHTShortArrayWrite {
|
||||||
: _head = head,
|
_DHTShortArrayWrite._(super.head) : super._();
|
||||||
_reader = _DHTShortArrayRead._(head);
|
|
||||||
|
|
||||||
@override
|
@override
|
||||||
Future<bool> tryAddItem(Uint8List value) async {
|
Future<bool> tryAddItem(Uint8List value) async {
|
||||||
@ -187,23 +186,4 @@ class _DHTShortArrayWrite implements DHTShortArrayWrite {
|
|||||||
}
|
}
|
||||||
return (oldValue, true);
|
return (oldValue, true);
|
||||||
}
|
}
|
||||||
|
|
||||||
////////////////////////////////////////////////////////////////////////////
|
|
||||||
// Reader passthrough
|
|
||||||
|
|
||||||
@override
|
|
||||||
int get length => _reader.length;
|
|
||||||
|
|
||||||
@override
|
|
||||||
Future<Uint8List?> getItem(int pos, {bool forceRefresh = false}) =>
|
|
||||||
_reader.getItem(pos, forceRefresh: forceRefresh);
|
|
||||||
|
|
||||||
@override
|
|
||||||
Future<List<Uint8List>?> getAllItems({bool forceRefresh = false}) =>
|
|
||||||
_reader.getAllItems(forceRefresh: forceRefresh);
|
|
||||||
|
|
||||||
////////////////////////////////////////////////////////////////////////////
|
|
||||||
// Fields
|
|
||||||
final _DHTShortArrayHead _head;
|
|
||||||
final _DHTShortArrayRead _reader;
|
|
||||||
}
|
}
|
||||||
|
@ -2,48 +2,47 @@ import 'dart:async';
|
|||||||
|
|
||||||
import 'package:async_tools/async_tools.dart';
|
import 'package:async_tools/async_tools.dart';
|
||||||
import 'package:bloc/bloc.dart';
|
import 'package:bloc/bloc.dart';
|
||||||
|
import 'package:meta/meta.dart';
|
||||||
|
import 'package:mutex/mutex.dart';
|
||||||
|
|
||||||
import 'table_db.dart';
|
import 'table_db.dart';
|
||||||
|
|
||||||
abstract class AsyncTableDBBackedCubit<State> extends Cubit<AsyncValue<State>>
|
abstract class AsyncTableDBBackedCubit<T> extends Cubit<AsyncValue<T?>>
|
||||||
with TableDBBacked<State> {
|
with TableDBBackedJson<T?> {
|
||||||
AsyncTableDBBackedCubit() : super(const AsyncValue.loading()) {
|
AsyncTableDBBackedCubit() : super(const AsyncValue.loading()) {
|
||||||
unawaited(Future.delayed(Duration.zero, _build));
|
_initWait.add(_build);
|
||||||
|
}
|
||||||
|
|
||||||
|
@override
|
||||||
|
Future<void> close() async {
|
||||||
|
// Ensure the init finished
|
||||||
|
await _initWait();
|
||||||
|
// Wait for any setStates to finish
|
||||||
|
await _mutex.acquire();
|
||||||
|
|
||||||
|
await super.close();
|
||||||
}
|
}
|
||||||
|
|
||||||
Future<void> _build() async {
|
Future<void> _build() async {
|
||||||
try {
|
try {
|
||||||
|
await _mutex.protect(() async {
|
||||||
emit(AsyncValue.data(await load()));
|
emit(AsyncValue.data(await load()));
|
||||||
|
});
|
||||||
} on Exception catch (e, stackTrace) {
|
} on Exception catch (e, stackTrace) {
|
||||||
emit(AsyncValue.error(e, stackTrace));
|
emit(AsyncValue.error(e, stackTrace));
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
Future<State> readyData() async {
|
@protected
|
||||||
final stateStream = stream.distinct();
|
Future<void> setState(T? newState) async {
|
||||||
await for (final AsyncValue<State> av in stateStream) {
|
await _initWait();
|
||||||
final d = av.when(
|
|
||||||
data: (value) => value, loading: () => null, error: (e, s) => null);
|
|
||||||
if (d != null) {
|
|
||||||
return d;
|
|
||||||
}
|
|
||||||
final ef = av.when(
|
|
||||||
data: (value) => null,
|
|
||||||
loading: () => null,
|
|
||||||
error: Future<State>.error);
|
|
||||||
if (ef != null) {
|
|
||||||
return ef;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
return Future<State>.error(
|
|
||||||
StateError("data never became ready in cubit '$runtimeType'"));
|
|
||||||
}
|
|
||||||
|
|
||||||
Future<void> setState(State newState) async {
|
|
||||||
try {
|
try {
|
||||||
emit(AsyncValue.data(await store(newState)));
|
emit(AsyncValue.data(await store(newState)));
|
||||||
} on Exception catch (e, stackTrace) {
|
} on Exception catch (e, stackTrace) {
|
||||||
emit(AsyncValue.error(e, stackTrace));
|
emit(AsyncValue.error(e, stackTrace));
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
final WaitSet _initWait = WaitSet();
|
||||||
|
final Mutex _mutex = Mutex();
|
||||||
}
|
}
|
||||||
|
@ -93,7 +93,7 @@ extension IdentityMasterExtension on IdentityMaster {
|
|||||||
/// Deletes a master identity and the identity record under it
|
/// Deletes a master identity and the identity record under it
|
||||||
Future<void> delete() async {
|
Future<void> delete() async {
|
||||||
final pool = DHTRecordPool.instance;
|
final pool = DHTRecordPool.instance;
|
||||||
await pool.delete(masterRecordKey);
|
await pool.deleteRecord(masterRecordKey);
|
||||||
}
|
}
|
||||||
|
|
||||||
Future<VeilidCryptoSystem> get identityCrypto =>
|
Future<VeilidCryptoSystem> get identityCrypto =>
|
||||||
@ -111,6 +111,9 @@ extension IdentityMasterExtension on IdentityMaster {
|
|||||||
TypedKey identityPublicTypedKey() =>
|
TypedKey identityPublicTypedKey() =>
|
||||||
TypedKey(kind: identityRecordKey.kind, value: identityPublicKey);
|
TypedKey(kind: identityRecordKey.kind, value: identityPublicKey);
|
||||||
|
|
||||||
|
TypedKey masterPublicTypedKey() =>
|
||||||
|
TypedKey(kind: identityRecordKey.kind, value: masterPublicKey);
|
||||||
|
|
||||||
Future<VeilidCryptoSystem> validateIdentitySecret(
|
Future<VeilidCryptoSystem> validateIdentitySecret(
|
||||||
SecretKey identitySecret) async {
|
SecretKey identitySecret) async {
|
||||||
final cs = await identityCrypto;
|
final cs = await identityCrypto;
|
||||||
|
194
packages/veilid_support/lib/src/persistent_queue_cubit.dart
Normal file
194
packages/veilid_support/lib/src/persistent_queue_cubit.dart
Normal file
@ -0,0 +1,194 @@
|
|||||||
|
import 'dart:async';
|
||||||
|
import 'dart:typed_data';
|
||||||
|
|
||||||
|
import 'package:async_tools/async_tools.dart';
|
||||||
|
import 'package:bloc/bloc.dart';
|
||||||
|
import 'package:fast_immutable_collections/fast_immutable_collections.dart';
|
||||||
|
import 'package:mutex/mutex.dart';
|
||||||
|
import 'package:protobuf/protobuf.dart';
|
||||||
|
|
||||||
|
import 'table_db.dart';
|
||||||
|
|
||||||
|
class PersistentQueueCubit<T extends GeneratedMessage>
|
||||||
|
extends Cubit<AsyncValue<IList<T>>> with TableDBBackedFromBuffer<IList<T>> {
|
||||||
|
//
|
||||||
|
PersistentQueueCubit(
|
||||||
|
{required String table,
|
||||||
|
required String key,
|
||||||
|
required T Function(Uint8List) fromBuffer,
|
||||||
|
bool deleteOnClose = true})
|
||||||
|
: _table = table,
|
||||||
|
_key = key,
|
||||||
|
_fromBuffer = fromBuffer,
|
||||||
|
_deleteOnClose = deleteOnClose,
|
||||||
|
super(const AsyncValue.loading()) {
|
||||||
|
_initWait.add(_build);
|
||||||
|
unawaited(Future.delayed(Duration.zero, () async {
|
||||||
|
await for (final elem in _syncAddController.stream) {
|
||||||
|
await addAll(elem);
|
||||||
|
}
|
||||||
|
}));
|
||||||
|
}
|
||||||
|
|
||||||
|
@override
|
||||||
|
Future<void> close() async {
|
||||||
|
// Ensure the init finished
|
||||||
|
await _initWait();
|
||||||
|
|
||||||
|
// Close the sync add stream
|
||||||
|
await _syncAddController.close();
|
||||||
|
|
||||||
|
// Wait for any setStates to finish
|
||||||
|
await _stateMutex.acquire();
|
||||||
|
|
||||||
|
// Clean up table if desired
|
||||||
|
if (_deleteOnClose) {
|
||||||
|
await delete();
|
||||||
|
}
|
||||||
|
|
||||||
|
await super.close();
|
||||||
|
}
|
||||||
|
|
||||||
|
Future<void> _build() async {
|
||||||
|
await _stateMutex.protect(() async {
|
||||||
|
try {
|
||||||
|
emit(AsyncValue.data(await load() ?? await store(IList<T>.empty())));
|
||||||
|
} on Exception catch (e, stackTrace) {
|
||||||
|
emit(AsyncValue.error(e, stackTrace));
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
Future<void> _setStateInner(IList<T> newState) async {
|
||||||
|
emit(AsyncValue.data(await store(newState)));
|
||||||
|
}
|
||||||
|
|
||||||
|
Future<void> add(T item) async {
|
||||||
|
await _initWait();
|
||||||
|
await _stateMutex.protect(() async {
|
||||||
|
final queue = state.asData!.value.add(item);
|
||||||
|
await _setStateInner(queue);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
Future<void> addAll(IList<T> items) async {
|
||||||
|
await _initWait();
|
||||||
|
await _stateMutex.protect(() async {
|
||||||
|
var queue = state.asData!.value;
|
||||||
|
for (final item in items) {
|
||||||
|
queue = queue.add(item);
|
||||||
|
}
|
||||||
|
await _setStateInner(queue);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
void addSync(T item) {
|
||||||
|
_syncAddController.sink.add([item].toIList());
|
||||||
|
}
|
||||||
|
|
||||||
|
void addAllSync(IList<T> items) {
|
||||||
|
_syncAddController.sink.add(items.toIList());
|
||||||
|
}
|
||||||
|
|
||||||
|
Future<bool> get isEmpty async {
|
||||||
|
await _initWait();
|
||||||
|
return state.asData!.value.isEmpty;
|
||||||
|
}
|
||||||
|
|
||||||
|
Future<bool> get isNotEmpty async {
|
||||||
|
await _initWait();
|
||||||
|
return state.asData!.value.isNotEmpty;
|
||||||
|
}
|
||||||
|
|
||||||
|
Future<int> get length async {
|
||||||
|
await _initWait();
|
||||||
|
return state.asData!.value.length;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Future<T?> pop() async {
|
||||||
|
// await _initWait();
|
||||||
|
// return _processingMutex.protect(() async => _stateMutex.protect(() async {
|
||||||
|
// final removedItem = Output<T>();
|
||||||
|
// final queue = state.asData!.value.removeAt(0, removedItem);
|
||||||
|
// await _setStateInner(queue);
|
||||||
|
// return removedItem.value;
|
||||||
|
// }));
|
||||||
|
// }
|
||||||
|
|
||||||
|
// Future<IList<T>> popAll() async {
|
||||||
|
// await _initWait();
|
||||||
|
// return _processingMutex.protect(() async => _stateMutex.protect(() async {
|
||||||
|
// final queue = state.asData!.value;
|
||||||
|
// await _setStateInner(IList<T>.empty);
|
||||||
|
// return queue;
|
||||||
|
// }));
|
||||||
|
// }
|
||||||
|
|
||||||
|
Future<R> process<R>(Future<R> Function(IList<T>) closure,
|
||||||
|
{int? count}) async {
|
||||||
|
await _initWait();
|
||||||
|
// Only one processor at a time
|
||||||
|
return _processingMutex.protect(() async {
|
||||||
|
// Take 'count' items from the front of the list
|
||||||
|
final toProcess = await _stateMutex.protect(() async {
|
||||||
|
final queue = state.asData!.value;
|
||||||
|
final processCount = (count ?? queue.length).clamp(0, queue.length);
|
||||||
|
return queue.take(processCount).toIList();
|
||||||
|
});
|
||||||
|
|
||||||
|
// Run the processing closure
|
||||||
|
final processCount = toProcess.length;
|
||||||
|
final out = await closure(toProcess);
|
||||||
|
|
||||||
|
// If there was nothing to process just return
|
||||||
|
if (toProcess.isEmpty) {
|
||||||
|
return out;
|
||||||
|
}
|
||||||
|
|
||||||
|
// If there was no exception, remove the processed items
|
||||||
|
return _stateMutex.protect(() async {
|
||||||
|
// Get the queue from the state again as items could
|
||||||
|
// have been added during processing
|
||||||
|
final queue = state.asData!.value;
|
||||||
|
final newQueue = queue.skip(processCount).toIList();
|
||||||
|
await _setStateInner(newQueue);
|
||||||
|
return out;
|
||||||
|
});
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
// TableDBBacked
|
||||||
|
@override
|
||||||
|
String tableKeyName() => _key;
|
||||||
|
|
||||||
|
@override
|
||||||
|
String tableName() => _table;
|
||||||
|
|
||||||
|
@override
|
||||||
|
IList<T> valueFromBuffer(Uint8List bytes) {
|
||||||
|
final reader = CodedBufferReader(bytes);
|
||||||
|
var out = IList<T>();
|
||||||
|
while (!reader.isAtEnd()) {
|
||||||
|
out = out.add(_fromBuffer(reader.readBytesAsView()));
|
||||||
|
}
|
||||||
|
return out;
|
||||||
|
}
|
||||||
|
|
||||||
|
@override
|
||||||
|
Uint8List valueToBuffer(IList<T> val) {
|
||||||
|
final writer = CodedBufferWriter();
|
||||||
|
for (final elem in val) {
|
||||||
|
writer.writeRawBytes(elem.writeToBuffer());
|
||||||
|
}
|
||||||
|
return writer.toBuffer();
|
||||||
|
}
|
||||||
|
|
||||||
|
final String _table;
|
||||||
|
final String _key;
|
||||||
|
final T Function(Uint8List) _fromBuffer;
|
||||||
|
final bool _deleteOnClose;
|
||||||
|
final WaitSet _initWait = WaitSet();
|
||||||
|
final Mutex _stateMutex = Mutex();
|
||||||
|
final Mutex _processingMutex = Mutex();
|
||||||
|
final StreamController<IList<T>> _syncAddController = StreamController();
|
||||||
|
}
|
@ -1,6 +1,9 @@
|
|||||||
import 'dart:async';
|
import 'dart:async';
|
||||||
|
import 'dart:convert';
|
||||||
|
import 'dart:typed_data';
|
||||||
|
|
||||||
import 'package:async_tools/async_tools.dart';
|
import 'package:async_tools/async_tools.dart';
|
||||||
|
import 'package:meta/meta.dart';
|
||||||
import 'package:veilid/veilid.dart';
|
import 'package:veilid/veilid.dart';
|
||||||
|
|
||||||
Future<T> tableScope<T>(
|
Future<T> tableScope<T>(
|
||||||
@ -32,14 +35,19 @@ Future<T> transactionScope<T>(
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
abstract mixin class TableDBBacked<T> {
|
abstract mixin class TableDBBackedJson<T> {
|
||||||
|
@protected
|
||||||
String tableName();
|
String tableName();
|
||||||
|
@protected
|
||||||
String tableKeyName();
|
String tableKeyName();
|
||||||
T valueFromJson(Object? obj);
|
@protected
|
||||||
Object? valueToJson(T val);
|
T? valueFromJson(Object? obj);
|
||||||
|
@protected
|
||||||
|
Object? valueToJson(T? val);
|
||||||
|
|
||||||
/// Load things from storage
|
/// Load things from storage
|
||||||
Future<T> load() async {
|
@protected
|
||||||
|
Future<T?> load() async {
|
||||||
final obj = await tableScope(tableName(), (tdb) async {
|
final obj = await tableScope(tableName(), (tdb) async {
|
||||||
final objJson = await tdb.loadStringJson(0, tableKeyName());
|
final objJson = await tdb.loadStringJson(0, tableKeyName());
|
||||||
return valueFromJson(objJson);
|
return valueFromJson(objJson);
|
||||||
@ -48,28 +56,98 @@ abstract mixin class TableDBBacked<T> {
|
|||||||
}
|
}
|
||||||
|
|
||||||
/// Store things to storage
|
/// Store things to storage
|
||||||
|
@protected
|
||||||
Future<T> store(T obj) async {
|
Future<T> store(T obj) async {
|
||||||
await tableScope(tableName(), (tdb) async {
|
await tableScope(tableName(), (tdb) async {
|
||||||
await tdb.storeStringJson(0, tableKeyName(), valueToJson(obj));
|
await tdb.storeStringJson(0, tableKeyName(), valueToJson(obj));
|
||||||
});
|
});
|
||||||
return obj;
|
return obj;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// Delete things from storage
|
||||||
|
@protected
|
||||||
|
Future<T?> delete() async {
|
||||||
|
final obj = await tableScope(tableName(), (tdb) async {
|
||||||
|
final objJson = await tdb.deleteStringJson(0, tableKeyName());
|
||||||
|
return valueFromJson(objJson);
|
||||||
|
});
|
||||||
|
return obj;
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
class TableDBValue<T> extends TableDBBacked<T> {
|
abstract mixin class TableDBBackedFromBuffer<T> {
|
||||||
|
@protected
|
||||||
|
String tableName();
|
||||||
|
@protected
|
||||||
|
String tableKeyName();
|
||||||
|
@protected
|
||||||
|
T valueFromBuffer(Uint8List bytes);
|
||||||
|
@protected
|
||||||
|
Uint8List valueToBuffer(T val);
|
||||||
|
|
||||||
|
/// Load things from storage
|
||||||
|
@protected
|
||||||
|
Future<T?> load() async {
|
||||||
|
final obj = await tableScope(tableName(), (tdb) async {
|
||||||
|
final objBytes = await tdb.load(0, utf8.encode(tableKeyName()));
|
||||||
|
if (objBytes == null) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
return valueFromBuffer(objBytes);
|
||||||
|
});
|
||||||
|
return obj;
|
||||||
|
}
|
||||||
|
|
||||||
|
/// Store things to storage
|
||||||
|
@protected
|
||||||
|
Future<T> store(T obj) async {
|
||||||
|
await tableScope(tableName(), (tdb) async {
|
||||||
|
await tdb.store(0, utf8.encode(tableKeyName()), valueToBuffer(obj));
|
||||||
|
});
|
||||||
|
return obj;
|
||||||
|
}
|
||||||
|
|
||||||
|
/// Delete things from storage
|
||||||
|
@protected
|
||||||
|
Future<T?> delete() async {
|
||||||
|
final obj = await tableScope(tableName(), (tdb) async {
|
||||||
|
final objBytes = await tdb.delete(0, utf8.encode(tableKeyName()));
|
||||||
|
if (objBytes == null) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
return valueFromBuffer(objBytes);
|
||||||
|
});
|
||||||
|
return obj;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
class TableDBValue<T> extends TableDBBackedJson<T> {
|
||||||
TableDBValue({
|
TableDBValue({
|
||||||
required String tableName,
|
required String tableName,
|
||||||
required String tableKeyName,
|
required String tableKeyName,
|
||||||
required T Function(Object? obj) valueFromJson,
|
required T? Function(Object? obj) valueFromJson,
|
||||||
required Object? Function(T obj) valueToJson,
|
required Object? Function(T? obj) valueToJson,
|
||||||
|
required T Function() makeInitialValue,
|
||||||
}) : _tableName = tableName,
|
}) : _tableName = tableName,
|
||||||
_valueFromJson = valueFromJson,
|
_valueFromJson = valueFromJson,
|
||||||
_valueToJson = valueToJson,
|
_valueToJson = valueToJson,
|
||||||
_tableKeyName = tableKeyName,
|
_tableKeyName = tableKeyName,
|
||||||
_streamController = StreamController<T>.broadcast();
|
_makeInitialValue = makeInitialValue,
|
||||||
|
_streamController = StreamController<T>.broadcast() {
|
||||||
|
_initWait.add(() async {
|
||||||
|
await get();
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
AsyncData<T>? get value => _value;
|
Future<void> init() async {
|
||||||
T get requireValue => _value!.value;
|
await _initWait();
|
||||||
|
}
|
||||||
|
|
||||||
|
Future<void> close() async {
|
||||||
|
await _initWait();
|
||||||
|
}
|
||||||
|
|
||||||
|
T get value => _value!.value;
|
||||||
Stream<T> get stream => _streamController.stream;
|
Stream<T> get stream => _streamController.stream;
|
||||||
|
|
||||||
Future<T> get() async {
|
Future<T> get() async {
|
||||||
@ -77,7 +155,7 @@ class TableDBValue<T> extends TableDBBacked<T> {
|
|||||||
if (val != null) {
|
if (val != null) {
|
||||||
return val.value;
|
return val.value;
|
||||||
}
|
}
|
||||||
final loadedValue = await load();
|
final loadedValue = await load() ?? await store(_makeInitialValue());
|
||||||
_value = AsyncData(loadedValue);
|
_value = AsyncData(loadedValue);
|
||||||
return loadedValue;
|
return loadedValue;
|
||||||
}
|
}
|
||||||
@ -88,11 +166,13 @@ class TableDBValue<T> extends TableDBBacked<T> {
|
|||||||
}
|
}
|
||||||
|
|
||||||
AsyncData<T>? _value;
|
AsyncData<T>? _value;
|
||||||
|
final T Function() _makeInitialValue;
|
||||||
final String _tableName;
|
final String _tableName;
|
||||||
final String _tableKeyName;
|
final String _tableKeyName;
|
||||||
final T Function(Object? obj) _valueFromJson;
|
final T? Function(Object? obj) _valueFromJson;
|
||||||
final Object? Function(T obj) _valueToJson;
|
final Object? Function(T? obj) _valueToJson;
|
||||||
final StreamController<T> _streamController;
|
final StreamController<T> _streamController;
|
||||||
|
final WaitSet _initWait = WaitSet();
|
||||||
|
|
||||||
//////////////////////////////////////////////////////////////
|
//////////////////////////////////////////////////////////////
|
||||||
/// AsyncTableDBBacked
|
/// AsyncTableDBBacked
|
||||||
@ -101,7 +181,7 @@ class TableDBValue<T> extends TableDBBacked<T> {
|
|||||||
@override
|
@override
|
||||||
String tableKeyName() => _tableKeyName;
|
String tableKeyName() => _tableKeyName;
|
||||||
@override
|
@override
|
||||||
T valueFromJson(Object? obj) => _valueFromJson(obj);
|
T? valueFromJson(Object? obj) => _valueFromJson(obj);
|
||||||
@override
|
@override
|
||||||
Object? valueToJson(T val) => _valueToJson(val);
|
Object? valueToJson(T? val) => _valueToJson(val);
|
||||||
}
|
}
|
||||||
|
@ -10,6 +10,7 @@ export 'src/config.dart';
|
|||||||
export 'src/identity.dart';
|
export 'src/identity.dart';
|
||||||
export 'src/json_tools.dart';
|
export 'src/json_tools.dart';
|
||||||
export 'src/memory_tools.dart';
|
export 'src/memory_tools.dart';
|
||||||
|
export 'src/persistent_queue_cubit.dart';
|
||||||
export 'src/protobuf_tools.dart';
|
export 'src/protobuf_tools.dart';
|
||||||
export 'src/table_db.dart';
|
export 'src/table_db.dart';
|
||||||
export 'src/veilid_log.dart' hide veilidLoggy;
|
export 'src/veilid_log.dart' hide veilidLoggy;
|
||||||
|
Loading…
Reference in New Issue
Block a user