Merge remote-tracking branch 'upstream/clearnet' into perf-improv

pull/1753/head
audric 4 years ago
commit 4f5072ee65

@ -344,7 +344,9 @@
Whisper.Notifications.on('click', (id, messageId) => {
window.showWindow();
if (id) {
window.inboxStore.dispatch(window.actionsCreators.openConversationExternal(id, messageId));
window.inboxStore.dispatch(
window.actionsCreators.openConversationExternal({ id, messageId })
);
} else {
appView.openInbox({
initialLoadComplete,

@ -23,7 +23,7 @@
try {
latestVersionWithV = await window.Fsv2.getLatestDesktopReleaseFileToFsV2();
if (!latestVersionWithV) {
throw new Error('Invalid latest version. Shceduling retry...');
throw new Error('Invalid latest version. Scheduling retry...');
}
const latestVer = semver.clean(latestVersionWithV);
if (semver.valid(latestVer)) {

@ -59,7 +59,7 @@
// If message is unread, we mark it read. Otherwise, we update the expiration
// timer to the time specified by the read sync if it's earlier than
// the previous read time.
if (message.isUnread()) {
if (message.isUnread() && window.isFocused()) {
await message.markRead(readAt);
// onReadMessage may result in messages older than this one being

@ -56,7 +56,7 @@ window.lokiFeatureFlags = {
useFileOnionRequests: true,
useFileOnionRequestsV2: true, // more compact encoding of files in response
padOutgoingAttachments: true,
enablePinConversations: false,
enablePinConversations: true,
};
if (typeof process.env.NODE_ENV === 'string' && process.env.NODE_ENV.includes('test-integration')) {

@ -130,26 +130,19 @@
border-radius: $session_message-container-border-radius;
overflow: hidden;
// no background by default for the attachment container
@include themify($themes) {
background: themed('inboxBackground');
}
}
.module-message--outgoing {
.module-message__attachment-container--with-content-below,
.module-message__attachment-container--with-content-above {
@include themify($themes) {
background: themed('sentMessageBackground');
}
background: none;
}
}
.module-message--incoming {
.module-message__attachment-container--with-content-below,
.module-message__attachment-container--with-content-above {
@include themify($themes) {
background: themed('receivedMessageBackground');
}
background: none;
}
}
@ -1285,7 +1278,7 @@
.module-image {
overflow: hidden;
background-color: $color-white;
background: none;
position: relative;
display: inline-block;
margin: 1px;

@ -25,8 +25,14 @@
}
&__container--incoming {
@include themify($themes) {
background: themed('receivedMessageBackground');
&--opaque {
@include themify($themes) {
background: themed('receivedMessageBackground');
}
}
&--transparent {
background: none;
}
.module-message__text {
@ -49,8 +55,14 @@
}
&__container--outgoing {
@include themify($themes) {
background: themed('sentMessageBackground');
&--opaque {
@include themify($themes) {
background: themed('sentMessageBackground');
}
}
&--transparent {
background: none;
}
.module-message__text {

@ -401,7 +401,7 @@
// Module: Image
.module-image {
background-color: $color-black;
background: none;
}
.module-image__border-overlay {

@ -230,6 +230,8 @@ const ConversationListItem = (props: Props) => {
type,
isPublic,
avatarPath,
notificationForConvo,
currentNotificationSetting,
} = props;
const triggerId = `conversation-item-${conversationId}-ctxmenu`;
const key = `conversation-item-${conversationId}`;
@ -292,6 +294,8 @@ const ConversationListItem = (props: Props) => {
isPublic={isPublic}
left={left}
type={type}
notificationForConvo={notificationForConvo}
currentNotificationSetting={currentNotificationSetting}
/>
</Portal>
</div>

@ -27,17 +27,13 @@ import {
openRightPanel,
resetSelectedMessageIds,
} from '../../state/ducks/conversations';
import { NotificationForConvoOption } from '../../state/ducks/conversations';
export interface TimerOption {
name: string;
value: number;
}
export interface NotificationForConvoOption {
name: string;
value: ConversationNotificationSettingType;
}
export type ConversationHeaderProps = {
id: string;
name?: string;

@ -44,6 +44,7 @@ import { showLightBox, toggleSelectedMessageId } from '../../state/ducks/convers
import { saveAttachmentToDisk } from '../../util/attachmentsUtil';
import { LightBoxOptions } from '../session/conversation/SessionConversation';
import { MessageContextMenu } from './MessageContextMenu';
import { ReadableMessage } from './ReadableMessage';
// Same as MIN_WIDTH in ImageGrid.tsx
const MINIMUM_LINK_PREVIEW_IMAGE_WIDTH = 200;
@ -595,9 +596,10 @@ class MessageInner extends React.PureComponent<Props, State> {
divClasses.push('flash-green-once');
}
const onVisible = async (inView: boolean) => {
if (inView && shouldMarkReadWhenVisible) {
const onVisible = async (inView: boolean | Object) => {
if (inView === true && shouldMarkReadWhenVisible && window.isFocused()) {
const found = await getMessageById(id);
// mark the message as read.
// this will trigger the expire timer.
void found?.markRead(Date.now());
@ -605,14 +607,10 @@ class MessageInner extends React.PureComponent<Props, State> {
};
return (
<InView
<ReadableMessage
id={id}
as="div"
className={classNames(divClasses)}
onChange={onVisible}
threshold={1}
delay={200}
triggerOnce={true}
onContextMenu={this.handleContextMenu}
>
{this.renderAvatar()}
@ -630,7 +628,10 @@ class MessageInner extends React.PureComponent<Props, State> {
<div
className={classNames(
'module-message__container',
`module-message__container--${direction}`
`module-message__container--${direction}`,
isShowingImage
? `module-message__container--${direction}--transparent`
: `module-message__container--${direction}--opaque`
)}
style={{
width: isShowingImage ? width : undefined,
@ -679,7 +680,7 @@ class MessageInner extends React.PureComponent<Props, State> {
weAreAdmin={this.props.weAreAdmin}
/>
</div>
</InView>
</ReadableMessage>
);
}

@ -0,0 +1,22 @@
import React from 'react';
import { useFocus } from '../../hooks/useFocus';
import { InView, useInView } from 'react-intersection-observer';
type ReadableMessageProps = {
children: React.ReactNode;
id: string;
className: string;
onChange: (inView: boolean) => void;
onContextMenu: (e: any) => void;
};
export const ReadableMessage = (props: ReadableMessageProps) => {
const { onChange } = props;
useFocus(onChange);
return (
<InView {...props} as="div" threshold={1} delay={200} triggerOnce={false}>
{props.children}
</InView>
);
};

@ -11,7 +11,7 @@ import { ConversationHeaderWithDetails } from '../../conversation/ConversationHe
import { SessionRightPanelWithDetails } from './SessionRightPanel';
import { SessionTheme } from '../../../state/ducks/SessionTheme';
import { DefaultTheme } from 'styled-components';
import { SessionMessageListProps, SessionMessagesList } from './SessionMessagesList';
import { SessionMessagesList } from './SessionMessagesList';
import { LightboxGallery, MediaItemType } from '../../LightboxGallery';
import { AttachmentType, AttachmentTypeWithPath, save } from '../../../types/Attachment';
@ -20,11 +20,9 @@ import * as MIME from '../../../types/MIME';
import { SessionFileDropzone } from './SessionFileDropzone';
import {
fetchMessagesForConversation,
PropsForMessage,
quoteMessage,
ReduxConversationType,
resetSelectedMessageIds,
showLightBox,
SortedMessageModelProps,
updateMentionsMembers,
} from '../../../state/ducks/conversations';

@ -374,7 +374,7 @@ class SessionMessagesListInner extends React.Component<Props> {
return;
}
if (this.getScrollOffsetBottomPx() === 0) {
if (this.getScrollOffsetBottomPx() === 0 && window.isFocused()) {
void conversation.markRead(messagesProps[0].propsForMessage.receivedAt || 0);
}
}

@ -1,4 +1,4 @@
import React, { useState } from 'react';
import React from 'react';
import { animation, Menu } from 'react-contexify';
import {
getAddModeratorsMenuItem,
@ -13,12 +13,13 @@ import {
getLeaveGroupMenuItem,
getMarkAllReadMenuItem,
getNotificationForConvoMenuItem,
getPinConversationMenuItem,
getRemoveModeratorsMenuItem,
getUpdateGroupNameMenuItem,
} from './Menu';
import { NotificationForConvoOption } from '../../conversation/ConversationHeader';
import { ConversationNotificationSettingType } from '../../../models/conversation';
import _ from 'lodash';
import { ConversationNotificationSettingType } from '../../../models/conversation';
import { NotificationForConvoOption } from '../../../state/ducks/conversations';
export type PropsConversationHeaderMenu = {
conversationId: string;
@ -64,8 +65,8 @@ const ConversationHeaderMenu = (props: PropsConversationHeaderMenu) => {
currentNotificationSetting,
conversationId
)}
{getPinConversationMenuItem(conversationId)}
{getBlockMenuItem(isMe, isPrivate, isBlocked, conversationId)}
{getCopyMenuItem(isPublic, isGroup, conversationId)}
{getMarkAllReadMenuItem(conversationId)}
{getChangeNicknameMenuItem(isMe, isGroup, conversationId)}

@ -1,7 +1,11 @@
import React from 'react';
import { animation, Menu } from 'react-contexify';
import _ from 'underscore';
import { ConversationTypeEnum } from '../../../models/conversation';
import {
ConversationNotificationSettingType,
ConversationTypeEnum,
} from '../../../models/conversation';
import { NotificationForConvoOption } from '../../../state/ducks/conversations';
import {
getBlockMenuItem,
@ -13,6 +17,7 @@ import {
getInviteContactMenuItem,
getLeaveGroupMenuItem,
getMarkAllReadMenuItem,
getNotificationForConvoMenuItem,
getPinConversationMenuItem,
} from './Menu';
@ -26,6 +31,9 @@ export type PropsContextConversationItem = {
hasNickname: boolean;
isKickedFromGroup: boolean;
left: boolean;
theme?: any;
notificationForConvo: Array<NotificationForConvoOption>;
currentNotificationSetting: ConversationNotificationSettingType;
};
const ConversationListItemContextMenu = (props: PropsContextConversationItem) => {
@ -39,11 +47,21 @@ const ConversationListItemContextMenu = (props: PropsContextConversationItem) =>
type,
left,
isKickedFromGroup,
notificationForConvo,
currentNotificationSetting,
} = props;
const isGroup = type === 'group';
return (
<Menu id={triggerId} animation={animation.fade}>
{getNotificationForConvoMenuItem(
isKickedFromGroup,
left,
isBlocked,
notificationForConvo,
currentNotificationSetting,
conversationId
)}
{getPinConversationMenuItem(conversationId)}
{getBlockMenuItem(isMe, type === ConversationTypeEnum.PRIVATE, isBlocked, conversationId)}
{getCopyMenuItem(isPublic, isGroup, conversationId)}

@ -2,7 +2,7 @@ import React from 'react';
import { getNumberOfPinnedConversations } from '../../../state/selectors/conversations';
import { getFocusedSection } from '../../../state/selectors/section';
import { NotificationForConvoOption, TimerOption } from '../../conversation/ConversationHeader';
import { TimerOption } from '../../conversation/ConversationHeader';
import { Item, Submenu } from 'react-contexify';
import { ConversationNotificationSettingType } from '../../../models/conversation';
import { useDispatch, useSelector } from 'react-redux';
@ -27,6 +27,7 @@ import {
import { SessionButtonColor } from '../SessionButton';
import { getTimerOptions } from '../../../state/selectors/timerOptions';
import { ToastUtils } from '../../../session/utils';
import { NotificationForConvoOption } from '../../../state/ducks/conversations';
const maxNumberOfPinnedConversations = 5;
@ -131,10 +132,11 @@ export interface PinConversationMenuItemProps {
export const getPinConversationMenuItem = (conversationId: string): JSX.Element | null => {
const isMessagesSection = useSelector(getFocusedSection) === SectionType.Message;
const nbOfAlreadyPinnedConvos = useSelector(getNumberOfPinnedConversations);
if (isMessagesSection && window.lokiFeatureFlags.enablePinConversations) {
const conversation = getConversationController().get(conversationId);
const isPinned = conversation.isPinned();
const nbOfAlreadyPinnedConvos = useSelector(getNumberOfPinnedConversations);
const togglePinConversation = async () => {
if ((!isPinned && nbOfAlreadyPinnedConvos < maxNumberOfPinnedConversations) || isPinned) {
@ -312,6 +314,8 @@ export function getDisappearingMenuItem(
isBlocked: boolean | undefined,
conversationId: string
): JSX.Element | null {
const timerOptions = useSelector(getTimerOptions).timerOptions;
if (
showTimerOptions(
Boolean(isPublic),
@ -322,8 +326,6 @@ export function getDisappearingMenuItem(
) {
const isRtlMode = isRtlBody();
const timerOptions = useSelector(getTimerOptions).timerOptions;
return (
// Remove the && false to make context menu work with RTL support
<Submenu

@ -17,6 +17,7 @@ import {
import { fromHex } from '../../../session/utils/String';
import { TaskTimedOutError } from '../../../session/utils/Promise';
import { mn_decode } from '../../../session/crypto/mnemonic';
import { getSwarmPollingInstance } from '../../../session/snode_api/swarmPolling';
export const MAX_USERNAME_LENGTH = 20;
// tslint:disable: use-simple-attributes
@ -191,8 +192,8 @@ export async function signInWithLinking(signInDetails: {
await resetRegistration();
await window.setPassword(password);
await signInByLinkingDevice(userRecoveryPhrase, 'english');
let displayNameFromNetwork = '';
await getSwarmPollingInstance().start();
await PromiseUtils.waitForTask(done => {
window.Whisper.events.on('configurationMessageReceived', (displayName: string) => {

@ -7,15 +7,21 @@ export const useEncryptedFileFetch = (url: string, contentType: string) => {
const [urlToLoad, setUrlToLoad] = useState('');
const [loading, setLoading] = useState(true);
let isCancelled = false;
async function fetchUrl() {
const decryptedUrl = await getDecryptedMediaUrl(url, contentType);
setUrlToLoad(decryptedUrl);
if (!isCancelled) {
setUrlToLoad(decryptedUrl);
setLoading(false);
setLoading(false);
}
}
useEffect(() => {
void fetchUrl();
() => (isCancelled = true);
}, [url]);
return { urlToLoad, loading };

@ -0,0 +1,10 @@
import { useEffect } from 'react';
export const useFocus = (action: (param: any) => void) => {
useEffect(() => {
window.addEventListener('focus', action);
return () => {
window.removeEventListener('focus', action);
};
});
};

@ -27,6 +27,7 @@ import {
LastMessageStatusType,
MessageModelProps,
ReduxConversationType,
NotificationForConvoOption,
} from '../state/ducks/conversations';
import { ExpirationTimerUpdateMessage } from '../session/messages/outgoing/controlMessage/ExpirationTimerUpdateMessage';
import { TypingMessage } from '../session/messages/outgoing/controlMessage/TypingMessage';
@ -37,7 +38,6 @@ import {
import { GroupInvitationMessage } from '../session/messages/outgoing/visibleMessage/GroupInvitationMessage';
import { ReadReceiptMessage } from '../session/messages/outgoing/controlMessage/receipt/ReadReceiptMessage';
import { OpenGroupUtils } from '../opengroup/utils';
import { ConversationInteraction } from '../interactions';
import { OpenGroupVisibleMessage } from '../session/messages/outgoing/visibleMessage/OpenGroupVisibleMessage';
import { OpenGroupRequestCommonType } from '../opengroup/opengroupV2/ApiUtil';
import { getOpenGroupV2FromConversationId } from '../opengroup/utils/OpenGroupUtils';
@ -177,6 +177,7 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
private typingRefreshTimer?: NodeJS.Timeout | null;
private typingPauseTimer?: NodeJS.Timeout | null;
private typingTimer?: NodeJS.Timeout | null;
private lastReadTimestamp: number;
private pending: any;
@ -198,11 +199,19 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
});
this.throttledNotify = _.debounce(this.notify, 500, { maxWait: 1000, trailing: true });
//start right away the function is called, and wait 1sec before calling it again
this.markRead = _.debounce(this.markReadBouncy, 1000, { leading: true });
const markReadDebounced = _.debounce(this.markReadBouncy, 1000, { leading: true });
this.markRead = async (newestUnreadDate: number) => {
const lastReadTimestamp = this.lastReadTimestamp;
if (newestUnreadDate > lastReadTimestamp) {
this.lastReadTimestamp = newestUnreadDate;
}
void markReadDebounced(newestUnreadDate);
};
// Listening for out-of-band data updates
this.typingRefreshTimer = null;
this.typingPauseTimer = null;
this.lastReadTimestamp = 0;
window.inboxStore?.dispatch(conversationChanged({ id: this.id, data: this.getProps() }));
}
@ -390,16 +399,7 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
public getProps(): ReduxConversationType {
const groupAdmins = this.getGroupAdmins();
const members = this.isGroup() && !this.isPublic() ? this.get('members') : [];
// exclude mentions_only settings for private chats as this does not make much sense
const notificationForConvo = ConversationNotificationSetting.filter(n =>
this.isPrivate() ? n !== 'mentions_only' : true
).map((n: ConversationNotificationSettingType) => {
// this link to the notificationForConvo_all, notificationForConvo_mentions_only, ...
return { value: n, name: window.i18n(`notificationForConvo_${n}`) };
});
const ourNumber = UserUtils.getOurPubKeyStrFromCache();
// isSelected is overriden by redux
@ -411,9 +411,7 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
type: this.isPrivate() ? ConversationTypeEnum.PRIVATE : ConversationTypeEnum.GROUP,
weAreAdmin: this.isAdmin(ourNumber),
isGroup: !this.isPrivate(),
currentNotificationSetting: this.get('triggerNotificationsFor'),
notificationForConvo,
isPrivate: this.isPrivate(),
isMe: this.isMe(),
isPublic: this.isPublic(),
@ -437,9 +435,21 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
expireTimer: this.get('expireTimer') || 0,
subscriberCount: this.get('subscriberCount') || 0,
isPinned: this.isPinned(),
notificationForConvo: this.getConversationNotificationSettingType(),
currentNotificationSetting: this.get('triggerNotificationsFor'),
};
}
public getConversationNotificationSettingType(): Array<NotificationForConvoOption> {
// exclude mentions_only settings for private chats as this does not make much sense
return ConversationNotificationSetting.filter(n =>
this.isPrivate() ? n !== 'mentions_only' : true
).map((n: ConversationNotificationSettingType) => {
// this link to the notificationForConvo_all, notificationForConvo_mentions_only, ...
return { value: n, name: window.i18n(`notificationForConvo_${n}`) };
});
}
public async updateGroupAdmins(groupAdmins: Array<string>) {
const existingAdmins = _.uniq(_.sortBy(this.getGroupAdmins()));
const newAdmins = _.uniq(_.sortBy(groupAdmins));
@ -946,6 +956,11 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
}
public async markReadBouncy(newestUnreadDate: number, providedOptions: any = {}) {
const lastReadTimestamp = this.lastReadTimestamp;
if (newestUnreadDate < lastReadTimestamp) {
return;
}
const options = providedOptions || {};
_.defaults(options, { sendReadReceipts: true });
@ -994,7 +1009,7 @@ export class ConversationModel extends Backbone.Model<ConversationAttributes> {
const cachedUnreadCountOnConvo = this.get('unreadCount');
if (cachedUnreadCountOnConvo !== read.length) {
// reset the unreadCount on the convo to the real one coming from markRead messages on the db
this.set({ unreadCount: 0 });
this.set({ unreadCount: realUnreadCount });
await this.commit();
} else {
// window?.log?.info('markRead(): nothing newly read.');

@ -1088,6 +1088,8 @@ export class MessageModel extends Backbone.Model<MessageAttributes> {
public async markRead(readAt: number) {
this.markReadNoCommit(readAt);
this.getConversation()?.markRead(this.attributes.received_at);
await this.commit();
}

@ -14,7 +14,6 @@ import {
MessageRegularProps,
PropsForDataExtractionNotification,
} from '../../models/messageType';
import { NotificationForConvoOption } from '../../components/conversation/ConversationHeader';
import { LightBoxOptions } from '../../components/session/conversation/SessionConversation';
import { ReplyingToMessageProps } from '../../components/session/conversation/SessionCompositionBox';
@ -225,6 +224,11 @@ export interface ReduxConversationType {
isPinned: boolean;
}
export interface NotificationForConvoOption {
name: string;
value: ConversationNotificationSettingType;
}
export type ConversationLookupType = {
[key: string]: ReduxConversationType;
};
@ -347,8 +351,6 @@ const getFirstMessageUnreadIndex = (messages: Array<SortedMessageModelProps>) =>
message.propsForMessage.direction === 'incoming' &&
message.propsForMessage.isUnread === true
) {
console.warn('message.propsForMessage', message.propsForMessage);
return index;
}
}
@ -375,7 +377,6 @@ export const fetchMessagesForConversation = createAsyncThunk(
const mapped = messagesProps.map((m, index) => {
if (index === firstUnreadIndex) {
console.warn('fullfuled firstUnreadIndex', firstUnreadIndex);
return {
...m,
firstMessageOfSeries: true,

@ -145,14 +145,6 @@ export const _getLeftPaneLists = (
continue;
}
// Show loading icon while fetching messages
if (conversation.isPublic && !conversation.activeAt) {
conversation.lastMessage = {
status: 'sending',
text: '',
};
}
// Remove all invalid conversations and conversatons of devices associated
// with cancelled attempted links
if (!conversation.isPublic && !conversation.activeAt) {

@ -1,5 +1,8 @@
import { assert } from 'chai';
import { ConversationTypeEnum } from '../../../../models/conversation';
import {
ConversationNotificationSetting,
ConversationTypeEnum,
} from '../../../../models/conversation';
import { ConversationLookupType } from '../../../../state/ducks/conversations';
import {
@ -80,7 +83,6 @@ describe('state/selectors/conversations', () => {
activeAt: 20,
name: 'C',
phoneNumber: 'notused',
type: ConversationTypeEnum.PRIVATE,
isMe: false,
unreadCount: 1,

@ -84,6 +84,7 @@ export async function signInByLinkingDevice(mnemonic: string, mnemonicLanguage:
// await for the first configuration message to come in.
await registrationDone(pubKeyString, '');
return pubKeyString;
}
/**
* This is a signup. User has no recovery and does not try to link a device

1
ts/window.d.ts vendored

@ -41,6 +41,7 @@ declare global {
getFriendsFromContacts: any;
getSettingValue: any;
i18n: LocalizerType;
isFocused: () => boolean;
libsignal: LibsignalProtocol;
log: any;
lokiFeatureFlags: {

Loading…
Cancel
Save