Browse Source

Add verifyAddress in ReceiveBox

master
Loëck Vézien 7 years ago
parent
commit
b8e552da8a
No known key found for this signature in database GPG Key ID: CBCDCE384E853AC4
  1. 2
      src/components/AccountPage.js
  2. 188
      src/components/ReceiveBox.js
  3. 1
      src/components/SelectAccount/stories.js
  4. 4
      src/components/base/Box/index.js
  5. 2
      src/components/modals/AddAccount/index.js
  6. 34
      src/components/modals/Receive.js
  7. 30
      src/helpers/btc.js
  8. 23
      src/internals/usb/wallet/accounts.js
  9. 23
      src/internals/usb/wallet/index.js
  10. 1
      src/reducers/accounts.js
  11. 5
      src/types/common.js

2
src/components/AccountPage.js

@ -95,7 +95,7 @@ class AccountPage extends PureComponent<Props> {
<Box style={{ width: 300 }}> <Box style={{ width: 300 }}>
<Card title={t('AccountPage.receive')} flow={3}> <Card title={t('AccountPage.receive')} flow={3}>
<ReceiveBox address={accountData.address} /> <ReceiveBox path={accountData.path} address={accountData.address} />
</Card> </Card>
</Box> </Box>
</Box> </Box>

188
src/components/ReceiveBox.js

@ -1,19 +1,23 @@
// @flow // @flow
import React from 'react' import React, { PureComponent } from 'react'
import { connect } from 'react-redux'
import styled from 'styled-components' import styled from 'styled-components'
import { ipcRenderer } from 'electron'
import type { MapStateToProps } from 'react-redux'
import type { Device } from 'types/common'
import { getCurrentDevice } from 'reducers/devices'
import { sendEvent } from 'renderer/events'
import Box from 'components/base/Box' import Box from 'components/base/Box'
import QRCode from 'components/base/QRCode' import Button from 'components/base/Button'
import Icon from 'components/base/Icon'
import CopyToClipboard from 'components/base/CopyToClipboard' import CopyToClipboard from 'components/base/CopyToClipboard'
import Text from 'components/base/Text' import Icon from 'components/base/Icon'
import Print from 'components/base/Print' import Print from 'components/base/Print'
import QRCode from 'components/base/QRCode'
type Props = { import Text from 'components/base/Text'
amount?: string,
address: string,
}
export const AddressBox = styled(Box).attrs({ export const AddressBox = styled(Box).attrs({
bg: 'cream', bg: 'cream',
@ -22,7 +26,7 @@ export const AddressBox = styled(Box).attrs({
border-radius: 3px; border-radius: 3px;
border: 1px solid ${p => p.theme.colors.mouse}; border: 1px solid ${p => p.theme.colors.mouse};
cursor: text; cursor: text;
text-alignitems: center; text-align: center;
user-select: text; user-select: text;
word-break: break-all; word-break: break-all;
` `
@ -35,7 +39,7 @@ const Action = styled(Box).attrs({
fontSize: 0, fontSize: 0,
})` })`
font-weight: bold; font-weight: bold;
text-alignitems: center; text-align: center;
cursor: pointer; cursor: pointer;
text-transform: uppercase; text-transform: uppercase;
@ -44,44 +48,130 @@ const Action = styled(Box).attrs({
} }
` `
const ReceiveBox = ({ amount, address }: Props) => ( const mapStateToProps: MapStateToProps<*, *, *> = state => ({
<Box flow={3}> currentDevice: getCurrentDevice(state),
<Box alignItems="center"> })
<QRCode size={150} data={`bitcoin:${address}${amount ? `?amount=${amount}` : ''}`} />
</Box> type Props = {
<Box alignItems="center" flow={2}> currentDevice: Device | null,
<Text fontSize={1}>{'Current address'}</Text> address: string,
<AddressBox>{address}</AddressBox> amount?: string,
</Box> path: string,
<Box horizontal> }
<CopyToClipboard
data={address} type State = {
render={copy => ( isVerified: null | boolean,
<Action onClick={copy}> isDisplay: boolean,
<Icon name="clone" /> }
<span>{'Copy'}</span>
</Action> const defaultState = {
)} isVerified: null,
/> isDisplay: false,
<Print }
data={{ address, amount }}
render={(print, isLoading) => ( class ReceiveBox extends PureComponent<Props, State> {
<Action onClick={print}> static defaultProps = {
<Icon name="print" /> amount: undefined,
<span>{isLoading ? '...' : 'Print'}</span> }
state = {
...defaultState,
}
componentDidMount() {
ipcRenderer.on('msg', this.handleMsgEvent)
}
componentWillUnmount() {
ipcRenderer.removeListener('msg', this.handleMsgEvent)
this.setState({
...defaultState,
})
}
handleMsgEvent = (e, { type }) => {
if (type === 'wallet.verifyAddress.success') {
this.setState({
isVerified: true,
})
}
if (type === 'wallet.verifyAddress.fail') {
this.setState({
isVerified: false,
})
}
}
handleVerifyAddress = () => {
const { currentDevice, path } = this.props
if (currentDevice !== null) {
sendEvent('usb', 'wallet.verifyAddress', {
pathDevice: currentDevice.path,
path,
})
this.setState({
isDisplay: true,
})
}
}
render() {
const { amount, address } = this.props
const { isVerified, isDisplay } = this.state
if (!isDisplay) {
return (
<Box grow alignItems="center" justifyContent="center">
<Button onClick={this.handleVerifyAddress}>Display address on device</Button>
</Box>
)
}
return (
<Box flow={3}>
<Box>
isVerified:{' '}
{isVerified === null
? 'not yet...'
: isVerified === true ? 'ok!' : '/!\\ contact support'}
</Box>
<Box alignItems="center">
<QRCode size={150} data={`bitcoin:${address}${amount ? `?amount=${amount}` : ''}`} />
</Box>
<Box alignItems="center" flow={2}>
<Text fontSize={1}>{'Current address'}</Text>
<AddressBox>{address}</AddressBox>
</Box>
<Box horizontal>
<CopyToClipboard
data={address}
render={copy => (
<Action onClick={copy}>
<Icon name="clone" />
<span>{'Copy'}</span>
</Action>
)}
/>
<Print
data={{ address, amount }}
render={(print, isLoading) => (
<Action onClick={print}>
<Icon name="print" />
<span>{isLoading ? '...' : 'Print'}</span>
</Action>
)}
/>
<Action>
<Icon name="share-square" />
<span>{'Share'}</span>
</Action> </Action>
)} </Box>
/> </Box>
<Action> )
<Icon name="share-square" /> }
<span>{'Share'}</span>
</Action>
</Box>
</Box>
)
ReceiveBox.defaultProps = {
amount: undefined,
} }
export default ReceiveBox export default connect(mapStateToProps, null)(ReceiveBox)

1
src/components/SelectAccount/stories.js

@ -17,6 +17,7 @@ const accounts = [...Array(20)].map(() => ({
address: chance.string(), address: chance.string(),
balance: chance.floating({ min: 0, max: 20 }), balance: chance.floating({ min: 0, max: 20 }),
currentIndex: chance.integer({ min: 0, max: 20 }), currentIndex: chance.integer({ min: 0, max: 20 }),
path: '',
transactions: [], transactions: [],
}, },
})) }))

4
src/components/base/Box/index.js

@ -56,11 +56,11 @@ const RawCard = styled(Box).attrs({ bg: 'white', p: 3, boxShadow: 0, borderRadiu
export const Card = ({ title, ...props }: { title?: string }) => { export const Card = ({ title, ...props }: { title?: string }) => {
if (title) { if (title) {
return ( return (
<Box flow={4}> <Box flow={4} grow>
<Text color="dark" ff="Museo Sans" fontSize={6}> <Text color="dark" ff="Museo Sans" fontSize={6}>
{title} {title}
</Text> </Text>
<RawCard {...props} /> <RawCard grow {...props} />
</Box> </Box>
) )
} }

2
src/components/modals/AddAccount/index.js

@ -183,7 +183,7 @@ class AddAccountModal extends PureComponent<Props, State> {
} }
sendEvent('usb', 'wallet.getAccounts', { sendEvent('usb', 'wallet.getAccounts', {
path: currentDevice.path, pathDevice: currentDevice.path,
wallet: inputValue.wallet, wallet: inputValue.wallet,
currentAccounts: accounts.map(acc => acc.id), currentAccounts: accounts.map(acc => acc.id),
}) })

34
src/components/modals/Receive.js

@ -62,6 +62,7 @@ class ReceiveModal extends PureComponent<Props, State> {
onHide={this.handleHide} onHide={this.handleHide}
render={({ data, onClose }) => { render={({ data, onClose }) => {
const account = this.getAccount(data) const account = this.getAccount(data)
const accountData = get(account, 'data', {})
return ( return (
<ModalBody onClose={onClose} flow={3}> <ModalBody onClose={onClose} flow={3}>
@ -72,21 +73,24 @@ class ReceiveModal extends PureComponent<Props, State> {
<Label>Account</Label> <Label>Account</Label>
<SelectAccount value={account} onChange={this.handleChangeInput('account')} /> <SelectAccount value={account} onChange={this.handleChangeInput('account')} />
</Box> </Box>
{account && {accountData && (
account.data && ( <Fragment>
<Fragment> <Box flow={1}>
<Box flow={1}> <Label>Request amount</Label>
<Label>Request amount</Label> <Input
<Input type="number"
type="number" min={0}
min={0} max={accountData.balance / 1e8}
max={account.data.balance / 1e8} onChange={this.handleChangeInput('amount')}
onChange={this.handleChangeInput('amount')} />
/> </Box>
</Box> <ReceiveBox
<ReceiveBox amount={amount} address={get(account, 'data.address', '')} /> path={accountData.path}
</Fragment> amount={amount}
)} address={accountData.address || ''}
/>
</Fragment>
)}
<Box horizontal justifyContent="center"> <Box horizontal justifyContent="center">
<Button primary onClick={onClose}> <Button primary onClick={onClose}>
Close Close

30
src/helpers/btc.js

@ -37,6 +37,7 @@ export function getTransactions(addresses: Array<string>) {
export async function getAccount({ export async function getAccount({
allAddresses = [], allAddresses = [],
currentIndex = 0, currentIndex = 0,
path,
hdnode, hdnode,
segwit, segwit,
network, network,
@ -44,6 +45,7 @@ export async function getAccount({
}: { }: {
allAddresses?: Array<string>, allAddresses?: Array<string>,
currentIndex?: number, currentIndex?: number,
path: string,
hdnode: Object, hdnode: Object,
segwit: boolean, segwit: boolean,
network: Object, network: Object,
@ -69,15 +71,12 @@ export async function getAccount({
return pubKeyToSegwitAddress(hdnode.getPublicKeyBuffer(), script) return pubKeyToSegwitAddress(hdnode.getPublicKeyBuffer(), script)
} }
const getPath = (type, index) => `${type === 'external' ? 0 : 1}/${index}`
const getAddress = ({ type, index }) => ({ const getAddress = ({ type, index }) => ({
type, type,
index, index,
address: getPublicAddress({ address: getPublicAddress({ hdnode, path: getPath(type, index), script, segwit }),
hdnode,
path: `${type === 'external' ? 0 : 1}/${index}`,
script,
segwit,
}),
}) })
const getAsyncAddress = params => const getAsyncAddress = params =>
@ -89,7 +88,7 @@ export async function getAccount({
index: 0, index: 0,
} }
return { return {
index: lastAddress.index, ...lastAddress,
address: getAddress({ type: 'external', index: lastAddress.index + 1 }).address, address: getAddress({ type: 'external', index: lastAddress.index + 1 }).address,
} }
} }
@ -129,19 +128,16 @@ export async function getAccount({
return result return result
}, 0) }, 0)
const currentAddress =
lastAddress !== null ? lastAddress : getAddress({ type: 'external', index: 0 })
return { return {
balance, address: currentAddress.address,
allAddresses, allAddresses,
balance,
currentIndex: currentAddress.index,
path: `${path}/${getPath('external', currentAddress.index + 1)}`,
transactions, transactions,
...(lastAddress !== null
? {
currentIndex: lastAddress.index,
address: lastAddress.address,
}
: {
currentIndex: 0,
address: getAddress({ type: 'external', index: 0 }).address,
}),
} }
}) })

23
src/internals/usb/wallet/accounts.js

@ -51,6 +51,20 @@ function getPath({ coin, account, segwit }: { coin: Coin, account?: any, segwit:
return `${segwit ? 49 : 44}'/${coin}'${account !== undefined ? `/${account}'` : ''}` return `${segwit ? 49 : 44}'/${coin}'${account !== undefined ? `/${account}'` : ''}`
} }
export function verifyAddress({
transport,
path,
segwit = true,
}: {
transport: Object,
path: string,
segwit?: boolean,
}) {
const btc = new Btc(transport)
return btc.getWalletPublicKey(path, true, segwit)
}
export default async ({ export default async ({
transport, transport,
currentAccounts, currentAccounts,
@ -87,8 +101,8 @@ export default async ({
const fingerprint = ((result[0] << 24) | (result[1] << 16) | (result[2] << 8) | result[3]) >>> 0 const fingerprint = ((result[0] << 24) | (result[1] << 16) | (result[2] << 8) | result[3]) >>> 0
const getXpub58ByAccount = async ({ account, network }) => { const getXpub58ByPath = async ({ path, account, network }) => {
const { publicKey, chainCode } = await getPublicKey(getPath({ segwit, coin, account })) const { publicKey, chainCode } = await getPublicKey(path)
const compressPublicKey = getCompressPublicKey(publicKey) const compressPublicKey = getCompressPublicKey(publicKey)
const childnum = (0x80000000 | account) >>> 0 const childnum = (0x80000000 | account) >>> 0
@ -106,14 +120,15 @@ export default async ({
} }
const getAllAccounts = async (currentAccount = 0, accounts = []) => { const getAllAccounts = async (currentAccount = 0, accounts = []) => {
const xpub58 = await getXpub58ByAccount({ account: currentAccount, network }) const path = getPath({ segwit, coin, account: currentAccount })
const xpub58 = await getXpub58ByPath({ path, account: currentAccount, network })
if (currentAccounts.includes(xpub58)) { if (currentAccounts.includes(xpub58)) {
return getAllAccounts(currentAccount + 1, accounts) // Skip existing account return getAllAccounts(currentAccount + 1, accounts) // Skip existing account
} }
const hdnode = getHDNode({ xpub58, network }) const hdnode = getHDNode({ xpub58, network })
const account = await getAccount({ hdnode, network, segwit, asyncDelay: 0 }) const account = await getAccount({ path, hdnode, network, segwit, asyncDelay: 0 })
onProgress({ onProgress({
account: currentAccount, account: currentAccount,

23
src/internals/usb/wallet/index.js

@ -2,10 +2,10 @@
import CommNodeHid from '@ledgerhq/hw-transport-node-hid' import CommNodeHid from '@ledgerhq/hw-transport-node-hid'
import getAllAccounts from './accounts' import getAllAccounts, { verifyAddress } from './accounts'
async function getAllAccountsByWallet({ path, wallet, currentAccounts, onProgress }) { async function getAllAccountsByWallet({ pathDevice, wallet, currentAccounts, onProgress }) {
const transport = await CommNodeHid.open(path) const transport = await CommNodeHid.open(pathDevice)
if (wallet === 'btc') { if (wallet === 'btc') {
return getAllAccounts({ transport, currentAccounts, onProgress }) return getAllAccounts({ transport, currentAccounts, onProgress })
@ -16,17 +16,17 @@ async function getAllAccountsByWallet({ path, wallet, currentAccounts, onProgres
export default (sendEvent: Function) => ({ export default (sendEvent: Function) => ({
getAccounts: async ({ getAccounts: async ({
path, pathDevice,
wallet, wallet,
currentAccounts, currentAccounts,
}: { }: {
path: string, pathDevice: string,
wallet: string, wallet: string,
currentAccounts: Array<*>, currentAccounts: Array<*>,
}) => { }) => {
try { try {
const data = await getAllAccountsByWallet({ const data = await getAllAccountsByWallet({
path, pathDevice,
wallet, wallet,
currentAccounts, currentAccounts,
onProgress: progress => sendEvent('wallet.getAccounts.progress', progress, { kill: false }), onProgress: progress => sendEvent('wallet.getAccounts.progress', progress, { kill: false }),
@ -37,4 +37,15 @@ export default (sendEvent: Function) => ({
sendEvent('wallet.getAccounts.fail', err.stack || err) sendEvent('wallet.getAccounts.fail', err.stack || err)
} }
}, },
verifyAddress: async ({ pathDevice, path }: { pathDevice: string, path: string }) => {
const transport = await CommNodeHid.open(pathDevice)
try {
await verifyAddress({ transport, path })
sendEvent('wallet.verifyAddress.success')
} catch (err) {
sendEvent('wallet.verifyAddress.fail')
}
},
}) })

1
src/reducers/accounts.js

@ -29,6 +29,7 @@ const defaultAccountData: AccountData = {
address: '', address: '',
balance: 0, balance: 0,
currentIndex: 0, currentIndex: 0,
path: '',
transactions: [], transactions: [],
} }

5
src/types/common.js

@ -23,15 +23,16 @@ export type AccountData = {
address: string, address: string,
balance: number, balance: number,
currentIndex: number, currentIndex: number,
path: string,
transactions: Array<Transaction>, transactions: Array<Transaction>,
} }
export type Account = { export type Account = {
id: string,
archived?: boolean, archived?: boolean,
data?: AccountData,
id: string,
name: string, name: string,
type: string, type: string,
data?: AccountData,
} }
export type Accounts = Array<Account> export type Accounts = Array<Account>

Loading…
Cancel
Save