lights glowing but not yet in order.

WIP glow cycle.

Glow animation working.

Glow animation working, modal no longer interferring with left menu margins.

Cleaning up code. Adding PR suggestions.

Adding typing.

Refactor edit profile modal dialog to no longer use the signal code.
pull/1665/head
Warrick Corfe-Tan 4 years ago
parent 98fe0a87d8
commit 066e0d954e

@ -1868,5 +1868,17 @@
}, },
"learnMore": { "learnMore": {
"message": "Learn More" "message": "Learn More"
},
"unknownCountry": {
"message": "Unknown Country",
"description": "When an onion path node is unable to find the country for an IP address."
},
"device": {
"message": "Device",
"description": "The device of the client running Session"
},
"destination": {
"message": "Destination",
"description": "The destination that the message is being sent to"
} }
} }

@ -13,7 +13,7 @@
*/ */
// eslint-disable-next-line func-names // eslint-disable-next-line func-names
(async function() { (async function () {
'use strict'; 'use strict';
// Globally disable drag and drop // Globally disable drag and drop
@ -433,7 +433,7 @@
// Ensure that this file is either small enough or is resized to meet our // Ensure that this file is either small enough or is resized to meet our
// requirements for attachments // requirements for attachments
try { try {
const withBlob = await window.Signal.Util.AttachmentUtil.autoScale( const withBlob = await winvadow.Signal.Util.AttachmentUtil.autoScale(
{ {
contentType: avatar.type, contentType: avatar.type,
file: new Blob([data.data], { file: new Blob([data.data], {
@ -527,10 +527,232 @@
} }
}; };
window.onProfileEditOk = async (newName, avatar) => {
let newAvatarPath = '';
let url = null;
let profileKey = null;
if (avatar) {
const data = await readFile({ file: avatar });
// Ensure that this file is either small enough or is resized to meet our
// requirements for attachments
try {
const withBlob = await winvadow.Signal.Util.AttachmentUtil.autoScale(
{
contentType: avatar.type,
file: new Blob([data.data], {
type: avatar.contentType,
}),
},
{
maxSide: 640,
maxSize: 1000 * 1024,
}
);
const dataResized = await window.Signal.Types.Attachment.arrayBufferFromFile(
withBlob.file
);
// For simplicity we use the same attachment pointer that would send to
// others, which means we need to wait for the database response.
// To avoid the wait, we create a temporary url for the local image
// and use it until we the the response from the server
const tempUrl = window.URL.createObjectURL(avatar);
conversation.setLokiProfile({ displayName: newName });
conversation.set('avatar', tempUrl);
// Encrypt with a new key every time
profileKey = libsignal.crypto.getRandomBytes(32);
const encryptedData = await textsecure.crypto.encryptProfile(
dataResized,
profileKey
);
const avatarPointer = await libsession.Utils.AttachmentUtils.uploadAvatarV1({
...dataResized,
data: encryptedData,
size: encryptedData.byteLength,
});
({ url } = avatarPointer);
storage.put('profileKey', profileKey);
conversation.set('avatarPointer', url);
const upgraded = await Signal.Migrations.processNewAttachment({
isRaw: true,
data: data.data,
url,
});
newAvatarPath = upgraded.path;
// Replace our temporary image with the attachment pointer from the server:
conversation.set('avatar', null);
conversation.setLokiProfile({
displayName: newName,
avatar: newAvatarPath,
});
await conversation.commit();
window.libsession.Utils.UserUtils.setLastProfileUpdateTimestamp(Date.now());
await window.libsession.Utils.SyncUtils.forceSyncConfigurationNowIfNeeded(true);
} catch (error) {
window.log.error(
'showEditProfileDialog Error ensuring that image is properly sized:',
error && error.stack ? error.stack : error
);
}
} else {
// do not update the avatar if it did not change
conversation.setLokiProfile({
displayName: newName,
});
// might be good to not trigger a sync if the name did not change
await conversation.commit();
window.libsession.Utils.UserUtils.setLastProfileUpdateTimestamp(Date.now());
await window.libsession.Utils.SyncUtils.forceSyncConfigurationNowIfNeeded(true);
}
// inform all your registered public servers
// could put load on all the servers
// if they just keep changing their names without sending messages
// so we could disable this here
// or least it enable for the quickest response
window.lokiPublicChatAPI.setProfileName(newName);
if (avatar) {
window
.getConversationController()
.getConversations()
.filter(convo => convo.isPublic())
.forEach(convo => convo.trigger('ourAvatarChanged', { url, profileKey }));
}
}
window.showOnionStatusDialog = () => { window.showOnionStatusDialog = () => {
appView.showOnionStatusDialog(); appView.showOnionStatusDialog();
}; };
window.commitProfileEdits = async (newName, avatar) => {
const ourNumber = window.storage.get('primaryDevicePubKey');
const conversation = await window
.getConversationController()
.getOrCreateAndWait(ourNumber, 'private');
const readFile = attachment =>
new Promise((resolve, reject) => {
const fileReader = new FileReader();
fileReader.onload = e => {
const data = e.target.result;
resolve({
...attachment,
data,
size: data.byteLength,
});
};
fileReader.onerror = reject;
fileReader.onabort = reject;
fileReader.readAsArrayBuffer(attachment.file);
});
// const avatarPath = conversation.getAvatarPath();
// const profile = conversation.getLokiProfile();
// const displayName = profile && profile.displayName;
let newAvatarPath = '';
let url = null;
let profileKey = null;
if (avatar) {
const data = await readFile({ file: avatar });
// Ensure that this file is either small enough or is resized to meet our
// requirements for attachments
try {
const withBlob = await window.Signal.Util.AttachmentUtil.autoScale(
{
contentType: avatar.type,
file: new Blob([data.data], {
type: avatar.contentType,
}),
},
{
maxSide: 640,
maxSize: 1000 * 1024,
}
);
const dataResized = await window.Signal.Types.Attachment.arrayBufferFromFile(
withBlob.file
);
// For simplicity we use the same attachment pointer that would send to
// others, which means we need to wait for the database response.
// To avoid the wait, we create a temporary url for the local image
// and use it until we the the response from the server
const tempUrl = window.URL.createObjectURL(avatar);
conversation.setLokiProfile({ displayName: newName });
conversation.set('avatar', tempUrl);
// Encrypt with a new key every time
profileKey = libsignal.crypto.getRandomBytes(32);
const encryptedData = await textsecure.crypto.encryptProfile(dataResized, profileKey);
const avatarPointer = await libsession.Utils.AttachmentUtils.uploadAvatarV1({
...dataResized,
data: encryptedData,
size: encryptedData.byteLength,
});
({ url } = avatarPointer);
storage.put('profileKey', profileKey);
conversation.set('avatarPointer', url);
const upgraded = await Signal.Migrations.processNewAttachment({
isRaw: true,
data: data.data,
url,
});
newAvatarPath = upgraded.path;
// Replace our temporary image with the attachment pointer from the server:
conversation.set('avatar', null);
conversation.setLokiProfile({
displayName: newName,
avatar: newAvatarPath,
});
await conversation.commit();
window.libsession.Utils.UserUtils.setLastProfileUpdateTimestamp(Date.now());
await window.libsession.Utils.SyncUtils.forceSyncConfigurationNowIfNeeded(true);
} catch (error) {
window.log.error(
'showEditProfileDialog Error ensuring that image is properly sized:',
error && error.stack ? error.stack : error
);
}
} else {
// do not update the avatar if it did not change
conversation.setLokiProfile({
displayName: newName,
});
// might be good to not trigger a sync if the name did not change
await conversation.commit();
window.libsession.Utils.UserUtils.setLastProfileUpdateTimestamp(Date.now());
await window.libsession.Utils.SyncUtils.forceSyncConfigurationNowIfNeeded(true);
}
// inform all your registered public servers
// could put load on all the servers
// if they just keep changing their names without sending messages
// so we could disable this here
// or least it enable for the quickest response
window.lokiPublicChatAPI.setProfileName(newName);
if (avatar) {
window
.getConversationController()
.getConversations()
.filter(convo => convo.isPublic())
.forEach(convo => convo.trigger('ourAvatarChanged', { url, profileKey }));
}
};
// Set user's launch count. // Set user's launch count.
const prevLaunchCount = window.getSettingValue('launch-count'); const prevLaunchCount = window.getSettingValue('launch-count');
const launchCount = !prevLaunchCount ? 1 : prevLaunchCount + 1; const launchCount = !prevLaunchCount ? 1 : prevLaunchCount + 1;

@ -48,7 +48,7 @@
.avatar-center-inner { .avatar-center-inner {
display: flex; display: flex;
padding-top: 30px; // padding-top: 30px;
} }
.upload-btn-background { .upload-btn-background {

@ -235,6 +235,7 @@
border-radius: 50%; border-radius: 50%;
background-color: $session-color-white; background-color: $session-color-white;
transition: $session-transition-duration; transition: $session-transition-duration;
margin-top: 30px;
&:hover { &:hover {
filter: brightness(90%); filter: brightness(90%);
@ -395,15 +396,6 @@
border-radius: 50%; border-radius: 50%;
display: inline-block; display: inline-block;
} }
// TODO: Use colors defined in UI constants
.green {
background-color: $color-loki-green;
}
.red {
background-color: #ff453a;
}
} }
} }

@ -756,6 +756,7 @@ label {
background-color: rgba($session-color-black, 0.72); background-color: rgba($session-color-black, 0.72);
opacity: 0; opacity: 0;
transition: $session-transition-duration; transition: $session-transition-duration;
margin: 30px 0px;
&:after { &:after {
content: 'Edit'; content: 'Edit';
@ -1200,38 +1201,43 @@ input {
// .session-onion-path-wrapper { // .session-onion-path-wrapper {
.onion__node-list { .onion__node-list {
display: flex; display: flex;
flex-direction: column; flex-direction: column;
margin: $session-margin-sm; margin: $session-margin-sm;
align-items: flex-start; align-items: flex-start;
.onion__node {
display: flex;
flex-grow: 1;
align-items: center;
margin: $session-margin-xs;
* { .onion__node {
margin: $session-margin-sm; display: flex;
} flex-grow: 1;
align-items: center;
margin: $session-margin-xs;
svg { * {
animation: glow 1s ease-in-out infinite alternate; margin: $session-margin-sm;
}
} }
}
@keyframes glow { .session-icon-button {
from { margin: $session-margin-sm !important;
-webkit-filter: drop-shadow( 0px 0px 3px rgba(0,0,0,0));
filter: drop-shadow( 0px 0px 3px rgba(0,0,0,0));
}
to {
-webkit-filter: drop-shadow( 0px 0px 5px rgba(46, 247, 28, 0.7));
filter: drop-shadow( 0px 0px 5px rgba(68, 236, 2, 0.7));
} }
// svg {
// animation: glow 1s ease-in-out infinite alternate;
// }
} }
}
// @keyframes glow {
// from {
// -webkit-filter: drop-shadow( 0px 0px 3px rgba(0,0,0,0));
// filter: drop-shadow( 0px 0px 3px rgba(0,0,0,0));
// }
// to {
// -webkit-filter: drop-shadow( 0px 0px 5px rgba(46, 247, 28, 0.7));
// filter: drop-shadow( 0px 0px 5px rgba(68, 236, 2, 0.7));
// color: red;
// }
// }
// } // }

@ -3,6 +3,7 @@
$white: #ffffff; $white: #ffffff;
$black: #000000; $black: #000000;
$destructive: #ff453a; $destructive: #ff453a;
$warning: #e7b100;
$accentLightTheme: #00e97b; $accentLightTheme: #00e97b;
$accentDarkTheme: #00f782; $accentDarkTheme: #00f782;
@ -19,6 +20,7 @@ $themes: (
accent: $accentLightTheme, accent: $accentLightTheme,
accentButton: $black, accentButton: $black,
cellBackground: #fcfcfc, cellBackground: #fcfcfc,
warning: $warning,
destructive: $destructive, destructive: $destructive,
modalBackground: #fcfcfc, modalBackground: #fcfcfc,
fakeChatBubbleBackground: #f5f5f5, fakeChatBubbleBackground: #f5f5f5,
@ -68,6 +70,7 @@ $themes: (
dark: ( dark: (
accent: $accentDarkTheme, accent: $accentDarkTheme,
accentButton: $accentDarkTheme, accentButton: $accentDarkTheme,
warning: $warning,
destructive: $destructive, destructive: $destructive,
cellBackground: #1b1b1b, cellBackground: #1b1b1b,
modalBackground: #101011, modalBackground: #101011,

@ -1,4 +1,4 @@
import React from 'react'; import React, { useEffect, useState } from 'react';
import classNames from 'classnames'; import classNames from 'classnames';
import { QRCode } from 'react-qr-svg'; import { QRCode } from 'react-qr-svg';
@ -10,17 +10,24 @@ import { SessionIconButton, SessionIconSize, SessionIconType } from './session/i
import { SessionModal } from './session/SessionModal'; import { SessionModal } from './session/SessionModal';
import { PillDivider } from './session/PillDivider'; import { PillDivider } from './session/PillDivider';
import { ToastUtils, UserUtils } from '../session/utils'; import { ToastUtils, UserUtils } from '../session/utils';
import { DefaultTheme } from 'styled-components'; import { DefaultTheme, useTheme } from 'styled-components';
import { MAX_USERNAME_LENGTH } from './session/registration/RegistrationTabs'; import { MAX_USERNAME_LENGTH } from './session/registration/RegistrationTabs';
import { SessionSpinner } from './session/SessionSpinner'; import { SessionSpinner } from './session/SessionSpinner';
import { ConversationTypeEnum } from '../models/conversation';
import { ConversationController } from '../session/conversations';
import { useSelector } from 'react-redux';
import { getOurNumber } from '../state/selectors/user';
import { SessionWrapperModal } from './session/SessionWrapperModal';
import { times } from 'underscore';
interface Props { interface Props {
i18n: any; i18n?: any;
profileName: string; profileName?: string;
avatarPath: string; avatarPath?: string;
pubkey: string; pubkey?: string;
onClose: any; onClose?: any;
onOk: any; onOk?: any;
theme: DefaultTheme; theme: DefaultTheme;
} }
@ -46,9 +53,9 @@ export class EditProfileDialog extends React.Component<Props, State> {
this.fireInputEvent = this.fireInputEvent.bind(this); this.fireInputEvent = this.fireInputEvent.bind(this);
this.state = { this.state = {
profileName: this.props.profileName, profileName: this.props.profileName || '',
setProfileName: this.props.profileName, setProfileName: this.props.profileName || '',
avatar: this.props.avatarPath, avatar: this.props.avatarPath || '',
mode: 'default', mode: 'default',
loading: false, loading: false,
}; };
@ -58,8 +65,44 @@ export class EditProfileDialog extends React.Component<Props, State> {
window.addEventListener('keyup', this.onKeyUp); window.addEventListener('keyup', this.onKeyUp);
} }
async componentDidMount() {
const ourNumber = window.storage.get('primaryDevicePubKey');
const conversation = await window
.getConversationController()
.getOrCreateAndWait(ourNumber, ConversationTypeEnum.PRIVATE);
const readFile = (attachment: any) =>
new Promise((resolve, reject) => {
const fileReader = new FileReader();
fileReader.onload = (e: any) => {
const data = e.target.result;
resolve({
...attachment,
data,
size: data.byteLength,
});
};
fileReader.onerror = reject;
fileReader.onabort = reject;
fileReader.readAsArrayBuffer(attachment.file);
});
const avatarPath = conversation.getAvatarPath();
const profile = conversation.getLokiProfile();
const displayName = profile && profile.displayName;
this.setState({
...this.state,
profileName: profile.profileName,
avatar: avatarPath || '',
setProfileName: profile.profileName
})
}
public render() { public render() {
const i18n = this.props.i18n; // const i18n = this.props.i18n;
const i18n = window.i18n;
const viewDefault = this.state.mode === 'default'; const viewDefault = this.state.mode === 'default';
const viewEdit = this.state.mode === 'edit'; const viewEdit = this.state.mode === 'edit';
@ -70,61 +113,67 @@ export class EditProfileDialog extends React.Component<Props, State> {
const backButton = const backButton =
viewEdit || viewQR viewEdit || viewQR
? [ ? [
{ {
iconType: SessionIconType.Chevron, iconType: SessionIconType.Chevron,
iconRotation: 90, iconRotation: 90,
onClick: () => { onClick: () => {
this.setState({ mode: 'default' }); this.setState({ mode: 'default' });
},
}, },
] },
]
: undefined; : undefined;
return ( return (
<SessionModal // <SessionModal
title={i18n('editProfileModalTitle')} // title={i18n('editProfileModalTitle')}
onClose={this.closeDialog} // onClose={this.closeDialog}
headerReverse={viewEdit || viewQR} // headerReverse={viewEdit || viewQR}
headerIconButtons={backButton} // headerIconButtons={backButton}
theme={this.props.theme} // theme={this.props.theme}
> // >
<div className="spacer-md" /> <div className="edit-profile-dialog">
{viewQR && this.renderQRView(sessionID)} <SessionWrapperModal
{viewDefault && this.renderDefaultView()} >
{viewEdit && this.renderEditView()} <div className="spacer-md" />
<div className="session-id-section"> {viewQR && this.renderQRView(sessionID)}
<PillDivider text={window.i18n('yourSessionID')} /> {viewDefault && this.renderDefaultView()}
<p className={classNames('text-selectable', 'session-id-section-display')}>{sessionID}</p> {viewEdit && this.renderEditView()}
<div className="spacer-lg" /> <div className="session-id-section">
<SessionSpinner loading={this.state.loading} /> <PillDivider text={window.i18n('yourSessionID')} />
<p className={classNames('text-selectable', 'session-id-section-display')}>{sessionID}</p>
{viewDefault || viewQR ? (
<SessionButton <div className="spacer-lg" />
text={window.i18n('editMenuCopy')} <SessionSpinner loading={this.state.loading} />
buttonType={SessionButtonType.BrandOutline}
buttonColor={SessionButtonColor.Green} {viewDefault || viewQR ? (
onClick={() => {
this.copySessionID(sessionID);
}}
/>
) : (
!this.state.loading && (
<SessionButton <SessionButton
text={window.i18n('save')} text={window.i18n('editMenuCopy')}
buttonType={SessionButtonType.BrandOutline} buttonType={SessionButtonType.BrandOutline}
buttonColor={SessionButtonColor.Green} buttonColor={SessionButtonColor.Green}
onClick={this.onClickOK} onClick={() => {
disabled={this.state.loading} this.copySessionID(sessionID);
}}
/> />
) ) : (
)} !this.state.loading && (
<SessionButton
<div className="spacer-lg" /> text={window.i18n('save')}
</div> buttonType={SessionButtonType.BrandOutline}
</SessionModal> buttonColor={SessionButtonColor.Green}
onClick={this.onClickOK}
disabled={this.state.loading}
/>
)
)}
<div className="spacer-lg" />
</div>
{/* </SessionModal> */}
</SessionWrapperModal>
</div>
); );
} }
@ -280,9 +329,9 @@ export class EditProfileDialog extends React.Component<Props, State> {
const avatar = const avatar =
this.inputEl && this.inputEl &&
this.inputEl.current && this.inputEl.current &&
this.inputEl.current.files && this.inputEl.current.files &&
this.inputEl.current.files.length > 0 this.inputEl.current.files.length > 0
? this.inputEl.current.files[0] ? this.inputEl.current.files[0]
: null; : null;
@ -291,7 +340,8 @@ export class EditProfileDialog extends React.Component<Props, State> {
loading: true, loading: true,
}, },
async () => { async () => {
await this.props.onOk(newName, avatar); // await this.props.onOk(newName, avatar);
await window.commitProfileEdits(newName, avatar);
this.setState({ this.setState({
loading: false, loading: false,

@ -1,10 +1,4 @@
import React, { useState, useEffect } from 'react'; import React from 'react';
import { SessionButton, SessionButtonColor, SessionButtonType } from './session/SessionButton';
import { SessionModal } from './session/SessionModal';
import { DefaultTheme } from 'styled-components';
import { getPathNodesIPAddresses } from '../session/onions/onionSend';
import { useInterval } from '../hooks/useInterval';
import classNames from 'classnames';
import _ from 'lodash'; import _ from 'lodash';
@ -13,206 +7,136 @@ import { getTheme } from '../state/selectors/theme';
import electron from 'electron'; import electron from 'electron';
import { useSelector } from 'react-redux'; import { useSelector } from 'react-redux';
import { StateType } from '../state/reducer'; import { StateType } from '../state/reducer';
import { SessionIconButton, SessionIconSize, SessionIconType } from './session/icon'; import { SessionIcon, SessionIconSize, SessionIconType } from './session/icon';
import { Constants } from '../session';
const { shell } = electron; const { shell } = electron;
import { SessionWrapperModal } from '../components/session/SessionWrapperModal'; import { SessionWrapperModal } from '../components/session/SessionWrapperModal';
import { Snode } from '../session/onions'; import { Snode } from '../session/onions';
import ip2country from "ip2country"; import ip2country from 'ip2country';
import countryLookup from "country-code-lookup"; import countryLookup from 'country-code-lookup';
import { useTheme } from 'styled-components';
// import ipLocation = require('ip-location');
export type OnionPathModalType = {
onConfirm?: () => void;
// interface OnionStatusDialogProps { onClose?: () => void;
// theme: DefaultTheme; confirmText?: string;
// nodes?: Array<string>; cancelText?: string;
// onClose: any; title?: string;
// } };
// export interface IPathNode { export type StatusLightType = {
// ip?: string; glowStartDelay: number;
// label: string; glowDuration: number;
// } color?: string;
};
// export const OnionPath = (props: { nodes: IPathNode[]; hasPath: boolean }) => {
// const { nodes, hasPath } = props;
// return (
// <div className="onionPath">
// {nodes.map(node => {
// return OnionPathNode({ hasPath, node });
// })}
// </div>
// );
// };
// export const OnionStatusDialog = (props: OnionStatusDialogProps) => {
// const { theme, onClose } = props;
// const [onionPathAddresses, setOnionPathAddresses] = useState<string[]>([]);
// const [pathNodes, setPathNodes] = useState<IPathNode[]>([]);
// const [hasPath, setHasPath] = useState<boolean>(false);
// const getOnionPathAddresses = () => {
// const onionPathAddresses = getPathNodesIPAddresses();
// console.log('Current Onion Path - ', onionPathAddresses);
// setOnionPathAddresses(onionPathAddresses);
// };
// const buildOnionPath = () => {
// // TODO: Add i18n to onion path
// // Default path values
// let path = [
// {
// label: 'You',
// },
// {
// ip: 'Connecting...',
// label: 'Entry Node',
// },
// {
// ip: 'Connecting...',
// label: 'Service Node',
// },
// {
// ip: 'Connecting...',
// label: 'Service Node',
// },
// {
// label: 'Destination',
// },
// ];
// // FIXME call function to check if an onion path exists
// setHasPath(onionPathAddresses.length !== 0);
// // if there is a onion path, update the addresses
// if (onionPathAddresses.length) {
// onionPathAddresses.forEach((ipAddress, index) => {
// const pathIndex = index + 1;
// path[pathIndex].ip = ipAddress;
// });
// }
// setPathNodes(path);
// };
// useInterval(() => {
// getOnionPathAddresses();
// }, 1000);
// useEffect(() => {
// buildOnionPath();
// }, [onionPathAddresses]);
// const openFAQPage = () => {
// console.log('Opening FAQ Page');
// shell.openExternal('https://getsession.org/faq/#onion-routing');
// };
// return (
// <SessionModal title={window.i18n('onionPathIndicatorTitle')} theme={theme} onClose={onClose}>
// <div className="spacer-sm" />
// <div className="onionDescriptionContainer">
// <p>{window.i18n('onionPathIndicatorDescription')}</p>
// </div>
// <OnionPath nodes={pathNodes} hasPath={hasPath} />
// <SessionButton
// text={window.i18n('learnMore')}
// buttonType={SessionButtonType.BrandOutline}
// buttonColor={SessionButtonColor.Green}
// onClick={openFAQPage}
// />
// </SessionModal>
// );
// };
const OnionPathModalInner = (props: any) => { const OnionPathModalInner = (props: any) => {
const onionPath = useSelector((state: StateType) => state.onionPaths.snodePath); const onionNodes = useSelector((state: StateType) => state.onionPaths.snodePath);
const onionPath = onionNodes.path;
// including the device and destination in calculation
const glowDuration = onionPath.length + 2;
const nodes = [
{
label: window.i18n('device'),
},
...onionNodes.path,
,
{
label: window.i18n('destination'),
},
];
return ( return (
<div className="onion__node-list"> <div className="onion__node-list">
{onionPath.path.map((snode: Snode, index: number) => { {nodes.map((snode: Snode | any, index: number) => {
return ( return (
<> <>
<LabelledStatusLight snode={snode} ></LabelledStatusLight> <OnionNodeStatusLight
glowDuration={glowDuration}
glowStartDelay={index}
label={snode.label}
snode={snode}
></OnionNodeStatusLight>
</> </>
); );
})} })}
{/* TODO: Destination node maybe pass in light colour maybe changes based on if 3 nodes are connected similar to the action panel light? */}
<LabelledStatusLight label={'Destination'}></LabelledStatusLight>
</div> </div>
); );
}; };
export type OnionNodeStatusLightType = {
snode: Snode;
label?: string;
glowStartDelay: number;
glowDuration: number;
};
/** /**
* Component containing a coloured status light and an adjacent country label. * Component containing a coloured status light and an adjacent country label.
* @param props * @param props
* @returns * @returns
*/ */
export const LabelledStatusLight = (props: any): JSX.Element => { export const OnionNodeStatusLight = (props: OnionNodeStatusLightType): JSX.Element => {
let { snode, label } = props; const { snode, label, glowStartDelay, glowDuration } = props;
const theme = useTheme();
let labelText = label ? label : countryLookup.byIso(ip2country(snode.ip))?.country; let labelText = label ? label : countryLookup.byIso(ip2country(snode.ip))?.country;
console.log('@@@@ country data:: ', labelText);
if (!labelText) { if (!labelText) {
labelText = `${snode.ip} - Destination unknown`; labelText = window.i18n('unknownCountry');
console.log(`@@@@ country data failure on code:: ${ip2country(snode.ip)} and ip ${snode.ip}`);
} }
return ( return (
<div className="onion__node"> <div className="onion__node">
<StatusLight color={Constants.UI.COLORS.GREEN}></StatusLight> <StatusLight
{labelText ? glowDuration={glowDuration}
glowStartDelay={glowStartDelay}
color={theme.colors.accent}
></StatusLight>
{labelText ? (
<> <>
<div className="onion-node__country">{labelText}</div> <div className="onion-node__country">{labelText}</div>
</> </>
: ) : null}
null
}
</div> </div>
) );
} };
export const OnionNodeLight = (props: any) => {
}
export const StatusLight = (props: any) => { /**
const [showModal, toggleShowModal] = useState(false); * An icon with a pulsating glow emission.
const { isSelected, color } = props; */
export const StatusLight = (props: StatusLightType) => {
const { glowStartDelay, glowDuration, color } = props;
const theme = useSelector(getTheme); const theme = useSelector(getTheme);
const openFAQPage = () => {
console.log('Opening FAQ Page');
shell.openExternal('https://getsession.org/faq/#onion-routing');
};
const onClick = () => {
toggleShowModal(!showModal);
};
return ( return (
<> <>
<SessionIconButton <SessionIcon
iconSize={SessionIconSize.Medium} borderRadius={50}
iconType={SessionIconType.Circle}
iconColor={color} iconColor={color}
glowDuration={glowDuration}
glowStartDelay={glowStartDelay}
iconType={SessionIconType.Circle}
iconSize={SessionIconSize.Medium}
theme={theme} theme={theme}
isSelected={isSelected}
onClick={onClick}
/> />
{showModal ? (
<SessionWrapperModal title={"Onion Path"} onclick={onClick} showModal={showModal}>
<OnionPathModalInner></OnionPathModalInner>
</SessionWrapperModal>
) : null}
</> </>
); );
}; };
export const OnionPathModal = (props: OnionPathModalType) => {
const onConfirm = () => {
shell.openExternal('https://getsession.org/faq/#onion-routing');
};
return (
<SessionWrapperModal
title={props.title || window.i18n('onionPathIndicatorTitle')}
confirmText={props.confirmText || window.i18n('learnMore')}
cancelText={props.cancelText || window.i18n('cancel')}
onConfirm={onConfirm}
onClose={props.onClose}
>
<OnionPathModalInner {...props}></OnionPathModalInner>
</SessionWrapperModal>
);
};

@ -36,10 +36,12 @@ import { forceRefreshRandomSnodePool } from '../../session/snode_api/snodePool';
import { SwarmPolling } from '../../session/snode_api/swarmPolling'; import { SwarmPolling } from '../../session/snode_api/swarmPolling';
import { getOnionPathStatus } from '../../session/onions/onionSend'; import { getOnionPathStatus } from '../../session/onions/onionSend';
import { Constants } from '../../session'; import { Constants } from '../../session';
import { StatusLight } from '../OnionStatusDialog';
import { StateType } from '../../state/reducer'; import { StateType } from '../../state/reducer';
import _ from 'lodash'; import _ from 'lodash';
import { useNetwork } from '../../hooks/useNetwork'; import { useNetwork } from '../../hooks/useNetwork';
import { OnionPathModal } from '../OnionStatusDialog';
import { EditProfileDialog } from '../EditProfileDialog';
import { useTheme } from 'styled-components';
// tslint:disable-next-line: no-import-side-effect no-submodule-imports // tslint:disable-next-line: no-import-side-effect no-submodule-imports
@ -53,20 +55,33 @@ export enum SectionType {
PathIndicator, PathIndicator,
} }
const Section = (props: { type: SectionType; avatarPath?: string; hasOnionPath?: boolean }) => { const Section = (props: {
setModal?: any;
type: SectionType;
avatarPath?: string;
hasOnionPath?: boolean;
}) => {
const ourNumber = useSelector(getOurNumber); const ourNumber = useSelector(getOurNumber);
const unreadMessageCount = useSelector(getUnreadMessageCount); const unreadMessageCount = useSelector(getUnreadMessageCount);
const theme = useSelector(getTheme); const theme = useSelector(getTheme);
const dispatch = useDispatch(); const dispatch = useDispatch();
const { type, avatarPath, hasOnionPath } = props; const { setModal, type, avatarPath, hasOnionPath } = props;
const focusedSection = useSelector(getFocusedSection); const focusedSection = useSelector(getFocusedSection);
const isSelected = focusedSection === props.type; const isSelected = focusedSection === props.type;
const handleModalClose = () => {
setModal(null);
}
const handleClick = () => { const handleClick = () => {
/* tslint:disable:no-void-expression */ /* tslint:disable:no-void-expression */
if (type === SectionType.Profile) { if (type === SectionType.Profile) {
window.showEditProfileDialog(); // window.showEditProfileDialog();
// setModal(<EditProfileDialog2 onClose={() => setModal(null)}></EditProfileDialog2>);
setModal(<EditProfileDialog onClose={handleModalClose} theme={theme} ></EditProfileDialog>);
} else if (type === SectionType.Moon) { } else if (type === SectionType.Moon) {
const themeFromSettings = window.Events.getThemeSetting(); const themeFromSettings = window.Events.getThemeSetting();
const updatedTheme = themeFromSettings === 'dark' ? 'light' : 'dark'; const updatedTheme = themeFromSettings === 'dark' ? 'light' : 'dark';
@ -76,7 +91,7 @@ const Section = (props: { type: SectionType; avatarPath?: string; hasOnionPath?:
dispatch(applyTheme(newThemeObject)); dispatch(applyTheme(newThemeObject));
} else if (type === SectionType.PathIndicator) { } else if (type === SectionType.PathIndicator) {
// Show Path Indicator Modal // Show Path Indicator Modal
window.showOnionStatusDialog(); setModal(<OnionPathModal onClose={handleModalClose}></OnionPathModal>);
} else { } else {
dispatch(clearSearch()); dispatch(clearSearch());
dispatch(showLeftPaneSection(type)); dispatch(showLeftPaneSection(type));
@ -102,7 +117,24 @@ const Section = (props: { type: SectionType; avatarPath?: string; hasOnionPath?:
let iconColor = undefined; let iconColor = undefined;
if (type === SectionType.PathIndicator) { if (type === SectionType.PathIndicator) {
// Set icon color based on result // Set icon color based on result
iconColor = hasOnionPath ? Constants.UI.COLORS.GREEN : Constants.UI.COLORS.DANGER; const red = theme.colors.destructive;
const green = theme.colors.accent;
const orange = theme.colors.warning;
iconColor = hasOnionPath ? theme.colors.accent : theme.colors.destructive;
const onionState = useSelector((state: StateType) => state.onionPaths);
iconColor = red;
const isOnline = useNetwork();
if (!(onionState && onionState.snodePath) || !isOnline) {
iconColor = Constants.UI.COLORS.DANGER;
} else {
const onionSnodePath = onionState.snodePath;
if (onionState && onionSnodePath && onionSnodePath.path.length > 0) {
let onionNodeCount = onionSnodePath.path.length;
iconColor = onionNodeCount > 2 ? green : onionNodeCount > 1 ? orange : red;
}
}
} }
const unreadToShow = type === SectionType.Message ? unreadMessageCount : undefined; const unreadToShow = type === SectionType.Message ? unreadMessageCount : undefined;
@ -128,45 +160,18 @@ const Section = (props: { type: SectionType; avatarPath?: string; hasOnionPath?:
iconType = SessionIconType.Moon; iconType = SessionIconType.Moon;
} }
// calculate light status.
// TODO: Refactor this so this logic is reusable elsewhere.
// TEST:
if (type === SectionType.PathIndicator) {
const onionState = useSelector((state: StateType) => state.onionPaths);
let statusColor = Constants.UI.COLORS.DANGER;
const isOnline = useNetwork();
if (!(onionState && onionState.snodePath) || !isOnline) {
return <StatusLight isSelected={isSelected} color={Constants.UI.COLORS.DANGER}></StatusLight>;
} else {
const onionSnodePath = onionState.snodePath;
if (onionState && onionSnodePath && onionSnodePath.path.length > 0) {
let onionNodeCount = onionSnodePath.path.length;
statusColor =
onionNodeCount > 2
? Constants.UI.COLORS.GREEN
: onionNodeCount > 1
? Constants.UI.COLORS.WARNING
: Constants.UI.COLORS.DANGER;
}
}
return <StatusLight isSelected={isSelected} color={statusColor}></StatusLight>;
}
return ( return (
<SessionIconButton <>
iconSize={SessionIconSize.Medium} <SessionIconButton
iconType={iconType} iconSize={SessionIconSize.Medium}
iconColor={iconColor} iconType={iconType}
notificationCount={unreadToShow} iconColor={iconColor}
onClick={handleClick} notificationCount={unreadToShow}
isSelected={isSelected} onClick={handleClick}
theme={theme} isSelected={isSelected}
/> theme={theme}
/>
</>
); );
}; };
@ -243,6 +248,8 @@ export const ActionsPanel = () => {
const [hasOnionPath, setHasOnionPath] = useState<boolean>(false); const [hasOnionPath, setHasOnionPath] = useState<boolean>(false);
const ourPrimaryConversation = useSelector(getOurPrimaryConversation); const ourPrimaryConversation = useSelector(getOurPrimaryConversation);
const [modal, setModal] = useState<any>(null);
// this maxi useEffect is called only once: when the component is mounted. // this maxi useEffect is called only once: when the component is mounted.
// For the action panel, it means this is called only one per app start/with a user loggedin // For the action panel, it means this is called only one per app start/with a user loggedin
useEffect(() => { useEffect(() => {
@ -259,42 +266,6 @@ export const ActionsPanel = () => {
const getOnionPathIndicator = () => { const getOnionPathIndicator = () => {
const hasOnionPath = getOnionPathStatus(); const hasOnionPath = getOnionPathStatus();
// const update: OnionUpdate = {
// nodes: [
// {
// ip: 'hi',
// label: 'hi',
// isConnected: Math.random() > 0.5,
// isAttemptingConnect: Math.random() > 0.7,
// },
// {
// ip: 'hi2',
// label: 'hi2',
// isConnected: Math.random() > 0.5,
// isAttemptingConnect: Math.random() > 0.7,
// },
// {
// ip: 'hi3',
// label: 'hi3',
// isConnected: Math.random() > 0.5,
// isAttemptingConnect: Math.random() > 0.7,
// },
// ],
// };
// dispatch(updateOnionPaths(update));
// TEST: Stuff
// let testNode: SnodePath = {
// bad: false,
// path: new Array<Snode>()
// }
// dispatch(updateOnionPaths(testNode));
// console.log('Is Onion Path found -', hasOnionPath);
setHasOnionPath(hasOnionPath); setHasOnionPath(hasOnionPath);
}; };
@ -324,15 +295,20 @@ export const ActionsPanel = () => {
return ( return (
<div className="module-left-pane__sections-container"> <div className="module-left-pane__sections-container">
<Section type={SectionType.Profile} avatarPath={ourPrimaryConversation.avatarPath} /> <Section
<Section type={SectionType.Message} /> setModal={setModal}
<Section type={SectionType.Contact} /> type={SectionType.Profile}
<Section type={SectionType.Settings} /> avatarPath={ourPrimaryConversation.avatarPath}
/>
<Section setModal={setModal} type={SectionType.Message} />
<Section setModal={setModal} type={SectionType.Contact} />
<Section setModal={setModal} type={SectionType.Settings} />
{modal ? modal : null}
<SessionToastContainer /> <SessionToastContainer />
<Section type={SectionType.PathIndicator} hasOnionPath={hasOnionPath} /> <Section setModal={setModal} type={SectionType.PathIndicator} hasOnionPath={hasOnionPath} />
<Section type={SectionType.Moon} /> <Section setModal={setModal} type={SectionType.Moon} />
</div> </div>
); );
}; };

@ -5,7 +5,7 @@ import { SessionIconButton, SessionIconSize, SessionIconType } from './icon/';
import { SessionButton, SessionButtonColor, SessionButtonType } from './SessionButton'; import { SessionButton, SessionButtonColor, SessionButtonType } from './SessionButton';
import { DefaultTheme } from 'styled-components'; import { DefaultTheme } from 'styled-components';
import { useKeyPress } from "use-hooks"; import { useKeyPress } from 'use-hooks';
interface Props { interface Props {
title: string; title: string;
@ -28,44 +28,96 @@ interface Props {
theme: DefaultTheme; theme: DefaultTheme;
} }
interface State { export type SessionWrapperModalType = {
isVisible: boolean; title?: string;
} onConfirm?: () => void;
onClose?: () => void;
showClose?: boolean
confirmText?: string;
cancelText?: string;
showExitIcon?: boolean;
theme?: any;
headerIconButtons?: any[];
children: any;
};
export const SessionWrapperModal = (props: any) => { export const SessionWrapperModal = (props: SessionWrapperModalType) => {
const { onclick, showModal, title, onConfirm } = props; const {
title,
onConfirm,
onClose,
showClose = false,
confirmText,
cancelText,
showExitIcon,
theme,
headerIconButtons,
} = props;
useEffect(() => { useEffect(() => {
window.addEventListener('keyup', upHandler); window.addEventListener('keyup', upHandler);
return () => { return () => {
window.removeEventListener('keyup', upHandler); window.removeEventListener('keyup', upHandler);
} };
}, []) }, []);
// TODO: warrick: typing // TODO: warrick: typing
const upHandler = ({key}: any ) => { const upHandler = ({ key }: any) => {
if (key === 'Escape') { if (key === 'Escape') {
props.onclick(); if (props.onClose) {
props.onClose();
}
} }
} };
return ( return (
<div className="loki-dialog session-confirm-wrapper modal"> <div className="loki-dialog session-confirm-wrapper modal">
<div className="session-confirm-wrapper"> <div className="session-confirm-wrapper">
<div className="session-modal"> <div className="session-modal">
<div className="session-modal__header"> <div className="session-modal__header">
<div className="session-modal__header__title"> <div className="session-modal__header__close">
{/* Onion Nodes / Generic Title {title} */} {showExitIcon ? (
{title} <SessionIconButton
iconType={SessionIconType.Exit}
iconSize={SessionIconSize.Small}
onClick={props.onClose}
theme={props.theme}
/>
) : null}
</div>
<div className="session-modal__header__title">{title}</div>
<div className="session-modal__header__icons">
{headerIconButtons
? headerIconButtons.map((iconItem: any) => {
return (
<SessionIconButton
key={iconItem.iconType}
iconType={iconItem.iconType}
iconSize={SessionIconSize.Large}
iconRotation={iconItem.iconRotation}
onClick={iconItem.onClick}
theme={props.theme}
/>
);
})
: null}
</div> </div>
</div> </div>
<div className="session-modal__body"> <div className="session-modal__body">
<div className="session-modal__centered"> <div className="session-modal__centered">
{props.children} {props.children}
<div className="session-modal__button-group"> <div className="session-modal__button-group">
<SessionButton onClick={props.onclick}>Close</SessionButton> {onConfirm ? (
<SessionButton onClick={props.onConfirm}>
{confirmText || window.i18n('ok')}
</SessionButton>
) : null}
{onClose && showClose ? (
<SessionButton onClick={props.onClose}>
{cancelText || window.i18n('close')}
</SessionButton>
) : null}
</div> </div>
</div> </div>
</div> </div>
@ -74,110 +126,3 @@ export const SessionWrapperModal = (props: any) => {
</div> </div>
); );
}; };
// export class SessionModal extends React.PureComponent<Props, State> {
// public static defaultProps = {
// showExitIcon: true,
// showHeader: true,
// headerReverse: false,
// };
// private node: HTMLDivElement | null;
// constructor(props: any) {
// super(props);
// this.state = {
// isVisible: true,
// };
// this.close = this.close.bind(this);
// this.onKeyUp = this.onKeyUp.bind(this);
// this.node = null;
// window.addEventListener('keyup', this.onKeyUp);
// }
// public componentDidMount() {
// document.addEventListener('mousedown', this.handleClick, false);
// }
// public componentWillUnmount() {
// document.removeEventListener('mousedown', this.handleClick, false);
// }
// public handleClick = (e: any) => {
// if (this.node && this.node.contains(e.target)) {
// return;
// }
// this.close();
// };
// public render() {
// const { title, headerIconButtons, showExitIcon, showHeader, headerReverse } = this.props;
// const { isVisible } = this.state;
// return isVisible ? (
// <div ref={node => (this.node = node)} className={'session-modal'}>
// {showHeader ? (
// <>
// <div className={classNames('session-modal__header', headerReverse && 'reverse')}>
// <div className="session-modal__header__close">
// {showExitIcon ? (
// <SessionIconButton
// iconType={SessionIconType.Exit}
// iconSize={SessionIconSize.Small}
// onClick={this.close}
// theme={this.props.theme}
// />
// ) : null}
// </div>
// <div className="session-modal__header__title">{title}</div>
// <div className="session-modal__header__icons">
// {headerIconButtons
// ? headerIconButtons.map((iconItem: any) => {
// return (
// <SessionIconButton
// key={iconItem.iconType}
// iconType={iconItem.iconType}
// iconSize={SessionIconSize.Large}
// iconRotation={iconItem.iconRotation}
// onClick={iconItem.onClick}
// theme={this.props.theme}
// />
// );
// })
// : null}
// </div>
// </div>
// </>
// ) : null}
// <div className="session-modal__body">{this.props.children}</div>
// </div>
// ) : null;
// }
// public close() {
// this.setState({
// isVisible: false,
// });
// window.removeEventListener('keyup', this.onKeyUp);
// document.removeEventListener('mousedown', this.handleClick, false);
// if (this.props.onClose) {
// this.props.onClose();
// }
// }
// public onKeyUp(event: any) {
// switch (event.key) {
// case 'Esc':
// case 'Escape':
// this.close();
// break;
// default:
// }
// }
// }

@ -2,6 +2,7 @@ import React from 'react';
import { icons, SessionIconSize, SessionIconType } from '../icon'; import { icons, SessionIconSize, SessionIconType } from '../icon';
import styled, { css, DefaultTheme, keyframes } from 'styled-components'; import styled, { css, DefaultTheme, keyframes } from 'styled-components';
import { drop } from 'lodash';
export type SessionIconProps = { export type SessionIconProps = {
iconType: SessionIconType; iconType: SessionIconType;
@ -9,6 +10,9 @@ export type SessionIconProps = {
iconColor?: string; iconColor?: string;
iconRotation?: number; iconRotation?: number;
rotateDuration?: number; rotateDuration?: number;
glowDuration?: number;
borderRadius?: number;
glowStartDelay?: number;
theme: DefaultTheme; theme: DefaultTheme;
}; };
@ -40,6 +44,10 @@ type StyledSvgProps = {
height: string | number; height: string | number;
iconRotation: number; iconRotation: number;
rotateDuration?: number; rotateDuration?: number;
borderRadius?: number;
glowDuration?: number;
glowStartDelay?: number;
iconColor?: string;
}; };
const rotate = keyframes` const rotate = keyframes`
@ -51,21 +59,59 @@ const rotate = keyframes`
} }
`; `;
/**
* Creates a glow animation made for multiple element sequentially
* @param color
* @param glowDuration
* @param glowStartDelay
* @returns
*/
const glow = (color: string, glowDuration: number, glowStartDelay: number) => {
let dropShadowType = `drop-shadow(0px 0px 6px ${color}) `;
//increase shadow intensity by 3
let dropShadow = `${dropShadowType.repeat(2)};`;
// TODO: Decrease dropshadow for last frame
// creating keyframe for sequential animations
let kf = '';
for (let i = 0; i <= glowDuration; i++) {
// const percent = (100 / glowDuration) * i;
const percent = (100 / glowDuration) * i;
if (i === glowStartDelay) {
kf += `${percent}% {
filter: ${dropShadow}
}`;
} else {
kf += `${percent}% {
filter: none;
}`;
}
}
return keyframes`${kf}`;
};
const animation = (props: any) => { const animation = (props: any) => {
if (props.rotateDuration) { if (props.rotateDuration) {
return css` return css`
${rotate} ${props.rotateDuration}s infinite linear; ${rotate} ${props.rotateDuration}s infinite linear;
`; `;
} else if (props.glowDuration !== undefined && props.glowStartDelay !== undefined) {
return css`
${glow(props.iconColor, props.glowDuration, props.glowStartDelay)} ${2}s ease-in infinite;
`;
} else { } else {
return; return;
} }
}; };
// ${glow(props.iconColor, props.glowDuration, props.glowStartDelay)} ${props.glowDuration}s ease-in ${ props.glowStartDelay }s infinite alternate;
//tslint:disable no-unnecessary-callback-wrapper //tslint:disable no-unnecessary-callback-wrapper
const Svg = styled.svg<StyledSvgProps>` const Svg = styled.svg<StyledSvgProps>`
width: ${props => props.width}; width: ${props => props.width};
animation: ${props => animation(props)}; animation: ${props => animation(props)};
transform: ${props => `rotate(${props.iconRotation}deg)`}; transform: ${props => `rotate(${props.iconRotation}deg)`};
border-radius: ${props => props.borderRadius};
`; `;
//tslint:enable no-unnecessary-callback-wrapper //tslint:enable no-unnecessary-callback-wrapper
@ -77,6 +123,9 @@ const SessionSvg = (props: {
iconRotation: number; iconRotation: number;
iconColor?: string; iconColor?: string;
rotateDuration?: number; rotateDuration?: number;
glowDuration?: number;
glowStartDelay?: number;
borderRadius?: number;
theme: DefaultTheme; theme: DefaultTheme;
}) => { }) => {
const colorSvg = props.iconColor || props?.theme?.colors.textColor; const colorSvg = props.iconColor || props?.theme?.colors.textColor;
@ -84,6 +133,15 @@ const SessionSvg = (props: {
return ( return (
<Svg {...props}> <Svg {...props}>
{/* { props.glowDuration ?
<defs>
<filter>
<feDropShadow dx="0.2" dy="0.4" stdDeviation="0.2" />
</filter>
</defs>
:
null
} */}
{pathArray.map((path, index) => { {pathArray.map((path, index) => {
return <path key={index} fill={colorSvg} d={path} />; return <path key={index} fill={colorSvg} d={path} />;
})} })}
@ -92,7 +150,15 @@ const SessionSvg = (props: {
}; };
export const SessionIcon = (props: SessionIconProps) => { export const SessionIcon = (props: SessionIconProps) => {
const { iconType, iconColor, theme, rotateDuration } = props; const {
iconType,
iconColor,
theme,
rotateDuration,
glowDuration,
borderRadius,
glowStartDelay,
} = props;
let { iconSize, iconRotation } = props; let { iconSize, iconRotation } = props;
iconSize = iconSize || SessionIconSize.Medium; iconSize = iconSize || SessionIconSize.Medium;
iconRotation = iconRotation || 0; iconRotation = iconRotation || 0;
@ -111,6 +177,9 @@ export const SessionIcon = (props: SessionIconProps) => {
width={iconDimensions * ratio} width={iconDimensions * ratio}
height={iconDimensions} height={iconDimensions}
rotateDuration={rotateDuration} rotateDuration={rotateDuration}
glowDuration={glowDuration}
glowStartDelay={glowStartDelay}
borderRadius={borderRadius}
iconRotation={iconRotation} iconRotation={iconRotation}
iconColor={iconColor} iconColor={iconColor}
theme={theme} theme={theme}

@ -1 +1 @@
declare module 'ip2country'; declare module 'ip2country';

@ -63,7 +63,11 @@ export class OnionPaths {
goodPaths = this.onionPaths.filter(x => !x.bad); goodPaths = this.onionPaths.filter(x => !x.bad);
} }
window.inboxStore?.dispatch(updateOnionPaths(goodPaths[0])); if (goodPaths.length <= 0) {
window.inboxStore?.dispatch(updateOnionPaths({ path: new Array<Snode>(), bad: true }));
} else {
window.inboxStore?.dispatch(updateOnionPaths(goodPaths[0]));
}
const paths = _.shuffle(goodPaths); const paths = _.shuffle(goodPaths);
@ -105,8 +109,6 @@ export class OnionPaths {
log.error('LokiSnodeAPI::getOnionPath - otherPaths no path in', otherPaths[0]); log.error('LokiSnodeAPI::getOnionPath - otherPaths no path in', otherPaths[0]);
} }
// window.inboxStore?.dispatch(updateOnionPaths(otherPaths[0]));
return otherPaths[0].path; return otherPaths[0].path;
} }

@ -3,9 +3,11 @@ import React from 'react';
// import 'reset-css/reset.css'; // import 'reset-css/reset.css';
import { DefaultTheme, ThemeProvider } from 'styled-components'; import { DefaultTheme, ThemeProvider } from 'styled-components';
import { pushToastWarning } from '../../session/utils/Toast';
const white = '#ffffff'; const white = '#ffffff';
const black = '#000000'; const black = '#000000';
const warning = '#e7b100';
const destructive = '#ff453a'; const destructive = '#ff453a';
const accentLightTheme = '#00e97b'; const accentLightTheme = '#00e97b';
const accentDarkTheme = '#00f782'; const accentDarkTheme = '#00f782';
@ -40,6 +42,7 @@ export const lightTheme: DefaultTheme = {
colors: { colors: {
accent: accentLightTheme, accent: accentLightTheme,
accentButton: black, accentButton: black,
warning: warning,
destructive: destructive, destructive: destructive,
cellBackground: '#fcfcfc', cellBackground: '#fcfcfc',
modalBackground: '#fcfcfc', modalBackground: '#fcfcfc',
@ -95,6 +98,7 @@ export const darkTheme = {
colors: { colors: {
accent: accentDarkTheme, accent: accentDarkTheme,
accentButton: accentDarkTheme, accentButton: accentDarkTheme,
warning: warning,
destructive: destructive, destructive: destructive,
cellBackground: '#1b1b1b', cellBackground: '#1b1b1b',
modalBackground: '#101011', modalBackground: '#101011',

@ -1,5 +1,6 @@
import { createSlice, PayloadAction } from '@reduxjs/toolkit'; import { createSlice, PayloadAction } from '@reduxjs/toolkit';
import { SnodePath, Snode } from "../../session/onions/index"; import _, { forEach } from 'underscore';
import { SnodePath, Snode } from '../../session/onions/index';
export type OnionState = { export type OnionState = {
// nodes: Array<OnionPathNodeType>; // nodes: Array<OnionPathNodeType>;
@ -15,9 +16,9 @@ export type OnionState = {
const initialState = { const initialState = {
snodePath: { snodePath: {
path: new Array<Snode>(), path: new Array<Snode>(),
bad: false bad: false,
} },
} };
/** /**
* This slice is the one holding the default joinable rooms fetched once in a while from the default opengroup v2 server. * This slice is the one holding the default joinable rooms fetched once in a while from the default opengroup v2 server.
@ -26,11 +27,10 @@ const onionSlice = createSlice({
name: 'onionPaths', name: 'onionPaths',
initialState, initialState,
reducers: { reducers: {
// updateOnionPaths(state, action: PayloadAction<OnionUpdate>) {
updateOnionPaths(state, action: PayloadAction<SnodePath>) { updateOnionPaths(state, action: PayloadAction<SnodePath>) {
return { let newPayload = { snodePath: action.payload };
snodePath: action.payload let isEqual = JSON.stringify(state, null, 2) == JSON.stringify(newPayload, null, 2);
} return isEqual ? state : newPayload;
}, },
}, },
}); });

1
ts/styled.d.ts vendored

@ -26,6 +26,7 @@ declare module 'styled-components' {
colors: { colors: {
accent: string; accent: string;
accentButton: string; accentButton: string;
warning: string;
destructive: string; destructive: string;
cellBackground: string; cellBackground: string;
modalBackground: string; modalBackground: string;

8
ts/window.d.ts vendored

@ -15,8 +15,9 @@ import { Store } from 'redux';
import { MessageController } from './session/messages/MessageController'; import { MessageController } from './session/messages/MessageController';
import { DefaultTheme } from 'styled-components'; import { DefaultTheme } from 'styled-components';
import { ConversationCollection } from './models/conversation'; import { ConversationCollection, ConversationModel } from './models/conversation';
import { ConversationType } from './state/ducks/conversations'; import { ConversationType } from './state/ducks/conversations';
import { ConversationController } from './session/conversations';
/* /*
We declare window stuff here instead of global.d.ts because we are importing other declarations. We declare window stuff here instead of global.d.ts because we are importing other declarations.
@ -99,5 +100,10 @@ declare global {
darkTheme: DefaultTheme; darkTheme: DefaultTheme;
LokiPushNotificationServer: any; LokiPushNotificationServer: any;
LokiPushNotificationServerApi: any; LokiPushNotificationServerApi: any;
getConversationController: () => ConversationController;
getOrCreateAndWait: () => Promise<ConversationModel>;
commitProfileEdits: (string, string) => void;
} }
} }

Loading…
Cancel
Save