stacker.news/components/wallet/index.js

260 lines
7.4 KiB
JavaScript
Raw Normal View History

2024-06-03 22:41:15 +00:00
import { useCallback } from 'react'
import { useMe } from '@/components/me'
import useLocalConfig from '@/components/use-local-state'
2024-06-20 14:48:46 +00:00
import { useWalletLogger } from '@/components/wallet-logger'
2024-06-03 22:41:15 +00:00
import { SSR } from '@/lib/constants'
import { bolt11Tags } from '@/lib/bolt11'
2024-06-24 12:15:14 +00:00
import * as lnbits from '@/components/wallet/lnbits'
import * as nwc from '@/components/wallet/nwc'
import * as lnc from '@/components/wallet/lnc'
import * as lnd from '@/components/wallet/lnd'
import { useApolloClient, useQuery } from '@apollo/client'
import { REMOVE_WALLET, WALLET_BY_TYPE } from '@/fragments/wallet'
import { autowithdrawInitial } from '../autowithdraw-shared'
2024-06-03 22:41:15 +00:00
// wallet definitions
export const WALLET_DEFS = [lnbits, nwc, lnc, lnd]
2024-06-03 22:41:15 +00:00
export const Status = {
Initialized: 'Initialized',
Enabled: 'Enabled',
Locked: 'Locked',
Error: 'Error'
}
export function useWallet (name) {
const me = useMe()
const wallet = name ? getWalletByName(name) : getEnabledWallet(me)
const { logger } = useWalletLogger(wallet)
2024-06-03 22:41:15 +00:00
const [config, saveConfig, clearConfig] = useConfig(wallet)
const _isConfigured = isConfigured({ ...wallet, config })
const status = config?.enabled ? Status.Enabled : Status.Initialized
2024-07-05 06:22:47 +00:00
const enabled = status === Status.Enabled
const priority = config?.priority
2024-06-03 22:41:15 +00:00
const sendPayment = useCallback(async (bolt11) => {
const hash = bolt11Tags(bolt11).payment_hash
logger.info('sending payment:', `payment_hash=${hash}`)
try {
2024-06-21 20:41:54 +00:00
const { preimage } = await wallet.sendPayment({ bolt11, ...config, logger })
logger.ok('payment successful:', `payment_hash=${hash}`, `preimage=${preimage}`)
} catch (err) {
const message = err.message || err.toString?.()
logger.error('payment failed:', `payment_hash=${hash}`, message)
throw err
}
2024-06-03 22:41:15 +00:00
}, [wallet, config, logger])
const enable = useCallback(() => {
enableWallet(name, me)
logger.ok('wallet enabled')
}, [name, me, logger])
const disable = useCallback(() => {
disableWallet(name, me)
logger.info('wallet disabled')
}, [name, me, logger])
2024-06-03 22:41:15 +00:00
2024-07-05 06:22:47 +00:00
const setPriority = useCallback(async (priority) => {
if (_isConfigured && priority !== config.priority) {
await saveConfig({ ...config, priority })
}
}, [wallet, config, logger])
const save = useCallback(async (newConfig) => {
2024-06-20 18:34:09 +00:00
try {
2024-06-21 20:32:06 +00:00
// validate should log custom INFO and OK message
// validate is optional since validation might happen during save on server
2024-06-21 20:32:06 +00:00
// TODO: add timeout
await wallet.validate?.({ me, logger, ...newConfig })
await saveConfig(newConfig)
logger.ok(_isConfigured ? 'wallet updated' : 'wallet attached')
2024-06-20 18:34:09 +00:00
} catch (err) {
2024-06-21 20:32:06 +00:00
const message = err.message || err.toString?.()
logger.error('failed to attach: ' + message)
2024-06-20 18:34:09 +00:00
throw err
}
}, [_isConfigured, saveConfig, me, logger])
2024-06-20 18:34:09 +00:00
// delete is a reserved keyword
const delete_ = useCallback(async () => {
2024-06-20 18:34:09 +00:00
try {
await clearConfig()
2024-06-20 18:34:09 +00:00
logger.ok('wallet detached')
disable()
2024-06-20 18:34:09 +00:00
} catch (err) {
2024-06-21 20:32:06 +00:00
const message = err.message || err.toString?.()
2024-06-20 18:34:09 +00:00
logger.error(message)
throw err
}
}, [clearConfig, logger, disable])
2024-06-20 18:34:09 +00:00
2024-06-03 22:41:15 +00:00
return {
...wallet,
sendPayment,
config,
2024-06-20 18:34:09 +00:00
save,
delete: delete_,
2024-06-03 22:41:15 +00:00
enable,
disable,
2024-07-05 06:22:47 +00:00
setPriority,
isConfigured: _isConfigured,
2024-07-05 06:22:47 +00:00
status,
enabled,
priority,
logger
2024-06-03 22:41:15 +00:00
}
}
function useConfig (wallet) {
const me = useMe()
const storageKey = getStorageKey(wallet?.name, me)
const [localConfig, setLocalConfig, clearLocalConfig] = useLocalConfig(storageKey)
const [serverConfig, setServerConfig, clearServerConfig] = useServerConfig(wallet)
const hasLocalConfig = !!wallet?.sendPayment
const hasServerConfig = !!wallet?.server
const config = {
// only include config if it makes sense for this wallet
// since server config always returns default values for autowithdraw settings
// which might be confusing to have for wallets that don't support autowithdraw
...(hasLocalConfig ? localConfig : {}),
...(hasServerConfig ? serverConfig : {})
}
const saveConfig = useCallback(async (config) => {
if (hasLocalConfig) setLocalConfig(config)
if (hasServerConfig) await setServerConfig(config)
}, [wallet])
const clearConfig = useCallback(async () => {
if (hasLocalConfig) clearLocalConfig()
if (hasServerConfig) await clearServerConfig()
}, [wallet])
return [config, saveConfig, clearConfig]
}
function isConfigured ({ fields, config }) {
if (!config || !fields) return false
2024-07-03 02:21:20 +00:00
// a wallet is configured if all of it's required fields are set
const val = fields.every(field => {
return field.optional ? true : !!config?.[field.name]
2024-07-03 02:21:20 +00:00
})
return val
}
function useServerConfig (wallet) {
const client = useApolloClient()
const me = useMe()
const { data, refetch: refetchConfig } = useQuery(WALLET_BY_TYPE, { variables: { type: wallet?.server?.walletType }, skip: !wallet?.server })
2024-07-02 00:11:42 +00:00
const walletId = data?.walletByType?.id
const serverConfig = {
id: walletId,
priority: data?.walletByType?.priority,
enabled: data?.walletByType?.enabled,
...data?.walletByType?.wallet
}
const autowithdrawSettings = autowithdrawInitial({ me })
2024-07-05 06:22:47 +00:00
const config = { ...serverConfig, ...autowithdrawSettings }
const saveConfig = useCallback(async ({
autoWithdrawThreshold,
autoWithdrawMaxFeePercent,
priority,
enabled,
...config
}) => {
try {
return await client.mutate({
mutation: wallet.server.mutation,
variables: {
id: walletId,
...config,
settings: {
autoWithdrawThreshold: Number(autoWithdrawThreshold),
autoWithdrawMaxFeePercent: Number(autoWithdrawMaxFeePercent),
priority,
enabled
}
}
})
} finally {
client.refetchQueries({ include: ['WalletLogs'] })
refetchConfig()
}
}, [client, walletId])
const clearConfig = useCallback(async () => {
try {
await client.mutate({
mutation: REMOVE_WALLET,
variables: { id: walletId }
})
} finally {
client.refetchQueries({ include: ['WalletLogs'] })
refetchConfig()
}
}, [client, walletId])
return [config, saveConfig, clearConfig]
}
export function getWalletByName (name) {
return WALLET_DEFS.find(def => def.name === name)
}
export function getServerWallet (type) {
return WALLET_DEFS.find(def => def.server?.walletType === type)
}
export function getEnabledWallet (me) {
// TODO: handle multiple enabled wallets
return WALLET_DEFS
2024-06-20 18:16:27 +00:00
.filter(def => !!def.sendPayment)
.find(def => {
2024-06-03 22:41:15 +00:00
const key = getStorageKey(def.name, me)
const config = SSR ? null : JSON.parse(window?.localStorage.getItem(key))
return config?.enabled
})
}
2024-07-05 06:22:47 +00:00
export function useWallets () {
return WALLET_DEFS.map(def => useWallet(def.name))
}
2024-06-03 22:41:15 +00:00
function getStorageKey (name, me) {
let storageKey = `wallet:${name}`
if (me) {
storageKey = `${storageKey}:${me.id}`
}
return storageKey
}
function enableWallet (name, me) {
2024-07-03 00:34:14 +00:00
const key = getStorageKey(name, me)
const config = JSON.parse(window.localStorage.getItem(key))
if (!config) return
config.enabled = true
window.localStorage.setItem(key, JSON.stringify(config))
2024-06-03 22:41:15 +00:00
}
function disableWallet (name, me) {
const key = getStorageKey(name, me)
const config = JSON.parse(window.localStorage.getItem(key))
if (!config) return
config.enabled = false
window.localStorage.setItem(key, JSON.stringify(config))
}