uniformized redux convo type and getProps() of conversation

pull/1530/head
Audric Ackermann 4 years ago
parent e1114c8ce7
commit ad117fe4e5
No known key found for this signature in database
GPG Key ID: 999F434D76324AD4

@ -70,13 +70,6 @@ class ActionsPanelPrivate extends React.Component<Props> {
void OnionPaths.getInstance().buildNewOnionPaths(); void OnionPaths.getInstance().buildNewOnionPaths();
} }
// This is not ideal, but on the restore from seed, our conversation will be created before the
// redux store is ready.
// If that's the case, the save events on our conversation won't be triggering redux updates.
// So changes to our conversation won't make a change on the UI.
// Calling this makes sure that our own conversation is registered to redux.
ConversationController.getInstance().registerAllConvosToRedux();
// init the messageQueue. In the constructor, we had all not send messages // init the messageQueue. In the constructor, we had all not send messages
// this call does nothing except calling the constructor, which will continue sending message in the pipeline // this call does nothing except calling the constructor, which will continue sending message in the pipeline
void getMessageQueue().processAllPending(); void getMessageQueue().processAllPending();

@ -144,25 +144,14 @@ export class SessionInboxView extends React.Component<Props, State> {
window.inboxStore = this.store; window.inboxStore = this.store;
// Enables our redux store to be updated by backbone events in the outside world // Enables our redux store to be updated by backbone events in the outside world
const { const { messageExpired } = bindActionCreators(
messageExpired, conversationActions,
messageAdded,
messageChanged,
messageDeleted,
conversationReset,
} = bindActionCreators(conversationActions, this.store.dispatch);
window.actionsCreators = conversationActions;
const { userChanged } = bindActionCreators(
userActions,
this.store.dispatch this.store.dispatch
); );
window.actionsCreators = conversationActions;
// messageExpired is currently inboked fropm js. So we link it to Redux that way
window.Whisper.events.on('messageExpired', messageExpired); window.Whisper.events.on('messageExpired', messageExpired);
window.Whisper.events.on('messageChanged', messageChanged);
window.Whisper.events.on('messageAdded', messageAdded);
window.Whisper.events.on('messageDeleted', messageDeleted);
window.Whisper.events.on('userChanged', userChanged);
window.Whisper.events.on('conversationReset', conversationReset);
this.setState({ isInitialLoadComplete: true }); this.setState({ isInitialLoadComplete: true });
} }

@ -35,6 +35,11 @@ import {
fromArrayBufferToBase64, fromArrayBufferToBase64,
fromBase64ToArrayBuffer, fromBase64ToArrayBuffer,
} from '../session/utils/String'; } from '../session/utils/String';
import {
actions as conversationActions,
ConversationType as ReduxConversationType,
LastMessageStatusType,
} from '../state/ducks/conversations';
export interface ConversationAttributes { export interface ConversationAttributes {
profileName?: string; profileName?: string;
@ -45,7 +50,9 @@ export interface ConversationAttributes {
expireTimer: number; expireTimer: number;
mentionedUs: boolean; mentionedUs: boolean;
unreadCount: number; unreadCount: number;
lastMessageStatus: string | null; lastMessageStatus: LastMessageStatusType;
lastMessage: string | null;
active_at: number; active_at: number;
lastJoinedTimestamp: number; // ClosedGroup: last time we were added to this group lastJoinedTimestamp: number; // ClosedGroup: last time we were added to this group
groupAdmins?: Array<string>; groupAdmins?: Array<string>;
@ -57,7 +64,6 @@ export interface ConversationAttributes {
sessionRestoreSeen?: boolean; sessionRestoreSeen?: boolean;
is_medium_group?: boolean; is_medium_group?: boolean;
type: string; type: string;
lastMessage?: string | null;
avatarPointer?: any; avatarPointer?: any;
avatar?: any; avatar?: any;
server?: any; server?: any;
@ -79,7 +85,8 @@ export interface ConversationAttributesOptionals {
expireTimer?: number; expireTimer?: number;
mentionedUs?: boolean; mentionedUs?: boolean;
unreadCount?: number; unreadCount?: number;
lastMessageStatus?: string | null; lastMessageStatus?: LastMessageStatusType;
lastMessage: string | null;
active_at?: number; active_at?: number;
timestamp?: number; // timestamp of what? timestamp?: number; // timestamp of what?
lastJoinedTimestamp?: number; lastJoinedTimestamp?: number;
@ -92,7 +99,6 @@ export interface ConversationAttributesOptionals {
sessionRestoreSeen?: boolean; sessionRestoreSeen?: boolean;
is_medium_group?: boolean; is_medium_group?: boolean;
type: string; type: string;
lastMessage?: string | null;
avatarPointer?: any; avatarPointer?: any;
avatar?: any; avatar?: any;
server?: any; server?: any;
@ -137,16 +143,14 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
public messageCollection: MessageCollection; public messageCollection: MessageCollection;
public throttledBumpTyping: any; public throttledBumpTyping: any;
public throttledNotify: any; public throttledNotify: any;
public markRead: any;
public initialPromise: any; public initialPromise: any;
private typingRefreshTimer?: NodeJS.Timeout | null; private typingRefreshTimer?: NodeJS.Timeout | null;
private typingPauseTimer?: NodeJS.Timeout | null; private typingPauseTimer?: NodeJS.Timeout | null;
private typingTimer?: NodeJS.Timeout | null; private typingTimer?: NodeJS.Timeout | null;
private cachedProps: any;
private pending: any; private pending: any;
// storeName: 'conversations',
constructor(attributes: ConversationAttributesOptionals) { constructor(attributes: ConversationAttributesOptionals) {
super(fillConvoAttributesWithDefaults(attributes)); super(fillConvoAttributesWithDefaults(attributes));
@ -166,6 +170,7 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
1000 1000
); );
this.throttledNotify = _.debounce(this.notify, 500, { maxWait: 1000 }); this.throttledNotify = _.debounce(this.notify, 500, { maxWait: 1000 });
this.markRead = _.debounce(this.markReadBouncy, 1000);
// Listening for out-of-band data updates // Listening for out-of-band data updates
this.on('expired', this.onExpired); this.on('expired', this.onExpired);
@ -176,12 +181,9 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
this.typingRefreshTimer = null; this.typingRefreshTimer = null;
this.typingPauseTimer = null; this.typingPauseTimer = null;
// Keep props ready window.inboxStore?.dispatch(
const generateProps = () => { conversationActions.conversationChanged(this.id, this.getProps())
this.cachedProps = this.getProps(); );
};
this.on('change', generateProps);
generateProps();
} }
public idForLogging() { public idForLogging() {
@ -412,29 +414,28 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
await Promise.all(messages.map((m: any) => m.setCalculatingPoW())); await Promise.all(messages.map((m: any) => m.setCalculatingPoW()));
} }
public format() {
return this.cachedProps;
}
public getGroupAdmins() { public getGroupAdmins() {
return this.get('groupAdmins') || this.get('moderators'); return this.get('groupAdmins') || this.get('moderators');
} }
public getProps() { public getProps(): ReduxConversationType {
const groupAdmins = this.getGroupAdmins(); const groupAdmins = this.getGroupAdmins();
const members = const members =
this.isGroup() && !this.isPublic() ? this.get('members') : undefined; this.isGroup() && !this.isPublic() ? this.get('members') : undefined;
const result = { // isSelected is overriden by redux
return {
isSelected: false,
id: this.id as string, id: this.id as string,
activeAt: this.get('active_at'), activeAt: this.get('active_at'),
avatarPath: this.getAvatarPath(), avatarPath: this.getAvatarPath() || undefined,
type: this.isPrivate() ? 'direct' : 'group', type: this.isPrivate() ? 'direct' : 'group',
isMe: this.isMe(), isMe: this.isMe(),
isPublic: this.isPublic(), isPublic: this.isPublic(),
isTyping: !!this.typingTimer, isTyping: !!this.typingTimer,
name: this.getName(), name: this.getName(),
profileName: this.getProfileName(), profileName: this.getProfileName(),
title: this.getTitle(), // title: this.getTitle(),
unreadCount: this.get('unreadCount') || 0, unreadCount: this.get('unreadCount') || 0,
mentionedUs: this.get('mentionedUs') || false, mentionedUs: this.get('mentionedUs') || false,
isBlocked: this.isBlocked(), isBlocked: this.isBlocked(),
@ -449,8 +450,8 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
groupAdmins, groupAdmins,
members, members,
onClick: () => this.trigger('select', this), onClick: () => this.trigger('select', this),
onBlockContact: () => this.block(), onBlockContact: this.block,
onUnblockContact: () => this.unblock(), onUnblockContact: this.unblock,
onCopyPublicKey: this.copyPublicKey, onCopyPublicKey: this.copyPublicKey,
onDeleteContact: this.deleteContact, onDeleteContact: this.deleteContact,
onLeaveGroup: () => { onLeaveGroup: () => {
@ -464,8 +465,6 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
void this.setLokiProfile({ displayName: null }); void this.setLokiProfile({ displayName: null });
}, },
}; };
return result;
} }
public async updateGroupAdmins(groupAdmins: Array<string>) { public async updateGroupAdmins(groupAdmins: Array<string>) {
@ -495,7 +494,7 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
// Lastly, we don't send read syncs for any message marked read due to a read // Lastly, we don't send read syncs for any message marked read due to a read
// sync. That's a notification explosion we don't need. // sync. That's a notification explosion we don't need.
return this.queueJob(() => return this.queueJob(() =>
this.markRead(message.get('received_at'), { this.markReadBouncy(message.get('received_at') as any, {
sendReadReceipts: false, sendReadReceipts: false,
readAt, readAt,
}) })
@ -985,8 +984,14 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
} }
public async commit() { public async commit() {
// write to DB
await updateConversation(this.attributes); await updateConversation(this.attributes);
this.trigger('change', this); window.inboxStore?.dispatch(
conversationActions.conversationChanged(this.id, {
...this.getProps(),
isSelected: false,
})
);
} }
public async addSingleMessage( public async addSingleMessage(
@ -1002,11 +1007,12 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
await model.setToExpire(); await model.setToExpire();
} }
MessageController.getInstance().register(messageId, model); MessageController.getInstance().register(messageId, model);
window.inboxStore?.dispatch(
window.Whisper.events.trigger('messageAdded', { conversationActions.messageAdded({
conversationKey: this.id, conversationKey: this.id,
messageModel: model, messageModel: model,
}); })
);
return model; return model;
} }
@ -1035,28 +1041,44 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
conversationId, conversationId,
}) })
); );
let unreadMessages = (await this.getUnread()).models; let allUnreadMessagesInConvo = (await this.getUnread()).models;
const oldUnread = unreadMessages.filter( const oldUnreadNowRead = allUnreadMessagesInConvo.filter(
(message: any) => message.get('received_at') <= newestUnreadDate (message: any) => message.get('received_at') <= newestUnreadDate
); );
let read = await Promise.all( let read = [];
_.map(oldUnread, async providedM => { console.time('markReadNOCommit');
const m = MessageController.getInstance().register(
providedM.id,
providedM
);
await m.markRead(options.readAt); // Build the list of updated message models so we can mark them all as read on a single sqlite call
const errors = m.get('errors'); for (const nowRead of oldUnreadNowRead) {
return { const m = MessageController.getInstance().register(nowRead.id, nowRead);
sender: m.get('source'), await m.markRead(options.readAt);
timestamp: m.get('sent_at'),
hasErrors: Boolean(errors && errors.length), const errors = m.get('errors');
}; read.push({
}) sender: m.get('source'),
timestamp: m.get('sent_at'),
hasErrors: Boolean(errors && errors.length),
});
}
console.timeEnd('markReadNOCommit');
console.warn('oldUnreadNowRead', oldUnreadNowRead);
const oldUnreadNowReadAttrs = oldUnreadNowRead.map(m => m.attributes);
console.warn('oldUnreadNowReadAttrs', oldUnreadNowReadAttrs);
await saveMessages(oldUnreadNowReadAttrs);
console.time('trigger');
for (const nowRead of oldUnreadNowRead) {
nowRead.generateProps(false);
}
window.inboxStore?.dispatch(
conversationActions.messagesChanged(oldUnreadNowRead)
); );
console.timeEnd('trigger');
// Some messages we're marking read are local notifications with no sender // Some messages we're marking read are local notifications with no sender
read = _.filter(read, m => Boolean(m.sender)); read = _.filter(read, m => Boolean(m.sender));
@ -1072,12 +1094,15 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
} }
return; return;
} }
unreadMessages = unreadMessages.filter((m: any) => Boolean(m.isIncoming()));
allUnreadMessagesInConvo = allUnreadMessagesInConvo.filter((m: any) =>
Boolean(m.isIncoming())
);
this.set({ unreadCount: realUnreadCount }); this.set({ unreadCount: realUnreadCount });
const mentionRead = (() => { const mentionRead = (() => {
const stillUnread = unreadMessages.filter( const stillUnread = allUnreadMessagesInConvo.filter(
(m: any) => m.get('received_at') > newestUnreadDate (m: any) => m.get('received_at') > newestUnreadDate
); );
const ourNumber = UserUtils.getOurPubKeyStrFromCache(); const ourNumber = UserUtils.getOurPubKeyStrFromCache();
@ -1106,7 +1131,6 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
window.log.debug('public conversation... No need to send read receipt'); window.log.debug('public conversation... No need to send read receipt');
return; return;
} }
if (this.isPrivate() && read.length && options.sendReadReceipts) { if (this.isPrivate() && read.length && options.sendReadReceipts) {
window.log.info(`Sending ${read.length} read receipts`); window.log.info(`Sending ${read.length} read receipts`);
if (window.storage.get('read-receipt-setting')) { if (window.storage.get('read-receipt-setting')) {
@ -1444,10 +1468,12 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
await dataRemoveMessage(messageId); await dataRemoveMessage(messageId);
this.updateLastMessage(); this.updateLastMessage();
window.Whisper.events.trigger('messageDeleted', { window.inboxStore?.dispatch(
conversationKey: this.id, conversationActions.messageDeleted({
messageId, conversationKey: this.id,
}); messageId,
})
);
} }
public deleteMessages() { public deleteMessages() {
@ -1469,10 +1495,12 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
public async destroyMessages() { public async destroyMessages() {
await removeAllMessagesInConversation(this.id); await removeAllMessagesInConversation(this.id);
window.inboxStore?.dispatch(
conversationActions.conversationReset({
conversationKey: this.id,
})
);
window.Whisper.events.trigger('conversationReset', {
conversationKey: this.id,
});
// destroy message keeps the active timestamp set so the // destroy message keeps the active timestamp set so the
// conversation still appears on the conversation list but is empty // conversation still appears on the conversation list but is empty
this.set({ this.set({
@ -1548,7 +1576,7 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
if (this.isPrivate() && !this.get('name')) { if (this.isPrivate() && !this.get('name')) {
return this.get('profileName'); return this.get('profileName');
} }
return null; return undefined;
} }
public getNumber() { public getNumber() {

@ -23,6 +23,8 @@ import {
import autoBind from 'auto-bind'; import autoBind from 'auto-bind';
import { saveMessage } from '../../ts/data/data'; import { saveMessage } from '../../ts/data/data';
import { ConversationModel } from './conversation'; import { ConversationModel } from './conversation';
import { actions as conversationActions } from '../state/ducks/conversations';
export class MessageModel extends Backbone.Model<MessageAttributes> { export class MessageModel extends Backbone.Model<MessageAttributes> {
public propsForTimerNotification: any; public propsForTimerNotification: any;
public propsForGroupNotification: any; public propsForGroupNotification: any;
@ -52,27 +54,31 @@ export class MessageModel extends Backbone.Model<MessageAttributes> {
void this.setToExpire(); void this.setToExpire();
autoBind(this); autoBind(this);
this.markRead = this.markRead.bind(this);
// Keep props ready
const generateProps = (triggerEvent = true) => {
if (this.isExpirationTimerUpdate()) {
this.propsForTimerNotification = this.getPropsForTimerNotification();
} else if (this.isGroupUpdate()) {
this.propsForGroupNotification = this.getPropsForGroupNotification();
} else if (this.isGroupInvitation()) {
this.propsForGroupInvitation = this.getPropsForGroupInvitation();
} else {
this.propsForSearchResult = this.getPropsForSearchResult();
this.propsForMessage = this.getPropsForMessage();
}
if (triggerEvent) {
window.Whisper.events.trigger('messageChanged', this);
}
};
this.on('change', generateProps);
window.contextMenuShown = false; window.contextMenuShown = false;
generateProps(false); this.generateProps(false);
}
// Keep props ready
public generateProps(triggerEvent = true) {
if (this.isExpirationTimerUpdate()) {
this.propsForTimerNotification = this.getPropsForTimerNotification();
} else if (this.isGroupUpdate()) {
this.propsForGroupNotification = this.getPropsForGroupNotification();
} else if (this.isGroupInvitation()) {
this.propsForGroupInvitation = this.getPropsForGroupInvitation();
} else {
this.propsForSearchResult = this.getPropsForSearchResult();
this.propsForMessage = this.getPropsForMessage();
}
console.time(`messageChanged ${this.id}`);
if (triggerEvent) {
window.inboxStore?.dispatch(conversationActions.messageChanged(this));
}
console.timeEnd(`messageChanged ${this.id}`);
} }
public idForLogging() { public idForLogging() {
@ -1107,11 +1113,17 @@ export class MessageModel extends Backbone.Model<MessageAttributes> {
throw new Error('A message always needs an id'); throw new Error('A message always needs an id');
} }
const id = await saveMessage(this.attributes); const id = await saveMessage(this.attributes);
this.trigger('change'); this.generateProps();
return id; return id;
} }
public async markRead(readAt: number) { public async markRead(readAt: number) {
this.markReadNoCommit(readAt);
await this.commit();
}
public markReadNoCommit(readAt: number) {
this.set({ unread: false }); this.set({ unread: false });
if (this.get('expireTimer') && !this.get('expirationStartTimestamp')) { if (this.get('expireTimer') && !this.get('expirationStartTimestamp')) {
@ -1127,8 +1139,6 @@ export class MessageModel extends Backbone.Model<MessageAttributes> {
messageId: this.id, messageId: this.id,
}) })
); );
await this.commit();
} }
public isExpiring() { public isExpiring() {

@ -32,6 +32,7 @@ import { forceSyncConfigurationNowIfNeeded } from '../session/utils/syncUtils';
import { MessageController } from '../session/messages'; import { MessageController } from '../session/messages';
import { ClosedGroupEncryptionPairReplyMessage } from '../session/messages/outgoing/content/data/group'; import { ClosedGroupEncryptionPairReplyMessage } from '../session/messages/outgoing/content/data/group';
import { queueAllCachedFromSource } from './receiver'; import { queueAllCachedFromSource } from './receiver';
import { actions as conversationActions } from '../state/ducks/conversations';
export const distributingClosedGroupEncryptionKeyPairs = new Map< export const distributingClosedGroupEncryptionKeyPairs = new Map<
string, string,
@ -981,7 +982,7 @@ export async function createClosedGroup(
await forceSyncConfigurationNowIfNeeded(); await forceSyncConfigurationNowIfNeeded();
window.inboxStore.dispatch( window.inboxStore?.dispatch(
window.actionsCreators.openConversationExternal(groupPublicKey) conversationActions.openConversationExternal(groupPublicKey)
); );
} }

@ -2,6 +2,7 @@ import { initIncomingMessage } from './dataMessage';
import { toNumber } from 'lodash'; import { toNumber } from 'lodash';
import { ConversationController } from '../session/conversations'; import { ConversationController } from '../session/conversations';
import { MessageController } from '../session/messages'; import { MessageController } from '../session/messages';
import { actions as conversationActions } from '../state/ducks/conversations';
export async function onError(ev: any) { export async function onError(ev: any) {
const { error } = ev; const { error } = ev;
@ -36,10 +37,12 @@ export async function onError(ev: any) {
conversation.updateLastMessage(); conversation.updateLastMessage();
await conversation.notify(message); await conversation.notify(message);
MessageController.getInstance().register(message.id, message); MessageController.getInstance().register(message.id, message);
window.Whisper.events.trigger('messageAdded', { window.inboxStore?.dispatch(
conversationKey: conversation.id, conversationActions.messageAdded({
messageModel: message, conversationKey: conversation.id,
}); messageModel: message,
})
);
if (ev.confirm) { if (ev.confirm) {
ev.confirm(); ev.confirm();

@ -10,6 +10,7 @@ import { ConversationModel } from '../models/conversation';
import { MessageCollection, MessageModel } from '../models/message'; import { MessageCollection, MessageModel } from '../models/message';
import { MessageController } from '../session/messages'; import { MessageController } from '../session/messages';
import { getMessageById, getMessagesBySentAt } from '../../ts/data/data'; import { getMessageById, getMessagesBySentAt } from '../../ts/data/data';
import { actions as conversationActions } from '../state/ducks/conversations';
async function handleGroups( async function handleGroups(
conversation: ConversationModel, conversation: ConversationModel,
@ -532,10 +533,12 @@ export async function handleMessageJob(
// this updates the redux store. // this updates the redux store.
// if the convo on which this message should become visible, // if the convo on which this message should become visible,
// it will be shown to the user, and might as well be read right away // it will be shown to the user, and might as well be read right away
window.Whisper.events.trigger('messageAdded', { window.inboxStore?.dispatch(
conversationKey: conversation.id, conversationActions.messageAdded({
messageModel: message, conversationKey: conversation.id,
}); messageModel: message,
})
);
MessageController.getInstance().register(message.id, message); MessageController.getInstance().register(message.id, message);
// Note that this can save the message again, if jobs were queued. We need to // Note that this can save the message again, if jobs were queued. We need to

@ -13,6 +13,7 @@ import { BlockedNumberController } from '../../util';
import { getSnodesFor } from '../snode_api/snodePool'; import { getSnodesFor } from '../snode_api/snodePool';
import { PubKey } from '../types'; import { PubKey } from '../types';
import { UserUtils } from '../utils'; import { UserUtils } from '../utils';
import { actions as conversationActions } from '../../state/ducks/conversations';
export class ConversationController { export class ConversationController {
private static instance: ConversationController | null; private static instance: ConversationController | null;
@ -126,9 +127,8 @@ export class ConversationController {
conversation.initialPromise = create(); conversation.initialPromise = create();
conversation.initialPromise.then(async () => { conversation.initialPromise.then(async () => {
if (window.inboxStore) { if (window.inboxStore) {
conversation.on('change', this.updateReduxConvoChanged); window.inboxStore?.dispatch(
window.inboxStore.dispatch( conversationActions.conversationAdded(
window.actionsCreators.conversationAdded(
conversation.id, conversation.id,
conversation.getProps() conversation.getProps()
) )
@ -233,11 +233,10 @@ export class ConversationController {
await conversation.destroyMessages(); await conversation.destroyMessages();
await removeConversation(id); await removeConversation(id);
conversation.off('change', this.updateReduxConvoChanged);
this.conversations.remove(conversation); this.conversations.remove(conversation);
if (window.inboxStore) { if (window.inboxStore) {
window.inboxStore.dispatch( window.inboxStore?.dispatch(
window.actionsCreators.conversationRemoved(conversation.id) conversationActions.conversationRemoved(conversation.id)
); );
} }
} }
@ -272,10 +271,7 @@ export class ConversationController {
conversation.updateProfileAvatar(), conversation.updateProfileAvatar(),
]); ]);
}); });
this.conversations.forEach((conversation: ConversationModel) => {
// register for change event on each conversation, and forward to redux
conversation.on('change', this.updateReduxConvoChanged);
});
await Promise.all(promises); await Promise.all(promises);
// Remove any unused images // Remove any unused images
@ -305,32 +301,8 @@ export class ConversationController {
this._initialPromise = Promise.resolve(); this._initialPromise = Promise.resolve();
this._initialFetchComplete = false; this._initialFetchComplete = false;
if (window.inboxStore) { if (window.inboxStore) {
this.conversations.forEach((convo: ConversationModel) => window.inboxStore?.dispatch(conversationActions.removeAllConversations());
convo.off('change', this.updateReduxConvoChanged)
);
window.inboxStore.dispatch(
window.actionsCreators.removeAllConversations()
);
} }
this.conversations.reset([]); this.conversations.reset([]);
} }
public registerAllConvosToRedux() {
if (window.inboxStore) {
this.conversations.forEach((convo: ConversationModel) => {
// make sure all conversations are registered to forward their commit events to redux
convo.off('change', this.updateReduxConvoChanged);
convo.on('change', this.updateReduxConvoChanged);
});
}
}
private updateReduxConvoChanged(convo: ConversationModel) {
if (window.inboxStore) {
window.inboxStore.dispatch(
window.actionsCreators.conversationChanged(convo.id, convo.getProps())
);
}
}
} }

@ -49,6 +49,19 @@ export type MessageTypeInConvo = {
getPropsForMessageDetail(): Promise<any>; getPropsForMessageDetail(): Promise<any>;
}; };
export type LastMessageStatusType =
| 'error'
| 'sending'
| 'sent'
| 'delivered'
| 'read'
| null;
export type LastMessageType = {
status: LastMessageStatusType;
text: string | null;
};
export interface ConversationType { export interface ConversationType {
id: string; id: string;
name?: string; name?: string;
@ -57,10 +70,7 @@ export interface ConversationType {
index?: number; index?: number;
activeAt?: number; activeAt?: number;
lastMessage?: { lastMessage?: LastMessageType;
status: 'error' | 'sending' | 'sent' | 'delivered' | 'read';
text: string;
};
phoneNumber: string; phoneNumber: string;
type: 'direct' | 'group'; type: 'direct' | 'group';
isMe: boolean; isMe: boolean;
@ -76,6 +86,16 @@ export interface ConversationType {
avatarPath?: string; // absolute filepath to the avatar avatarPath?: string; // absolute filepath to the avatar
groupAdmins?: Array<string>; // admins for closed groups and moderators for open groups groupAdmins?: Array<string>; // admins for closed groups and moderators for open groups
members?: Array<string>; // members for closed groups only members?: Array<string>; // members for closed groups only
onClick?: () => any;
onBlockContact?: () => any;
onUnblockContact?: () => any;
onCopyPublicKey?: () => any;
onDeleteContact?: () => any;
onLeaveGroup?: () => any;
onDeleteMessages?: () => any;
onInviteContacts?: () => any;
onClearNickname?: () => any;
} }
export type ConversationLookupType = { export type ConversationLookupType = {
@ -218,6 +238,10 @@ export type MessageChangedActionType = {
type: 'MESSAGE_CHANGED'; type: 'MESSAGE_CHANGED';
payload: MessageModel; payload: MessageModel;
}; };
export type MessagesChangedActionType = {
type: 'MESSAGES_CHANGED';
payload: Array<MessageModel>;
};
export type MessageAddedActionType = { export type MessageAddedActionType = {
type: 'MESSAGE_ADDED'; type: 'MESSAGE_ADDED';
payload: { payload: {
@ -264,6 +288,7 @@ export type ConversationActionType =
| MessageAddedActionType | MessageAddedActionType
| MessageDeletedActionType | MessageDeletedActionType
| MessageChangedActionType | MessageChangedActionType
| MessagesChangedActionType
| SelectedConversationChangedActionType | SelectedConversationChangedActionType
| SelectedConversationChangedActionType | SelectedConversationChangedActionType
| FetchMessagesForConversationType; | FetchMessagesForConversationType;
@ -280,6 +305,7 @@ export const actions = {
messageDeleted, messageDeleted,
conversationReset, conversationReset,
messageChanged, messageChanged,
messagesChanged,
fetchMessagesForConversation, fetchMessagesForConversation,
openConversationExternal, openConversationExternal,
}; };
@ -346,6 +372,15 @@ function messageChanged(messageModel: MessageModel): MessageChangedActionType {
}; };
} }
function messagesChanged(
messageModels: Array<MessageModel>
): MessagesChangedActionType {
return {
type: 'MESSAGES_CHANGED',
payload: messageModels,
};
}
function messageAdded({ function messageAdded({
conversationKey, conversationKey,
messageModel, messageModel,
@ -501,6 +536,8 @@ function handleMessageChanged(
action: MessageChangedActionType action: MessageChangedActionType
) { ) {
const { payload } = action; const { payload } = action;
console.time('handleMessageChanged' + payload.id);
const messageInStoreIndex = state?.messages?.findIndex( const messageInStoreIndex = state?.messages?.findIndex(
m => m.id === payload.id m => m.id === payload.id
); );
@ -521,14 +558,36 @@ function handleMessageChanged(
// reorder the messages depending on the timestamp (we might have an updated serverTimestamp now) // reorder the messages depending on the timestamp (we might have an updated serverTimestamp now)
const sortedMessage = sortMessages(editedMessages, isPublic); const sortedMessage = sortMessages(editedMessages, isPublic);
const updatedWithFirstMessageOfSeries = updateFirstMessageOfSeries( const updatedWithFirstMessageOfSeries = updateFirstMessageOfSeries(
editedMessages sortedMessage
); );
console.timeEnd('handleMessageChanged' + payload.id);
return { return {
...state, ...state,
messages: updatedWithFirstMessageOfSeries, messages: updatedWithFirstMessageOfSeries,
}; };
} }
console.timeEnd('handleMessageChanged' + payload.id);
return state;
}
function handleMessagesChanged(
state: ConversationsStateType,
action: MessagesChangedActionType
) {
const { payload } = action;
console.time('handleMessagesChanged' + payload.length);
payload.forEach(element => {
// tslint:disable-next-line: no-parameter-reassignment
state = handleMessageChanged(state, {
payload: element,
type: 'MESSAGE_CHANGED',
});
});
console.timeEnd('handleMessagesChanged' + payload.length);
return state; return state;
} }
@ -680,6 +739,10 @@ export function reducer(
return handleMessageChanged(state, action); return handleMessageChanged(state, action);
} }
if (action.type === 'MESSAGES_CHANGED') {
return handleMessagesChanged(state, action);
}
if (action.type === 'MESSAGE_ADDED') { if (action.type === 'MESSAGE_ADDED') {
return handleMessageAdded(state, action); return handleMessageAdded(state, action);
} }

@ -72,6 +72,7 @@ export class MockConversation {
this.attributes = { this.attributes = {
id: this.id, id: this.id,
name: '', name: '',
profileName: undefined,
type: params.type === 'public' ? 'group' : params.type, type: params.type === 'public' ? 'group' : params.type,
members, members,
left: false, left: false,
@ -82,6 +83,7 @@ export class MockConversation {
active_at: Date.now(), active_at: Date.now(),
lastJoinedTimestamp: Date.now(), lastJoinedTimestamp: Date.now(),
lastMessageStatus: null, lastMessageStatus: null,
lastMessage: null,
}; };
} }

@ -16,6 +16,7 @@ import {
removeAllSignedPreKeys, removeAllSignedPreKeys,
} from '../data/data'; } from '../data/data';
import { forceSyncConfigurationNowIfNeeded } from '../session/utils/syncUtils'; import { forceSyncConfigurationNowIfNeeded } from '../session/utils/syncUtils';
import { actions as userActions } from '../state/ducks/user';
/** /**
* Might throw * Might throw
@ -243,7 +244,7 @@ async function registrationDone(ourPubkey: string, displayName: string) {
ourNumber: getOurPubKeyStrFromCache(), ourNumber: getOurPubKeyStrFromCache(),
ourPrimary: window.textsecure.storage.get('primaryDevicePubKey'), ourPrimary: window.textsecure.storage.get('primaryDevicePubKey'),
}; };
trigger('userChanged', user); window.inboxStore?.dispatch(userActions.userChanged(user));
window.Whisper.Registration.markDone(); window.Whisper.Registration.markDone();
window.log.info('dispatching registration event'); window.log.info('dispatching registration event');
trigger('registration_done'); trigger('registration_done');

2
ts/window.d.ts vendored

@ -99,7 +99,7 @@ declare global {
contextMenuShown: boolean; contextMenuShown: boolean;
setClockParams: any; setClockParams: any;
clientClockSynced: number | undefined; clientClockSynced: number | undefined;
inboxStore: Store; inboxStore?: Store;
actionsCreators: any; actionsCreators: any;
extension: { extension: {
expired: (boolean) => void; expired: (boolean) => void;

Loading…
Cancel
Save