pull/492/head
Vladimir Volek 5 years ago
commit 33cce4bcae

@ -17,6 +17,7 @@
./src/flowtype/npm/react-redux_v5.x.x.js ./src/flowtype/npm/react-redux_v5.x.x.js
./src/flowtype/npm/react-router_v4.x.x.js ./src/flowtype/npm/react-router_v4.x.x.js
./src/flowtype/npm/react-router-dom_v4.x.x.js ./src/flowtype/npm/react-router-dom_v4.x.x.js
; ./src/flowtype/npm/react-intl_v2.x.x.js // TODO: uncomment to get proper flow support for intl (needs some flow fixing)
./src/flowtype/npm/connected-react-router.js ./src/flowtype/npm/connected-react-router.js
./src/flowtype/npm/bignumber.js ./src/flowtype/npm/bignumber.js
./src/flowtype/npm/ethereum-types.js ./src/flowtype/npm/ethereum-types.js

@ -1,3 +1,33 @@
## 1.2.0-beta
__added__
- Localization
- Ability to hide balances
- Fiat currency switcher
- Application settings
- Button to copy log to clipboard
- Import tool (for support)
- Prettier
__updated__
- flow-bin 0.9.0
__changed__
- Ripple explorer to xrpscan
- Coins sorted by market cap
- Link to "Bitcoin wallet" opens in the same tab
- Most components are now from trezor-ui-components
__removed__
- Text "you will be redirected" from coins menu
__fixed__
- Arrow animation in Send tab
- Sign and Verify columns size
- Sign and Verify validation for disabling submit buttons
- Token select shows all tokens options
- "Check for devices" button in device menu
- Close xlm, xem modals when opening external wallet
## 1.1.1-beta ## 1.1.1-beta
__added__ __added__
- Ripple destination tag option - Ripple destination tag option

@ -1,6 +1,6 @@
{ {
"name": "trezor-wallet", "name": "trezor-wallet",
"version": "1.1.1-beta", "version": "1.2.0-beta",
"author": "TREZOR <info@trezor.io>", "author": "TREZOR <info@trezor.io>",
"description": "", "description": "",
"bin": { "bin": {
@ -80,7 +80,7 @@
"styled-components": "^4.1.3", "styled-components": "^4.1.3",
"styled-normalize": "^8.0.6", "styled-normalize": "^8.0.6",
"trezor-bridge-communicator": "1.0.2", "trezor-bridge-communicator": "1.0.2",
"trezor-connect": "7.0.2-electron.4", "trezor-connect": "7.0.2",
"trezor-ui-components": "^1.0.0-beta.12", "trezor-ui-components": "^1.0.0-beta.12",
"wallet-address-validator": "^0.2.4", "wallet-address-validator": "^0.2.4",
"web3": "1.0.0-beta.35", "web3": "1.0.0-beta.35",
@ -123,7 +123,7 @@
"eslint-plugin-prettier": "^3.0.1", "eslint-plugin-prettier": "^3.0.1",
"eslint-plugin-react": "^7.12.4", "eslint-plugin-react": "^7.12.4",
"file-loader": "3.0.1", "file-loader": "3.0.1",
"flow-bin": "0.75.0", "flow-bin": "0.90",
"jest": "^24.1.0", "jest": "^24.1.0",
"prettier": "^1.16.4", "prettier": "^1.16.4",
"prettier-eslint": "^8.8.2", "prettier-eslint": "^8.8.2",

@ -105,8 +105,8 @@
] ]
}, },
"explorer": { "explorer": {
"tx": "https://xrpcharts.ripple.com/#/transactions/", "tx": "https://xrpscan.com/tx/",
"address": "https://xrpcharts.ripple.com/#/graph/" "address": "https://xrpscan.com/account/"
}, },
"hasSignVerify": false "hasSignVerify": false
}, },

@ -16,6 +16,7 @@ import type {
Account, Account,
} from 'flowtype'; } from 'flowtype';
import type { Discovery, State } from 'reducers/DiscoveryReducer'; import type { Discovery, State } from 'reducers/DiscoveryReducer';
import * as LocalStorageActions from 'actions/LocalStorageActions';
import * as BlockchainActions from './BlockchainActions'; import * as BlockchainActions from './BlockchainActions';
import * as EthereumDiscoveryActions from './ethereum/DiscoveryActions'; import * as EthereumDiscoveryActions from './ethereum/DiscoveryActions';
import * as RippleDiscoveryActions from './ripple/DiscoveryActions'; import * as RippleDiscoveryActions from './ripple/DiscoveryActions';
@ -120,6 +121,7 @@ const start = (device: TrezorDevice, network: string, ignoreCompleted?: boolean)
} }
if (!discoveryProcess) { if (!discoveryProcess) {
dispatch(addImportedAccounts());
dispatch(begin(device, network)); dispatch(begin(device, network));
} else if (discoveryProcess.completed && !ignoreCompleted) { } else if (discoveryProcess.completed && !ignoreCompleted) {
dispatch({ dispatch({
@ -380,3 +382,17 @@ export const addAccount = (): ThunkAction => (dispatch: Dispatch, getState: GetS
if (!selected) return; if (!selected) return;
dispatch(start(selected, getState().router.location.state.network, true)); dispatch(start(selected, getState().router.location.state.network, true));
}; };
export const addImportedAccounts = (): ThunkAction => (dispatch: Dispatch): void => {
// get imported accounts from local storage
const importedAccounts = LocalStorageActions.getImportedAccounts();
if (importedAccounts) {
// create each account
importedAccounts.forEach(account => {
dispatch({
type: ACCOUNT.CREATE,
payload: account,
});
});
}
};

@ -0,0 +1,153 @@
/* @flow */
import * as ACCOUNT from 'actions/constants/account';
import * as IMPORT from 'actions/constants/importAccount';
import * as NOTIFICATION from 'actions/constants/notification';
import type { AsyncAction, TrezorDevice, Network, Dispatch, GetState } from 'flowtype';
import * as BlockchainActions from 'actions/ethereum/BlockchainActions';
import * as LocalStorageActions from 'actions/LocalStorageActions';
import TrezorConnect from 'trezor-connect';
import { toDecimalAmount } from 'utils/formatUtils';
export type ImportAccountAction =
| {
type: typeof IMPORT.START,
}
| {
type: typeof IMPORT.SUCCESS,
}
| {
type: typeof IMPORT.FAIL,
error: ?string,
};
export const importAddress = (
address: string,
network: Network,
device: ?TrezorDevice
): AsyncAction => async (dispatch: Dispatch, getState: GetState): Promise<void> => {
if (!device) return;
dispatch({
type: IMPORT.START,
});
let payload;
const index = getState().accounts.filter(
a =>
a.imported === true &&
a.network === network.shortcut &&
device &&
a.deviceState === device.state
).length;
try {
if (network.type === 'ethereum') {
const account = await dispatch(
BlockchainActions.discoverAccount(device, address, network.shortcut)
);
const empty = account.nonce <= 0 && account.balance === '0';
payload = {
imported: true,
index,
network: network.shortcut,
deviceID: device.features ? device.features.device_id : '0',
deviceState: device.state || '0',
accountPath: account.path || [],
descriptor: account.descriptor,
balance: account.balance,
availableBalance: account.balance,
block: account.block,
transactions: account.transactions,
empty,
networkType: 'ethereum',
nonce: account.nonce,
};
dispatch({
type: ACCOUNT.CREATE,
payload,
});
dispatch({
type: IMPORT.SUCCESS,
});
dispatch(LocalStorageActions.setImportedAccount(payload));
dispatch({
type: NOTIFICATION.ADD,
payload: {
type: 'success',
title: 'The account has been successfully imported',
cancelable: true,
},
});
} else if (network.type === 'ripple') {
const response = await TrezorConnect.rippleGetAccountInfo({
account: {
descriptor: address,
},
coin: network.shortcut,
});
// handle TREZOR response error
if (!response.success) {
throw new Error(response.payload.error);
}
const account = response.payload;
const empty = account.sequence <= 0 && account.balance === '0';
payload = {
imported: true,
index,
network: network.shortcut,
deviceID: device.features ? device.features.device_id : '0',
deviceState: device.state || '0',
accountPath: account.path || [],
descriptor: account.descriptor,
balance: toDecimalAmount(account.balance, network.decimals),
availableBalance: toDecimalAmount(account.availableBalance, network.decimals),
block: account.block,
transactions: account.transactions,
empty,
networkType: 'ripple',
sequence: account.sequence,
reserve: toDecimalAmount(account.reserve, network.decimals),
};
dispatch({
type: ACCOUNT.CREATE,
payload,
});
dispatch({
type: IMPORT.SUCCESS,
});
dispatch(LocalStorageActions.setImportedAccount(payload));
dispatch({
type: NOTIFICATION.ADD,
payload: {
type: 'success',
title: 'The account has been successfully imported',
cancelable: true,
},
});
}
} catch (error) {
dispatch({
type: IMPORT.FAIL,
error: error.message,
});
dispatch({
type: NOTIFICATION.ADD,
payload: {
type: 'error',
title: 'Import account error',
message: error.message,
cancelable: true,
},
});
}
};

@ -52,6 +52,7 @@ const { STORAGE_PATH } = storageUtils;
const KEY_VERSION: string = `${STORAGE_PATH}version`; const KEY_VERSION: string = `${STORAGE_PATH}version`;
const KEY_DEVICES: string = `${STORAGE_PATH}devices`; const KEY_DEVICES: string = `${STORAGE_PATH}devices`;
const KEY_ACCOUNTS: string = `${STORAGE_PATH}accounts`; const KEY_ACCOUNTS: string = `${STORAGE_PATH}accounts`;
const KEY_IMPORTED_ACCOUNTS: string = `${STORAGE_PATH}importedAccounts`;
const KEY_DISCOVERY: string = `${STORAGE_PATH}discovery`; const KEY_DISCOVERY: string = `${STORAGE_PATH}discovery`;
const KEY_TOKENS: string = `${STORAGE_PATH}tokens`; const KEY_TOKENS: string = `${STORAGE_PATH}tokens`;
const KEY_PENDING: string = `${STORAGE_PATH}pending`; const KEY_PENDING: string = `${STORAGE_PATH}pending`;
@ -321,3 +322,36 @@ export const setLocalCurrency = (): ThunkAction => (
const { localCurrency } = getState().wallet; const { localCurrency } = getState().wallet;
storageUtils.set(TYPE, KEY_LOCAL_CURRENCY, JSON.stringify(localCurrency)); storageUtils.set(TYPE, KEY_LOCAL_CURRENCY, JSON.stringify(localCurrency));
}; };
export const setImportedAccount = (account: Account): ThunkAction => (): void => {
const prevImportedAccounts: ?Array<Account> = getImportedAccounts();
let importedAccounts = [account];
if (prevImportedAccounts) {
importedAccounts = importedAccounts.concat(prevImportedAccounts);
}
storageUtils.set(TYPE, KEY_IMPORTED_ACCOUNTS, JSON.stringify(importedAccounts));
};
export const getImportedAccounts = (): ?Array<Account> => {
const importedAccounts: ?string = storageUtils.get(TYPE, KEY_IMPORTED_ACCOUNTS);
if (importedAccounts) {
return JSON.parse(importedAccounts);
}
return null;
};
export const removeImportedAccounts = (device: TrezorDevice): ThunkAction => (
dispatch: Dispatch
): void => {
const importedAccounts: ?Array<Account> = getImportedAccounts();
if (!importedAccounts) return;
const deviceId = device.features ? device.features.device_id : null;
const filteredImportedAccounts = importedAccounts.filter(
account => account.deviceID !== deviceId
);
storageUtils.remove(TYPE, KEY_IMPORTED_ACCOUNTS);
filteredImportedAccounts.forEach(account => {
dispatch(setImportedAccount(account));
});
};

@ -155,7 +155,7 @@ export const init = (): AsyncAction => async (
if (buildUtils.isDev()) { if (buildUtils.isDev()) {
// eslint-disable-next-line // eslint-disable-next-line
window.__TREZOR_CONNECT_SRC = window.__TREZOR_CONNECT_SRC =
typeof LOCAL === 'string' ? LOCAL : 'https://sisyfos.trezor.io/connect-electron/'; // eslint-disable-line no-underscore-dangle typeof LOCAL === 'string' ? LOCAL : 'https://sisyfos.trezor.io/connect/'; // eslint-disable-line no-underscore-dangle
// window.__TREZOR_CONNECT_SRC = typeof LOCAL === 'string' ? LOCAL : 'https://localhost:8088/'; // eslint-disable-line no-underscore-dangle // window.__TREZOR_CONNECT_SRC = typeof LOCAL === 'string' ? LOCAL : 'https://localhost:8088/'; // eslint-disable-line no-underscore-dangle
window.TrezorConnect = TrezorConnect; window.TrezorConnect = TrezorConnect;
} }

@ -0,0 +1,5 @@
/* @flow */
export const START: 'import__account__start' = 'import__account__start';
export const SUCCESS: 'import__account__success' = 'import__account__success';
export const FAIL: 'import__account__fail' = 'import__account__fail';

@ -7,16 +7,24 @@ import { Link, colors } from 'trezor-ui-components';
import { bindActionCreators } from 'redux'; import { bindActionCreators } from 'redux';
import { connect } from 'react-redux'; import { connect } from 'react-redux';
import { FormattedMessage } from 'react-intl'; import { FormattedMessage } from 'react-intl';
import type { State, Dispatch } from 'flowtype';
import { FONT_SIZE, SCREEN_SIZE, FOOTER_HEIGHT } from 'config/variables'; import { FONT_SIZE, SCREEN_SIZE, FOOTER_HEIGHT } from 'config/variables';
import * as LogActions from 'actions/LogActions'; import * as LogActions from 'actions/LogActions';
import l10nMessages from './index.messages'; import l10nMessages from './index.messages';
type Props = { type OwnProps = {|
opened: boolean,
isLanding: boolean, isLanding: boolean,
toggle: () => any, |};
}; type StateProps = {|
opened: boolean,
|};
type DispatchProps = {|
toggle: typeof LogActions.toggle,
|};
type Props = {| ...OwnProps, ...StateProps, ...DispatchProps |};
const Wrapper = styled.div` const Wrapper = styled.div`
width: 100%; width: 100%;
@ -134,15 +142,15 @@ Footer.propTypes = {
toggle: PropTypes.func.isRequired, toggle: PropTypes.func.isRequired,
}; };
const mapStateToProps = state => ({ const mapStateToProps = (state: State): StateProps => ({
opened: state.log.opened, opened: state.log.opened,
}); });
const mapDispatchToProps = dispatch => ({ const mapDispatchToProps = (dispatch: Dispatch): DispatchProps => ({
toggle: bindActionCreators(LogActions.toggle, dispatch), toggle: bindActionCreators(LogActions.toggle, dispatch),
}); });
export default connect( export default connect<Props, OwnProps, StateProps, DispatchProps, State, Dispatch>(
mapStateToProps, mapStateToProps,
mapDispatchToProps mapDispatchToProps
)(Footer); )(Footer);

@ -1,41 +1,33 @@
/* @flow */ /* @flow */
import { bindActionCreators } from 'redux'; import { bindActionCreators } from 'redux';
import { connect } from 'react-redux'; import { connect } from 'react-redux';
import { withRouter } from 'react-router-dom';
import * as WalletActions from 'actions/WalletActions'; import * as WalletActions from 'actions/WalletActions';
import type { MapStateToProps, MapDispatchToProps } from 'react-redux';
import type { State, Dispatch } from 'flowtype'; import type { State, Dispatch } from 'flowtype';
import LanguagePicker from './index'; import LanguagePicker from './index';
type StateProps = { type StateProps = {|
language: string, language: string,
}; |};
type DispatchProps = { type DispatchProps = {|
fetchLocale: typeof WalletActions.fetchLocale, fetchLocale: typeof WalletActions.fetchLocale,
}; |};
type OwnProps = {}; type OwnProps = {||};
export type Props = StateProps & DispatchProps; export type Props = {| ...StateProps, ...DispatchProps, ...OwnProps |};
const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = ( const mapStateToProps = (state: State): StateProps => ({
state: State
): StateProps => ({
language: state.wallet.language, language: state.wallet.language,
}); });
const mapDispatchToProps: MapDispatchToProps<Dispatch, OwnProps, DispatchProps> = ( const mapDispatchToProps = (dispatch: Dispatch): DispatchProps => ({
dispatch: Dispatch
): DispatchProps => ({
fetchLocale: bindActionCreators(WalletActions.fetchLocale, dispatch), fetchLocale: bindActionCreators(WalletActions.fetchLocale, dispatch),
}); });
export default withRouter( export default connect<Props, OwnProps, StateProps, DispatchProps, State, Dispatch>(
connect( mapStateToProps,
mapStateToProps, mapDispatchToProps
mapDispatchToProps )(LanguagePicker);
)(LanguagePicker)
);

@ -12,12 +12,18 @@ import * as LogActions from 'actions/LogActions';
import type { State, Dispatch } from 'flowtype'; import type { State, Dispatch } from 'flowtype';
import l10nMessages from './index.messages'; import l10nMessages from './index.messages';
type Props = { type OwnProps = {||};
type StateProps = {|
log: $ElementType<State, 'log'>, log: $ElementType<State, 'log'>,
|};
type DispatchProps = {|
toggle: typeof LogActions.toggle, toggle: typeof LogActions.toggle,
copyToClipboard: typeof LogActions.copyToClipboard, copyToClipboard: typeof LogActions.copyToClipboard,
resetCopyState: typeof LogActions.resetCopyState, resetCopyState: typeof LogActions.resetCopyState,
}; |};
type Props = {| ...OwnProps, ...StateProps, ...DispatchProps |};
const Wrapper = styled.div` const Wrapper = styled.div`
position: relative; position: relative;
@ -64,7 +70,12 @@ const ButtonCopy = styled(Button)`
margin-top: 10px; margin-top: 10px;
`; `;
const Log = (props: Props): ?React$Element<string> => { const TooltipContainer = styled.div`
display: flex;
flex-direction: row;
`;
const Log = (props: Props) => {
if (!props.log.opened) return null; if (!props.log.opened) return null;
const copyBtn = ( const copyBtn = (
@ -87,15 +98,16 @@ const Log = (props: Props): ?React$Element<string> => {
<ReactJson src={props.log.entries} /> <ReactJson src={props.log.entries} />
</LogWrapper> </LogWrapper>
{props.log.copied ? ( {props.log.copied ? (
<Tooltip <TooltipContainer>
defaultVisible <Tooltip
maxWidth={285} maxWidth={285}
placement="top" placement="top"
content={<FormattedMessage {...l10nMessages.TR_COPIED} />} content={<FormattedMessage {...l10nMessages.TR_COPIED} />}
afterVisibleChange={props.resetCopyState} onHidden={props.resetCopyState}
> >
{copyBtn} {copyBtn}
</Tooltip> </Tooltip>
</TooltipContainer>
) : ( ) : (
<CopyWrapper>{copyBtn}</CopyWrapper> <CopyWrapper>{copyBtn}</CopyWrapper>
)} )}
@ -103,11 +115,11 @@ const Log = (props: Props): ?React$Element<string> => {
); );
}; };
export default connect( export default connect<Props, OwnProps, StateProps, DispatchProps, State, Dispatch>(
(state: State) => ({ (state: State): StateProps => ({
log: state.log, log: state.log,
}), }),
(dispatch: Dispatch) => ({ (dispatch: Dispatch): DispatchProps => ({
toggle: bindActionCreators(LogActions.toggle, dispatch), toggle: bindActionCreators(LogActions.toggle, dispatch),
copyToClipboard: bindActionCreators(LogActions.copyToClipboard, dispatch), copyToClipboard: bindActionCreators(LogActions.copyToClipboard, dispatch),
resetCopyState: bindActionCreators(LogActions.resetCopyState, dispatch), resetCopyState: bindActionCreators(LogActions.resetCopyState, dispatch),

@ -2,7 +2,7 @@
import React from 'react'; import React from 'react';
import PropTypes from 'prop-types'; import PropTypes from 'prop-types';
import styled from 'styled-components'; import styled from 'styled-components';
import { SCREEN_SIZE } from 'config/variables';
import { Link, colors } from 'trezor-ui-components'; import { Link, colors } from 'trezor-ui-components';
import type { Transaction, Network } from 'flowtype'; import type { Transaction, Network } from 'flowtype';
@ -17,14 +17,19 @@ const Wrapper = styled.div`
padding: 14px 0; padding: 14px 0;
display: flex; display: flex;
flex-direction: row; flex-direction: row;
word-break: break-all;
&:last-child { &:last-child {
border-bottom: 0px; border-bottom: 0px;
} }
@media screen and (max-width: ${SCREEN_SIZE.SM}) {
flex-direction: column;
}
`; `;
const Addresses = styled.div` const Addresses = styled.div`
flex: 1; flex: 1 1 auto;
`; `;
const Address = styled.div` const Address = styled.div`
@ -43,9 +48,16 @@ const Date = styled(Link)`
line-height: 18px; line-height: 18px;
padding-right: 8px; padding-right: 8px;
border-bottom: 0px; border-bottom: 0px;
flex: 0 1 auto;
word-break: normal;
`;
const TransactionHash = styled(Date)`
word-break: break-all;
`; `;
const Value = styled.div` const Value = styled.div`
flex: 1 1 auto;
padding-left: 8px; padding-left: 8px;
white-space: nowrap; white-space: nowrap;
text-align: right; text-align: right;
@ -100,9 +112,9 @@ const TransactionItem = ({ tx, network }: Props) => {
<Address key={addr}>{addr}</Address> <Address key={addr}>{addr}</Address>
))} ))}
{!tx.blockHeight && ( {!tx.blockHeight && (
<Date href={url} isGray> <TransactionHash href={url} isGray>
Transaction hash: {tx.hash} Transaction hash: {tx.hash}
</Date> </TransactionHash>
)} )}
</Addresses> </Addresses>
<Value className={tx.type}> <Value className={tx.type}>

@ -6,14 +6,13 @@ import { withRouter } from 'react-router-dom';
import ModalActions from 'actions/ModalActions'; import ModalActions from 'actions/ModalActions';
import ReceiveActions from 'actions/ReceiveActions'; import ReceiveActions from 'actions/ReceiveActions';
import type { MapStateToProps, MapDispatchToProps } from 'react-redux';
import type { State, Dispatch } from 'flowtype'; import type { State, Dispatch } from 'flowtype';
import Modal from './index'; import Modal from './index';
type OwnProps = {}; type OwnProps = {||};
type StateProps = { type StateProps = {|
modal: $ElementType<State, 'modal'>, modal: $ElementType<State, 'modal'>,
accounts: $ElementType<State, 'accounts'>, accounts: $ElementType<State, 'accounts'>,
devices: $ElementType<State, 'devices'>, devices: $ElementType<State, 'devices'>,
@ -24,18 +23,16 @@ type StateProps = {
receive: $ElementType<State, 'receive'>, receive: $ElementType<State, 'receive'>,
localStorage: $ElementType<State, 'localStorage'>, localStorage: $ElementType<State, 'localStorage'>,
wallet: $ElementType<State, 'wallet'>, wallet: $ElementType<State, 'wallet'>,
}; |};
type DispatchProps = { type DispatchProps = {|
modalActions: typeof ModalActions, modalActions: typeof ModalActions,
receiveActions: typeof ReceiveActions, receiveActions: typeof ReceiveActions,
}; |};
export type Props = StateProps & DispatchProps; export type Props = {| ...OwnProps, ...StateProps, ...DispatchProps |};
const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = ( const mapStateToProps = (state: State): StateProps => ({
state: State
): StateProps => ({
modal: state.modal, modal: state.modal,
accounts: state.accounts, accounts: state.accounts,
devices: state.devices, devices: state.devices,
@ -48,15 +45,13 @@ const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = (
wallet: state.wallet, wallet: state.wallet,
}); });
const mapDispatchToProps: MapDispatchToProps<Dispatch, OwnProps, DispatchProps> = ( const mapDispatchToProps = (dispatch: Dispatch): DispatchProps => ({
dispatch: Dispatch
): DispatchProps => ({
modalActions: bindActionCreators(ModalActions, dispatch), modalActions: bindActionCreators(ModalActions, dispatch),
receiveActions: bindActionCreators(ReceiveActions, dispatch), receiveActions: bindActionCreators(ReceiveActions, dispatch),
}); });
// export default connect(mapStateToProps, mapDispatchToProps)(Modal); // export default connect(mapStateToProps, mapDispatchToProps)(Modal);
export default withRouter( export default withRouter<OwnProps>(
connect( connect(
mapStateToProps, mapStateToProps,
mapDispatchToProps mapDispatchToProps

@ -6,6 +6,7 @@ import QrReader from 'react-qr-reader';
import styled from 'styled-components'; import styled from 'styled-components';
import { FormattedMessage, injectIntl } from 'react-intl'; import { FormattedMessage, injectIntl } from 'react-intl';
import { Link, Icon, P, H5, icons, colors } from 'trezor-ui-components'; import { Link, Icon, P, H5, icons, colors } from 'trezor-ui-components';
import type { IntlShape } from 'react-intl';
import { parseUri } from 'utils/cryptoUriParser'; import { parseUri } from 'utils/cryptoUriParser';
import type { parsedURI } from 'utils/cryptoUriParser'; import type { parsedURI } from 'utils/cryptoUriParser';
@ -55,7 +56,7 @@ type Props = {
onScan: (data: parsedURI) => any, onScan: (data: parsedURI) => any,
onError?: (error: any) => any, onError?: (error: any) => any,
onCancel?: $ElementType<$ElementType<BaseProps, 'modalActions'>, 'onCancel'>, onCancel?: $ElementType<$ElementType<BaseProps, 'modalActions'>, 'onCancel'>,
intl: any, intl: IntlShape,
}; };
type State = { type State = {

@ -3,6 +3,7 @@
import React, { PureComponent } from 'react'; import React, { PureComponent } from 'react';
import PropTypes from 'prop-types'; import PropTypes from 'prop-types';
import styled, { css } from 'styled-components'; import styled, { css } from 'styled-components';
import type { IntlShape } from 'react-intl';
import { H5, P, Button, Tooltip, Link, Icon, icons, colors } from 'trezor-ui-components'; import { H5, P, Button, Tooltip, Link, Icon, icons, colors } from 'trezor-ui-components';
@ -15,7 +16,7 @@ import l10nMessages from './index.messages';
import type { Props as BaseProps } from '../../Container'; import type { Props as BaseProps } from '../../Container';
type Props = { type Props = {
intl: any, intl: IntlShape,
device: TrezorDevice, device: TrezorDevice,
onWalletTypeRequest: $ElementType< onWalletTypeRequest: $ElementType<
$ElementType<BaseProps, 'modalActions'>, $ElementType<BaseProps, 'modalActions'>,

Binary file not shown.

Before

Width:  |  Height:  |  Size: 6.3 KiB

After

Width:  |  Height:  |  Size: 8.1 KiB

@ -18,12 +18,16 @@ const Wrapper = styled.div`
padding: 30px 48px; padding: 30px 48px;
`; `;
const StyledDeviceIcon = styled(DeviceIcon)`
margin-bottom: 10px;
`;
const Header = styled.div``; const Header = styled.div``;
const PassphraseType = (props: Props) => ( const PassphraseType = (props: Props) => (
<Wrapper> <Wrapper>
<Header> <Header>
<DeviceIcon device={props.device} size={60} color={colors.TEXT_SECONDARY} /> <StyledDeviceIcon device={props.device} size={32} color={colors.TEXT_SECONDARY} />
<H5>Complete the action on {props.device.label} device</H5> <H5>Complete the action on {props.device.label} device</H5>
<P size="small"> <P size="small">
If you enter a wrong passphrase, you will not unlock the desired hidden wallet. If you enter a wrong passphrase, you will not unlock the desired hidden wallet.

@ -5,11 +5,16 @@ import l10nCommonMessages from 'views/common.messages';
import { withRouter } from 'react-router-dom'; import { withRouter } from 'react-router-dom';
import { matchPath } from 'react-router'; import { matchPath } from 'react-router';
import { getPattern } from 'support/routes'; import { getPattern } from 'support/routes';
import type { Props } from '../../index'; import type { ContextRouter } from 'react-router';
import type { Props as BaseProps } from '../../index';
import l10nMessages from './index.messages'; import l10nMessages from './index.messages';
export default withRouter((props: Props & { location: any }) => { type OwnProps = {||};
export type Props = {| ...OwnProps, ...BaseProps |};
const UpdateFirmware = (props: {| ...Props, ...ContextRouter |}) => {
const { selectedDevice } = props.wallet; const { selectedDevice } = props.wallet;
const outdated = const outdated =
selectedDevice && selectedDevice.features && selectedDevice.firmware === 'outdated'; selectedDevice && selectedDevice.features && selectedDevice.firmware === 'outdated';
@ -36,4 +41,6 @@ export default withRouter((props: Props & { location: any }) => {
]} ]}
/> />
); );
}); };
export default withRouter<{| ...Props |}>(UpdateFirmware);

@ -4,32 +4,33 @@ import { bindActionCreators } from 'redux';
import { connect } from 'react-redux'; import { connect } from 'react-redux';
import { injectIntl } from 'react-intl'; import { injectIntl } from 'react-intl';
import type { MapStateToProps, MapDispatchToProps } from 'react-redux';
import type { State, Dispatch } from 'flowtype'; import type { State, Dispatch } from 'flowtype';
import * as NotificationActions from 'actions/NotificationActions'; import * as NotificationActions from 'actions/NotificationActions';
import * as RouterActions from 'actions/RouterActions'; import * as RouterActions from 'actions/RouterActions';
import type { intlShape } from 'react-intl';
import OnlineStatus from './components/OnlineStatus'; import OnlineStatus from './components/OnlineStatus';
import UpdateBridge from './components/UpdateBridge'; import UpdateBridge from './components/UpdateBridge';
import UpdateFirmware from './components/UpdateFirmware'; import UpdateFirmware from './components/UpdateFirmware';
import NoBackup from './components/NoBackup'; import NoBackup from './components/NoBackup';
export type StateProps = { type OwnProps = {|
intl: intlShape,
|};
export type StateProps = {|
connect: $ElementType<State, 'connect'>, connect: $ElementType<State, 'connect'>,
wallet: $ElementType<State, 'wallet'>, wallet: $ElementType<State, 'wallet'>,
children?: React.Node, children?: React.Node,
}; |};
export type DispatchProps = { export type DispatchProps = {|
close: typeof NotificationActions.close, close: typeof NotificationActions.close,
routerActions: typeof RouterActions, routerActions: typeof RouterActions,
}; |};
type OwnProps = {
intl: any,
};
export type Props = OwnProps & StateProps & DispatchProps; export type Props = {| ...OwnProps, ...StateProps, ...DispatchProps |};
const Notifications = (props: Props) => ( const Notifications = (props: Props) => (
<React.Fragment> <React.Fragment>
@ -40,22 +41,18 @@ const Notifications = (props: Props) => (
</React.Fragment> </React.Fragment>
); );
const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = ( const mapStateToProps = (state: State): StateProps => ({
state: State
): StateProps => ({
connect: state.connect, connect: state.connect,
wallet: state.wallet, wallet: state.wallet,
}); });
const mapDispatchToProps: MapDispatchToProps<Dispatch, OwnProps, DispatchProps> = ( const mapDispatchToProps = (dispatch: Dispatch): DispatchProps => ({
dispatch: Dispatch
): DispatchProps => ({
close: bindActionCreators(NotificationActions.close, dispatch), close: bindActionCreators(NotificationActions.close, dispatch),
routerActions: bindActionCreators(RouterActions, dispatch), routerActions: bindActionCreators(RouterActions, dispatch),
}); });
export default injectIntl( export default injectIntl(
connect( connect<Props, OwnProps, StateProps, DispatchProps, State, Dispatch>(
mapStateToProps, mapStateToProps,
mapDispatchToProps mapDispatchToProps
)(Notifications) )(Notifications)

@ -4,20 +4,25 @@ import * as React from 'react';
import { Notification, Link } from 'trezor-ui-components'; import { Notification, Link } from 'trezor-ui-components';
import Bignumber from 'bignumber.js'; import Bignumber from 'bignumber.js';
import { FormattedMessage } from 'react-intl'; import { FormattedMessage } from 'react-intl';
import { withRouter } from 'react-router-dom';
import type { ContextRouter } from 'react-router';
import l10nCommonMessages from 'views/common.messages'; import l10nCommonMessages from 'views/common.messages';
import { matchPath } from 'react-router';
import { getPattern } from 'support/routes';
import l10nMessages from './index.messages'; import l10nMessages from './index.messages';
import type { Props } from '../../index'; import type { Props } from '../../index';
export default (props: Props) => { export default withRouter<Props>((props: {| ...Props, ...ContextRouter |}) => {
const { selectedAccount } = props; const { selectedAccount } = props;
const { account } = selectedAccount; const { account } = selectedAccount;
const { location } = props.router; const { location } = props.router;
const notifications: Array<Notification> = []; const notifications = [];
if (!location || !selectedAccount || !account) return null; if (!location) return null;
// Ripple minimum reserve notification // Ripple minimum reserve notification
if (account.networkType === 'ripple') { if (selectedAccount && account && account.networkType === 'ripple') {
const { reserve, balance } = account; const { reserve, balance } = account;
const bigBalance = new Bignumber(balance); const bigBalance = new Bignumber(balance);
const bigReserve = new Bignumber(reserve); const bigReserve = new Bignumber(reserve);
@ -51,5 +56,28 @@ export default (props: Props) => {
} }
} }
// Import tool notification
if (matchPath(location.pathname, { path: getPattern('wallet-import') })) {
notifications.push(
<Notification
key="import-warning"
type="warning"
title="Use at your own risk"
message="This is an advanced interface intended for developer use only. Never use this process unless you really know what you are doing."
/>
);
}
if (account && account.imported) {
notifications.push(
<Notification
key="watch-only-info"
type="info"
title="The account is watch-only"
message="A watch-only account is a public address youve imported into your wallet, allowing the wallet to watch for outputs but not spend them."
/>
);
}
return <React.Fragment>{notifications}</React.Fragment>; return <React.Fragment>{notifications}</React.Fragment>;
}; });

@ -3,8 +3,8 @@ import * as React from 'react';
import { bindActionCreators } from 'redux'; import { bindActionCreators } from 'redux';
import { connect } from 'react-redux'; import { connect } from 'react-redux';
import { injectIntl } from 'react-intl'; import { injectIntl } from 'react-intl';
import type { IntlShape } from 'react-intl';
import type { MapStateToProps, MapDispatchToProps } from 'react-redux';
import type { State, Dispatch } from 'flowtype'; import type { State, Dispatch } from 'flowtype';
import { reconnect } from 'actions/DiscoveryActions'; import { reconnect } from 'actions/DiscoveryActions';
@ -14,24 +14,25 @@ import StaticNotifications from './components/Static';
import AccountNotifications from './components/Account'; import AccountNotifications from './components/Account';
import ActionNotifications from './components/Action'; import ActionNotifications from './components/Action';
export type StateProps = { type OwnProps = {|
intl: IntlShape,
|};
export type StateProps = {|
router: $ElementType<State, 'router'>, router: $ElementType<State, 'router'>,
notifications: $ElementType<State, 'notifications'>, notifications: $ElementType<State, 'notifications'>,
selectedAccount: $ElementType<State, 'selectedAccount'>, selectedAccount: $ElementType<State, 'selectedAccount'>,
wallet: $ElementType<State, 'wallet'>, wallet: $ElementType<State, 'wallet'>,
blockchain: $ElementType<State, 'blockchain'>, blockchain: $ElementType<State, 'blockchain'>,
children?: React.Node, children?: React.Node,
}; |};
export type DispatchProps = { export type DispatchProps = {|
close: typeof NotificationActions.close, close: typeof NotificationActions.close,
blockchainReconnect: typeof reconnect, blockchainReconnect: typeof reconnect,
}; |};
type OwnProps = {
intl: any,
};
export type Props = OwnProps & StateProps & DispatchProps; export type Props = {| ...OwnProps, ...StateProps, ...DispatchProps |};
const Notifications = (props: Props) => ( const Notifications = (props: Props) => (
<React.Fragment> <React.Fragment>
@ -41,9 +42,7 @@ const Notifications = (props: Props) => (
</React.Fragment> </React.Fragment>
); );
const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = ( const mapStateToProps = (state: State): StateProps => ({
state: State
): StateProps => ({
router: state.router, router: state.router,
notifications: state.notifications, notifications: state.notifications,
selectedAccount: state.selectedAccount, selectedAccount: state.selectedAccount,
@ -51,15 +50,13 @@ const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = (
blockchain: state.blockchain, blockchain: state.blockchain,
}); });
const mapDispatchToProps: MapDispatchToProps<Dispatch, OwnProps, DispatchProps> = ( const mapDispatchToProps = (dispatch: Dispatch): DispatchProps => ({
dispatch: Dispatch
): DispatchProps => ({
close: bindActionCreators(NotificationActions.close, dispatch), close: bindActionCreators(NotificationActions.close, dispatch),
blockchainReconnect: bindActionCreators(reconnect, dispatch), blockchainReconnect: bindActionCreators(reconnect, dispatch),
}); });
export default injectIntl( export default injectIntl<OwnProps>(
connect( connect<Props, OwnProps, StateProps, DispatchProps, State, Dispatch>(
mapStateToProps, mapStateToProps,
mapDispatchToProps mapDispatchToProps
)(Notifications) )(Notifications)

@ -39,6 +39,7 @@ export const FONT_SIZE = {
H3: '1rem', H3: '1rem',
H4: '0.8571rem', H4: '0.8571rem',
COUNTER: '0.7857rem', COUNTER: '0.7857rem',
BADGE: '0.7857rem',
}; };
export const FONT_WEIGHT = { export const FONT_WEIGHT = {

@ -32,6 +32,7 @@ import type { TokenAction } from 'actions/TokenActions';
import type { TrezorConnectAction } from 'actions/TrezorConnectActions'; import type { TrezorConnectAction } from 'actions/TrezorConnectActions';
import type { WalletAction } from 'actions/WalletActions'; import type { WalletAction } from 'actions/WalletActions';
import type { Web3Action } from 'actions/Web3Actions'; import type { Web3Action } from 'actions/Web3Actions';
import type { ImportAccountAction } from 'actions/ImportAccountActions';
import type { FiatRateAction } from 'services/CoingeckoService'; // this service has no action file, all is written inside one file import type { FiatRateAction } from 'services/CoingeckoService'; // this service has no action file, all is written inside one file
import type { import type {
@ -119,8 +120,15 @@ type UiEventAction = {
// }, // },
}; };
// TODO: join this message with uiMessage
type IFrameHandshake = {
type: 'iframe_handshake',
payload: any,
};
export type Action = export type Action =
| RouterAction | RouterAction
| IFrameHandshake
| TransportEventAction | TransportEventAction
| DeviceEventAction | DeviceEventAction
| UiEventAction | UiEventAction
@ -142,7 +150,8 @@ export type Action =
| TrezorConnectAction | TrezorConnectAction
| WalletAction | WalletAction
| Web3Action | Web3Action
| FiatRateAction; | FiatRateAction
| ImportAccountAction;
export type State = ReducersState; export type State = ReducersState;

@ -0,0 +1,259 @@
/**
* Original implementation of this file by @marudor at https://github.com/marudor/flowInterfaces
* Copied here based on intention to merge with flow-typed expressed here:
* https://github.com/marudor/flowInterfaces/issues/6
*/
// Mostly from https://github.com/yahoo/react-intl/wiki/API#react-intl-api
declare module "react-intl" {
import type { Element, ChildrenArray } from "react";
declare type $npm$ReactIntl$LocaleData = {
locale: string,
[key: string]: any
};
declare type $npm$ReactIntl$MessageDescriptor = {
id: string,
description?: string,
defaultMessage?: string
};
declare type $npm$ReactIntl$IntlConfig = {
locale: string,
formats: Object,
messages: { [id: string]: string },
defaultLocale?: string,
defaultFormats?: Object
};
declare type $npm$ReactIntl$IntlProviderConfig = {
locale?: string,
formats?: Object,
messages?: { [id: string]: string },
defaultLocale?: string,
defaultFormats?: Object
};
declare type $npm$ReactIntl$IntlFormat = {
formatDate: (value: any, options?: Object) => string,
formatTime: (value: any, options?: Object) => string,
formatRelative: (value: any, options?: Object) => string,
formatNumber: (value: any, options?: Object) => string,
formatPlural: (value: any, options?: Object) => string,
formatMessage: (
messageDescriptor: $npm$ReactIntl$MessageDescriptor,
values?: Object
) => string,
formatHTMLMessage: (
messageDescriptor: $npm$ReactIntl$MessageDescriptor,
values?: Object
) => string
};
declare type $npm$ReactIntl$IntlShape = $npm$ReactIntl$IntlConfig &
$npm$ReactIntl$IntlFormat & { now: () => number };
declare type $npm$ReactIntl$DateTimeFormatOptions = {
localeMatcher?: "best fit" | "lookup",
formatMatcher?: "basic" | "best fit",
timeZone?: string,
hour12?: boolean,
weekday?: "narrow" | "short" | "long",
era?: "narrow" | "short" | "long",
year?: "numeric" | "2-digit",
month?: "numeric" | "2-digit" | "narrow" | "short" | "long",
day?: "numeric" | "2-digit",
hour?: "numeric" | "2-digit",
minute?: "numeric" | "2-digit",
second?: "numeric" | "2-digit",
timeZoneName?: "short" | "long"
};
declare type $npm$ReactIntl$RelativeFormatOptions = {
style?: "best fit" | "numeric",
units?: "second" | "minute" | "hour" | "day" | "month" | "year"
};
declare type $npm$ReactIntl$NumberFormatOptions = {
localeMatcher?: "best fit" | "lookup",
style?: "decimal" | "currency" | "percent",
currency?: string,
currencyDisplay?: "symbol" | "code" | "name",
useGrouping?: boolean,
minimumIntegerDigits?: number,
minimumFractionDigits?: number,
maximumFractionDigits?: number,
minimumSignificantDigits?: number,
maximumSignificantDigits?: number
};
declare type $npm$ReactIntl$PluralFormatOptions = {
style?: "cardinal" | "ordinal"
};
declare type $npm$ReactIntl$PluralCategoryString =
| "zero"
| "one"
| "two"
| "few"
| "many"
| "other";
declare type $npm$ReactIntl$DateParseable = number | string | Date;
// PropType checker
declare function intlShape(
props: Object,
propName: string,
componentName: string
): void;
declare function addLocaleData(
data: $npm$ReactIntl$LocaleData | Array<$npm$ReactIntl$LocaleData>
): void;
declare function defineMessages<
T: { [key: string]: $Exact<$npm$ReactIntl$MessageDescriptor> }
>(
messageDescriptors: T
): T;
declare type InjectIntlProvidedProps = {
intl: $npm$ReactIntl$IntlShape
}
declare type InjectIntlVoidProps = {
intl: $npm$ReactIntl$IntlShape | void
}
declare type ComponentWithDefaultProps<DefaultProps: {}, Props: {}> =
| React$ComponentType<Props>
| React$StatelessFunctionalComponent<Props>
| ChildrenArray<void | null | boolean | string | number | Element<any>>;
declare type InjectIntlOptions = {
intlPropName?: string,
withRef?: boolean
}
declare class IntlInjectedComponent<TOwnProps, TDefaultProps> extends React$Component<TOwnProps> {
static WrappedComponent: Class<React$Component<TOwnProps & InjectIntlProvidedProps>>,
static defaultProps: TDefaultProps,
props: TOwnProps
}
declare type IntlInjectedComponentClass<TOwnProps, TDefaultProps: {} = {}> = Class<
IntlInjectedComponent<TOwnProps, TDefaultProps>
>;
declare function injectIntl<P: {}, Component: React$ComponentType<P>>(
WrappedComponent: Component,
options?: InjectIntlOptions,
): React$ComponentType<
$Diff<React$ElementConfig<Component>, InjectIntlVoidProps>
>;
declare function formatMessage(
messageDescriptor: $npm$ReactIntl$MessageDescriptor,
values?: Object
): string;
declare function formatHTMLMessage(
messageDescriptor: $npm$ReactIntl$MessageDescriptor,
values?: Object
): string;
declare function formatDate(
value: any,
options?: $npm$ReactIntl$DateTimeFormatOptions & { format: string }
): string;
declare function formatTime(
value: any,
options?: $npm$ReactIntl$DateTimeFormatOptions & { format: string }
): string;
declare function formatRelative(
value: any,
options?: $npm$ReactIntl$RelativeFormatOptions & {
format: string,
now: any
}
): string;
declare function formatNumber(
value: any,
options?: $npm$ReactIntl$NumberFormatOptions & { format: string }
): string;
declare function formatPlural(
value: any,
options?: $npm$ReactIntl$PluralFormatOptions
): $npm$ReactIntl$PluralCategoryString;
declare class FormattedMessage extends React$Component<
$npm$ReactIntl$MessageDescriptor & {
values?: Object,
tagName?: string,
children?:
| ((...formattedMessage: Array<React$Node>) => React$Node)
| (string => React$Node)
}
> {}
declare class FormattedHTMLMessage extends React$Component<
$npm$ReactIntl$DateTimeFormatOptions & {
values?: Object,
tagName?: string,
children?: (...formattedMessage: Array<React$Node>) => React$Node
}
> {}
declare class FormattedDate extends React$Component<
$npm$ReactIntl$DateTimeFormatOptions & {
value: $npm$ReactIntl$DateParseable,
format?: string,
children?: (formattedDate: string) => React$Node
}
> {}
declare class FormattedTime extends React$Component<
$npm$ReactIntl$DateTimeFormatOptions & {
value: $npm$ReactIntl$DateParseable,
format?: string,
children?: (formattedDate: string) => React$Node
}
> {}
declare class FormattedRelative extends React$Component<
$npm$ReactIntl$RelativeFormatOptions & {
value: $npm$ReactIntl$DateParseable,
format?: string,
updateInterval?: number,
initialNow?: $npm$ReactIntl$DateParseable,
children?: (formattedDate: string) => React$Node
}
> {}
declare class FormattedNumber extends React$Component<
$npm$ReactIntl$NumberFormatOptions & {
value: number | string,
format?: string,
children?: (formattedNumber: string) => React$Node
}
> {}
declare class FormattedPlural extends React$Component<
$npm$ReactIntl$PluralFormatOptions & {
value: number | string,
other: React$Node,
zero?: React$Node,
one?: React$Node,
two?: React$Node,
few?: React$Node,
many?: React$Node,
children?: (formattedPlural: React$Node) => React$Node
}
> {}
declare class IntlProvider extends React$Component<
$npm$ReactIntl$IntlProviderConfig & {
children?: React$Node,
initialNow?: $npm$ReactIntl$DateParseable
}
> {}
declare type IntlShape = $npm$ReactIntl$IntlShape;
declare type MessageDescriptor = $npm$ReactIntl$MessageDescriptor;
}

@ -1,127 +1,275 @@
// flow-typed signature: 59b0c4be0e1408f21e2446be96c79804 /**
// flow-typed version: 9092387fd2/react-redux_v5.x.x/flow_>=v0.54.x The order of type arguments for connect() is as follows:
import type { Dispatch, Store } from 'redux'; connect<Props, OwnProps, StateProps, DispatchProps, State, Dispatch>()
declare module 'react-redux' { In Flow v0.89 only the first two are mandatory to specify. Other 4 can be repaced with the new awesome type placeholder:
/*
S = State connect<Props, OwnProps, _, _, _, _>()
A = Action
D = Dispatch
OP = OwnProps
SP = StateProps
DP = DispatchProps
*/ But beware, in case of weird type errors somewhere in random places
just type everything and get to a green field and only then try to
remove the definitions you see bogus.
declare type MapStateToProps<S, OP: Object, SP: Object> = ( Decrypting the abbreviations:
state: S, WC = Component being wrapped
ownProps: OP S = State
) => ((state: S, ownProps: OP) => SP) | SP; D = Dispatch
OP = OwnProps
SP = StateProps
DP = DispatchProps
MP = Merge props
RSP = Returned state props
RDP = Returned dispatch props
RMP = Returned merge props
CP = Props for returned component
Com = React Component
ST = Static properties of Com
EFO = Extra factory options (used only in connectAdvanced)
*/
declare module "react-redux" {
// ------------------------------------------------------------
// Typings for connect()
// ------------------------------------------------------------
declare export type Options<S, OP, SP, MP> = {|
pure?: boolean,
withRef?: boolean,
areStatesEqual?: (next: S, prev: S) => boolean,
areOwnPropsEqual?: (next: OP, prev: OP) => boolean,
areStatePropsEqual?: (next: SP, prev: SP) => boolean,
areMergedPropsEqual?: (next: MP, prev: MP) => boolean,
storeKey?: string,
|};
declare type MapDispatchToProps<D, OP: Object, DP: Object> = declare type MapStateToProps<-S, -OP, +SP> =
| ((state: S, ownProps: OP) => SP)
// If you want to use the factory function but get a strange error
// like "function is not an object" then just type the factory function
// like this:
// const factory: (State, OwnProps) => (State, OwnProps) => StateProps
// and provide the StateProps type to the SP type parameter.
| ((state: S, ownProps: OP) => (state: S, ownProps: OP) => SP);
declare type Bind<D> = <A, R>((...A) => R) => (...A) => $Call<D, R>;
declare type MapDispatchToPropsFn<D, -OP, +DP> =
| ((dispatch: D, ownProps: OP) => DP) | ((dispatch: D, ownProps: OP) => DP)
| DP; // If you want to use the factory function but get a strange error
// like "function is not an object" then just type the factory function
// like this:
// const factory: (Dispatch, OwnProps) => (Dispatch, OwnProps) => DispatchProps
// and provide the DispatchProps type to the DP type parameter.
| ((dispatch: D, ownProps: OP) => (dispatch: D, ownProps: OP) => DP);
declare class ConnectedComponent<OP, +WC> extends React$Component<OP> {
static +WrappedComponent: WC;
getWrappedInstance(): React$ElementRef<WC>;
}
declare type Connector<P, OP, MP: P> = <WC: React$ComponentType<P>>(
WC,
) => Class<ConnectedComponent<OP, WC>> & WC;
// No `mergeProps` argument
declare export function connect<-P, -OP, -SP, -DP, -S, -D>(
mapStateToProps?: null | void,
mapDispatchToProps?: null | void,
mergeProps?: null | void,
options?: ?Options<S, OP, {||}, {| ...OP, dispatch: D |}>,
// Got error like inexact OwnProps is incompatible with exact object type?
// Just make your OP parameter an exact object.
): Connector<P, OP, {| ...OP, dispatch: D |}>;
declare export function connect<-P, -OP, -SP, -DP, -S, -D>(
// If you get error here try adding return type to your mapStateToProps function
mapStateToProps: MapStateToProps<S, OP, SP>,
mapDispatchToProps?: null | void,
mergeProps?: null | void,
options?: ?Options<S, OP, SP, {| ...OP, ...SP |}>,
// Got error like inexact OwnProps is incompatible with exact object type?
// Just make your OP parameter an exact object.
): Connector<P, OP, {| ...OP, ...SP |}>;
// In this case DP is an object of functions which has been bound to dispatch
// by the given mapDispatchToProps function.
declare export function connect<-P, -OP, -SP, -DP, S, D>(
mapStateToProps: null | void,
mapDispatchToProps: MapDispatchToPropsFn<D, OP, DP>,
mergeProps?: null | void,
options?: ?Options<S, OP, {||}, {| ...OP, ...DP |}>,
// Got error like inexact OwnProps is incompatible with exact object type?
// Just make your OP parameter an exact object.
): Connector<P, OP, {| ...OP, ...DP |}>;
// In this case DP is an object of action creators not yet bound to dispatch,
// this difference is not important in the vanila redux,
// but in case of usage with redux-thunk, the return type may differ.
declare export function connect<-P, -OP, -SP, -DP, S, D>(
mapStateToProps: null | void,
mapDispatchToProps: DP,
mergeProps?: null | void,
options?: ?Options<S, OP, {||}, {| ...OP, ...DP |}>,
// Got error like inexact OwnProps is incompatible with exact object type?
// Just make your OP parameter an exact object.
): Connector<P, OP, {| ...OP, ...$ObjMap<DP, Bind<D>> |}>;
declare export function connect<-P, -OP, -SP, -DP, S, D>(
// If you get error here try adding return type to your mapStateToProps function
mapStateToProps: MapStateToProps<S, OP, SP>,
mapDispatchToProps: MapDispatchToPropsFn<D, OP, DP>,
mergeProps?: null | void,
options?: ?Options<S, OP, SP, {| ...OP, ...SP, ...DP |}>,
// Got error like inexact OwnProps is incompatible with exact object type?
// Just make your OP parameter an exact object.
): Connector<P, OP, {| ...OP, ...SP, ...DP |}>;
declare export function connect<-P, -OP, -SP, -DP, S, D>(
// If you get error here try adding return type to your mapStateToProps function
mapStateToProps: MapStateToProps<S, OP, SP>,
mapDispatchToProps: DP,
mergeProps?: null | void,
options?: ?Options<S, OP, SP, {| ...OP, ...SP, ...DP |}>,
// Got error like inexact OwnProps is incompatible with exact object type?
// Just make your OP parameter an exact object.
): Connector<P, OP, {| ...OP, ...SP, ...$ObjMap<DP, Bind<D>> |}>;
// With `mergeProps` argument
declare type MergeProps<SP, DP: Object, OP: Object, P: Object> = ( declare type MergeProps<+P, -OP, -SP, -DP> = (
stateProps: SP, stateProps: SP,
dispatchProps: DP, dispatchProps: DP,
ownProps: OP ownProps: OP,
) => P; ) => P;
declare type Context = { store: Store<*, *> }; declare export function connect<-P, -OP, -SP: {||}, -DP: {||}, S, D>(
mapStateToProps: null | void,
mapDispatchToProps: null | void,
// If you get error here try adding return type to you mapStateToProps function
mergeProps: MergeProps<P, OP, {||}, {| dispatch: D |}>,
options?: ?Options<S, OP, {||}, P>,
): Connector<P, OP, P>;
declare type ComponentWithDefaultProps<DP: {}, P: {}, CP: P> = Class<React$Component<CP>> & { defaultProps: DP }; declare export function connect<-P, -OP, -SP, -DP: {||}, S, D>(
mapStateToProps: MapStateToProps<S, OP, SP>,
mapDispatchToProps: null | void,
// If you get error here try adding return type to you mapStateToProps function
mergeProps: MergeProps<P, OP, SP, {| dispatch: D |}>,
options?: ?Options<S, OP, SP, P>,
): Connector<P, OP, P>;
declare class ConnectedComponentWithDefaultProps< // In this case DP is an object of functions which has been bound to dispatch
OP, // by the given mapDispatchToProps function.
DP, declare export function connect<-P, -OP, -SP: {||}, -DP, S, D>(
CP mapStateToProps: null | void,
> extends React$Component<OP> { mapDispatchToProps: MapDispatchToPropsFn<D, OP, DP>,
static defaultProps: DP, // <= workaround for https://github.com/facebook/flow/issues/4644 mergeProps: MergeProps<P, OP, {||}, DP>,
static WrappedComponent: Class<React$Component<CP>>, options?: ?Options<S, OP, {||}, P>,
getWrappedInstance(): React$Component<CP>, ): Connector<P, OP, P>;
props: OP,
state: void
}
declare class ConnectedComponent<OP, P> extends React$Component<OP> { // In this case DP is an object of action creators not yet bound to dispatch,
static WrappedComponent: Class<React$Component<P>>, // this difference is not important in the vanila redux,
getWrappedInstance(): React$Component<P>, // but in case of usage with redux-thunk, the return type may differ.
props: OP, declare export function connect<-P, -OP, -SP: {||}, -DP, S, D>(
state: void mapStateToProps: null | void,
} mapDispatchToProps: DP,
mergeProps: MergeProps<P, OP, {||}, $ObjMap<DP, Bind<D>>>,
options?: ?Options<S, OP, {||}, P>,
): Connector<P, OP, P>;
declare type ConnectedComponentWithDefaultPropsClass<OP, DP, CP> = Class<ConnectedComponentWithDefaultProps<OP, DP, CP>>; // In this case DP is an object of functions which has been bound to dispatch
// by the given mapDispatchToProps function.
declare export function connect<-P, -OP, -SP, -DP, S, D>(
mapStateToProps: MapStateToProps<S, OP, SP>,
mapDispatchToProps: MapDispatchToPropsFn<D, OP, DP>,
mergeProps: MergeProps<P, OP, SP, DP>,
options?: ?Options<S, OP, SP, P>,
): Connector<P, OP, P>;
declare type ConnectedComponentClass<OP, P> = Class<ConnectedComponent<OP, P>>; // In this case DP is an object of action creators not yet bound to dispatch,
// this difference is not important in the vanila redux,
// but in case of usage with redux-thunk, the return type may differ.
declare export function connect<-P, -OP, -SP, -DP, S, D>(
mapStateToProps: MapStateToProps<S, OP, SP>,
mapDispatchToProps: DP,
mergeProps: MergeProps<P, OP, SP, $ObjMap<DP, Bind<D>>>,
options?: ?Options<S, OP, SP, P>,
): Connector<P, OP, P>;
declare type Connector<OP, P> = (<DP: {}, CP: {}>( // ------------------------------------------------------------
component: ComponentWithDefaultProps<DP, P, CP> // Typings for Provider
) => ConnectedComponentWithDefaultPropsClass<OP, DP, CP>) & // ------------------------------------------------------------
((component: React$ComponentType<P>) => ConnectedComponentClass<OP, P>);
declare class Provider<S, A> extends React$Component<{ declare export class Provider<Store> extends React$Component<{
store: Store<S, A>, store: Store,
children?: any children?: React$Node,
}> {} }> {}
declare function createProvider( declare export function createProvider(
storeKey?: string, storeKey?: string,
subKey?: string subKey?: string,
): Provider<*, *>; ): Class<Provider<*>>;
declare type ConnectOptions = { // ------------------------------------------------------------
pure?: boolean, // Typings for connectAdvanced()
withRef?: boolean // ------------------------------------------------------------
};
declare type Null = null | void; declare type ConnectAdvancedOptions = {
getDisplayName?: (name: string) => string,
methodName?: string,
renderCountProp?: string,
shouldHandleStateChanges?: boolean,
storeKey?: string,
withRef?: boolean,
};
declare function connect<A, OP>( declare type SelectorFactoryOptions<Com> = {
...rest: Array<void> // <= workaround for https://github.com/facebook/flow/issues/2360 getDisplayName: (name: string) => string,
): Connector<OP, $Supertype<{ dispatch: Dispatch<A> } & OP>>; methodName: string,
renderCountProp: ?string,
shouldHandleStateChanges: boolean,
storeKey: string,
withRef: boolean,
displayName: string,
wrappedComponentName: string,
WrappedComponent: Com,
};
declare function connect<A, OP>( declare type MapStateToPropsEx<S: Object, SP: Object, RSP: Object> = (
mapStateToProps: Null, state: S,
mapDispatchToProps: Null, props: SP,
mergeProps: Null, ) => RSP;
options: ConnectOptions
): Connector<OP, $Supertype<{ dispatch: Dispatch<A> } & OP>>;
declare function connect<S, A, OP, SP>( declare type SelectorFactory<
mapStateToProps: MapStateToProps<S, OP, SP>, Com: React$ComponentType<*>,
mapDispatchToProps: Null, Dispatch,
mergeProps: Null, S: Object,
options?: ConnectOptions OP: Object,
): Connector<OP, $Supertype<SP & { dispatch: Dispatch<A> } & OP>>; EFO: Object,
CP: Object,
declare function connect<A, OP, DP>( > = (
mapStateToProps: Null, dispatch: Dispatch,
mapDispatchToProps: MapDispatchToProps<A, OP, DP>, factoryOptions: SelectorFactoryOptions<Com> & EFO,
mergeProps: Null, ) => MapStateToPropsEx<S, OP, CP>;
options?: ConnectOptions
): Connector<OP, $Supertype<DP & OP>>;
declare function connect<S, A, OP, SP, DP>(
mapStateToProps: MapStateToProps<S, OP, SP>,
mapDispatchToProps: MapDispatchToProps<A, OP, DP>,
mergeProps: Null,
options?: ConnectOptions
): Connector<OP, $Supertype<SP & DP & OP>>;
declare function connect<S, A, OP, SP, DP, P>( declare export function connectAdvanced<
mapStateToProps: MapStateToProps<S, OP, SP>, Com: React$ComponentType<*>,
mapDispatchToProps: Null, D,
mergeProps: MergeProps<SP, DP, OP, P>, S: Object,
options?: ConnectOptions OP: Object,
): Connector<OP, P>; CP: Object,
EFO: Object,
ST: { [_: $Keys<Com>]: any },
>(
selectorFactory: SelectorFactory<Com, D, S, OP, EFO, CP>,
connectAdvancedOptions: ?(ConnectAdvancedOptions & EFO),
): (component: Com) => React$ComponentType<OP> & $Shape<ST>;
declare function connect<S, A, OP, SP, DP, P>( declare export default {
mapStateToProps: MapStateToProps<S, OP, SP>, Provider: typeof Provider,
mapDispatchToProps: MapDispatchToProps<A, OP, DP>, createProvider: typeof createProvider,
mergeProps: MergeProps<SP, DP, OP, P>, connect: typeof connect,
options?: ConnectOptions connectAdvanced: typeof connectAdvanced,
): Connector<OP, P>; };
} }

@ -75,6 +75,11 @@ const createAccount = (state: State, account: Account): State => {
} }
const newState: State = [...state]; const newState: State = [...state];
newState.push(account); newState.push(account);
// sort the accounts array so the imported accounts always come before discovered accounts
if (account.imported) {
newState.sort((a, b) => Number(b.imported) - Number(a.imported) || a.index - b.index);
}
return newState; return newState;
}; };

@ -95,7 +95,11 @@ const complete = (state: State, action: DiscoveryCompleteAction): State => {
const accountCreate = (state: State, account: Account): State => { const accountCreate = (state: State, account: Account): State => {
const index: number = findIndex(state, account.network, account.deviceState); const index: number = findIndex(state, account.network, account.deviceState);
const newState: State = [...state]; const newState: State = [...state];
newState[index].accountIndex++; // do not increment index when adding imported account
// imported accounts should not interfere with the index used in discovery proccess.
if (!account.imported) {
newState[index].accountIndex++;
}
return newState; return newState;
}; };

@ -0,0 +1,43 @@
/* @flow */
import * as IMPORT from 'actions/constants/importAccount';
import type { Action } from 'flowtype';
export type ImportState = {
loading: boolean,
error: ?string,
};
export const initialState: ImportState = {
loading: false,
error: null,
};
export default (state: ImportState = initialState, action: Action): ImportState => {
switch (action.type) {
case IMPORT.START:
return {
...state,
loading: true,
error: null,
};
case IMPORT.SUCCESS:
return {
...state,
loading: false,
error: null,
};
case IMPORT.FAIL:
return {
...state,
loading: false,
error: action.error,
};
default:
return state;
}
};

@ -1,5 +1,5 @@
/* @flow */ /* @flow */
import { TRANSPORT, IFRAME } from 'trezor-connect'; import { TRANSPORT, UI } from 'trezor-connect';
import * as CONNECT from 'actions/constants/TrezorConnect'; import * as CONNECT from 'actions/constants/TrezorConnect';
import type { Action } from 'flowtype'; import type { Action } from 'flowtype';
@ -66,7 +66,7 @@ export default function connect(state: State = initialState, action: Action): St
error: action.error, error: action.error,
}; };
// trezor-connect iframe loaded // trezor-connect iframe loaded
case IFRAME.LOADED: case UI.IFRAME_HANDSHAKE:
return { return {
...state, ...state,
initialized: true, initialized: true,

@ -2,6 +2,7 @@
import { combineReducers } from 'redux'; import { combineReducers } from 'redux';
import { connectRouter } from 'connected-react-router'; import { connectRouter } from 'connected-react-router';
import type { State } from 'connected-react-router'; import type { State } from 'connected-react-router';
import type { Action } from 'flowtype';
import log from 'reducers/LogReducer'; import log from 'reducers/LogReducer';
import localStorage from 'reducers/LocalStorageReducer'; import localStorage from 'reducers/LocalStorageReducer';
@ -10,6 +11,7 @@ import notifications from 'reducers/NotificationReducer';
import modal from 'reducers/ModalReducer'; import modal from 'reducers/ModalReducer';
import web3 from 'reducers/Web3Reducer'; import web3 from 'reducers/Web3Reducer';
import accounts from 'reducers/AccountsReducer'; import accounts from 'reducers/AccountsReducer';
import importAccount from 'reducers/ImportAccountReducer';
import selectedAccount from 'reducers/SelectedAccountReducer'; import selectedAccount from 'reducers/SelectedAccountReducer';
import sendFormEthereum from 'reducers/SendFormEthereumReducer'; import sendFormEthereum from 'reducers/SendFormEthereumReducer';
import sendFormRipple from 'reducers/SendFormRippleReducer'; import sendFormRipple from 'reducers/SendFormRippleReducer';
@ -31,6 +33,7 @@ const reducers = {
notifications, notifications,
modal, modal,
web3, web3,
importAccount,
accounts, accounts,
selectedAccount, selectedAccount,
sendFormEthereum, sendFormEthereum,
@ -60,8 +63,8 @@ export type Reducers = typeof reducers;
type $ExtractFunctionReturn = <V>(v: (...args: any) => V) => V; type $ExtractFunctionReturn = <V>(v: (...args: any) => V) => V;
export type ReducersState = $ObjMap<Reducers, $ExtractFunctionReturn>; export type ReducersState = $ObjMap<Reducers, $ExtractFunctionReturn>;
export default (history: any) => export default (history: Object) =>
combineReducers({ combineReducers<Reducers, Action>({
...reducers, ...reducers,
router: connectRouter(history), router: connectRouter(history),
}); });

@ -83,10 +83,15 @@ export const getSelectedAccount = (state: State): ?Account => {
const locationState = state.router.location.state; const locationState = state.router.location.state;
if (!device || !locationState.network || !locationState.account) return null; if (!device || !locationState.network || !locationState.account) return null;
const index: number = parseInt(locationState.account, 10); // imported account index has 'i' prefix
const isImported = /^i\d+$/i.test(locationState.account);
const index: number = isImported
? parseInt(locationState.account.substr(1), 10)
: parseInt(locationState.account, 10);
return state.accounts.find( return state.accounts.find(
a => a =>
a.imported === isImported &&
a.deviceState === device.state && a.deviceState === device.state &&
a.index === index && a.index === index &&
a.network === locationState.network a.network === locationState.network

@ -58,6 +58,10 @@ const LocalStorageService: Middleware = (api: MiddlewareAPI) => (next: Middlewar
case CONNECT.FORGET: case CONNECT.FORGET:
case CONNECT.FORGET_SINGLE: case CONNECT.FORGET_SINGLE:
case CONNECT.FORGET_SILENT: case CONNECT.FORGET_SILENT:
api.dispatch(LocalStorageActions.save());
api.dispatch(LocalStorageActions.removeImportedAccounts(action.device));
break;
case CONNECT.RECEIVE_WALLET_TYPE: case CONNECT.RECEIVE_WALLET_TYPE:
case DEVICE.CHANGED: case DEVICE.CHANGED:
case DEVICE.DISCONNECT: case DEVICE.DISCONNECT:

@ -2,6 +2,7 @@
import * as LogActions from 'actions/LogActions'; import * as LogActions from 'actions/LogActions';
import { TRANSPORT, DEVICE } from 'trezor-connect'; import { TRANSPORT, DEVICE } from 'trezor-connect';
import * as DISCOVERY from 'actions/constants/discovery'; import * as DISCOVERY from 'actions/constants/discovery';
import * as ACCOUNT from 'actions/constants/account';
import type { Middleware, MiddlewareAPI, MiddlewareDispatch, Action } from 'flowtype'; import type { Middleware, MiddlewareAPI, MiddlewareDispatch, Action } from 'flowtype';
@ -10,6 +11,7 @@ const actions: Array<string> = [
DEVICE.CONNECT, DEVICE.CONNECT,
DEVICE.DISCONNECT, DEVICE.DISCONNECT,
DISCOVERY.START, DISCOVERY.START,
ACCOUNT.CREATE,
]; ];
/** /**
@ -40,6 +42,9 @@ const LogService: Middleware = (api: MiddlewareAPI) => (next: MiddlewareDispatch
case DISCOVERY.START: case DISCOVERY.START:
api.dispatch(LogActions.add('Discovery started', action)); api.dispatch(LogActions.add('Discovery started', action));
break; break;
case ACCOUNT.CREATE:
api.dispatch(LogActions.add('Account created', action));
break;
default: default:
break; break;
} }

@ -12,11 +12,10 @@ import Raven from 'raven-js';
import RavenMiddleware from 'redux-raven-middleware'; import RavenMiddleware from 'redux-raven-middleware';
import * as buildUtils from 'utils/build'; import * as buildUtils from 'utils/build';
import type { Action, GetState } from 'flowtype'; import type { State, Action, Dispatch, GetState } from 'flowtype';
export const history: History = createHistory({ queryKey: false }); export const history: History = createHistory({ queryKey: false });
const initialState: any = {};
const enhancers = []; const enhancers = [];
const middlewares = [thunk, routerMiddleware(history)]; const middlewares = [thunk, routerMiddleware(history)];
@ -61,4 +60,4 @@ if (buildUtils.isDev()) {
); );
} }
export default createStore(createRootReducer(history), initialState, composedEnhancers); export default createStore<State, Action, Dispatch>(createRootReducer(history), composedEnhancers);

@ -2,7 +2,6 @@
import * as React from 'react'; import * as React from 'react';
import { connect } from 'react-redux'; import { connect } from 'react-redux';
import type { MapStateToProps } from 'react-redux';
import type { State } from 'flowtype'; import type { State } from 'flowtype';
import { IntlProvider, addLocaleData } from 'react-intl'; import { IntlProvider, addLocaleData } from 'react-intl';
@ -43,20 +42,21 @@ addLocaleData([
...zh, ...zh,
]); ]);
type OwnProps = { type OwnProps = {|
children: React.Node, children: React.Node,
}; |};
type StateProps = { type StateProps = {|
locale: string, locale: string,
messages: { [string]: string }, messages: { [string]: string },
}; |};
type Props = StateProps & OwnProps; type Props = {|
...OwnProps,
...StateProps,
|};
const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = ( const mapStateToProps = (state: State): StateProps => ({
state: State
): StateProps => ({
locale: state.wallet.language, locale: state.wallet.language,
messages: state.wallet.messages, messages: state.wallet.messages,
}); });
@ -71,7 +71,6 @@ const ReactIntlProvider = ({ children, locale, messages }: Props) => (
</IntlProvider> </IntlProvider>
); );
export default connect( export default connect<Props, OwnProps, StateProps, _, State, _>(mapStateToProps)(
mapStateToProps, ReactIntlProvider
null );
)(ReactIntlProvider);

@ -23,9 +23,9 @@ export const routes: Array<Route> = [
fields: ['bridge'], fields: ['bridge'],
}, },
{ {
name: 'landing-import', name: 'wallet-import',
pattern: '/import', pattern: '/device/:device/import',
fields: ['import'], fields: ['device', 'import'],
}, },
{ {
name: 'wallet-settings', name: 'wallet-settings',

@ -9,8 +9,19 @@ import { Button, Icon, P, H5, colors, icons } from 'trezor-ui-components';
import { FONT_SIZE } from 'config/variables'; import { FONT_SIZE } from 'config/variables';
import * as WalletActions from 'actions/WalletActions'; import * as WalletActions from 'actions/WalletActions';
import type { State, Dispatch } from 'flowtype';
import l10nMessages from './index.messages'; import l10nMessages from './index.messages';
type OwnProps = {||};
type StateProps = {||};
type DispatchProps = {|
close: typeof WalletActions.hideBetaDisclaimer,
|};
type Props = {| ...OwnProps, ...StateProps, ...DispatchProps |};
const Wrapper = styled.div` const Wrapper = styled.div`
width: 100%; width: 100%;
min-height: 100vh; min-height: 100vh;
@ -50,7 +61,7 @@ const StyledIcon = styled(Icon)`
top: -1px; top: -1px;
`; `;
const BetaDisclaimer = (props: { close: () => void }) => ( const BetaDisclaimer = (props: Props) => (
<Wrapper> <Wrapper>
<ModalWindow> <ModalWindow>
<H5> <H5>
@ -115,9 +126,9 @@ const BetaDisclaimer = (props: { close: () => void }) => (
</Wrapper> </Wrapper>
); );
export default connect( export default connect<Props, OwnProps, StateProps, DispatchProps, State, Dispatch>(
null, null,
(dispatch: Dispatch) => ({ (dispatch: Dispatch): DispatchProps => ({
close: bindActionCreators(WalletActions.hideBetaDisclaimer, dispatch), close: bindActionCreators(WalletActions.hideBetaDisclaimer, dispatch),
}) })
)(BetaDisclaimer); )(BetaDisclaimer);

@ -5,7 +5,7 @@ import styled, { keyframes } from 'styled-components';
import TrezorConnect from 'trezor-connect'; import TrezorConnect from 'trezor-connect';
import l10nCommonMessages from 'views/common.messages'; import l10nCommonMessages from 'views/common.messages';
import { Button, P, H5, Link, icons, colors } from 'trezor-ui-components'; import { Button, P, H1, Link, icons, colors } from 'trezor-ui-components';
import { PULSATE } from 'config/animations'; import { PULSATE } from 'config/animations';
import { FONT_SIZE, FONT_WEIGHT, SCREEN_SIZE } from 'config/variables'; import { FONT_SIZE, FONT_WEIGHT, SCREEN_SIZE } from 'config/variables';
@ -140,9 +140,9 @@ class ConnectDevice extends PureComponent<Props> {
return ( return (
<StyledConnectDevice> <StyledConnectDevice>
<Title> <Title>
<H5 claim> <H1 claim>
<FormattedMessage {...l10nMessages.TR_THE_PRIVATE_BANK_IN_YOUR_HANDS} /> <FormattedMessage {...l10nMessages.TR_THE_PRIVATE_BANK_IN_YOUR_HANDS} />
</H5> </H1>
<P> <P>
<FormattedMessage {...l10nMessages.TR_TREZOR_WALLET_IS_AN_EASY_DASH} /> <FormattedMessage {...l10nMessages.TR_TREZOR_WALLET_IS_AN_EASY_DASH} />
</P> </P>

@ -1,42 +0,0 @@
/* @flow */
import * as React from 'react';
import { connect } from 'react-redux';
import { bindActionCreators } from 'redux';
import * as RouterActions from 'actions/RouterActions';
import type { MapStateToProps, MapDispatchToProps } from 'react-redux';
import type { State, Dispatch } from 'flowtype';
import ImportView from './index';
export type StateProps = {
transport: $ElementType<$ElementType<State, 'connect'>, 'transport'>,
children?: React.Node,
};
type DispatchProps = {
selectFirstAvailableDevice: typeof RouterActions.selectFirstAvailableDevice,
};
type OwnProps = {};
export type Props = StateProps & DispatchProps;
const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = (
state: State
): StateProps => ({
transport: state.connect.transport,
});
const mapDispatchToProps: MapDispatchToProps<Dispatch, OwnProps, DispatchProps> = (
dispatch: Dispatch
): DispatchProps => ({
selectFirstAvailableDevice: bindActionCreators(
RouterActions.selectFirstAvailableDevice,
dispatch
),
});
export default connect(
mapStateToProps,
mapDispatchToProps
)(ImportView);

@ -1,28 +0,0 @@
/* @flow */
import React from 'react';
import styled from 'styled-components';
import { Button, Link, Icon, H5, icons, colors } from 'trezor-ui-components';
import LandingWrapper from 'views/Landing/components/LandingWrapper';
const Wrapper = styled.div`
width: 100%;
display: flex;
flex-direction: column;
justify-content: center;
align-items: center;
`;
const Import = () => (
<LandingWrapper>
<Wrapper>
<Icon size={60} color={colors.WARNING_PRIMARY} icon={icons.WARNING} />
<H5>Import tool is under construction</H5>
<Link to="/">
<Button>Take me back</Button>
</Link>
</Wrapper>
</LandingWrapper>
);
export default Import;

@ -4,39 +4,34 @@ import { connect } from 'react-redux';
import { bindActionCreators } from 'redux'; import { bindActionCreators } from 'redux';
import * as RouterActions from 'actions/RouterActions'; import * as RouterActions from 'actions/RouterActions';
import type { MapStateToProps, MapDispatchToProps } from 'react-redux';
import type { State, Dispatch } from 'flowtype'; import type { State, Dispatch } from 'flowtype';
import InstallBridge from './index'; import InstallBridge from './index';
export type StateProps = { type OwnProps = {|
transport: $ElementType<$ElementType<State, 'connect'>, 'transport'>,
children?: React.Node, children?: React.Node,
}; |};
export type StateProps = {|
transport: $ElementType<$ElementType<State, 'connect'>, 'transport'>,
|};
type DispatchProps = { type DispatchProps = {|
selectFirstAvailableDevice: typeof RouterActions.selectFirstAvailableDevice, selectFirstAvailableDevice: typeof RouterActions.selectFirstAvailableDevice,
}; |};
type OwnProps = {};
export type Props = StateProps & DispatchProps; export type Props = {| ...StateProps, ...DispatchProps, ...OwnProps |};
const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = ( const mapStateToProps = (state: State): StateProps => ({
state: State
): StateProps => ({
transport: state.connect.transport, transport: state.connect.transport,
}); });
const mapDispatchToProps: MapDispatchToProps<Dispatch, OwnProps, DispatchProps> = ( const mapDispatchToProps = (dispatch: Dispatch): DispatchProps => ({
dispatch: Dispatch
): DispatchProps => ({
selectFirstAvailableDevice: bindActionCreators( selectFirstAvailableDevice: bindActionCreators(
RouterActions.selectFirstAvailableDevice, RouterActions.selectFirstAvailableDevice,
dispatch dispatch
), ),
}); });
export default connect( export default connect<Props, OwnProps, StateProps, DispatchProps, State, Dispatch>(
mapStateToProps, mapStateToProps,
mapDispatchToProps mapDispatchToProps
)(InstallBridge); )(InstallBridge);

@ -2,11 +2,13 @@
import * as React from 'react'; import * as React from 'react';
import { connect } from 'react-redux'; import { connect } from 'react-redux';
import type { MapStateToProps } from 'react-redux';
import type { State } from 'flowtype'; import type { State } from 'flowtype';
import RootView from './index'; import RootView from './index';
export type StateProps = { type OwnProps = {|
children?: React.Node,
|};
export type StateProps = {|
localStorage: $ElementType<State, 'localStorage'>, localStorage: $ElementType<State, 'localStorage'>,
modal: $ElementType<State, 'modal'>, modal: $ElementType<State, 'modal'>,
wallet: $ElementType<State, 'wallet'>, wallet: $ElementType<State, 'wallet'>,
@ -15,16 +17,13 @@ export type StateProps = {
wallet: $ElementType<State, 'wallet'>, wallet: $ElementType<State, 'wallet'>,
devices: $ElementType<State, 'devices'>, devices: $ElementType<State, 'devices'>,
children?: React.Node, children?: React.Node,
}; |};
type DispatchProps = {}; type DispatchProps = {||};
type OwnProps = {};
export type Props = StateProps & DispatchProps; export type Props = {| ...OwnProps, ...StateProps, ...DispatchProps |};
const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = ( const mapStateToProps = (state: State): StateProps => ({
state: State
): StateProps => ({
localStorage: state.localStorage, localStorage: state.localStorage,
modal: state.modal, modal: state.modal,
wallet: state.wallet, wallet: state.wallet,
@ -33,7 +32,6 @@ const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = (
devices: state.devices, devices: state.devices,
}); });
export default connect( export default connect<Props, OwnProps, StateProps, DispatchProps, State, _>(mapStateToProps)(
mapStateToProps, RootView
null );
)(RootView);

@ -40,11 +40,14 @@ const Loading = styled.div`
flex-direction: column; flex-direction: column;
`; `;
const LoaderWrapper = styled.div`
margin-right: 10px;
`;
const Title = styled(H4)` const Title = styled(H4)`
font-size: ${FONT_SIZE.BIGGER}; font-size: ${FONT_SIZE.BIGGER};
font-weight: ${FONT_WEIGHT.NORMAL}; font-weight: ${FONT_WEIGHT.NORMAL};
color: ${props => (props.type === 'progress' ? colors.TEXT_SECONDARY : '')}; color: ${props => (props.type === 'progress' ? colors.TEXT_SECONDARY : '')};
margin-left: 10px;
text-align: center; text-align: center;
padding: 0; padding: 0;
`; `;
@ -80,7 +83,11 @@ const Content = ({ className, children, isLoading = false, loader, exceptionPage
{isLoading && loader && ( {isLoading && loader && (
<Loading> <Loading>
<Row> <Row>
{loader.type === 'progress' && <Loader size={30} />} {loader.type === 'progress' && (
<LoaderWrapper>
<Loader size={30} />
</LoaderWrapper>
)}
<Title type={loader.type}> <Title type={loader.type}>
{loader.title || ( {loader.title || (
<FormattedMessage {...l10nMessages.TR_INITIALIZING_ACCOUNTS} /> <FormattedMessage {...l10nMessages.TR_INITIALIZING_ACCOUNTS} />

@ -8,18 +8,15 @@ import * as TrezorConnectActions from 'actions/TrezorConnectActions';
import * as DiscoveryActions from 'actions/DiscoveryActions'; import * as DiscoveryActions from 'actions/DiscoveryActions';
import * as RouterActions from 'actions/RouterActions'; import * as RouterActions from 'actions/RouterActions';
import * as ModalActions from 'actions/ModalActions'; import * as ModalActions from 'actions/ModalActions';
import type { MapStateToProps, MapDispatchToProps } from 'react-redux';
import type { State, Dispatch } from 'flowtype'; import type { State, Dispatch } from 'flowtype';
import type { StateProps, DispatchProps } from './components/common'; import type { StateProps, DispatchProps } from './components/common';
import LeftNavigation from './index'; import LeftNavigation from './index';
type OwnProps = {}; type OwnProps = {||};
const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = ( const mapStateToProps = (state: State): StateProps => ({
state: State
): StateProps => ({
connect: state.connect, connect: state.connect,
accounts: state.accounts, accounts: state.accounts,
router: state.router, router: state.router,
@ -31,9 +28,7 @@ const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = (
pending: state.pending, pending: state.pending,
}); });
const mapDispatchToProps: MapDispatchToProps<Dispatch, OwnProps, DispatchProps> = ( const mapDispatchToProps = (dispatch: Dispatch): DispatchProps => ({
dispatch: Dispatch
): DispatchProps => ({
toggleDeviceDropdown: bindActionCreators(toggleDeviceDropdown, dispatch), toggleDeviceDropdown: bindActionCreators(toggleDeviceDropdown, dispatch),
addAccount: bindActionCreators(DiscoveryActions.addAccount, dispatch), addAccount: bindActionCreators(DiscoveryActions.addAccount, dispatch),
acquireDevice: bindActionCreators(TrezorConnectActions.acquire, dispatch), acquireDevice: bindActionCreators(TrezorConnectActions.acquire, dispatch),
@ -46,7 +41,7 @@ const mapDispatchToProps: MapDispatchToProps<Dispatch, OwnProps, DispatchProps>
setHideBalance: bindActionCreators(setHideBalance, dispatch), setHideBalance: bindActionCreators(setHideBalance, dispatch),
}); });
export default withRouter( export default withRouter<OwnProps>(
connect( connect(
mapStateToProps, mapStateToProps,
mapDispatchToProps mapDispatchToProps

@ -28,8 +28,6 @@ const Text = styled.span`
const RowAccountWrapper = styled.div` const RowAccountWrapper = styled.div`
width: 100%; width: 100%;
display: flex; display: flex;
flex-direction: column;
align-items: flex-start;
padding: ${LEFT_NAVIGATION_ROW.PADDING}; padding: ${LEFT_NAVIGATION_ROW.PADDING};
font-size: ${FONT_SIZE.BASE}; font-size: ${FONT_SIZE.BASE};
color: ${colors.TEXT_PRIMARY}; color: ${colors.TEXT_PRIMARY};
@ -86,6 +84,25 @@ const DiscoveryLoadingText = styled.span`
margin-left: 14px; margin-left: 14px;
`; `;
const Col = styled.div`
display: flex;
flex: 1;
flex-direction: column;
`;
const RightCol = styled(Col)`
justify-content: center;
`;
const Badge = styled.div`
padding: 4px 8px;
background: lightslategray;
color: white;
font-size: ${FONT_SIZE.BADGE};
border-radius: 3px;
align-self: flex-end;
`;
// TODO: Refactorize deviceStatus & selectedAccounts // TODO: Refactorize deviceStatus & selectedAccounts
const AccountMenu = (props: Props) => { const AccountMenu = (props: Props) => {
const selected = props.wallet.selectedDevice; const selected = props.wallet.selectedDevice;
@ -102,10 +119,18 @@ const AccountMenu = (props: Props) => {
if (!selected || !network) return null; if (!selected || !network) return null;
const deviceAccounts: Accounts = findDeviceAccounts(accounts, selected, location.state.network); const deviceAccounts: Accounts = findDeviceAccounts(accounts, selected, location.state.network);
const discoveryAccounts: Accounts = deviceAccounts.filter(
account => account.imported === false
);
const selectedAccounts = deviceAccounts.map((account, i) => { const selectedAccounts = deviceAccounts.map((account, i) => {
// const url: string = `${baseUrl}/network/${location.state.network}/account/${i}`; // const url: string = `${baseUrl}/network/${location.state.network}/account/${i}`;
const url: string = location.pathname.replace(/account+\/([0-9]*)/, `account/${i}`); let url: string;
if (account.imported) {
url = location.pathname.replace(/account+\/(i?[0-9]*)/, `account/i${account.index}`);
} else {
url = location.pathname.replace(/account+\/(i?[0-9]*)/, `account/${account.index}`);
}
let balance: ?string = null; let balance: ?string = null;
const fiatRates = props.fiat.find(f => f.network === network.shortcut); const fiatRates = props.fiat.find(f => f.network === network.shortcut);
@ -125,36 +150,41 @@ const AccountMenu = (props: Props) => {
} }
} }
const urlAccountIndex = parseInt(props.router.location.state.account, 10);
return ( return (
<NavLink to={url} key={account.index}> <NavLink to={url} key={url}>
<Row column> <Row column>
<RowAccountWrapper <RowAccountWrapper isSelected={location.pathname === url} borderTop={i === 0}>
isSelected={urlAccountIndex === account.index} <Col>
borderTop={account.index === 0} <FormattedMessage
> {...(account.imported
<FormattedMessage ? l10nCommonMessages.TR_IMPORTED_ACCOUNT_HASH
{...l10nCommonMessages.TR_ACCOUNT_HASH} : l10nCommonMessages.TR_ACCOUNT_HASH)}
values={{ number: account.index + 1 }} values={{ number: account.index + 1 }}
/> />
{balance && !props.wallet.hideBalance && ( {balance && !props.wallet.hideBalance && (
<Text> <Text>
{balance} {balance}
{fiatRates && ( {fiatRates && (
<FormattedNumber <FormattedNumber
currency={localCurrency} currency={localCurrency}
value={fiat} value={fiat}
minimumFractionDigits={2} minimumFractionDigits={2}
// eslint-disable-next-line react/style-prop-object // eslint-disable-next-line react/style-prop-object
style="currency" style="currency"
/> />
)} )}
</Text> </Text>
)} )}
{!balance && ( {!balance && (
<Text> <Text>
<FormattedMessage {...l10nMessages.TR_LOADING_DOT_DOT_DOT} /> <FormattedMessage {...l10nMessages.TR_LOADING_DOT_DOT_DOT} />
</Text> </Text>
)}
</Col>
{account.imported && (
<RightCol>
<Badge>watch-only</Badge>
</RightCol>
)} )}
</RowAccountWrapper> </RowAccountWrapper>
</Row> </Row>
@ -168,7 +198,7 @@ const AccountMenu = (props: Props) => {
); );
if (discovery && discovery.completed) { if (discovery && discovery.completed) {
const lastAccount = deviceAccounts[deviceAccounts.length - 1]; const lastAccount = discoveryAccounts[discoveryAccounts.length - 1];
if (!selected.connected) { if (!selected.connected) {
discoveryStatus = ( discoveryStatus = (
<Tooltip <Tooltip

@ -96,7 +96,7 @@ class MenuItems extends PureComponent {
</Label> </Label>
</Item> </Item>
)} )}
{!this.showRenewSession() && ( {this.showRenewSession() && (
<Item onClick={() => this.props.acquireDevice()}> <Item onClick={() => this.props.acquireDevice()}>
<IconWrapper> <IconWrapper>
<DeviceIcon <DeviceIcon

@ -109,7 +109,7 @@ class DeviceMenu extends PureComponent<Props> {
mouseDownHandler: (event: MouseEvent) => void; mouseDownHandler: (event: MouseEvent) => void;
blurHandler: (event: FocusEvent) => void; blurHandler: () => void;
showDivider() { showDivider() {
return this.props.devices.length > 1; return this.props.devices.length > 1;

@ -6,7 +6,7 @@ import * as ModalActions from 'actions/ModalActions';
import * as WalletActions from 'actions/WalletActions'; import * as WalletActions from 'actions/WalletActions';
import type { State } from 'flowtype'; import type { State } from 'flowtype';
export type StateProps = { export type StateProps = {|
connect: $ElementType<State, 'connect'>, connect: $ElementType<State, 'connect'>,
accounts: $ElementType<State, 'accounts'>, accounts: $ElementType<State, 'accounts'>,
router: $ElementType<State, 'router'>, router: $ElementType<State, 'router'>,
@ -16,9 +16,9 @@ export type StateProps = {
wallet: $ElementType<State, 'wallet'>, wallet: $ElementType<State, 'wallet'>,
devices: $ElementType<State, 'devices'>, devices: $ElementType<State, 'devices'>,
pending: $ElementType<State, 'pending'>, pending: $ElementType<State, 'pending'>,
}; |};
export type DispatchProps = { export type DispatchProps = {|
toggleDeviceDropdown: typeof WalletActions.toggleDeviceDropdown, toggleDeviceDropdown: typeof WalletActions.toggleDeviceDropdown,
toggleSidebar: typeof WalletActions.toggleSidebar, toggleSidebar: typeof WalletActions.toggleSidebar,
setHideBalance: typeof WalletActions.setHideBalance, setHideBalance: typeof WalletActions.setHideBalance,
@ -29,6 +29,6 @@ export type DispatchProps = {
gotoDeviceSettings: typeof RouterActions.gotoDeviceSettings, gotoDeviceSettings: typeof RouterActions.gotoDeviceSettings,
onSelectDevice: typeof RouterActions.selectDevice, onSelectDevice: typeof RouterActions.selectDevice,
gotoExternalWallet: typeof ModalActions.gotoExternalWallet, gotoExternalWallet: typeof ModalActions.gotoExternalWallet,
}; |};
export type Props = StateProps & DispatchProps; export type Props = {| ...StateProps, ...DispatchProps |};

@ -1,9 +1,14 @@
import React from 'react'; /* @flow */
import * as React from 'react';
import PropTypes from 'prop-types'; import PropTypes from 'prop-types';
import styled from 'styled-components'; import styled from 'styled-components';
import { colors } from 'trezor-ui-components'; import { colors } from 'trezor-ui-components';
import { FONT_SIZE, FONT_WEIGHT } from 'config/variables'; import { FONT_SIZE, FONT_WEIGHT } from 'config/variables';
type OwnProps = {|
children?: React.Node,
|};
const Wrapper = styled.div` const Wrapper = styled.div`
font-size: ${FONT_SIZE.WALLET_TITLE}; font-size: ${FONT_SIZE.WALLET_TITLE};
font-weight: ${FONT_WEIGHT.MEDIUM}; font-weight: ${FONT_WEIGHT.MEDIUM};
@ -11,7 +16,7 @@ const Wrapper = styled.div`
padding-bottom: 35px; padding-bottom: 35px;
`; `;
const Title = ({ children }) => <Wrapper>{children}</Wrapper>; const Title = ({ children }: OwnProps) => <Wrapper>{children}</Wrapper>;
Title.propTypes = { Title.propTypes = {
children: PropTypes.node, children: PropTypes.node,

@ -12,11 +12,16 @@ import { FormattedMessage } from 'react-intl';
import l10nMessages from './index.messages'; import l10nMessages from './index.messages';
import Indicator from './components/Indicator'; import Indicator from './components/Indicator';
type Props = { type OwnProps = {||};
type StateProps = {|
router: $ElementType<State, 'router'>, router: $ElementType<State, 'router'>,
selectedAccount: $ElementType<State, 'selectedAccount'>, selectedAccount: $ElementType<State, 'selectedAccount'>,
localStorage: $ElementType<State, 'localStorage'>, localStorage: $ElementType<State, 'localStorage'>,
}; |};
type Props = {| ...OwnProps, ...StateProps |};
type LocalState = { type LocalState = {
wrapper: ?HTMLElement, wrapper: ?HTMLElement,
}; };
@ -73,7 +78,7 @@ const StyledNavLink = styled(NavLink)`
`; `;
class TopNavigationAccount extends React.PureComponent<Props, LocalState> { class TopNavigationAccount extends React.PureComponent<Props, LocalState> {
constructor(props) { constructor(props: Props) {
super(props); super(props);
this.state = { this.state = {
wrapper: null, wrapper: null,
@ -92,11 +97,13 @@ class TopNavigationAccount extends React.PureComponent<Props, LocalState> {
const { config } = this.props.localStorage; const { config } = this.props.localStorage;
const { state, pathname } = this.props.router.location; const { state, pathname } = this.props.router.location;
if (!state) return null; if (!state) return null;
const { network } = this.props.selectedAccount; const { network, account } = this.props.selectedAccount;
if (!network) return null; if (!network) return null;
const networkConfig = config.networks.find(c => c.shortcut === network.shortcut); const networkConfig = config.networks.find(c => c.shortcut === network.shortcut);
if (!networkConfig) return null; if (!networkConfig) return null;
const isAccountImported = account && account.imported;
const basePath = `/device/${state.device}/network/${state.network}/account/${ const basePath = `/device/${state.device}/network/${state.network}/account/${
state.account state.account
}`; }`;
@ -123,8 +130,8 @@ class TopNavigationAccount extends React.PureComponent<Props, LocalState> {
} }
} }
export default connect( export default connect<Props, OwnProps, StateProps, _, State, _>(
(state: State): Props => ({ (state: State): StateProps => ({
router: state.router, router: state.router,
selectedAccount: state.selectedAccount, selectedAccount: state.selectedAccount,
localStorage: state.localStorage, localStorage: state.localStorage,

@ -7,11 +7,9 @@ import { connect } from 'react-redux';
import { Route, withRouter } from 'react-router-dom'; import { Route, withRouter } from 'react-router-dom';
import { getPattern } from 'support/routes'; import { getPattern } from 'support/routes';
import type { MapStateToProps, MapDispatchToProps } from 'react-redux'; import type { State, Dispatch } from 'flowtype';
import type { State } from 'flowtype';
import type { WalletAction } from 'actions/WalletActions'; import * as WalletActions from 'actions/WalletActions';
import { toggleSidebar } from 'actions/WalletActions';
import { bindActionCreators } from 'redux'; import { bindActionCreators } from 'redux';
import Header from 'components/Header'; import Header from 'components/Header';
@ -29,18 +27,19 @@ import TopNavigationAccount from './components/TopNavigationAccount';
import TopNavigationDeviceSettings from './components/TopNavigationDeviceSettings'; import TopNavigationDeviceSettings from './components/TopNavigationDeviceSettings';
import TopNavigationWalletSettings from './components/TopNavigationWalletSettings'; import TopNavigationWalletSettings from './components/TopNavigationWalletSettings';
type StateProps = { type StateProps = {|
wallet: $ElementType<State, 'wallet'>, wallet: $ElementType<State, 'wallet'>,
children?: React.Node, |};
};
type DispatchProps = { type DispatchProps = {|
toggleSidebar: WalletAction, toggleSidebar: typeof WalletActions.toggleSidebar,
}; |};
type OwnProps = {}; type OwnProps = {|
children?: React.Node,
|};
export type Props = StateProps & DispatchProps; export type Props = {| ...StateProps, ...DispatchProps, ...OwnProps |};
const AppWrapper = styled.div` const AppWrapper = styled.div`
position: relative; position: relative;
@ -137,26 +136,22 @@ const Wallet = (props: Props) => (
<ContextNotifications /> <ContextNotifications />
<Log /> <Log />
<Body>{props.children}</Body> <Body>{props.children}</Body>
<Footer /> <Footer isLanding={false} />
</MainContent> </MainContent>
</WalletWrapper> </WalletWrapper>
<ModalContainer /> <ModalContainer />
</AppWrapper> </AppWrapper>
); );
const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = ( const mapStateToProps = (state: State): StateProps => ({
state: State
): StateProps => ({
wallet: state.wallet, wallet: state.wallet,
}); });
const mapDispatchToProps: MapDispatchToProps<Dispatch, OwnProps, DispatchProps> = ( const mapDispatchToProps = (dispatch: Dispatch): DispatchProps => ({
dispatch: Dispatch toggleSidebar: bindActionCreators(WalletActions.toggleSidebar, dispatch),
): DispatchProps => ({
toggleSidebar: bindActionCreators(toggleSidebar, dispatch),
}); });
export default withRouter( export default withRouter<Props>(
connect( connect(
mapStateToProps, mapStateToProps,
mapDispatchToProps mapDispatchToProps

@ -2,47 +2,41 @@
import { bindActionCreators } from 'redux'; import { bindActionCreators } from 'redux';
import { connect } from 'react-redux'; import { connect } from 'react-redux';
import { injectIntl } from 'react-intl'; import { injectIntl } from 'react-intl';
import type { IntlShape } from 'react-intl';
import { showAddress } from 'actions/ReceiveActions'; import * as ReceiveActions from 'actions/ReceiveActions';
import type { MapStateToProps, MapDispatchToProps } from 'react-redux';
import type { State, Dispatch } from 'flowtype'; import type { State, Dispatch } from 'flowtype';
import Receive from './index'; import Receive from './index';
type OwnProps = { type OwnProps = {|
intl: any, intl: IntlShape,
}; |};
type StateProps = { type StateProps = {|
selectedAccount: $ElementType<State, 'selectedAccount'>, selectedAccount: $ElementType<State, 'selectedAccount'>,
receive: $ElementType<State, 'receive'>, receive: $ElementType<State, 'receive'>,
modal: $ElementType<State, 'modal'>, modal: $ElementType<State, 'modal'>,
wallet: $ElementType<State, 'wallet'>, wallet: $ElementType<State, 'wallet'>,
}; |};
type DispatchProps = { type DispatchProps = {|
showAddress: typeof showAddress, showAddress: typeof ReceiveActions.showAddress,
}; |};
export type Props = OwnProps & StateProps & DispatchProps; export type Props = {| ...OwnProps, ...StateProps, ...DispatchProps |};
const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = ( const mapStateToProps = (state: State): StateProps => ({
state: State
): StateProps => ({
selectedAccount: state.selectedAccount, selectedAccount: state.selectedAccount,
receive: state.receive, receive: state.receive,
modal: state.modal, modal: state.modal,
wallet: state.wallet, wallet: state.wallet,
}); });
const mapDispatchToProps: MapDispatchToProps<Dispatch, OwnProps, DispatchProps> = ( const mapDispatchToProps = (dispatch: Dispatch): DispatchProps => ({
dispatch: Dispatch showAddress: bindActionCreators(ReceiveActions.showAddress, dispatch),
): DispatchProps => ({
showAddress: bindActionCreators(showAddress, dispatch),
}); });
export default injectIntl( export default connect<Props, OwnProps, StateProps, DispatchProps, State, Dispatch>(
connect( mapStateToProps,
mapStateToProps, mapDispatchToProps
mapDispatchToProps )(injectIntl<Props>(Receive));
)(Receive)
);

@ -95,10 +95,11 @@ const AccountReceive = (props: Props) => {
const isAddressVerifying = const isAddressVerifying =
props.modal.context === CONTEXT_DEVICE && props.modal.context === CONTEXT_DEVICE &&
props.modal.windowType === 'ButtonRequest_Address'; props.modal.windowType === 'ButtonRequest_Address';
const isAddressHidden = !isAddressVerifying && !addressVerified && !addressUnverified; const isAddressHidden =
!isAddressVerifying && !addressVerified && !addressUnverified && !account.imported;
let address = `${account.descriptor.substring(0, 20)}...`; let address = `${account.descriptor.substring(0, 20)}...`;
if (addressVerified || addressUnverified || isAddressVerifying) { if (addressVerified || addressUnverified || isAddressVerifying || account.imported) {
address = account.descriptor; address = account.descriptor;
} }
@ -166,7 +167,7 @@ const AccountReceive = (props: Props) => {
) )
} }
/> />
{!(addressVerified || addressUnverified) && ( {!(addressVerified || addressUnverified) && !account.imported && (
<ShowAddressButton <ShowAddressButton
icon={ICONS.EYE} icon={ICONS.EYE}
onClick={() => props.showAddress(account.accountPath)} onClick={() => props.showAddress(account.accountPath)}
@ -176,20 +177,21 @@ const AccountReceive = (props: Props) => {
</ShowAddressButton> </ShowAddressButton>
)} )}
</Row> </Row>
{(addressVerified || addressUnverified) && !isAddressVerifying && ( {((addressVerified || addressUnverified) && !isAddressVerifying) ||
<QrWrapper> (account.imported && (
<Label> <QrWrapper>
<FormattedMessage {...l10nReceiveMessages.TR_QR_CODE} /> <Label>
</Label> <FormattedMessage {...l10nReceiveMessages.TR_QR_CODE} />
<StyledQRCode </Label>
bgColor="#FFFFFF" <StyledQRCode
fgColor="#000000" bgColor="#FFFFFF"
level="Q" fgColor="#000000"
style={{ width: 150 }} level="Q"
value={account.descriptor} style={{ width: 150 }}
/> value={account.descriptor}
</QrWrapper> />
)} </QrWrapper>
))}
</AddressWrapper> </AddressWrapper>
</React.Fragment> </React.Fragment>
</Content> </Content>

@ -8,17 +8,17 @@ import EthereumTypeReceiveForm from './ethereum/Container';
import RippleTypeReceiveForm from './ripple/Container'; import RippleTypeReceiveForm from './ripple/Container';
import BitcoinTypeReceiveForm from './bitcoin/Container'; import BitcoinTypeReceiveForm from './bitcoin/Container';
export type BaseProps = { export type BaseProps = {|
selectedAccount: $ElementType<State, 'selectedAccount'>, selectedAccount: $ElementType<State, 'selectedAccount'>,
}; |};
// return container for requested network type // return container for requested network type
export default connect( export default connect<BaseProps, any, _, _, _, _>(
(state: State): BaseProps => ({ (state: State): BaseProps => ({
selectedAccount: state.selectedAccount, selectedAccount: state.selectedAccount,
}), }),
null null
)(props => { )((props: BaseProps) => {
const { network } = props.selectedAccount; const { network } = props.selectedAccount;
if (!network) return null; if (!network) return null;

@ -2,41 +2,37 @@
import { bindActionCreators } from 'redux'; import { bindActionCreators } from 'redux';
import { connect } from 'react-redux'; import { connect } from 'react-redux';
import { injectIntl } from 'react-intl'; import { injectIntl } from 'react-intl';
import type { IntlShape } from 'react-intl';
import { showAddress } from 'actions/ReceiveActions'; import { showAddress } from 'actions/ReceiveActions';
import type { MapStateToProps, MapDispatchToProps } from 'react-redux';
import type { State, Dispatch } from 'flowtype'; import type { State, Dispatch } from 'flowtype';
import Receive from './index'; import Receive from './index';
type OwnProps = { type OwnProps = {|
intl: any, intl: IntlShape,
}; |};
type StateProps = { type StateProps = {|
selectedAccount: $ElementType<State, 'selectedAccount'>, selectedAccount: $ElementType<State, 'selectedAccount'>,
receive: $ElementType<State, 'receive'>, receive: $ElementType<State, 'receive'>,
modal: $ElementType<State, 'modal'>, modal: $ElementType<State, 'modal'>,
wallet: $ElementType<State, 'wallet'>, wallet: $ElementType<State, 'wallet'>,
}; |};
type DispatchProps = { type DispatchProps = {|
showAddress: typeof showAddress, showAddress: typeof showAddress,
}; |};
export type Props = OwnProps & StateProps & DispatchProps; export type Props = {| ...OwnProps, ...StateProps, ...DispatchProps |};
const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = ( const mapStateToProps = (state: State): StateProps => ({
state: State
): StateProps => ({
selectedAccount: state.selectedAccount, selectedAccount: state.selectedAccount,
receive: state.receive, receive: state.receive,
modal: state.modal, modal: state.modal,
wallet: state.wallet, wallet: state.wallet,
}); });
const mapDispatchToProps: MapDispatchToProps<Dispatch, OwnProps, DispatchProps> = ( const mapDispatchToProps = (dispatch: Dispatch): DispatchProps => ({
dispatch: Dispatch
): DispatchProps => ({
showAddress: bindActionCreators(showAddress, dispatch), showAddress: bindActionCreators(showAddress, dispatch),
}); });

@ -101,10 +101,11 @@ const AccountReceive = (props: Props) => {
const isAddressVerifying = const isAddressVerifying =
props.modal.context === CONTEXT_DEVICE && props.modal.context === CONTEXT_DEVICE &&
props.modal.windowType === 'ButtonRequest_Address'; props.modal.windowType === 'ButtonRequest_Address';
const isAddressHidden = !isAddressVerifying && !addressVerified && !addressUnverified; const isAddressHidden =
!isAddressVerifying && !addressVerified && !addressUnverified && !account.imported;
let address = `${account.descriptor.substring(0, 20)}...`; let address = `${account.descriptor.substring(0, 20)}...`;
if (addressVerified || addressUnverified || isAddressVerifying) { if (addressVerified || addressUnverified || isAddressVerifying || account.imported) {
address = account.descriptor; address = account.descriptor;
} }
@ -172,7 +173,7 @@ const AccountReceive = (props: Props) => {
) )
} }
/> />
{!(addressVerified || addressUnverified) && ( {!(addressVerified || addressUnverified) && !account.imported && (
<ShowAddressButton <ShowAddressButton
onClick={() => props.showAddress(account.accountPath)} onClick={() => props.showAddress(account.accountPath)}
isDisabled={device.connected && !discovery.completed} isDisabled={device.connected && !discovery.completed}
@ -182,20 +183,21 @@ const AccountReceive = (props: Props) => {
</ShowAddressButton> </ShowAddressButton>
)} )}
</Row> </Row>
{(addressVerified || addressUnverified) && !isAddressVerifying && ( {((addressVerified || addressUnverified) && !isAddressVerifying) ||
<QrWrapper> (account.imported && (
<Label> <QrWrapper>
<FormattedMessage {...l10nReceiveMessages.TR_QR_CODE} /> <Label>
</Label> <FormattedMessage {...l10nReceiveMessages.TR_QR_CODE} />
<StyledQRCode </Label>
bgColor="#FFFFFF" <StyledQRCode
fgColor="#000000" bgColor="#FFFFFF"
level="Q" fgColor="#000000"
style={{ width: 150 }} level="Q"
value={account.descriptor} style={{ width: 150 }}
/> value={account.descriptor}
</QrWrapper> />
)} </QrWrapper>
))}
</AddressWrapper> </AddressWrapper>
</React.Fragment> </React.Fragment>
</Content> </Content>

@ -1,7 +1,7 @@
/* @flow */ /* @flow */
import React from 'react'; import React from 'react';
import styled from 'styled-components'; import styled from 'styled-components';
import { colors, H5 } from 'trezor-ui-components'; import { colors, H5, P } from 'trezor-ui-components';
import Transaction from 'components/Transaction'; import Transaction from 'components/Transaction';
import type { Network } from 'reducers/LocalStorageReducer'; import type { Network } from 'reducers/LocalStorageReducer';
@ -18,6 +18,8 @@ const Wrapper = styled.div`
border-top: 1px solid ${colors.DIVIDER}; border-top: 1px solid ${colors.DIVIDER};
`; `;
const NoTransactions = styled(P)``;
const PendingTransactions = (props: Props) => { const PendingTransactions = (props: Props) => {
// const pending = props.pending.filter(tx => !tx.rejected).concat(testData); // const pending = props.pending.filter(tx => !tx.rejected).concat(testData);
const pending = props.pending.filter(tx => !tx.rejected); const pending = props.pending.filter(tx => !tx.rejected);
@ -25,6 +27,9 @@ const PendingTransactions = (props: Props) => {
return ( return (
<Wrapper> <Wrapper>
<H5>Pending transactions</H5> <H5>Pending transactions</H5>
{pending.length === 0 && (
<NoTransactions>There are no pending transactions</NoTransactions>
)}
{pending.map(tx => ( {pending.map(tx => (
<Transaction key={tx.hash} network={props.network} tx={tx} /> <Transaction key={tx.hash} network={props.network} tx={tx} />
))} ))}

@ -2,36 +2,34 @@
import { bindActionCreators } from 'redux'; import { bindActionCreators } from 'redux';
import { connect } from 'react-redux'; import { connect } from 'react-redux';
import type { IntlShape } from 'react-intl';
import { injectIntl } from 'react-intl'; import { injectIntl } from 'react-intl';
import SendFormActions from 'actions/ethereum/SendFormActions'; import SendFormActions from 'actions/ethereum/SendFormActions';
import { openQrModal } from 'actions/ModalActions'; import { openQrModal } from 'actions/ModalActions';
import type { MapStateToProps, MapDispatchToProps } from 'react-redux';
import type { State, Dispatch } from 'flowtype'; import type { State, Dispatch } from 'flowtype';
import AccountSend from './index'; import AccountSend from './index';
type OwnProps = { type OwnProps = {|
intl: any, intl: IntlShape,
}; |};
export type StateProps = { export type StateProps = {|
selectedAccount: $ElementType<State, 'selectedAccount'>, selectedAccount: $ElementType<State, 'selectedAccount'>,
sendForm: $ElementType<State, 'sendFormEthereum'>, sendForm: $ElementType<State, 'sendFormEthereum'>,
wallet: $ElementType<State, 'wallet'>, wallet: $ElementType<State, 'wallet'>,
fiat: $ElementType<State, 'fiat'>, fiat: $ElementType<State, 'fiat'>,
localStorage: $ElementType<State, 'localStorage'>, localStorage: $ElementType<State, 'localStorage'>,
}; |};
export type DispatchProps = { export type DispatchProps = {|
sendFormActions: typeof SendFormActions, sendFormActions: typeof SendFormActions,
openQrModal: typeof openQrModal, openQrModal: typeof openQrModal,
}; |};
export type Props = OwnProps & StateProps & DispatchProps; export type Props = {| ...OwnProps, ...StateProps, ...DispatchProps |};
const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = ( const mapStateToProps = (state: State): StateProps => ({
state: State
): StateProps => ({
selectedAccount: state.selectedAccount, selectedAccount: state.selectedAccount,
sendForm: state.sendFormEthereum, sendForm: state.sendFormEthereum,
wallet: state.wallet, wallet: state.wallet,
@ -39,16 +37,12 @@ const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = (
localStorage: state.localStorage, localStorage: state.localStorage,
}); });
const mapDispatchToProps: MapDispatchToProps<Dispatch, OwnProps, DispatchProps> = ( const mapDispatchToProps = (dispatch: Dispatch): DispatchProps => ({
dispatch: Dispatch
): DispatchProps => ({
sendFormActions: bindActionCreators(SendFormActions, dispatch), sendFormActions: bindActionCreators(SendFormActions, dispatch),
openQrModal: bindActionCreators(openQrModal, dispatch), openQrModal: bindActionCreators(openQrModal, dispatch),
}); });
export default injectIntl( export default connect<Props, OwnProps, StateProps, DispatchProps, State, Dispatch>(
connect( mapStateToProps,
mapStateToProps, mapDispatchToProps
mapDispatchToProps )(injectIntl<OwnProps>(AccountSend));
)(AccountSend)
);

@ -12,6 +12,8 @@ import {
colors, colors,
icons as ICONS, icons as ICONS,
} from 'trezor-ui-components'; } from 'trezor-ui-components';
import type { IntlShape } from 'react-intl';
import { FONT_SIZE } from 'config/variables'; import { FONT_SIZE } from 'config/variables';
import l10nCommonMessages from 'views/common.messages'; import l10nCommonMessages from 'views/common.messages';
@ -19,10 +21,7 @@ import l10nMessages from './index.messages';
import type { Props as BaseProps } from '../../Container'; import type { Props as BaseProps } from '../../Container';
type Props = BaseProps & { type Props = {| ...BaseProps, intl: IntlShape, children: React.Node |};
intl: any,
children: React.Node,
};
// TODO: Decide on a small screen width for the whole app // TODO: Decide on a small screen width for the whole app
// and put it inside config/variables.js // and put it inside config/variables.js

@ -312,7 +312,9 @@ const AccountSend = (props: Props) => {
total === '0' || total === '0' ||
amount.length === 0 || amount.length === 0 ||
address.length === 0 || address.length === 0 ||
sending; sending ||
account.imported;
let amountText = ''; let amountText = '';
if (networkSymbol !== currency && amount.length > 0 && !errors.amount) { if (networkSymbol !== currency && amount.length > 0 && !errors.amount) {
amountText = `${amount} ${currency.toUpperCase()}`; amountText = `${amount} ${currency.toUpperCase()}`;
@ -516,13 +518,14 @@ const AccountSend = (props: Props) => {
</AdvancedForm> </AdvancedForm>
)} )}
{props.selectedAccount.pending.length > 0 && ( {props.selectedAccount.pending.length > 0 ||
<PendingTransactions (account.imported && (
pending={props.selectedAccount.pending} <PendingTransactions
tokens={props.selectedAccount.tokens} pending={props.selectedAccount.pending}
network={network} tokens={props.selectedAccount.tokens}
/> network={network}
)} />
))}
</Content> </Content>
); );
}; };

@ -7,17 +7,17 @@ import EthereumTypeSendForm from './ethereum/Container';
import RippleTypeSendForm from './ripple/Container'; import RippleTypeSendForm from './ripple/Container';
import BitcoinTypeSendForm from './bitcoin/Container'; import BitcoinTypeSendForm from './bitcoin/Container';
export type BaseProps = { export type BaseProps = {|
selectedAccount: $ElementType<State, 'selectedAccount'>, selectedAccount: $ElementType<State, 'selectedAccount'>,
}; |};
// return container for requested network type // return container for requested network type
export default connect( export default connect<BaseProps, any, _, _, _, _>(
(state: State): BaseProps => ({ (state: State): BaseProps => ({
selectedAccount: state.selectedAccount, selectedAccount: state.selectedAccount,
}), }),
null null
)(props => { )((props: BaseProps) => {
const { network } = props.selectedAccount; const { network } = props.selectedAccount;
if (!network) return null; if (!network) return null;

@ -3,35 +3,33 @@
import { bindActionCreators } from 'redux'; import { bindActionCreators } from 'redux';
import { connect } from 'react-redux'; import { connect } from 'react-redux';
import { injectIntl } from 'react-intl'; import { injectIntl } from 'react-intl';
import type { IntlShape } from 'react-intl';
import SendFormActions from 'actions/ripple/SendFormActions'; import SendFormActions from 'actions/ripple/SendFormActions';
import { openQrModal } from 'actions/ModalActions'; import { openQrModal } from 'actions/ModalActions';
import type { MapStateToProps, MapDispatchToProps } from 'react-redux';
import type { State, Dispatch } from 'flowtype'; import type { State, Dispatch } from 'flowtype';
import AccountSend from './index'; import AccountSend from './index';
type OwnProps = { type OwnProps = {|
intl: any, intl: IntlShape,
}; |};
export type StateProps = { export type StateProps = {|
selectedAccount: $ElementType<State, 'selectedAccount'>, selectedAccount: $ElementType<State, 'selectedAccount'>,
sendForm: $ElementType<State, 'sendFormRipple'>, sendForm: $ElementType<State, 'sendFormRipple'>,
wallet: $ElementType<State, 'wallet'>, wallet: $ElementType<State, 'wallet'>,
fiat: $ElementType<State, 'fiat'>, fiat: $ElementType<State, 'fiat'>,
localStorage: $ElementType<State, 'localStorage'>, localStorage: $ElementType<State, 'localStorage'>,
}; |};
export type DispatchProps = { export type DispatchProps = {|
sendFormActions: typeof SendFormActions, sendFormActions: typeof SendFormActions,
openQrModal: typeof openQrModal, openQrModal: typeof openQrModal,
}; |};
export type Props = OwnProps & StateProps & DispatchProps; export type Props = {| ...OwnProps, ...StateProps, ...DispatchProps |};
const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = ( const mapStateToProps = (state: State): StateProps => ({
state: State
): StateProps => ({
selectedAccount: state.selectedAccount, selectedAccount: state.selectedAccount,
sendForm: state.sendFormRipple, sendForm: state.sendFormRipple,
wallet: state.wallet, wallet: state.wallet,
@ -39,15 +37,13 @@ const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = (
localStorage: state.localStorage, localStorage: state.localStorage,
}); });
const mapDispatchToProps: MapDispatchToProps<Dispatch, OwnProps, DispatchProps> = ( const mapDispatchToProps = (dispatch: Dispatch): DispatchProps => ({
dispatch: Dispatch
): DispatchProps => ({
sendFormActions: bindActionCreators(SendFormActions, dispatch), sendFormActions: bindActionCreators(SendFormActions, dispatch),
openQrModal: bindActionCreators(openQrModal, dispatch), openQrModal: bindActionCreators(openQrModal, dispatch),
}); });
export default injectIntl( export default injectIntl(
connect( connect<Props, OwnProps, StateProps, DispatchProps, State, Dispatch>(
mapStateToProps, mapStateToProps,
mapDispatchToProps mapDispatchToProps
)(AccountSend) )(AccountSend)

@ -11,9 +11,7 @@ import l10nMessages from './index.messages';
import type { Props as BaseProps } from '../../Container'; import type { Props as BaseProps } from '../../Container';
type Props = BaseProps & { type Props = {| ...BaseProps, children: React.Node |};
children: React.Node,
};
// TODO: Decide on a small screen width for the whole app // TODO: Decide on a small screen width for the whole app
// and put it inside config/variables.js // and put it inside config/variables.js

@ -279,7 +279,9 @@ const AccountSend = (props: Props) => {
total === '0' || total === '0' ||
amount.length === 0 || amount.length === 0 ||
address.length === 0 || address.length === 0 ||
sending; sending ||
account.imported;
let sendButtonText = <FormattedMessage {...l10nSendMessages.TR_SEND} values={{ amount: '' }} />; let sendButtonText = <FormattedMessage {...l10nSendMessages.TR_SEND} values={{ amount: '' }} />;
if (total !== '0') { if (total !== '0') {
sendButtonText = ( sendButtonText = (
@ -481,13 +483,14 @@ const AccountSend = (props: Props) => {
</AdvancedForm> </AdvancedForm>
)} )}
{props.selectedAccount.pending.length > 0 && ( {props.selectedAccount.pending.length > 0 ||
<PendingTransactions (account.imported && (
pending={props.selectedAccount.pending} <PendingTransactions
tokens={props.selectedAccount.tokens} pending={props.selectedAccount.pending}
network={network} tokens={props.selectedAccount.tokens}
/> network={network}
)} />
))}
</Content> </Content>
); );
}; };

@ -3,49 +3,45 @@
import { bindActionCreators } from 'redux'; import { bindActionCreators } from 'redux';
import { connect } from 'react-redux'; import { connect } from 'react-redux';
import { injectIntl } from 'react-intl'; import { injectIntl } from 'react-intl';
import type { IntlShape } from 'react-intl';
import SignVerifyActions from 'actions/SignVerifyActions'; import SignVerifyActions from 'actions/SignVerifyActions';
import type { MapStateToProps, MapDispatchToProps } from 'react-redux';
import type { State, Dispatch } from 'flowtype'; import type { State, Dispatch } from 'flowtype';
import Component from './index'; import Component from './index';
type OwnProps = { type OwnProps = {|
intl: any, intl: IntlShape,
}; |};
export type Error = { export type Error = {
inputName: string, inputName: string,
message: ?string, message: ?string,
}; };
export type StateProps = { export type StateProps = {|
wallet: $ElementType<State, 'wallet'>, wallet: $ElementType<State, 'wallet'>,
selectedAccount: $ElementType<State, 'selectedAccount'>, selectedAccount: $ElementType<State, 'selectedAccount'>,
signVerify: $ElementType<State, 'signVerify'>, signVerify: $ElementType<State, 'signVerify'>,
}; |};
export type DispatchProps = { export type DispatchProps = {|
signVerifyActions: typeof SignVerifyActions, signVerifyActions: typeof SignVerifyActions,
}; |};
export type Props = OwnProps & StateProps & DispatchProps; export type Props = {| ...OwnProps, ...StateProps, ...DispatchProps |};
const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = ( const mapStateToProps = (state: State): StateProps => ({
state: State
): StateProps => ({
wallet: state.wallet, wallet: state.wallet,
selectedAccount: state.selectedAccount, selectedAccount: state.selectedAccount,
signVerify: state.signVerify, signVerify: state.signVerify,
}); });
const mapDispatchToProps: MapDispatchToProps<Dispatch, OwnProps, DispatchProps> = ( const mapDispatchToProps = (dispatch: Dispatch): DispatchProps => ({
dispatch: Dispatch
): DispatchProps => ({
signVerifyActions: bindActionCreators(SignVerifyActions, dispatch), signVerifyActions: bindActionCreators(SignVerifyActions, dispatch),
}); });
export default injectIntl( export default injectIntl(
connect( connect<Props, OwnProps, StateProps, DispatchProps, State, Dispatch>(
mapStateToProps, mapStateToProps,
mapDispatchToProps mapDispatchToProps
)(Component) )(Component)

@ -92,11 +92,14 @@ const Label = styled.div`
const StyledIcon = styled(Icon)` const StyledIcon = styled(Icon)`
cursor: pointer; cursor: pointer;
margin-left: 6px;
align-items: center; align-items: center;
margin-top: -5px; margin-top: -5px;
`; `;
const TooltipContainer = styled.div`
margin-left: 6px;
`;
const TooltipWrapper = styled.div` const TooltipWrapper = styled.div`
display: flex; display: flex;
align-items: center; align-items: center;
@ -138,13 +141,15 @@ class AccountBalance extends PureComponent<Props, State> {
} }
const NoRatesTooltip = ( const NoRatesTooltip = (
<Tooltip <TooltipContainer>
maxWidth={285} <Tooltip
placement="top" maxWidth={285}
content={<FormattedMessage {...l10nMessages.TR_FIAT_RATES_ARE_NOT_CURRENTLY} />} placement="top"
> content={<FormattedMessage {...l10nMessages.TR_FIAT_RATES_ARE_NOT_CURRENTLY} />}
<StyledIcon icon={ICONS.HELP} color={colors.TEXT_SECONDARY} size={12} /> >
</Tooltip> <StyledIcon icon={ICONS.HELP} color={colors.TEXT_SECONDARY} size={12} />
</Tooltip>
</TooltipContainer>
); );
return ( return (

@ -2,37 +2,35 @@
import { bindActionCreators } from 'redux'; import { bindActionCreators } from 'redux';
import { connect } from 'react-redux'; import { connect } from 'react-redux';
import { injectIntl } from 'react-intl'; import { injectIntl } from 'react-intl';
import type { IntlShape } from 'react-intl';
import type { MapStateToProps, MapDispatchToProps } from 'react-redux';
import * as TokenActions from 'actions/TokenActions'; import * as TokenActions from 'actions/TokenActions';
import type { State, Dispatch } from 'flowtype'; import type { State, Dispatch } from 'flowtype';
import Summary from './index'; import Summary from './index';
type OwnProps = { type OwnProps = {|
intl: any, intl: IntlShape,
}; |};
type StateProps = { type StateProps = {|
selectedAccount: $ElementType<State, 'selectedAccount'>, selectedAccount: $ElementType<State, 'selectedAccount'>,
summary: $ElementType<State, 'summary'>, summary: $ElementType<State, 'summary'>,
wallet: $ElementType<State, 'wallet'>, wallet: $ElementType<State, 'wallet'>,
tokens: $ElementType<State, 'tokens'>, tokens: $ElementType<State, 'tokens'>,
fiat: $ElementType<State, 'fiat'>, fiat: $ElementType<State, 'fiat'>,
localStorage: $ElementType<State, 'localStorage'>, localStorage: $ElementType<State, 'localStorage'>,
}; |};
type DispatchProps = { type DispatchProps = {|
addToken: typeof TokenActions.add, addToken: typeof TokenActions.add,
loadTokens: typeof TokenActions.load, loadTokens: typeof TokenActions.load,
removeToken: typeof TokenActions.remove, removeToken: typeof TokenActions.remove,
}; |};
export type Props = OwnProps & StateProps & DispatchProps; export type Props = {| ...OwnProps, ...StateProps, ...DispatchProps |};
const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = ( const mapStateToProps = (state: State): StateProps => ({
state: State
): StateProps => ({
selectedAccount: state.selectedAccount, selectedAccount: state.selectedAccount,
summary: state.summary, summary: state.summary,
wallet: state.wallet, wallet: state.wallet,
@ -41,16 +39,14 @@ const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = (
localStorage: state.localStorage, localStorage: state.localStorage,
}); });
const mapDispatchToProps: MapDispatchToProps<Dispatch, OwnProps, DispatchProps> = ( const mapDispatchToProps = (dispatch: Dispatch): DispatchProps => ({
dispatch: Dispatch
): DispatchProps => ({
addToken: bindActionCreators(TokenActions.add, dispatch), addToken: bindActionCreators(TokenActions.add, dispatch),
loadTokens: bindActionCreators(TokenActions.load, dispatch), loadTokens: bindActionCreators(TokenActions.load, dispatch),
removeToken: bindActionCreators(TokenActions.remove, dispatch), removeToken: bindActionCreators(TokenActions.remove, dispatch),
}); });
export default injectIntl( export default injectIntl(
connect( connect<Props, OwnProps, StateProps, DispatchProps, State, Dispatch>(
mapStateToProps, mapStateToProps,
mapDispatchToProps mapDispatchToProps
)(Summary) )(Summary)

@ -94,7 +94,9 @@ const AccountSummary = (props: Props) => {
<StyledCoinLogo height={23} network={account.network} /> <StyledCoinLogo height={23} network={account.network} />
<AccountTitle> <AccountTitle>
<FormattedMessage <FormattedMessage
{...l10nCommonMessages.TR_ACCOUNT_HASH} {...(account.imported
? l10nCommonMessages.TR_IMPORTED_ACCOUNT_HASH
: l10nCommonMessages.TR_ACCOUNT_HASH)}
values={{ number: parseInt(account.index, 10) + 1 }} values={{ number: parseInt(account.index, 10) + 1 }}
/> />
</AccountTitle> </AccountTitle>

@ -7,17 +7,16 @@ import EthereumTypeSummary from './ethereum/Container';
import RippleTypeSummary from './ripple/Container'; import RippleTypeSummary from './ripple/Container';
import BitcoinTypeSummary from './bitcoin/Container'; import BitcoinTypeSummary from './bitcoin/Container';
type WrapperProps = { type WrapperProps = {|
selectedAccount: $ElementType<State, 'selectedAccount'>, selectedAccount: $ElementType<State, 'selectedAccount'>,
}; |};
// return container for requested network type // return container for requested network type
export default connect( export default connect<WrapperProps, any, _, _, _, _>(
(state: State): WrapperProps => ({ (state: State): WrapperProps => ({
selectedAccount: state.selectedAccount, selectedAccount: state.selectedAccount,
}), })
null )((props: WrapperProps) => {
)(props => {
const { network } = props.selectedAccount; const { network } = props.selectedAccount;
if (!network) return null; if (!network) return null;

@ -2,34 +2,31 @@
import { bindActionCreators } from 'redux'; import { bindActionCreators } from 'redux';
import { connect } from 'react-redux'; import { connect } from 'react-redux';
import type { MapStateToProps, MapDispatchToProps } from 'react-redux';
import * as TokenActions from 'actions/TokenActions'; import * as TokenActions from 'actions/TokenActions';
import type { State, Dispatch } from 'flowtype'; import type { State, Dispatch } from 'flowtype';
import Summary from './index'; import Summary from './index';
type OwnProps = {}; type OwnProps = {||};
type StateProps = { type StateProps = {|
selectedAccount: $ElementType<State, 'selectedAccount'>, selectedAccount: $ElementType<State, 'selectedAccount'>,
summary: $ElementType<State, 'summary'>, summary: $ElementType<State, 'summary'>,
wallet: $ElementType<State, 'wallet'>, wallet: $ElementType<State, 'wallet'>,
tokens: $ElementType<State, 'tokens'>, tokens: $ElementType<State, 'tokens'>,
fiat: $ElementType<State, 'fiat'>, fiat: $ElementType<State, 'fiat'>,
localStorage: $ElementType<State, 'localStorage'>, localStorage: $ElementType<State, 'localStorage'>,
}; |};
type DispatchProps = { type DispatchProps = {|
addToken: typeof TokenActions.add, addToken: typeof TokenActions.add,
loadTokens: typeof TokenActions.load, loadTokens: typeof TokenActions.load,
removeToken: typeof TokenActions.remove, removeToken: typeof TokenActions.remove,
}; |};
export type Props = StateProps & DispatchProps; export type Props = {| ...OwnProps, ...StateProps, ...DispatchProps |};
const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = ( const mapStateToProps = (state: State): StateProps => ({
state: State
): StateProps => ({
selectedAccount: state.selectedAccount, selectedAccount: state.selectedAccount,
summary: state.summary, summary: state.summary,
wallet: state.wallet, wallet: state.wallet,
@ -38,15 +35,13 @@ const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = (
localStorage: state.localStorage, localStorage: state.localStorage,
}); });
const mapDispatchToProps: MapDispatchToProps<Dispatch, OwnProps, DispatchProps> = ( const mapDispatchToProps = (dispatch: Dispatch): DispatchProps => ({
dispatch: Dispatch
): DispatchProps => ({
addToken: bindActionCreators(TokenActions.add, dispatch), addToken: bindActionCreators(TokenActions.add, dispatch),
loadTokens: bindActionCreators(TokenActions.load, dispatch), loadTokens: bindActionCreators(TokenActions.load, dispatch),
removeToken: bindActionCreators(TokenActions.remove, dispatch), removeToken: bindActionCreators(TokenActions.remove, dispatch),
}); });
export default connect( export default connect<Props, OwnProps, StateProps, DispatchProps, State, Dispatch>(
mapStateToProps, mapStateToProps,
mapDispatchToProps mapDispatchToProps
)(Summary); )(Summary);

@ -111,7 +111,6 @@ class AccountBalance extends PureComponent<Props, State> {
} }
componentDidUpdate(prevProps: Props) { componentDidUpdate(prevProps: Props) {
console.log(this.props.isHidden);
if (prevProps.isHidden !== this.props.isHidden) { if (prevProps.isHidden !== this.props.isHidden) {
// eslint-disable-next-line react/no-did-update-set-state // eslint-disable-next-line react/no-did-update-set-state
this.setState({ this.setState({

@ -44,6 +44,10 @@ const StyledCoinLogo = styled(CoinLogo)`
margin-right: 10px; margin-right: 10px;
`; `;
const StyledLink = styled(Link)`
font-size: ${FONT_SIZE.SMALL};
`;
const AccountSummary = (props: Props) => { const AccountSummary = (props: Props) => {
const device = props.wallet.selectedDevice; const device = props.wallet.selectedDevice;
const { account, network, pending, shouldRender } = props.selectedAccount; const { account, network, pending, shouldRender } = props.selectedAccount;
@ -69,17 +73,19 @@ const AccountSummary = (props: Props) => {
<StyledCoinLogo height={23} network={account.network} /> <StyledCoinLogo height={23} network={account.network} />
<AccountTitle> <AccountTitle>
<FormattedMessage <FormattedMessage
{...l10nCommonMessages.TR_ACCOUNT_HASH} {...(account.imported
? l10nCommonMessages.TR_IMPORTED_ACCOUNT_HASH
: l10nCommonMessages.TR_ACCOUNT_HASH)}
values={{ number: parseInt(account.index, 10) + 1 }} values={{ number: parseInt(account.index, 10) + 1 }}
/> />
</AccountTitle> </AccountTitle>
</AccountName> </AccountName>
{!account.empty && ( {!account.empty && (
<Link href={explorerLink} isGray> <StyledLink href={explorerLink} isGray>
<FormattedMessage <FormattedMessage
{...l10nSummaryMessages.TR_SEE_FULL_TRANSACTION_HISTORY} {...l10nSummaryMessages.TR_SEE_FULL_TRANSACTION_HISTORY}
/> />
</Link> </StyledLink>
)} )}
</AccountHeading> </AccountHeading>
<AccountBalance <AccountBalance

@ -4,17 +4,26 @@ import styled from 'styled-components';
import { bindActionCreators } from 'redux'; import { bindActionCreators } from 'redux';
import { connect } from 'react-redux'; import { connect } from 'react-redux';
import { injectIntl } from 'react-intl'; import { injectIntl } from 'react-intl';
import type { IntlShape } from 'react-intl';
import { colors, Notification } from 'trezor-ui-components'; import { colors, Notification } from 'trezor-ui-components';
import * as TrezorConnectActions from 'actions/TrezorConnectActions'; import * as TrezorConnectActions from 'actions/TrezorConnectActions';
import type { State, Dispatch } from 'flowtype'; import type { State, Dispatch } from 'flowtype';
import l10nMessages from './index.messages'; import l10nMessages from './index.messages';
type Props = { type OwnProps = {|
intl: any, intl: IntlShape,
|};
type StateProps = {|
acquiring: boolean, acquiring: boolean,
|};
type DispatchProps = {|
acquireDevice: typeof TrezorConnectActions.acquire, acquireDevice: typeof TrezorConnectActions.acquire,
}; |};
type Props = {| ...OwnProps, ...StateProps, ...DispatchProps |};
const Wrapper = styled.div` const Wrapper = styled.div`
display: flex; display: flex;
@ -43,12 +52,12 @@ const Acquire = (props: Props) => (
</Wrapper> </Wrapper>
); );
export default injectIntl( export default injectIntl<OwnProps>(
connect( connect<Props, OwnProps, StateProps, DispatchProps, State, Dispatch>(
(state: State) => ({ (state: State): StateProps => ({
acquiring: state.connect.acquiringDevice, acquiring: state.connect.acquiringDevice,
}), }),
(dispatch: Dispatch) => ({ (dispatch: Dispatch): DispatchProps => ({
acquireDevice: bindActionCreators(TrezorConnectActions.acquire, dispatch), acquireDevice: bindActionCreators(TrezorConnectActions.acquire, dispatch),
}) })
)(Acquire) )(Acquire)

@ -1,7 +1,7 @@
/* @flow */
import React from 'react'; import React from 'react';
import styled from 'styled-components'; import styled from 'styled-components';
import { H4, P } from 'trezor-ui-components'; import { H4, P } from 'trezor-ui-components';
import { connect } from 'react-redux';
import { FormattedMessage } from 'react-intl'; import { FormattedMessage } from 'react-intl';
import l10nMessages from './index.messages'; import l10nMessages from './index.messages';
@ -42,7 +42,4 @@ const Bootloader = () => (
</Wrapper> </Wrapper>
); );
export default connect( export default Bootloader;
null,
null
)(Bootloader);

@ -1,26 +1,20 @@
/* @flow */ /* @flow */
import { connect } from 'react-redux'; import { connect } from 'react-redux';
import type { MapStateToProps } from 'react-redux'; import type { State, Dispatch } from 'flowtype';
import type { State } from 'flowtype';
import Dashboard from './index'; import Dashboard from './index';
type OwnProps = {}; type OwnProps = {||};
type StateProps = { type StateProps = {|
localStorage: $ElementType<State, 'localStorage'>, localStorage: $ElementType<State, 'localStorage'>,
wallet: $ElementType<State, 'wallet'>, wallet: $ElementType<State, 'wallet'>,
}; |};
export type Props = StateProps; export type Props = {| ...StateProps |};
const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = ( const mapStateToProps = (state: State): StateProps => ({
state: State
): StateProps => ({
localStorage: state.localStorage, localStorage: state.localStorage,
wallet: state.wallet, wallet: state.wallet,
}); });
export default connect( export default connect<Props, OwnProps, StateProps, _, State, Dispatch>(mapStateToProps)(Dashboard);
mapStateToProps,
null
)(Dashboard);

@ -4,7 +4,6 @@ import styled from 'styled-components';
import { H4, Icon, Button, P, Link, colors, icons as ICONS } from 'trezor-ui-components'; import { H4, Icon, Button, P, Link, colors, icons as ICONS } from 'trezor-ui-components';
import { getOldWalletUrl } from 'utils/url'; import { getOldWalletUrl } from 'utils/url';
import Content from 'views/Wallet/components/Content'; import Content from 'views/Wallet/components/Content';
import { connect } from 'react-redux';
import type { TrezorDevice } from 'flowtype'; import type { TrezorDevice } from 'flowtype';
@ -51,7 +50,4 @@ const DeviceSettings = (props: Props) => (
</Content> </Content>
); );
export default connect( export default DeviceSettings;
null,
null
)(DeviceSettings);

@ -17,9 +17,17 @@ import l10nCommonMessages from 'views/common.messages';
import type { TrezorDevice, State, Dispatch } from 'flowtype'; import type { TrezorDevice, State, Dispatch } from 'flowtype';
import l10nMessages from './index.messages'; import l10nMessages from './index.messages';
type Props = { type OwnProps = {||};
type StateProps = {|
device: ?TrezorDevice, device: ?TrezorDevice,
}; |};
type DispatchProps = {|
cancel: typeof RouterActions.selectFirstAvailableDevice,
|};
type Props = {| ...OwnProps, ...StateProps, ...DispatchProps |};
const Wrapper = styled.section` const Wrapper = styled.section`
display: flex; display: flex;
@ -180,11 +188,11 @@ const FirmwareUpdate = (props: Props) => (
</Wrapper> </Wrapper>
); );
export default connect( export default connect<Props, OwnProps, StateProps, DispatchProps, State, Dispatch>(
(state: State) => ({ (state: State): StateProps => ({
device: state.wallet.selectedDevice, device: state.wallet.selectedDevice,
}), }),
(dispatch: Dispatch) => ({ (dispatch: Dispatch): DispatchProps => ({
cancel: bindActionCreators(RouterActions.selectFirstAvailableDevice, dispatch), cancel: bindActionCreators(RouterActions.selectFirstAvailableDevice, dispatch),
}) })
)(FirmwareUpdate); )(FirmwareUpdate);

@ -0,0 +1,37 @@
/* @flow */
import * as React from 'react';
import { connect } from 'react-redux';
import { bindActionCreators } from 'redux';
import * as ImportAccountActions from 'actions/ImportAccountActions';
import type { State, Dispatch, TrezorDevice, Config } from 'flowtype';
import ImportView from './index';
type OwnProps = {|
children?: React.Node,
|};
export type StateProps = {|
device: ?TrezorDevice,
config: Config,
importAccount: $ElementType<State, 'importAccount'>,
|};
type DispatchProps = {|
importAddress: typeof ImportAccountActions.importAddress,
|};
export type Props = {| ...OwnProps, ...StateProps, ...DispatchProps |};
const mapStateToProps = (state: State): StateProps => ({
config: state.localStorage.config,
device: state.wallet.selectedDevice,
importAccount: state.importAccount,
});
const mapDispatchToProps = (dispatch: Dispatch): DispatchProps => ({
importAddress: bindActionCreators(ImportAccountActions.importAddress, dispatch),
});
export default connect<Props, OwnProps, StateProps, DispatchProps, State, Dispatch>(
mapStateToProps,
mapDispatchToProps
)(ImportView);

@ -0,0 +1,105 @@
/* @flow */
import React, { useState } from 'react';
import styled from 'styled-components';
import { FormattedMessage } from 'react-intl';
import { Select, Button, Input, Link, colors } from 'trezor-ui-components';
import l10nCommonMessages from 'views/common.messages';
import type { Props } from './Container';
const Wrapper = styled.div`
text-align: left;
flex-direction: column;
display: flex;
padding: 24px;
min-width: 300px;
`;
const StyledSelect = styled(Select)`
min-width: 100px;
`;
const InputRow = styled.div`
margin-bottom: 16px;
`;
const Label = styled.div`
color: ${colors.TEXT_SECONDARY};
padding-bottom: 10px;
`;
const ButtonActions = styled.div`
display: flex;
flex-direction: row;
justify-content: flex-end;
`;
const ButtonWrapper = styled.div`
& + & {
margin-left: 10px;
}
`;
const Import = (props: Props) => {
const [selectedNetwork, setSelectedNetwork] = useState(null);
const [address, setAddress] = useState('');
const { networks } = props.config;
return (
// <LandingWrapper>
<Wrapper>
<InputRow>
<Label>Select network</Label>
<StyledSelect
value={selectedNetwork}
options={networks
.sort((a, b) => a.shortcut.localeCompare(b.shortcut))
.map(net => ({
label: net.shortcut,
value: net,
}))}
onChange={option => setSelectedNetwork(option)}
/>
</InputRow>
<InputRow>
<Input
topLabel="Address"
name="cryptoAddress"
value={address}
onChange={e => setAddress(e.target.value)}
type="text"
/>
</InputRow>
<ButtonActions>
<ButtonWrapper>
<Link to="/">
<Button isWhite>
<FormattedMessage {...l10nCommonMessages.TR_CLOSE} />
</Button>
</Link>
</ButtonWrapper>
<ButtonWrapper>
<Button
isDisabled={
!selectedNetwork || address === '' || props.importAccount.loading
}
onClick={() =>
props.importAddress(
address,
(selectedNetwork || {}).value,
props.device
)
}
>
Import
</Button>
</ButtonWrapper>
</ButtonActions>
</Wrapper>
// </LandingWrapper>
);
};
export default Import;

@ -3,7 +3,6 @@ import styled from 'styled-components';
import { H4, Button, P } from 'trezor-ui-components'; import { H4, Button, P } from 'trezor-ui-components';
import { getOldWalletUrl } from 'utils/url'; import { getOldWalletUrl } from 'utils/url';
import React from 'react'; import React from 'react';
import { connect } from 'react-redux';
import { FormattedMessage } from 'react-intl'; import { FormattedMessage } from 'react-intl';
import l10nCommonMessages from 'views/common.messages'; import l10nCommonMessages from 'views/common.messages';
@ -54,7 +53,4 @@ const Initialize = (props: Props) => (
</Wrapper> </Wrapper>
); );
export default connect( export default Initialize;
null,
null
)(Initialize);

@ -1,7 +1,6 @@
import styled from 'styled-components'; import styled from 'styled-components';
import { H4, P } from 'trezor-ui-components'; import { H4, P } from 'trezor-ui-components';
import React from 'react'; import React from 'react';
import { connect } from 'react-redux';
import { FormattedMessage } from 'react-intl'; import { FormattedMessage } from 'react-intl';
import l10nMessages from './index.messages'; import l10nMessages from './index.messages';
@ -37,7 +36,4 @@ const Seedless = () => (
</Wrapper> </Wrapper>
); );
export default connect( export default Seedless;
null,
null
)(Seedless);

@ -4,11 +4,12 @@ import React from 'react';
import styled from 'styled-components'; import styled from 'styled-components';
import { Notification } from 'trezor-ui-components'; import { Notification } from 'trezor-ui-components';
import { injectIntl } from 'react-intl'; import { injectIntl } from 'react-intl';
import type { IntlShape } from 'react-intl';
import l10nMessages from './index.messages'; import l10nMessages from './index.messages';
const Wrapper = styled.div``; const Wrapper = styled.div``;
const UnreadableDevice = ({ intl }: { intl: any }) => ( const UnreadableDevice = ({ intl }: { intl: IntlShape }) => (
<Wrapper> <Wrapper>
<Notification <Notification
title={intl.formatMessage(l10nMessages.TR_UNREADABLE_DEVICE)} title={intl.formatMessage(l10nMessages.TR_UNREADABLE_DEVICE)}

@ -2,44 +2,42 @@
import { connect } from 'react-redux'; import { connect } from 'react-redux';
import { bindActionCreators } from 'redux'; import { bindActionCreators } from 'redux';
import { injectIntl } from 'react-intl'; import { injectIntl } from 'react-intl';
import type { IntlShape } from 'react-intl';
import * as WalletActions from 'actions/WalletActions'; import * as WalletActions from 'actions/WalletActions';
import type { MapStateToProps, MapDispatchToProps } from 'react-redux';
import type { State, Dispatch } from 'flowtype'; import type { State, Dispatch } from 'flowtype';
import WalletSettings from './index'; import WalletSettings from './index';
type OwnProps = {}; type OwnProps = {|
intl: IntlShape,
|};
type StateProps = { type StateProps = {|
wallet: $ElementType<State, 'wallet'>, wallet: $ElementType<State, 'wallet'>,
fiat: $ElementType<State, 'fiat'>, fiat: $ElementType<State, 'fiat'>,
localStorage: $ElementType<State, 'localStorage'>, localStorage: $ElementType<State, 'localStorage'>,
}; |};
type DispatchProps = { type DispatchProps = {|
setLocalCurrency: typeof WalletActions.setLocalCurrency, setLocalCurrency: typeof WalletActions.setLocalCurrency,
setHideBalance: typeof WalletActions.setHideBalance, setHideBalance: typeof WalletActions.setHideBalance,
}; |};
export type Props = StateProps & DispatchProps; export type Props = {| ...OwnProps, ...StateProps, ...DispatchProps |};
const mapStateToProps: MapStateToProps<State, OwnProps, StateProps> = ( const mapStateToProps = (state: State): StateProps => ({
state: State
): StateProps => ({
wallet: state.wallet, wallet: state.wallet,
fiat: state.fiat, fiat: state.fiat,
localStorage: state.localStorage, localStorage: state.localStorage,
}); });
const mapDispatchToProps: MapDispatchToProps<Dispatch, OwnProps, DispatchProps> = ( const mapDispatchToProps = (dispatch: Dispatch): DispatchProps => ({
dispatch: Dispatch
): DispatchProps => ({
setLocalCurrency: bindActionCreators(WalletActions.setLocalCurrency, dispatch), setLocalCurrency: bindActionCreators(WalletActions.setLocalCurrency, dispatch),
setHideBalance: bindActionCreators(WalletActions.setHideBalance, dispatch), setHideBalance: bindActionCreators(WalletActions.setHideBalance, dispatch),
}); });
export default injectIntl( export default injectIntl<OwnProps>(
connect( connect<Props, OwnProps, StateProps, DispatchProps, State, Dispatch>(
mapStateToProps, mapStateToProps,
mapDispatchToProps mapDispatchToProps
)(WalletSettings) )(WalletSettings)

@ -16,6 +16,11 @@ const definedMessages: Messages = defineMessages({
defaultMessage: 'Account #{number}', defaultMessage: 'Account #{number}',
description: 'Used in auto-generated account label', description: 'Used in auto-generated account label',
}, },
TR_IMPORTED_ACCOUNT_HASH: {
id: 'TR_IMPORTED_ACCOUNT_HASH',
defaultMessage: 'Imported account #{number}',
description: 'Used in auto-generated label for imported accounts',
},
TR_CLEAR: { TR_CLEAR: {
id: 'TR_CLEAR', id: 'TR_CLEAR',
defaultMessage: 'Clear', defaultMessage: 'Clear',

@ -14,7 +14,6 @@ import { getPattern } from 'support/routes';
// landing views // landing views
import RootView from 'views/Landing/views/Root/Container'; import RootView from 'views/Landing/views/Root/Container';
import InstallBridge from 'views/Landing/views/InstallBridge/Container'; import InstallBridge from 'views/Landing/views/InstallBridge/Container';
import ImportView from 'views/Landing/views/Import/Container';
// wallet views // wallet views
import WalletContainer from 'views/Wallet'; import WalletContainer from 'views/Wallet';
@ -23,6 +22,7 @@ import AccountSend from 'views/Wallet/views/Account/Send';
import AccountReceive from 'views/Wallet/views/Account/Receive'; import AccountReceive from 'views/Wallet/views/Account/Receive';
import AccountSignVerify from 'views/Wallet/views/Account/SignVerify/Container'; import AccountSignVerify from 'views/Wallet/views/Account/SignVerify/Container';
import WalletImport from 'views/Wallet/views/Import/Container';
import WalletDashboard from 'views/Wallet/views/Dashboard/Container'; import WalletDashboard from 'views/Wallet/views/Dashboard/Container';
import WalletDeviceSettings from 'views/Wallet/views/DeviceSettings'; import WalletDeviceSettings from 'views/Wallet/views/DeviceSettings';
import WalletSettings from 'views/Wallet/views/WalletSettings/Container'; import WalletSettings from 'views/Wallet/views/WalletSettings/Container';
@ -44,11 +44,16 @@ const App = () => (
<Route exact path={getPattern('landing-home')} component={RootView} /> <Route exact path={getPattern('landing-home')} component={RootView} />
<Route exact path={getPattern('landing-version')} component={Version} /> <Route exact path={getPattern('landing-version')} component={Version} />
<Route exact path={getPattern('landing-bridge')} component={InstallBridge} /> <Route exact path={getPattern('landing-bridge')} component={InstallBridge} />
<Route exact path={getPattern('landing-import')} component={ImportView} />
<Route> <Route>
<ErrorBoundary> <ErrorBoundary>
<ImagesPreloader /> <ImagesPreloader />
<WalletContainer> <WalletContainer>
<Route
exact
path={getPattern('wallet-import')}
component={WalletImport}
/>
<Route <Route
exact exact
path={getPattern('wallet-settings')} path={getPattern('wallet-settings')}

@ -4984,9 +4984,10 @@ flatted@^2.0.0:
resolved "https://registry.yarnpkg.com/flatted/-/flatted-2.0.0.tgz#55122b6536ea496b4b44893ee2608141d10d9916" resolved "https://registry.yarnpkg.com/flatted/-/flatted-2.0.0.tgz#55122b6536ea496b4b44893ee2608141d10d9916"
integrity sha512-R+H8IZclI8AAkSBRQJLVOsxwAoHd6WC40b4QTNWIjzAa6BXOBfQcM587MXDTVPeYaopFNWHUFLx7eNmHDSxMWg== integrity sha512-R+H8IZclI8AAkSBRQJLVOsxwAoHd6WC40b4QTNWIjzAa6BXOBfQcM587MXDTVPeYaopFNWHUFLx7eNmHDSxMWg==
flow-bin@0.75.0: flow-bin@0.90:
version "0.75.0" version "0.90.0"
resolved "https://registry.yarnpkg.com/flow-bin/-/flow-bin-0.75.0.tgz#b96d1ee99d3b446a3226be66b4013224ce9df260" resolved "https://registry.yarnpkg.com/flow-bin/-/flow-bin-0.90.0.tgz#733b6d29a8c8a22b9a5d273611d9a8402faf3445"
integrity sha512-/syDchjhLLL7nELK1ggyWJifGXuMCTz74kvkjR1t9DcmasMrilLl9qAAotsACcNb98etEEJpsCrvP7WL64kadw==
flush-write-stream@^1.0.0: flush-write-stream@^1.0.0:
version "1.0.2" version "1.0.2"
@ -11139,10 +11140,10 @@ trezor-bridge-communicator@1.0.2:
request "^2.88.0" request "^2.88.0"
whatwg-fetch "^3.0.0" whatwg-fetch "^3.0.0"
trezor-connect@7.0.2-electron.4: trezor-connect@7.0.2:
version "7.0.2-electron.4" version "7.0.2"
resolved "https://registry.yarnpkg.com/trezor-connect/-/trezor-connect-7.0.2-electron.4.tgz#2fad96f11f0136dada5ae6a4dbc4a24b8408a131" resolved "https://registry.yarnpkg.com/trezor-connect/-/trezor-connect-7.0.2.tgz#8b1b0d1b3b6dc6564bc3d22fe8f54ba826f2a242"
integrity sha512-c+DyAnaSI5GeSw7ETSK3CzekDsHR2vI5qltNavpmg8B16aBLvyeL89VCkXZQrxdZGESvO5/vcOMbr1Rdp/sGPQ== integrity sha512-KAFOqxEHHaFvrG8NGLFlM/QxHcwIa3gwfXcgTjCYM0g0zRpwIQBwe35AKsjAQO5yiTJQGa0Cu5MZufGJRGYjjw==
dependencies: dependencies:
"@babel/runtime" "^7.3.1" "@babel/runtime" "^7.3.1"
events "^3.0.0" events "^3.0.0"

Loading…
Cancel
Save