Merge pull request #3137 from yougotwill/fix/ses-825/qa1

pull/3138/head
Will G 8 months ago committed by GitHub
commit 8b5978e347
No known key found for this signature in database
GPG Key ID: B5690EEEBB952194

@ -21,8 +21,12 @@ const StyledContent = styled(Flex)`
color: var(--text-primary-color);
}
img {
margin: var(--margins-lg) 0 var(--margins-md);
img:first-child {
margin: var(--margins-2xl) 0 var(--margins-lg);
}
img:nth-child(2) {
margin-bottom: var(--margins-xl);
}
.session-button {
@ -67,7 +71,18 @@ export const AboutView = () => {
justifyContent={'center'}
alignItems={'center'}
>
<img src="images/session/session_icon.png" width="250" height="250" alt="session icon" />
<img
src="images/session/session_icon.png"
alt="session brand icon"
width="200"
height="200"
/>
<img
src="images/session/session-text.svg"
alt="session brand text"
width={192}
height={26}
/>
<CopyToClipboardButton
className="version"

@ -23,6 +23,7 @@ const StyledSessionMemberItem = styled.button<{
zombie?: boolean;
selected?: boolean;
disableBg?: boolean;
withBorder?: boolean;
}>`
cursor: ${props => (props.disabled ? 'not-allowed' : 'pointer')};
display: flex;
@ -40,11 +41,16 @@ const StyledSessionMemberItem = styled.button<{
? 'var(--conversation-tab-background-selected-color) !important'
: null};
&:not(button:last-child) {
${props => props.inMentions && 'max-width: 300px;'}
${props =>
props.withBorder &&
`&:not(button:last-child) {
border-bottom: 1px solid var(--border-color);
}
}`}
${props => props.inMentions && 'max-width: 300px;'}
&:hover {
background-color: var(--conversation-tab-background-hover-color);
}
`;
const StyledInfo = styled.div`
@ -75,6 +81,7 @@ export const MemberListItem = (props: {
isZombie?: boolean;
inMentions?: boolean; // set to true if we are rendering members but in the Mentions picker
disableBg?: boolean;
withBorder?: boolean;
maxNameWidth?: string;
isAdmin?: boolean; // if true, we add a small crown on top of their avatar
onSelect?: (pubkey: string) => void;
@ -91,6 +98,7 @@ export const MemberListItem = (props: {
onUnselect,
inMentions,
disableBg,
withBorder = true,
maxNameWidth,
disabled,
dataTestId,
@ -104,18 +112,12 @@ export const MemberListItem = (props: {
// eslint-disable-next-line no-unused-expressions
isSelected ? onUnselect?.(pubkey) : onSelect?.(pubkey);
}}
style={
!inMentions && !disableBg
? {
backgroundColor: 'var(--background-primary-color)',
}
: {}
}
data-testid={dataTestId}
zombie={isZombie}
inMentions={inMentions}
selected={isSelected}
disableBg={disableBg}
withBorder={withBorder}
disabled={disabled}
>
<StyledInfo>

@ -1,12 +1,13 @@
import { Dispatch } from '@reduxjs/toolkit';
import { debounce } from 'lodash';
import { useState } from 'react';
import { useRef, useState } from 'react';
import { useDispatch, useSelector } from 'react-redux';
import styled from 'styled-components';
import { clearSearch, search, updateSearchTerm } from '../state/ducks/search';
import { getConversationsCount } from '../state/selectors/conversations';
import { getLeftOverlayMode } from '../state/selectors/section';
import { SessionIconButton } from './icon';
import { useHotkey } from '../hooks/useHotkey';
const StyledSearchInput = styled.div`
height: var(--search-input-height);
@ -70,6 +71,15 @@ export const SessionSearchInput = () => {
const isGroupCreationSearch = useSelector(getLeftOverlayMode) === 'closed-group';
const convoCount = useSelector(getConversationsCount);
const inputRef = useRef<HTMLInputElement>(null);
useHotkey('Escape', () => {
if (inputRef.current !== null && inputRef.current === document.activeElement) {
setCurrentSearchTerm('');
dispatch(clearSearch());
}
});
// just after onboard we only have a conversation with ourself
if (convoCount <= 1) {
return null;
@ -87,6 +97,7 @@ export const SessionSearchInput = () => {
iconType="search"
/>
<StyledInput
ref={inputRef}
value={currentSearchTerm}
onChange={e => {
const inputValue = e.target.value;

@ -10,10 +10,12 @@ import {
useSelectedConversationKey,
useSelectedHasDisabledBlindedMsgRequests,
useSelectedIsNoteToSelf,
useSelectedIsPrivate,
useSelectedNicknameOrProfileNameOrShortenedPubkey,
} from '../../state/selectors/selectedConversation';
import { LocalizerKeys } from '../../types/LocalizerKeys';
import { SessionHtmlRenderer } from '../basic/SessionHTMLRenderer';
import { SessionUtilContact } from '../../session/utils/libsession/libsession_utils_contacts';
const Container = styled.div`
display: flex;
@ -40,15 +42,24 @@ export const ConversationOutgoingRequestExplanation = () => {
const showMsgRequestUI = selectedConversation && isOutgoingMessageRequest;
if (!showMsgRequestUI || hasIncomingMessages) {
const selectedIsPrivate = useSelectedIsPrivate();
if (!showMsgRequestUI || hasIncomingMessages || !selectedIsPrivate) {
return null;
}
return (
<Container data-testid={'empty-conversation-control-message'} style={{ padding: 0 }}>
<TextInner>{window.i18n('messageRequestPendingDescription')}</TextInner>
</Container>
);
const contactFromLibsession = SessionUtilContact.getContactCached(selectedConversation);
// Note: we want to display this description when the conversation is private (or blinded) AND
// - the conversation is brand new (and not saved yet in libsession: transient conversation),
// - the conversation exists in libsession but we are not approved yet.
// This works because a blinded conversation is not saved in libsession currently, and will only be once approved_me is true
if (!contactFromLibsession || !contactFromLibsession.approvedMe) {
return (
<Container data-testid={'empty-conversation-control-message'} style={{ padding: 0 }}>
<TextInner>{window.i18n('messageRequestPendingDescription')}</TextInner>
</Container>
);
}
return null;
};
/**
@ -79,7 +90,7 @@ export const ConversationIncomingRequestExplanation = () => {
export const NoMessageInConversation = () => {
const selectedConversation = useSelectedConversationKey();
const hasMessage = useSelector(getSelectedHasMessages);
const hasMessages = useSelector(getSelectedHasMessages);
const isMe = useSelectedIsNoteToSelf();
const canWrite = useSelector(getSelectedCanWrite);
@ -87,7 +98,7 @@ export const NoMessageInConversation = () => {
// TODOLATER use this selector across the whole application (left pane excluded)
const nameToRender = useSelectedNicknameOrProfileNameOrShortenedPubkey();
if (!selectedConversation || hasMessage) {
if (!selectedConversation || hasMessages) {
return null;
}
let localizedKey: LocalizerKeys = 'noMessagesInEverythingElse';

@ -16,8 +16,9 @@ import { ConversationTypeEnum } from '../../models/types';
const StyledInputContainer = styled(Flex)`
textarea {
cursor: default;
overflow: hidden;
padding-top: var(--margins-xs);
top: 14px;
}
`;

@ -216,6 +216,7 @@ export const EditProfileDialog = () => {
setLoading(true);
const validName = await ProfileManager.updateOurProfileDisplayName(profileName);
setUpdateProfileName(validName);
setProfileName(validName);
setMode('default');
} catch (err) {
window.log.error('Profile update error', err);
@ -351,7 +352,7 @@ export const EditProfileDialog = () => {
<YourSessionIDSelectable />
<SessionSpinner loading={loading} height={'74px'} />
{!loading ? <Spacer2XL /> : null}
{mode === 'default' || mode === 'qr' ? (
{mode === 'default' || mode === 'qr' || mode === 'lightbox' ? (
<Flex
container={true}
justifyContent={mode === 'default' ? 'space-between' : 'center'}

@ -36,7 +36,7 @@ export const QRView = ({
loading={loading}
onClick={(fileName, dataUrl) => {
const lightBoxOptions = prepareQRCodeForLightBox(fileName, dataUrl, () => {
setMode('edit');
setMode('qr');
});
window.inboxStore?.dispatch(updateLightBoxOptions(lightBoxOptions));
setMode('lightbox');

@ -1,4 +1,4 @@
import { ChangeEvent, ReactNode, RefObject, useEffect, useState } from 'react';
import { ChangeEvent, ReactNode, RefObject, useEffect, useRef, useState } from 'react';
import { motion } from 'framer-motion';
import { isEmpty, isEqual } from 'lodash';
@ -13,7 +13,7 @@ type TextSizes = 'xs' | 'sm' | 'md' | 'lg' | 'xl';
const StyledSessionInput = styled(Flex)<{
error: boolean;
textSize?: TextSizes;
textSize: TextSizes;
}>`
position: relative;
width: 100%;
@ -68,6 +68,7 @@ const StyledBorder = styled(AnimatedFlex)`
const StyledInput = styled(motion.input)<{
error: boolean;
textSize: TextSizes;
centerText?: boolean;
monospaced?: boolean;
}>`
@ -79,9 +80,9 @@ const StyledInput = styled(motion.input)<{
color: ${props => (props.error ? 'var(--danger-color)' : 'var(--input-text-color)')};
font-family: ${props => (props.monospaced ? 'var(--font-mono)' : 'var(--font-default)')};
font-size: 12px;
line-height: 1.4;
${props => props.centerText && 'text-align: center;'}
${props => `font-size: var(--font-size-${props.textSize});`}
&::placeholder {
color: var(--input-text-placeholder-color);
@ -89,13 +90,15 @@ const StyledInput = styled(motion.input)<{
}
`;
const StyledTextAreaContainer = styled(motion.div)<{
export const StyledTextAreaContainer = styled(motion.div)<{
noValue: boolean;
error: boolean;
textSize: TextSizes;
centerText?: boolean;
textSize?: TextSizes;
monospaced?: boolean;
}>`
display: flex;
align-items: center;
overflow: hidden;
position: relative;
height: ${props => (props.textSize ? `calc(var(--font-size-${props.textSize}) * 4)` : '48px')};
@ -107,8 +110,8 @@ const StyledTextAreaContainer = styled(motion.div)<{
outline: 0;
font-family: ${props => (props.monospaced ? 'var(--font-mono)' : 'var(--font-default)')};
font-size: 12px;
line-height: 1.4;
${props => `font-size: var(--font-size-${props.textSize});`}
line-height: 1;
${props => props.centerText && 'text-align: center;'}
@ -121,21 +124,20 @@ const StyledTextAreaContainer = styled(motion.div)<{
border: none;
background: transparent;
${props =>
props.noValue &&
`position: absolute;
top: ${props.textSize ? `calc(var(--font-size-${props.textSize}) + 5px)` : 'calc(12px + 5px)'};`}
position: absolute;
top: ${props =>
`calc(var(--font-size-${props.textSize}) + ${props.textSize === 'xl' ? '8px' : '5px'})`};
resize: none;
overflow-wrap: break-word;
word-break: break-all;
user-select: all;
${props => props.centerText && 'text-align: center;'}
&:placeholder-shown {
font-family: ${props => (props.monospaced ? 'var(--font-mono)' : 'var(--font-default)')};
font-size: 12px;
line-height: 1.4;
${props => `font-size: var(--font-size-${props.textSize});`}
line-height: 1;
}
&::placeholder {
@ -267,7 +269,7 @@ export const SessionInput = (props: Props) => {
showHideButtonDataTestIds,
ctaButton,
monospaced,
textSize,
textSize = 'sm',
centerText,
editable = true,
isTextArea,
@ -277,8 +279,11 @@ export const SessionInput = (props: Props) => {
} = props;
const [inputValue, setInputValue] = useState('');
const [errorString, setErrorString] = useState('');
const [textErrorStyle, setTextErrorStyle] = useState(false);
const [forceShow, setForceShow] = useState(false);
const textAreaRef = useRef(inputRef?.current || null);
const correctType = forceShow ? 'text' : type;
const updateInputValue = (e: ChangeEvent<HTMLInputElement>) => {
@ -288,6 +293,17 @@ export const SessionInput = (props: Props) => {
e.preventDefault();
const val = e.target.value;
setInputValue(val);
setTextErrorStyle(false);
if (isTextArea && textAreaRef && textAreaRef.current !== null) {
const scrollHeight = `${textAreaRef.current.scrollHeight}px`;
if (isEmpty(val)) {
// resets the height of the text area so it's centered if we clear the text
textAreaRef.current.style.height = 'unset';
}
if (scrollHeight !== textAreaRef.current.style.height) {
textAreaRef.current.style.height = `${textAreaRef.current.scrollHeight}px`;
}
}
if (onValueChanged) {
onValueChanged(val);
}
@ -299,6 +315,7 @@ export const SessionInput = (props: Props) => {
type: correctType,
placeholder,
value,
textSize,
disabled: !editable,
maxLength,
autoFocus,
@ -306,7 +323,6 @@ export const SessionInput = (props: Props) => {
required,
'aria-required': required,
tabIndex,
ref: inputRef,
onChange: updateInputValue,
style: { paddingInlineEnd: enableShowHideButton ? '48px' : undefined },
// just in case onChange isn't triggered
@ -332,7 +348,7 @@ export const SessionInput = (props: Props) => {
const containerProps = {
noValue: isEmpty(value),
error: Boolean(error),
error: textErrorStyle,
centerText,
textSize,
monospaced,
@ -342,6 +358,7 @@ export const SessionInput = (props: Props) => {
useEffect(() => {
if (error && !isEmpty(error) && !isEqual(error, errorString)) {
setErrorString(error);
setTextErrorStyle(!!error);
}
}, [error, errorString]);
@ -369,12 +386,17 @@ export const SessionInput = (props: Props) => {
>
{isTextArea ? (
<StyledTextAreaContainer {...containerProps}>
<textarea {...inputProps} aria-label={ariaLabel || 'session input text area'} />
<textarea
{...inputProps}
ref={inputRef || textAreaRef}
aria-label={ariaLabel || 'session input text area'}
/>
</StyledTextAreaContainer>
) : (
<StyledInput
{...inputProps}
{...containerProps}
ref={inputRef}
aria-label={ariaLabel || 'session input'}
/>
)}

@ -1,5 +1,5 @@
import { debounce } from 'lodash';
import { useEffect, useState } from 'react';
import { useEffect, useRef, useState } from 'react';
import { useDispatch, useSelector } from 'react-redux';
import useInterval from 'react-use/lib/useInterval';
@ -47,6 +47,8 @@ import { switchThemeTo } from '../../themes/switchTheme';
import { ReleasedFeatures } from '../../util/releaseFeature';
import { getOppositeTheme } from '../../util/theme';
import { SessionNotificationCount } from '../icon/SessionNotificationCount';
import { useHotkey } from '../../hooks/useHotkey';
import { getIsModalVisble } from '../../state/selectors/modal';
const Section = (props: { type: SectionType }) => {
const ourNumber = useSelector(getOurNumber);
@ -54,6 +56,7 @@ const Section = (props: { type: SectionType }) => {
const dispatch = useDispatch();
const { type } = props;
const isModalVisible = useSelector(getIsModalVisble);
const isDarkTheme = useIsDarkTheme();
const focusedSection = useSelector(getFocusedSection);
const isSelected = focusedSection === props.type;
@ -82,6 +85,17 @@ const Section = (props: { type: SectionType }) => {
}
};
const settingsIconRef = useRef<HTMLButtonElement>(null);
useHotkey('Escape', () => {
if (type === SectionType.Settings && !isModalVisible) {
settingsIconRef.current?.blur();
dispatch(clearSearch());
dispatch(showLeftPaneSection(SectionType.Message));
dispatch(resetLeftOverlayMode());
}
});
if (type === SectionType.Profile) {
return (
<Avatar
@ -116,6 +130,7 @@ const Section = (props: { type: SectionType }) => {
iconType={'gear'}
onClick={handleClick}
isSelected={isSelected}
ref={settingsIconRef}
/>
);
case SectionType.PathIndicator:

@ -10,6 +10,7 @@ import {
useIsTyping,
useLastMessage,
} from '../../../hooks/useParamSelector';
import { LastMessageStatusType } from '../../../state/ducks/types';
import { isSearching } from '../../../state/selectors/search';
import { getIsMessageRequestOverlayShown } from '../../../state/selectors/section';
import { assertUnreachable } from '../../../types/sqlSharedTypes';
@ -17,7 +18,6 @@ import { TypingAnimation } from '../../conversation/TypingAnimation';
import { MessageBody } from '../../conversation/message/message-content/MessageBody';
import { SessionIcon } from '../../icon';
import { InteractionItem } from './InteractionItem';
import { LastMessageStatusType } from '../../../state/ducks/types';
export const MessageItem = () => {
const conversationId = useConvoIdFromContext();

@ -46,9 +46,6 @@ const StyledGroupMemberListContainer = styled.div`
overflow-x: hidden;
overflow-y: auto;
border-top: 1px solid var(--border-color);
border-bottom: 1px solid var(--border-color);
&::-webkit-scrollbar-track {
background-color: var(--background-secondary-color);
}
@ -192,6 +189,7 @@ export const OverlayClosedGroup = () => {
isSelected={selectedMemberIds.includes(pubkey)}
onSelect={addToSelected}
onUnselect={removeFromSelected}
withBorder={false}
disabled={loading}
/>
))

@ -13,6 +13,7 @@ import { CopyToClipboardButton } from '../../buttons/CopyToClipboardButton';
import { SessionIcon } from '../../icon';
import { SessionInput } from '../../inputs';
import { StyledLeftPaneOverlay } from './OverlayMessage';
import { StyledTextAreaContainer } from '../../inputs/SessionInput';
const StyledHeadingContainer = styled(Flex)`
.session-icon-button {
@ -53,9 +54,13 @@ const StyledButtonerContainer = styled.div`
`;
const StyledInputContainer = styled(Flex)`
textarea {
position: absolute;
top: 8px;
${StyledTextAreaContainer} {
margin: var(--margins-sm);
textarea {
cursor: default;
overflow: hidden;
top: 12px;
}
}
`;

@ -47,11 +47,6 @@ const StyledRowContainer = styled.button`
padding: 0 var(--margins-lg);
transition: background-color var(--default-duration) linear;
cursor: pointer;
border-bottom: 1px var(--border-color) solid;
&:first-child {
border-top: 1px var(--border-color) solid;
}
&:hover {
background-color: var(--conversation-tab-background-hover-color);
@ -63,10 +58,8 @@ const StyledBreak = styled.div`
align-items: center;
padding: 0 var(--margins-lg);
color: var(--text-secondary-color);
font-size: var(--font-size-md);
height: 30px; // should also be changed in rowHeight
border-bottom: 1px var(--border-color) solid;
font-size: var(--font-size-sm);
height: var(--contact-row-break-width);
`;
export const ContactRowBreak = (props: { char: string; key: string; style: CSSProperties }) => {

@ -5,13 +5,15 @@ import { AutoSizer, Index, List, ListRowProps } from 'react-virtualized';
import styled, { CSSProperties } from 'styled-components';
import {
DirectContactsByNameType,
getDirectContactsByName,
getDirectContactsCount,
getContactsCount,
getSortedContactsWithBreaks,
} from '../../../../state/selectors/conversations';
import { leftPaneListWidth } from '../../LeftPane';
import { StyledLeftPaneList } from '../../LeftPaneList';
import { StyledChooseActionTitle } from './ActionRow';
import { ContactRow, ContactRowBreak } from './ContactRow';
import { getThemeValue, pxValueToNumber } from '../../../../themes/globals';
import { SearchResultsMergedListItem } from '../../../../state/selectors/search';
const StyledContactSection = styled.div`
display: flex;
@ -52,9 +54,10 @@ const renderRow = (props: ListRowProps) => {
// ugly, but it seems react-virtualized does not support very well functional components just yet
// https://stackoverflow.com/questions/54488954/how-to-pass-prop-into-rowrender-of-react-virtualized
const directContactsByNameWithBreaks = (parent as any).props
.directContactsByNameWithBreaks as Array<DirectContactsByNameType | string>;
const item = directContactsByNameWithBreaks?.[index];
const contactsByNameWithBreaks = (parent as any).props.contactsByNameWithBreaks as Array<
DirectContactsByNameType | string
>;
const item = contactsByNameWithBreaks?.[index];
if (!item) {
return null;
}
@ -66,31 +69,27 @@ const renderRow = (props: ListRowProps) => {
return <ContactRow style={style as CSSProperties} key={key} {...item} />;
};
const unknownSection = 'unknown';
export function calcContactRowHeight(
items: Array<SearchResultsMergedListItem | string | DirectContactsByNameType>,
params: Index,
overrides?: {
rowHeight?: number;
breakRowHeight?: number;
}
) {
return isString(items[params.index])
? overrides?.breakRowHeight || pxValueToNumber(getThemeValue('--contact-row-break-height'))
: overrides?.rowHeight || pxValueToNumber(getThemeValue('--contact-row-height'));
}
const ContactListItemSection = () => {
const directContactsByName = useSelector(getDirectContactsByName);
const contactsByNameWithBreaks = useSelector(getSortedContactsWithBreaks);
if (!directContactsByName) {
if (!contactsByNameWithBreaks) {
return null;
}
// add a break wherever needed
let currentChar = '';
// if the item is a string we consider it to be a break of that string
const directContactsByNameWithBreaks: Array<DirectContactsByNameType | string> = [];
directContactsByName.forEach(m => {
if (m.displayName && m.displayName[0].toLowerCase() !== currentChar) {
currentChar = m.displayName[0].toLowerCase();
directContactsByNameWithBreaks.push(currentChar.toUpperCase());
} else if (!m.displayName && currentChar !== unknownSection) {
currentChar = unknownSection;
directContactsByNameWithBreaks.push('#');
}
directContactsByNameWithBreaks.push(m);
});
const length = Number(directContactsByNameWithBreaks.length);
const length = Number(contactsByNameWithBreaks.length);
return (
<StyledLeftPaneList key={0} style={{ width: '100%' }}>
@ -101,11 +100,8 @@ const ContactListItemSection = () => {
className="module-left-pane__virtual-list"
height={height}
rowCount={length}
rowHeight={
(params: Index) =>
isString(directContactsByNameWithBreaks[params.index]) ? 30 : 64 // should also be changed in `ContactRowBreak`
}
directContactsByNameWithBreaks={directContactsByNameWithBreaks}
rowHeight={params => calcContactRowHeight(contactsByNameWithBreaks, params)}
contactsByNameWithBreaks={contactsByNameWithBreaks}
rowRenderer={renderRow}
width={leftPaneListWidth}
autoHeight={false}
@ -118,7 +114,7 @@ const ContactListItemSection = () => {
};
export const ContactsListWithBreaks = () => {
const contactsCount = useSelector(getDirectContactsCount);
const contactsCount = useSelector(getContactsCount);
return (
<StyledContactSection>

@ -28,6 +28,7 @@ type Props = {
onNext?: () => void;
onPrevious?: () => void;
onSave?: () => void;
onClose?: () => void;
};
const CONTROLS_WIDTH = 50;
@ -273,18 +274,25 @@ export const LightboxObject = ({
export const Lightbox = (props: Props) => {
const renderedRef = useRef<any>(null);
const dispatch = useDispatch();
const { caption, contentType, objectURL, onNext, onPrevious, onSave } = props;
const { caption, contentType, objectURL, onNext, onPrevious, onSave, onClose } = props;
const onObjectClick = (event: any) => {
event.stopPropagation();
dispatch(updateLightBoxOptions(null));
};
const handleClose = () => {
if (onClose) {
onClose();
}
dispatch(updateLightBoxOptions(null));
};
const onContainerClick = (event: MouseEvent<HTMLDivElement>) => {
if (renderedRef && event.target === renderedRef.current) {
return;
}
dispatch(updateLightBoxOptions(null));
handleClose();
};
return (
@ -306,12 +314,7 @@ export const Lightbox = (props: Props) => {
</div>
<div style={styles.controls as any}>
<Flex container={true}>
<IconButton
type="close"
onClick={() => {
dispatch(updateLightBoxOptions(null));
}}
/>
<IconButton type="close" onClick={handleClose} />
</Flex>
{onSave ? <IconButton type="save" onClick={onSave} style={styles.saveButton} /> : null}

@ -96,10 +96,10 @@ export const LightboxGallery = (props: Props) => {
useKey(
'Escape',
() => {
dispatch(updateLightBoxOptions(null));
if (onClose) {
onClose();
}
dispatch(updateLightBoxOptions(null));
},
undefined,
[currentIndex, updateLightBoxOptions, dispatch, onClose]
@ -122,6 +122,7 @@ export const LightboxGallery = (props: Props) => {
onPrevious={hasPrevious ? onPrevious : undefined}
onNext={hasNext ? onNext : undefined}
onSave={handleSave}
onClose={onClose}
objectURL={objectURL}
caption={caption}
contentType={selectedMedia.contentType}

@ -28,12 +28,14 @@ export const BackButtonWithinContainer = ({
children,
margin,
callback,
onQuitVisible,
shouldQuitOnClick,
quitMessage,
}: {
children: ReactNode;
margin?: string;
callback?: () => void;
onQuitVisible?: () => void;
shouldQuitOnClick?: boolean;
quitMessage?: string;
}) => {
@ -48,6 +50,7 @@ export const BackButtonWithinContainer = ({
<div style={{ margin }}>
<BackButton
callback={callback}
onQuitVisible={onQuitVisible}
shouldQuitOnClick={shouldQuitOnClick}
quitMessage={quitMessage}
/>
@ -59,10 +62,12 @@ export const BackButtonWithinContainer = ({
export const BackButton = ({
callback,
onQuitVisible,
shouldQuitOnClick,
quitMessage,
}: {
callback?: () => void;
onQuitVisible?: () => void;
shouldQuitOnClick?: boolean;
quitMessage?: string;
}) => {
@ -81,6 +86,9 @@ export const BackButton = ({
padding={'0'}
onClick={() => {
if (shouldQuitOnClick && quitMessage) {
if (onQuitVisible) {
onQuitVisible();
}
dispatch(
updateQuitModal({
title: window.i18n('warning'),

@ -117,6 +117,8 @@ async function signInWithNewDisplayName({
}
}
let abortController = new AbortController();
export const RestoreAccount = () => {
const step = useOnboardAccountRestorationStep();
const recoveryPassword = useRecoveryPassword();
@ -133,13 +135,15 @@ export const RestoreAccount = () => {
if (!(!!recoveryPassword && !recoveryPasswordError)) {
return;
}
const trimmedPassword = recoveryPassword.trim();
setRecoveryPassword(trimmedPassword);
const abortController = new AbortController();
try {
abortController = new AbortController();
dispatch(setProgress(0));
dispatch(setAccountRestorationStep(AccountRestoration.Loading));
await signInAndFetchDisplayName({
recoveryPassword,
recoveryPassword: trimmedPassword,
dispatch,
abortSignal: abortController.signal,
});
@ -199,6 +203,23 @@ export const RestoreAccount = () => {
margin={'2px 0 0 -36px'}
shouldQuitOnClick={step !== AccountRestoration.RecoveryPassword}
quitMessage={window.i18n('onboardingBackLoadAccount')}
onQuitVisible={() => {
if (!abortController.signal.aborted) {
abortController.abort();
}
dispatch(setRecoveryPassword(''));
dispatch(setDisplayName(''));
dispatch(setProgress(0));
dispatch(setRecoveryPasswordError(undefined));
dispatch(setDisplayNameError(undefined));
if (
step === AccountRestoration.Loading ||
step === AccountRestoration.Finishing ||
step === AccountRestoration.Finished
) {
dispatch(setAccountRestorationStep(AccountRestoration.RecoveryPassword));
}
}}
callback={() => {
dispatch(setRecoveryPassword(''));
dispatch(setDisplayName(''));
@ -248,7 +269,6 @@ export const RestoreAccount = () => {
}}
onEnterPressed={recoverAndFetchDisplayName}
error={recoveryPasswordError}
maxLength={LIBSESSION_CONSTANTS.CONTACT_MAX_NAME_LENGTH}
enableShowHideButton={true}
showHideButtonAriaLabels={{
hide: 'Hide recovery password toggle',
@ -289,6 +309,7 @@ export const RestoreAccount = () => {
}}
onEnterPressed={recoverAndEnterDisplayName}
error={displayNameError}
maxLength={LIBSESSION_CONSTANTS.CONTACT_MAX_NAME_LENGTH}
inputDataTestId="display-name-input"
/>
<SpacerLG />

@ -9,15 +9,14 @@ export function sanitizeDisplayNameOrToast(
) {
try {
const sanitizedName = sanitizeSessionUsername(displayName);
const trimName = sanitizedName.trim();
const errorString = !trimName ? window.i18n('displayNameEmpty') : undefined;
const errorString = !sanitizedName ? window.i18n('displayNameEmpty') : undefined;
if (dispatch) {
dispatch(onDisplayNameError(errorString));
} else {
onDisplayNameError(errorString); // this is is either calling dispatch in the caller or just `setDisplayNameError`
}
return trimName;
return sanitizedName;
} catch (e) {
if (dispatch) {
dispatch(onDisplayNameError(window.i18n('displayNameErrorDescriptionShorter')));

@ -15,6 +15,7 @@ import { Avatar, AvatarSize } from '../avatar/Avatar';
import { MessageBodyHighlight } from '../basic/MessageBodyHighlight';
import { ContactName } from '../conversation/ContactName';
import { Timestamp } from '../conversation/Timestamp';
import { leftPaneListWidth } from '../leftpane/LeftPane';
const StyledConversationTitleResults = styled.div`
flex-grow: 1;
@ -39,11 +40,9 @@ const StyledConversationFromUserInGroup = styled(StyledConversationTitleResults)
`;
const StyledSearchResults = styled.div`
padding: 8px;
padding-inline-start: 16px;
padding-inline-end: 16px;
min-height: 64px;
max-width: 300px;
padding: var(--margins-sm) var(--margins-md);
height: var(--contact-row-height);
max-width: ${leftPaneListWidth}px;
display: flex;
flex-direction: row;

@ -12,6 +12,7 @@ import {
getSearchResultsList,
getSearchTerm,
} from '../../state/selectors/search';
import { calcContactRowHeight } from '../leftpane/overlay/choose-action/ContactsListWithBreaks';
const StyledSeparatorSection = styled.div<{ isSubtitle: boolean }>`
height: 36px;
@ -63,15 +64,16 @@ function isContact(item: SearchResultsMergedListItem): item is { contactConvoId:
const VirtualizedList = () => {
const searchResultList = useSelector(getSearchResultsList);
return (
<AutoSizer>
{({ height, width }) => (
<List
height={height}
rowCount={searchResultList.length}
rowHeight={rowPos => {
return isString(searchResultList[rowPos.index]) ? 36 : 64;
}}
rowHeight={params =>
calcContactRowHeight(searchResultList, params, { breakRowHeight: 36 })
}
rowRenderer={({ index, key, style }) => {
const row = searchResultList[index];
if (!row) {

@ -1,6 +1,6 @@
import { isEmpty } from 'lodash';
import { useState } from 'react';
import { useDispatch } from 'react-redux';
import { useDispatch, useSelector } from 'react-redux';
import useMount from 'react-use/lib/useMount';
import styled from 'styled-components';
import { useIconToImageURL } from '../../../hooks/useIconToImageURL';
@ -24,6 +24,8 @@ import { SpacerMD, SpacerSM } from '../../basic/Text';
import { CopyToClipboardIcon } from '../../buttons/CopyToClipboardButton';
import { SessionIconButton } from '../../icon';
import { SessionSettingButtonItem, SessionSettingsItemWrapper } from '../SessionSettingListItem';
import { useHotkey } from '../../../hooks/useHotkey';
import { getIsModalVisble } from '../../../state/selectors/modal';
const StyledSettingsItemContainer = styled.div`
p {
@ -62,6 +64,7 @@ export const SettingsCategoryRecoveryPassword = () => {
const [isQRVisible, setIsQRVisible] = useState(false);
const hideRecoveryPassword = useHideRecoveryPasswordEnabled();
const isModalVisible = useSelector(getIsModalVisble);
const isDarkTheme = useIsDarkTheme();
const { dataURL, iconSize, iconColor, backgroundColor, loading } = useIconToImageURL(qrLogoProps);
@ -90,6 +93,16 @@ export const SettingsCategoryRecoveryPassword = () => {
}
});
useHotkey(
'v',
() => {
if (!isModalVisible) {
setIsQRVisible(!isQRVisible);
}
},
(hasPassword && !passwordValid) || loadingSeed || hideRecoveryPassword
);
if ((hasPassword && !passwordValid) || loadingSeed || hideRecoveryPassword) {
return null;
}

@ -199,6 +199,7 @@ export function useIsOutgoingRequest(convoId?: string) {
if (!convoProps) {
return false;
}
return Boolean(
convoProps &&
hasValidOutgoingRequestValues({

@ -2598,7 +2598,14 @@ export function hasValidOutgoingRequestValues({
}): boolean {
const isActive = activeAt && isFinite(activeAt) && activeAt > 0;
return Boolean(!isMe && isApproved && isPrivate && !isBlocked && !didApproveMe && isActive);
// Started a new message, but haven't sent a message yet
const emptyConvo = !isMe && !isApproved && isPrivate && !isBlocked && !didApproveMe && !!isActive;
// Started a new message, and sent a message
const sentOutgoingRequest =
!isMe && isApproved && isPrivate && !isBlocked && !didApproveMe && !!isActive;
return emptyConvo || sentOutgoingRequest;
}
/**

@ -602,6 +602,8 @@ async function handleLegacyGroupUpdate(latestEnvelopeTimestamp: number) {
const members = fromWrapper.members.map(m => m.pubkeyHex);
const admins = fromWrapper.members.filter(m => m.isAdmin).map(m => m.pubkeyHex);
const creationTimestamp = fromWrapper.joinedAtSeconds ? fromWrapper.joinedAtSeconds * 1000 : 0;
// then for all the existing legacy group in the wrapper, we need to override the field of what we have in the DB with what is in the wrapper
// We only set group admins on group creation
const groupDetails: ClosedGroup.GroupInfo = {
@ -610,10 +612,9 @@ async function handleLegacyGroupUpdate(latestEnvelopeTimestamp: number) {
members,
admins,
activeAt:
!!legacyGroupConvo.get('active_at') &&
legacyGroupConvo.get('active_at') < latestEnvelopeTimestamp
!!legacyGroupConvo.get('active_at') && legacyGroupConvo.get('active_at') > creationTimestamp
? legacyGroupConvo.get('active_at')
: latestEnvelopeTimestamp,
: creationTimestamp,
};
await ClosedGroup.updateOrCreateClosedGroup(groupDetails);

@ -297,18 +297,12 @@ const _getLeftPaneConversationIds = (
.map(m => m.id);
};
const _getPrivateFriendsConversations = (
const _getContacts = (
sortedConversations: Array<ReduxConversationType>
): Array<ReduxConversationType> => {
return sortedConversations.filter(convo => {
return (
convo.isPrivate &&
!convo.isMe &&
!convo.isBlocked &&
convo.isApproved &&
convo.didApproveMe &&
convo.activeAt !== undefined
);
// a private conversation not approved is a message request. Include them in the list of contacts
return !convo.isBlocked && convo.isPrivate && !convo.isMe;
});
};
@ -437,7 +431,6 @@ export const getUnreadConversationRequests = createSelector(
* - approved (or message requests are disabled)
* - active_at is set to something truthy
*/
export const getLeftPaneConversationIds = createSelector(
getSortedConversations,
_getLeftPaneConversationIds
@ -450,10 +443,16 @@ export const getLeftPaneConversationIdsCount = createSelector(
}
);
const getDirectContacts = createSelector(getSortedConversations, _getPrivateFriendsConversations);
/**
* Returns all the conversation ids of contacts which are
* - private
* - not me
* - not blocked
*/
const getContacts = createSelector(getSortedConversations, _getContacts);
export const getDirectContactsCount = createSelector(
getDirectContacts,
export const getContactsCount = createSelector(
getContacts,
(contacts: Array<ReduxConversationType>) => contacts.length
);
@ -463,8 +462,8 @@ export type DirectContactsByNameType = {
};
// make sure that createSelector is called here so this function is memoized
export const getDirectContactsByName = createSelector(
getDirectContacts,
export const getSortedContacts = createSelector(
getContacts,
(contacts: Array<ReduxConversationType>): Array<DirectContactsByNameType> => {
const us = UserUtils.getOurPubKeyStrFromCache();
const extractedContacts = contacts
@ -475,20 +474,61 @@ export const getDirectContactsByName = createSelector(
displayName: m.nickname || m.displayNameInProfile,
};
});
const extractedContactsNoDisplayName = sortBy(
extractedContacts.filter(m => !m.displayName),
'id'
const contactsStartingWithANumber = sortBy(
extractedContacts.filter(
m => !m.displayName || (m.displayName && m.displayName[0].match(/^[0-9]+$/))
),
m => m.displayName || m.id
);
const extractedContactsWithDisplayName = sortBy(
extractedContacts.filter(m => Boolean(m.displayName)),
const contactsWithDisplayName = sortBy(
extractedContacts.filter(m => !!m.displayName && !m.displayName[0].match(/^[0-9]+$/)),
m => m.displayName?.toLowerCase()
);
return [...extractedContactsWithDisplayName, ...extractedContactsNoDisplayName];
return [...contactsWithDisplayName, ...contactsStartingWithANumber];
}
);
export const getSortedContactsWithBreaks = createSelector(
getSortedContacts,
(contacts: Array<DirectContactsByNameType>): Array<DirectContactsByNameType | string> => {
// add a break wherever needed
const unknownSection = 'unknown';
let currentChar = '';
// if the item is a string we consider it to be a break of that string
const contactsWithBreaks: Array<DirectContactsByNameType | string> = [];
contacts.forEach(m => {
if (
!!m.displayName &&
m.displayName[0].toLowerCase() !== currentChar &&
!m.displayName[0].match(/^[0-9]+$/)
) {
currentChar = m.displayName[0].toLowerCase();
contactsWithBreaks.push(currentChar.toUpperCase());
} else if (
((m.displayName && m.displayName[0].match(/^[0-9]+$/)) || !m.displayName) &&
currentChar !== unknownSection
) {
currentChar = unknownSection;
contactsWithBreaks.push('#');
}
contactsWithBreaks.push(m);
});
contactsWithBreaks.unshift({
id: UserUtils.getOurPubKeyStrFromCache(),
displayName: window.i18n('noteToSelf'),
});
return contactsWithBreaks;
}
);
export const getPrivateContactsPubkeys = createSelector(getDirectContactsByName, state =>
export const getPrivateContactsPubkeys = createSelector(getSortedContacts, state =>
state.map(m => m.id)
);

@ -27,6 +27,17 @@ export const getModal = (state: StateType): ModalState => {
return state.modals;
};
export const getIsModalVisble = createSelector(getModal, (state: ModalState): boolean => {
const modalValues = Object.values(state);
for (let i = 0; i < modalValues.length; i++) {
if (modalValues[i] !== null) {
return true;
}
}
return false;
});
export const getConfirmModal = createSelector(
getModal,
(state: ModalState): ConfirmModalState => state.confirmModal

@ -76,56 +76,41 @@ export type SearchResultsMergedListItem =
export const getSearchResultsList = createSelector([getSearchResults], searchState => {
const { contactsAndGroups, messages } = searchState;
const builtList: Array<SearchResultsMergedListItem> = [];
const builtList = [];
if (contactsAndGroups.length) {
const us = UserUtils.getOurPubKeyStrFromCache();
let usIndex: number = -1;
const idsWithNameAndType = contactsAndGroups.map(m => ({
const contactsWithNameAndType = contactsAndGroups.map(m => ({
contactConvoId: m.id,
displayName: m.nickname || m.displayNameInProfile,
type: m.type,
}));
const groupsAndCommunities = sortBy(
remove(idsWithNameAndType, m => m.type === ConversationTypeEnum.GROUP),
remove(contactsWithNameAndType, m => m.type === ConversationTypeEnum.GROUP),
m => m.displayName?.toLowerCase()
);
const idsWithNoDisplayNames = sortBy(
remove(idsWithNameAndType, m => !m.displayName),
m => m.contactConvoId
const contactsStartingWithANumber = sortBy(
remove(
contactsWithNameAndType,
m => !m.displayName || (m.displayName && m.displayName[0].match(/^[0-9]+$/))
),
m => m.displayName || m.contactConvoId
);
// add a break wherever needed
let currentChar = '';
for (let i = 0; i < idsWithNameAndType.length; i++) {
const m = idsWithNameAndType[i];
if (m.contactConvoId === us) {
usIndex = i;
continue;
}
if (
idsWithNameAndType.length > 1 &&
m.displayName &&
m.displayName[0].toLowerCase() !== currentChar
) {
currentChar = m.displayName[0].toLowerCase();
builtList.push(currentChar.toUpperCase());
}
builtList.push(m);
}
builtList.unshift(...groupsAndCommunities);
builtList.push(
...groupsAndCommunities,
...contactsWithNameAndType,
...contactsStartingWithANumber
);
if (idsWithNoDisplayNames.length) {
builtList.push('#', ...idsWithNoDisplayNames);
}
const us = UserUtils.getOurPubKeyStrFromCache();
const hasUs = remove(builtList, m => m.contactConvoId === us);
if (usIndex !== -1) {
if (hasUs.length) {
builtList.unshift({ contactConvoId: us, displayName: window.i18n('noteToSelf') });
}
builtList.unshift(window.i18n('sessionConversations'));
}

@ -7,6 +7,14 @@ function setDuration(duration: number | string) {
return `${!isTestIntegration() ? duration : typeof duration === 'string' ? '0s' : '0'}`;
}
export function pxValueToNumber(value: string) {
const numberValue = Number(value.replace('px', ''));
if (Number.isNaN(numberValue)) {
throw new Error('Invalid number value');
}
return numberValue;
}
// These variables are independent of the current theme
type ThemeGlobals = {
/* Fonts */
@ -117,6 +125,10 @@ type ThemeGlobals = {
'--right-panel-height': string;
'--right-panel-attachment-width': string;
'--right-panel-attachment-height': string;
/* Contact Row */
'--contact-row-height': string;
'--contact-row-break-height': string;
};
type Theme = ThemeGlobals | ThemeColorVariables;
@ -226,4 +238,7 @@ export const THEME_GLOBALS: ThemeGlobals = {
'--right-panel-attachment-width': 'calc(var(--right-panel-width) - 2 * var(--margins-2xl) - 7px)',
'--right-panel-attachment-height':
'calc(var(--right-panel-height) - 2 * var(--margins-2xl) -7px)',
'--contact-row-height': '60px',
'--contact-row-break-height': '20px',
};

Loading…
Cancel
Save