feat: click on qr codes now opens the lightbox

lightbox now supports saving data blobs
pull/3083/head
William Grant 9 months ago
parent 009795eb3b
commit 490e4957f4

@ -2,7 +2,7 @@ import { MouseEvent, useEffect, useRef, useState } from 'react';
import { QRCode } from 'react-qrcode-logo'; import { QRCode } from 'react-qrcode-logo';
import styled, { CSSProperties } from 'styled-components'; import styled, { CSSProperties } from 'styled-components';
import { THEME_GLOBALS } from '../themes/globals'; import { THEME_GLOBALS } from '../themes/globals';
import { saveBWQRCode } from '../util/saveBWQRCode'; import { renderQRCode } from '../util/qrCodes';
import { AnimatedFlex } from './basic/Flex'; import { AnimatedFlex } from './basic/Flex';
import { SessionIconType } from './icon'; import { SessionIconType } from './icon';
@ -27,11 +27,11 @@ export type SessionQRCodeProps = {
hasLogo?: QRCodeLogoProps; hasLogo?: QRCodeLogoProps;
logoImage?: string; logoImage?: string;
logoSize?: number; logoSize?: number;
loading?: boolean;
onClick?: (fileName: string, dataUrl: string) => void;
ariaLabel?: string; ariaLabel?: string;
dataTestId?: string; dataTestId?: string;
style?: CSSProperties; style?: CSSProperties;
loading?: boolean;
saveWithTheme?: boolean;
}; };
export function SessionQRCode(props: SessionQRCodeProps) { export function SessionQRCode(props: SessionQRCodeProps) {
@ -44,11 +44,11 @@ export function SessionQRCode(props: SessionQRCodeProps) {
hasLogo, hasLogo,
logoImage, logoImage,
logoSize, logoSize,
loading,
onClick,
ariaLabel, ariaLabel,
dataTestId, dataTestId,
style, style,
loading,
saveWithTheme = false,
} = props; } = props;
const [logo, setLogo] = useState(logoImage); const [logo, setLogo] = useState(logoImage);
const [bgColor, setBgColor] = useState(backgroundColor); const [bgColor, setBgColor] = useState(backgroundColor);
@ -58,24 +58,33 @@ export function SessionQRCode(props: SessionQRCodeProps) {
const qrCanvasSize = 1000; const qrCanvasSize = 1000;
const canvasLogoSize = logoSize ? (qrCanvasSize * 0.25 * logoSize) / logoSize : 250; const canvasLogoSize = logoSize ? (qrCanvasSize * 0.25 * logoSize) / logoSize : 250;
const saveQRCode = () => { const loadQRCodeDataUrl = async () => {
const fileName = `${id}-${new Date().toISOString()}.jpg`; const fileName = `${id}-${new Date().toISOString()}.jpg`;
let url = '';
try { try {
if (saveWithTheme) { url = await renderQRCode(
qrRef.current?.download('jpg', fileName); {
} else {
void saveBWQRCode(fileName, {
id: `${id}-save`, id: `${id}-save`,
value, value,
size, size,
hasLogo, hasLogo,
logoImage, logoImage,
logoSize, logoSize,
}); },
} fileName
);
} catch (err) { } catch (err) {
window.log.error(`QR code save failed! ${fileName}\n${err}`); window.log.error(`QR code save failed! ${fileName}\n${err}`);
} }
return { fileName, url };
};
const handleOnClick = async () => {
const { fileName, url } = await loadQRCodeDataUrl();
if (onClick) {
onClick(fileName, url);
}
}; };
useEffect(() => { useEffect(() => {
@ -108,7 +117,7 @@ export function SessionQRCode(props: SessionQRCodeProps) {
title={window.i18n('clickToTrustContact')} title={window.i18n('clickToTrustContact')}
onClick={(event: MouseEvent<HTMLDivElement>) => { onClick={(event: MouseEvent<HTMLDivElement>) => {
event.preventDefault(); event.preventDefault();
void saveQRCode(); void handleOnClick();
}} }}
data-testId={dataTestId || 'session-qr-code'} data-testId={dataTestId || 'session-qr-code'}
initial={{ opacity: 0 }} initial={{ opacity: 0 }}

@ -103,9 +103,10 @@ const handleKeyEscape = (
loading: boolean, loading: boolean,
dispatch: Dispatch dispatch: Dispatch
) => { ) => {
if (loading) { if (loading || mode === 'lightbox') {
return; return;
} }
if (mode === 'edit') { if (mode === 'edit') {
setMode('default'); setMode('default');
setProfileNameError(undefined); setProfileNameError(undefined);
@ -179,7 +180,7 @@ const updateDisplayName = async (newName: string) => {
await SyncUtils.forceSyncConfigurationNowIfNeeded(true); await SyncUtils.forceSyncConfigurationNowIfNeeded(true);
}; };
export type ProfileDialogModes = 'default' | 'edit' | 'qr'; export type ProfileDialogModes = 'default' | 'edit' | 'qr' | 'lightbox';
export const EditProfileDialog = () => { export const EditProfileDialog = () => {
const dispatch = useDispatch(); const dispatch = useDispatch();
@ -289,7 +290,7 @@ export const EditProfileDialog = () => {
additionalClassName={mode === 'default' ? 'edit-profile-default' : undefined} additionalClassName={mode === 'default' ? 'edit-profile-default' : undefined}
> >
{mode === 'qr' ? ( {mode === 'qr' ? (
<QRView sessionID={ourId} /> <QRView sessionID={ourId} setMode={setMode} />
) : ( ) : (
<> <>
<SpacerXL /> <SpacerXL />

@ -1,17 +1,26 @@
import styled from 'styled-components'; import styled from 'styled-components';
import { useIconToImageURL } from '../../../hooks/useIconToImageURL'; import { useIconToImageURL } from '../../../hooks/useIconToImageURL';
import { updateLightBoxOptions } from '../../../state/ducks/modalDialog';
import { prepareQRCodeForLightBox } from '../../../util/qrCodes';
import { QRCodeLogoProps, SessionQRCode } from '../../SessionQRCode'; import { QRCodeLogoProps, SessionQRCode } from '../../SessionQRCode';
import { Avatar, AvatarSize } from '../../avatar/Avatar'; import { Avatar, AvatarSize } from '../../avatar/Avatar';
import { Flex } from '../../basic/Flex'; import { Flex } from '../../basic/Flex';
import { SpacerSM } from '../../basic/Text'; import { SpacerSM } from '../../basic/Text';
import { SessionIconButton } from '../../icon'; import { SessionIconButton } from '../../icon';
import { ProfileDialogModes } from './EditProfileDialog';
const qrLogoProps: QRCodeLogoProps = { const qrLogoProps: QRCodeLogoProps = {
iconType: 'brandThin', iconType: 'brandThin',
iconSize: 42, iconSize: 42,
}; };
export const QRView = ({ sessionID }: { sessionID: string }) => { export const QRView = ({
sessionID,
setMode,
}: {
sessionID: string;
setMode: (mode: ProfileDialogModes) => void;
}) => {
const { dataURL, iconSize, iconColor, backgroundColor, loading } = useIconToImageURL(qrLogoProps); const { dataURL, iconSize, iconColor, backgroundColor, loading } = useIconToImageURL(qrLogoProps);
return ( return (
@ -25,6 +34,13 @@ export const QRView = ({ sessionID }: { sessionID: string }) => {
logoImage={dataURL} logoImage={dataURL}
logoSize={iconSize} logoSize={iconSize}
loading={loading} loading={loading}
onClick={(fileName, dataUrl) => {
const lightBoxOptions = prepareQRCodeForLightBox(fileName, dataUrl, () => {
setMode('edit');
});
window.inboxStore?.dispatch(updateLightBoxOptions(lightBoxOptions));
setMode('lightbox');
}}
ariaLabel={'Account ID QR code'} ariaLabel={'Account ID QR code'}
dataTestId={'your-qr-code'} dataTestId={'your-qr-code'}
style={{ marginTop: '-1px' }} style={{ marginTop: '-1px' }}

@ -41,7 +41,7 @@ const styles = {
width: '100vw', width: '100vw',
height: '100vh', height: '100vh',
left: 0, left: 0,
zIndex: 5, zIndex: 150, // modals are 100
right: 0, right: 0,
top: 0, top: 0,
bottom: 0, bottom: 0,

@ -9,6 +9,7 @@ import { useSelectedConversationKey } from '../../state/selectors/selectedConver
import { MIME } from '../../types'; import { MIME } from '../../types';
import { AttachmentTypeWithPath } from '../../types/Attachment'; import { AttachmentTypeWithPath } from '../../types/Attachment';
import { saveAttachmentToDisk } from '../../util/attachmentsUtil'; import { saveAttachmentToDisk } from '../../util/attachmentsUtil';
import { saveURLAsFile } from '../../util/saveURLAsFile';
export interface MediaItemType { export interface MediaItemType {
objectURL?: string; objectURL?: string;
@ -24,10 +25,11 @@ export interface MediaItemType {
type Props = { type Props = {
media: Array<MediaItemType>; media: Array<MediaItemType>;
selectedIndex?: number; selectedIndex?: number;
onClose?: () => void;
}; };
export const LightboxGallery = (props: Props) => { export const LightboxGallery = (props: Props) => {
const { media, selectedIndex = -1 } = props; const { media, selectedIndex = -1, onClose } = props;
const [currentIndex, setCurrentIndex] = useState(-1); const [currentIndex, setCurrentIndex] = useState(-1);
const selectedConversation = useSelectedConversationKey(); const selectedConversation = useSelectedConversationKey();
@ -40,6 +42,9 @@ export const LightboxGallery = (props: Props) => {
}, []); }, []);
const selectedMedia = media[currentIndex]; const selectedMedia = media[currentIndex];
const objectURL = selectedMedia?.objectURL || 'images/alert-outline.svg';
const isDataBlob = objectURL.startsWith('data:');
const firstIndex = 0; const firstIndex = 0;
const lastIndex = media.length - 1; const lastIndex = media.length - 1;
@ -55,12 +60,22 @@ export const LightboxGallery = (props: Props) => {
}, [currentIndex, lastIndex]); }, [currentIndex, lastIndex]);
const handleSave = useCallback(() => { const handleSave = useCallback(() => {
if (!selectedConversation) {
return;
}
const mediaItem = media[currentIndex]; const mediaItem = media[currentIndex];
void saveAttachmentToDisk({ ...mediaItem, conversationId: selectedConversation });
}, [currentIndex, media, selectedConversation]); if (isDataBlob && mediaItem.objectURL) {
saveURLAsFile({
filename: mediaItem.attachment.fileName,
url: mediaItem.objectURL,
document,
});
} else {
if (!selectedConversation) {
return;
}
void saveAttachmentToDisk({ ...mediaItem, conversationId: selectedConversation });
}
}, [currentIndex, isDataBlob, media, selectedConversation]);
useKey( useKey(
'ArrowRight', 'ArrowRight',
@ -68,7 +83,7 @@ export const LightboxGallery = (props: Props) => {
onNext?.(); onNext?.();
}, },
undefined, undefined,
[currentIndex] [onNext, currentIndex]
); );
useKey( useKey(
'ArrowLeft', 'ArrowLeft',
@ -76,18 +91,21 @@ export const LightboxGallery = (props: Props) => {
onPrevious?.(); onPrevious?.();
}, },
undefined, undefined,
[currentIndex] [onPrevious, currentIndex]
); );
useKey( useKey(
'Escape', 'Escape',
() => { () => {
dispatch(updateLightBoxOptions(null)); dispatch(updateLightBoxOptions(null));
if (onClose) {
onClose();
}
}, },
undefined, undefined,
[currentIndex] [currentIndex, updateLightBoxOptions, dispatch, onClose]
); );
if (!selectedConversation) {
if (!isDataBlob && !selectedConversation) {
return null; return null;
} }
@ -95,7 +113,7 @@ export const LightboxGallery = (props: Props) => {
if (currentIndex === -1) { if (currentIndex === -1) {
return null; return null;
} }
const objectURL = selectedMedia?.objectURL || 'images/alert-outline.svg';
const { attachment } = selectedMedia; const { attachment } = selectedMedia;
const caption = attachment?.caption; const caption = attachment?.caption;

@ -6,11 +6,15 @@ import styled from 'styled-components';
import { useIconToImageURL } from '../../../hooks/useIconToImageURL'; import { useIconToImageURL } from '../../../hooks/useIconToImageURL';
import { usePasswordModal } from '../../../hooks/usePasswordModal'; import { usePasswordModal } from '../../../hooks/usePasswordModal';
import { mnDecode } from '../../../session/crypto/mnemonic'; import { mnDecode } from '../../../session/crypto/mnemonic';
import { updateHideRecoveryPasswordModel } from '../../../state/ducks/modalDialog'; import {
updateHideRecoveryPasswordModel,
updateLightBoxOptions,
} from '../../../state/ducks/modalDialog';
import { showSettingsSection } from '../../../state/ducks/section'; import { showSettingsSection } from '../../../state/ducks/section';
import { useHideRecoveryPasswordEnabled } from '../../../state/selectors/settings'; import { useHideRecoveryPasswordEnabled } from '../../../state/selectors/settings';
import { useIsDarkTheme } from '../../../state/selectors/theme'; import { useIsDarkTheme } from '../../../state/selectors/theme';
import { THEME_GLOBALS } from '../../../themes/globals'; import { THEME_GLOBALS } from '../../../themes/globals';
import { prepareQRCodeForLightBox } from '../../../util/qrCodes';
import { getCurrentRecoveryPhrase } from '../../../util/storage'; import { getCurrentRecoveryPhrase } from '../../../util/storage';
import { QRCodeLogoProps, SessionQRCode } from '../../SessionQRCode'; import { QRCodeLogoProps, SessionQRCode } from '../../SessionQRCode';
import { AnimatedFlex } from '../../basic/Flex'; import { AnimatedFlex } from '../../basic/Flex';
@ -116,6 +120,10 @@ export const SettingsCategoryRecoveryPassword = () => {
logoImage={dataURL} logoImage={dataURL}
logoSize={iconSize} logoSize={iconSize}
loading={loading} loading={loading}
onClick={(fileName, dataUrl) => {
const lightBoxOptions = prepareQRCodeForLightBox(fileName, dataUrl);
window.inboxStore?.dispatch(updateLightBoxOptions(lightBoxOptions));
}}
ariaLabel={'Recovery Password QR Code'} ariaLabel={'Recovery Password QR Code'}
dataTestId={'session-recovery-password'} dataTestId={'session-recovery-password'}
/> />

@ -46,6 +46,7 @@ export type LightBoxOptions = {
media: Array<MediaItemType>; media: Array<MediaItemType>;
attachment: AttachmentTypeWithPath; attachment: AttachmentTypeWithPath;
selectedIndex?: number; selectedIndex?: number;
onClose?: () => void;
} | null; } | null;
export type ModalState = { export type ModalState = {

@ -1,10 +1,43 @@
import { createRoot } from 'react-dom/client'; import { createRoot } from 'react-dom/client';
import { SessionQRCode, SessionQRCodeProps } from '../components/SessionQRCode'; import { SessionQRCode, SessionQRCodeProps } from '../components/SessionQRCode';
import { convertIconToImageURL } from '../hooks/useIconToImageURL'; import { convertIconToImageURL } from '../hooks/useIconToImageURL';
import { UserUtils } from '../session/utils';
import { sleepFor } from '../session/utils/Promise'; import { sleepFor } from '../session/utils/Promise';
import { saveURLAsFile } from './saveURLAsFile'; import { LightBoxOptions } from '../state/ducks/modalDialog';
export function prepareQRCodeForLightBox(fileName: string, url: string, onClose?: () => void) {
const attachment = {
fileName,
url,
fileSize: '',
path: url,
id: 0,
contentType: 'image/jpeg',
screenshot: null,
thumbnail: null,
};
const lightBoxOptions: LightBoxOptions = {
media: [
{
index: 0,
objectURL: url,
contentType: 'image/jpeg',
attachment,
messageSender: UserUtils.getOurPubKeyStrFromCache(),
messageTimestamp: -1,
messageId: '',
},
],
attachment,
onClose,
};
return lightBoxOptions;
}
export async function renderQRCode(props: SessionQRCodeProps, filename: string): Promise<string> {
let url = '';
export async function saveBWQRCode(filename: string, props: SessionQRCodeProps): Promise<void> {
try { try {
const root = document.querySelector('#root'); const root = document.querySelector('#root');
const divElement = document.createElement('div'); const divElement = document.createElement('div');
@ -34,14 +67,7 @@ export async function saveBWQRCode(filename: string, props: SessionQRCodeProps):
const qrCanvas = root?.querySelector(`#${props.id}-canvas`); const qrCanvas = root?.querySelector(`#${props.id}-canvas`);
if (qrCanvas) { if (qrCanvas) {
const url = (qrCanvas as HTMLCanvasElement).toDataURL('image/jpeg'); url = (qrCanvas as HTMLCanvasElement).toDataURL('image/jpeg');
if (url) {
saveURLAsFile({
filename,
url,
document,
});
}
} else { } else {
throw Error('QR Code canvas not found'); throw Error('QR Code canvas not found');
} }
@ -51,4 +77,6 @@ export async function saveBWQRCode(filename: string, props: SessionQRCodeProps):
} catch (err) { } catch (err) {
window.log.error(`[saveBWQRCode] failed for ${filename}`, err); window.log.error(`[saveBWQRCode] failed for ${filename}`, err);
} }
return url;
} }
Loading…
Cancel
Save