fix: improved react popup localisation, review fixes

pull/2445/head
William Grant 3 years ago
parent 80d726659c
commit 7a80e18327

@ -454,9 +454,13 @@
"hideBanner": "Hide", "hideBanner": "Hide",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"reactionTooltip": "reacted with",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"readableListCounterSingular": "other", "otherSingular": "$number$ other",
"readableListCounterPlural": "others" "otherPlural": "$number$ others",
"reactionPopup": "reacted with",
"reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &"
} }

@ -69,8 +69,8 @@ export const Reaction = (props: ReactionProps): ReactElement => {
handlePopupClick, handlePopupClick,
} = props; } = props;
const reactionsMap = (reactions && Object.fromEntries(reactions)) || {}; const reactionsMap = (reactions && Object.fromEntries(reactions)) || {};
const senders = reactionsMap[emoji].senders || []; const senders = reactionsMap[emoji]?.senders || [];
const count = reactionsMap[emoji].count; const count = reactionsMap[emoji]?.count;
const showCount = count !== undefined && (count > 1 || inGroup); const showCount = count !== undefined && (count > 1 || inGroup);
const reactionRef = useRef<HTMLDivElement>(null); const reactionRef = useRef<HTMLDivElement>(null);
@ -138,8 +138,8 @@ export const Reaction = (props: ReactionProps): ReactElement => {
<ReactionPopup <ReactionPopup
messageId={messageId} messageId={messageId}
emoji={popupReaction} emoji={popupReaction}
count={reactionsMap[popupReaction].count} count={reactionsMap[popupReaction]?.count}
senders={reactionsMap[popupReaction].senders} senders={reactionsMap[popupReaction]?.senders}
tooltipPosition={tooltipPosition} tooltipPosition={tooltipPosition}
onClick={() => { onClick={() => {
if (handlePopupReaction) { if (handlePopupReaction) {

@ -3,7 +3,6 @@ import styled from 'styled-components';
import { Data } from '../../../../data/data'; import { Data } from '../../../../data/data';
import { PubKey } from '../../../../session/types/PubKey'; import { PubKey } from '../../../../session/types/PubKey';
import { nativeEmojiData } from '../../../../util/emoji'; import { nativeEmojiData } from '../../../../util/emoji';
import { defaultConjunction, defaultWordLimit, readableList } from '../../../../util/readableList';
export type TipPosition = 'center' | 'left' | 'right'; export type TipPosition = 'center' | 'left' | 'right';
@ -61,9 +60,8 @@ const StyledOthers = styled.span`
const generateContactsString = async ( const generateContactsString = async (
messageId: string, messageId: string,
senders: Array<string>, senders: Array<string>
count: number ): Promise<Array<string> | null> => {
): Promise<string | null> => {
let results = []; let results = [];
const message = await Data.getMessageById(messageId); const message = await Data.getMessageById(messageId);
if (message) { if (message) {
@ -80,38 +78,45 @@ const generateContactsString = async (
results = [window.i18n('you'), ...results]; results = [window.i18n('you'), ...results];
} }
if (results && results.length > 0) { if (results && results.length > 0) {
let contacts = readableList(results); return results;
// This can only happen in an opengroup
if (results.length !== count) {
const [names, others] = contacts.split(`${defaultConjunction} `);
const [_, suffix] = others.split(' '); // i.e. 3 others
contacts = `${names} ${defaultConjunction} ${count - defaultWordLimit} ${suffix}`;
}
return contacts;
} }
} }
return null; return null;
}; };
const Contacts = (contacts: string) => { const Contacts = (contacts: Array<string>, count: number) => {
if (!contacts) { if (!Boolean(contacts?.length > 0)) {
return; return;
} }
if (contacts.includes(defaultConjunction) && contacts.includes('other')) { const reactors = contacts.length;
const [names, others] = contacts.split(defaultConjunction); if (reactors === 1 || reactors === 2 || reactors === 3) {
return (
<span>
{window.i18n(
reactors === 1
? 'reactionPopupOne'
: reactors === 2
? 'reactionPopupTwo'
: 'reactionPopupThree',
contacts
)}{' '}
{window.i18n('reactionPopup')}
</span>
);
} else if (reactors > 3) {
return ( return (
<span> <span>
{names} & <StyledOthers>{others}</StyledOthers> {window.i18n('reactionTooltip')} {window.i18n('reactionPopupMany', [contacts[0], contacts[1], contacts[3]])}{' '}
<StyledOthers>
{window.i18n(reactors === 4 ? 'otherSingular' : 'otherPlural', [`${count - 3}`])}
</StyledOthers>{' '}
{window.i18n('reactionPopup')}
</span> </span>
); );
} else {
return null;
} }
return (
<span>
{contacts.replace(defaultConjunction, '&')} {window.i18n('reactionTooltip')}
</span>
);
}; };
type Props = { type Props = {
@ -126,11 +131,11 @@ type Props = {
export const ReactionPopup = (props: Props): ReactElement => { export const ReactionPopup = (props: Props): ReactElement => {
const { messageId, emoji, count, senders, tooltipPosition = 'center', onClick } = props; const { messageId, emoji, count, senders, tooltipPosition = 'center', onClick } = props;
const [contacts, setContacts] = useState(''); const [contacts, setContacts] = useState<Array<string>>([]);
useEffect(() => { useEffect(() => {
let isCancelled = false; let isCancelled = false;
generateContactsString(messageId, senders, count) generateContactsString(messageId, senders)
.then(async results => { .then(async results => {
if (isCancelled) { if (isCancelled) {
return; return;
@ -148,11 +153,11 @@ export const ReactionPopup = (props: Props): ReactElement => {
return () => { return () => {
isCancelled = true; isCancelled = true;
}; };
}, [count, generateContactsString, messageId, senders]); }, [count, messageId, senders]);
return ( return (
<StyledPopupContainer tooltipPosition={tooltipPosition} onClick={onClick}> <StyledPopupContainer tooltipPosition={tooltipPosition} onClick={onClick}>
{Contacts(contacts)} {Contacts(contacts, count)}
<StyledEmoji role={'img'} aria-label={nativeEmojiData?.ariaLabels?.[emoji]}> <StyledEmoji role={'img'} aria-label={nativeEmojiData?.ariaLabels?.[emoji]}>
{emoji} {emoji}
</StyledEmoji> </StyledEmoji>

@ -9,6 +9,7 @@ export type LocalizerKeys =
| 'unblocked' | 'unblocked'
| 'keepDisabled' | 'keepDisabled'
| 'userAddedToModerators' | 'userAddedToModerators'
| 'otherSingular'
| 'to' | 'to'
| 'sent' | 'sent'
| 'requestsPlaceholder' | 'requestsPlaceholder'
@ -39,6 +40,7 @@ export type LocalizerKeys =
| 'autoUpdateLaterButtonLabel' | 'autoUpdateLaterButtonLabel'
| 'maximumAttachments' | 'maximumAttachments'
| 'deviceOnly' | 'deviceOnly'
| 'reactionPopupTwo'
| 'beginYourSession' | 'beginYourSession'
| 'typingIndicatorsSettingDescription' | 'typingIndicatorsSettingDescription'
| 'changePasswordToastDescription' | 'changePasswordToastDescription'
@ -140,7 +142,6 @@ export type LocalizerKeys =
| 'banUser' | 'banUser'
| 'answeredACall' | 'answeredACall'
| 'sendMessage' | 'sendMessage'
| 'readableListCounterSingular'
| 'recoveryPhraseRevealMessage' | 'recoveryPhraseRevealMessage'
| 'showRecoveryPhrase' | 'showRecoveryPhrase'
| 'autoUpdateSettingDescription' | 'autoUpdateSettingDescription'
@ -186,7 +187,6 @@ export type LocalizerKeys =
| 'nameAndMessage' | 'nameAndMessage'
| 'autoUpdateDownloadedMessage' | 'autoUpdateDownloadedMessage'
| 'onionPathIndicatorTitle' | 'onionPathIndicatorTitle'
| 'readableListCounterPlural'
| 'unknown' | 'unknown'
| 'mediaMessage' | 'mediaMessage'
| 'addAsModerator' | 'addAsModerator'
@ -253,6 +253,7 @@ export type LocalizerKeys =
| 'setPassword' | 'setPassword'
| 'editMenuDeleteContact' | 'editMenuDeleteContact'
| 'hideMenuBarTitle' | 'hideMenuBarTitle'
| 'reactionPopupOne'
| 'imageCaptionIconAlt' | 'imageCaptionIconAlt'
| 'sendRecoveryPhraseTitle' | 'sendRecoveryPhraseTitle'
| 'multipleJoinedTheGroup' | 'multipleJoinedTheGroup'
@ -268,6 +269,7 @@ export type LocalizerKeys =
| 'editMenuRedo' | 'editMenuRedo'
| 'hideRequestBanner' | 'hideRequestBanner'
| 'changeNicknameMessage' | 'changeNicknameMessage'
| 'reactionPopupThree'
| 'close' | 'close'
| 'deleteMessageQuestion' | 'deleteMessageQuestion'
| 'newMessage' | 'newMessage'
@ -296,6 +298,7 @@ export type LocalizerKeys =
| 'timerOption_6_hours_abbreviated' | 'timerOption_6_hours_abbreviated'
| 'timerOption_1_week_abbreviated' | 'timerOption_1_week_abbreviated'
| 'timerSetTo' | 'timerSetTo'
| 'otherPlural'
| 'enable' | 'enable'
| 'notificationSubtitle' | 'notificationSubtitle'
| 'youChangedTheTimer' | 'youChangedTheTimer'
@ -307,6 +310,7 @@ export type LocalizerKeys =
| 'noNameOrMessage' | 'noNameOrMessage'
| 'pinConversationLimitTitle' | 'pinConversationLimitTitle'
| 'noSearchResults' | 'noSearchResults'
| 'reactionPopup'
| 'changeNickname' | 'changeNickname'
| 'userUnbanned' | 'userUnbanned'
| 'respondingToRequestWarning' | 'respondingToRequestWarning'
@ -325,7 +329,6 @@ export type LocalizerKeys =
| 'media' | 'media'
| 'noMembersInThisGroup' | 'noMembersInThisGroup'
| 'saveLogToDesktop' | 'saveLogToDesktop'
| 'reactionTooltip'
| 'copyErrorAndQuit' | 'copyErrorAndQuit'
| 'onlyAdminCanRemoveMembers' | 'onlyAdminCanRemoveMembers'
| 'passwordTypeError' | 'passwordTypeError'
@ -433,6 +436,7 @@ export type LocalizerKeys =
| 'settingsHeader' | 'settingsHeader'
| 'autoUpdateNewVersionMessage' | 'autoUpdateNewVersionMessage'
| 'oneNonImageAtATimeToast' | 'oneNonImageAtATimeToast'
| 'reactionPopupMany'
| 'removePasswordTitle' | 'removePasswordTitle'
| 'iAmSure' | 'iAmSure'
| 'selectMessage' | 'selectMessage'

@ -124,7 +124,7 @@ export type ReactionList = Record<
count: number; count: number;
index: number; // relies on reactsIndex in the message model index: number; // relies on reactsIndex in the message model
senders: Array<string>; senders: Array<string>;
you?: boolean; // whether you are in the senders because sometimes we dont have the full list of senders yet. you?: boolean; // whether we are in the senders because sometimes we dont have the full list of senders yet.
} }
>; >;

@ -76,7 +76,7 @@ export function initialiseEmojiData(data: any) {
} }
// Synchronous version of Emoji Mart's SearchIndex.search() // Synchronous version of Emoji Mart's SearchIndex.search()
// If you upgrade the package things will probably break // If we upgrade the package things will probably break
export function searchSync(query: string, args?: any): Array<any> { export function searchSync(query: string, args?: any): Array<any> {
if (!nativeEmojiData) { if (!nativeEmojiData) {
window.log.error('No native emoji data found'); window.log.error('No native emoji data found');

@ -101,7 +101,7 @@ export const sendMessageReaction = async (messageId: string, emoji: string) => {
let action: Action = Action.REACT; let action: Action = Action.REACT;
const reacts = found.get('reacts'); const reacts = found.get('reacts');
if (reacts && Object.keys(reacts).includes(emoji) && reacts[emoji].senders.includes(me)) { if (reacts?.[emoji]?.senders?.includes(me)) {
window.log.info('Found matching reaction removing it'); window.log.info('Found matching reaction removing it');
action = Action.REMOVE; action = Action.REMOVE;
} else { } else {
@ -179,7 +179,7 @@ export const handleMessageReaction = async (
break; break;
case Action.REMOVE: case Action.REMOVE:
default: default:
if (senders && senders.length > 0) { if (senders?.length > 0) {
const sendersIndex = senders.indexOf(sender); const sendersIndex = senders.indexOf(sender);
if (sendersIndex >= 0) { if (sendersIndex >= 0) {
details.senders.splice(sendersIndex, 1); details.senders.splice(sendersIndex, 1);
@ -240,12 +240,12 @@ export const handleOpenGroupMessageReactions = async (
const you = reactions[key].you || false; const you = reactions[key].you || false;
if (you) { if (you) {
if (reactions[key].reactors && reactions[key].reactors.length > 0) { if (reactions[key]?.reactors.length > 0) {
const reactorsWithoutMe = reactions[key].reactors.filter( const reactorsWithoutMe = reactions[key].reactors.filter(
reactor => !isUsAnySogsFromCache(reactor) reactor => !isUsAnySogsFromCache(reactor)
); );
// If you aren't included in the reactors then remove the extra reactor to match with the SOGSReactorsFetchCount. // If we aren't included in the reactors then remove the extra reactor to match with the SOGSReactorsFetchCount.
if (reactorsWithoutMe.length === SOGSReactorsFetchCount) { if (reactorsWithoutMe.length === SOGSReactorsFetchCount) {
reactorsWithoutMe.pop(); reactorsWithoutMe.pop();
} }

@ -1,45 +0,0 @@
// we need to use a character that cannot be used as a display name for string manipulation up until we render the UI
export const defaultConjunction = '\uFFD7';
export const defaultWordLimit = 3;
export const readableList = (
arr: Array<string>,
conjunction: string = defaultConjunction,
wordLimit: number = defaultWordLimit
): string => {
if (arr.length === 0) {
return '';
}
const count = arr.length;
switch (count) {
case 1:
return arr[0];
default:
let result = '';
let others = 0;
for (let i = 0; i < count; i++) {
if (others === 0 && i === count - 1 && i < wordLimit) {
result += ` ${conjunction} `;
} else if (i !== 0 && i < wordLimit) {
result += ', ';
} else if (i >= wordLimit) {
others++;
}
if (others === 0) {
result += arr[i];
}
}
if (others > 0) {
result += ` ${conjunction} ${others} ${
others > 1
? window.i18n('readableListCounterPlural')
: window.i18n('readableListCounterSingular')
}`;
}
return result;
}
};
Loading…
Cancel
Save