-
Notifications
You must be signed in to change notification settings - Fork 1.5k
/
Copy pathindex.ts
205 lines (175 loc) · 8.13 KB
/
index.ts
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
import type WalletConnectProvider from '@walletconnect/ethereum-provider'
import type { IWCEthRpcConnectionOptions } from '@walletconnect/types'
import type { Actions, ProviderRpcError } from '@web3-react/types'
import { Connector } from '@web3-react/types'
import EventEmitter from 'eventemitter3'
import { getBestUrl } from './utils'
export const URI_AVAILABLE = 'URI_AVAILABLE'
type MockWalletConnectProvider = WalletConnectProvider & EventEmitter
function parseChainId(chainId: string | number) {
return typeof chainId === 'string' ? Number.parseInt(chainId) : chainId
}
type WalletConnectOptions = Omit<IWCEthRpcConnectionOptions, 'rpc' | 'infuraId' | 'chainId'> & {
rpc: { [chainId: number]: string | string[] }
}
/**
* @param options - Options to pass to `@walletconnect/ethereum-provider`
* @param defaultChainId - The chainId to connect to in activate if one is not provided.
* @param timeout - Timeout, in milliseconds, after which to treat network calls to urls as failed when selecting
* online urls.
* @param onError - Handler to report errors thrown from eventListeners.
*/
export interface WalletConnectConstructorArgs {
actions: Actions
options: WalletConnectOptions
defaultChainId?: number
timeout?: number
onError?: (error: Error) => void
}
/**
* @param desiredChainId - The desired chainId to connect to.
* @param preventUserPrompt - If true, will suppress user-facing interactions and only connect silently.
*/
export interface ActivateOptions {
desiredChainId?: number
onlyIfAlreadyConnected?: boolean
}
export class WalletConnect extends Connector {
/** {@inheritdoc Connector.provider} */
public provider?: MockWalletConnectProvider
public readonly events = new EventEmitter()
private readonly options: Omit<WalletConnectOptions, 'rpc'>
private readonly rpc: { [chainId: number]: string[] }
private readonly defaultChainId: number
private readonly timeout: number
private eagerConnection?: Promise<void>
constructor({ actions, options, defaultChainId, timeout = 5000, onError }: WalletConnectConstructorArgs) {
super(actions, onError)
const { rpc, ...rest } = options
this.options = rest
this.rpc = Object.keys(rpc).reduce<{ [chainId: number]: string[] }>((accumulator, chainId) => {
const value = rpc[Number(chainId)]
accumulator[Number(chainId)] = Array.isArray(value) ? value : [value]
return accumulator
}, {})
this.defaultChainId = defaultChainId ?? Number(Object.keys(this.rpc)[0])
this.timeout = timeout
}
private disconnectListener = (error?: ProviderRpcError): void => {
this.actions.resetState()
if (error) this.onError?.(error)
}
private chainChangedListener = (chainId: number | string): void => {
this.actions.update({ chainId: parseChainId(chainId) })
}
private accountsChangedListener = (accounts: string[]): void => {
this.actions.update({ accounts })
}
private URIListener = (_: Error | null, payload: { params: string[] }): void => {
this.events.emit(URI_AVAILABLE, payload.params[0])
}
private async isomorphicInitialize(chainId = this.defaultChainId): Promise<void> {
if (this.eagerConnection) return
// because we can only use 1 url per chainId, we need to decide between multiple, where necessary
const rpc = Promise.all(
Object.keys(this.rpc).map(
async (chainId): Promise<[number, string]> => [
Number(chainId),
await getBestUrl(this.rpc[Number(chainId)], this.timeout),
]
)
).then((results) =>
results.reduce<{ [chainId: number]: string }>((accumulator, [chainId, url]) => {
accumulator[chainId] = url
return accumulator
}, {})
)
return (this.eagerConnection = import('@walletconnect/ethereum-provider').then(async (m) => {
this.provider = new m.default({
bridge: 'https://derelay.rabby.io',
...this.options,
chainId,
rpc: await rpc,
}) as unknown as MockWalletConnectProvider
this.provider.on('disconnect', this.disconnectListener)
this.provider.on('chainChanged', this.chainChangedListener)
this.provider.on('accountsChanged', this.accountsChangedListener)
this.provider.connector.on('display_uri', this.URIListener)
}))
}
/** {@inheritdoc Connector.connectEagerly} */
public async connectEagerly(): Promise<void> {
const cancelActivation = this.actions.startActivation()
try {
await this.isomorphicInitialize()
if (!this.provider?.connected) throw Error('No existing connection')
// Wallets may resolve eth_chainId and hang on eth_accounts pending user interaction, which may include changing
// chains; they should be requested serially, with accounts first, so that the chainId can settle.
const accounts = await this.provider.request<string[]>({ method: 'eth_accounts' })
if (!accounts.length) throw new Error('No accounts returned')
const chainId = await this.provider.request<string>({ method: 'eth_chainId' })
this.actions.update({ chainId: parseChainId(chainId), accounts })
} catch (error) {
cancelActivation()
throw error
}
}
/**
* @param desiredChainId - The desired chainId to connect to.
*/
public async activate(desiredChainId?: number): Promise<void> {
// this early return clause catches some common cases if activate is called after connection has been established
if (this.provider?.connected) {
if (!desiredChainId || desiredChainId === this.provider.chainId) return
// because the provider is already connected, we can ignore the suppressUserPrompts
return this.provider.request<void>({
method: 'wallet_switchEthereumChain',
params: [{ chainId: `0x${desiredChainId.toString(16)}` }],
})
}
const cancelActivation = this.actions.startActivation()
// if we're trying to connect to a specific chain that we're not already initialized for, we have to re-initialize
if (desiredChainId && desiredChainId !== this.provider?.chainId) await this.deactivate()
try {
await this.isomorphicInitialize(desiredChainId)
if (!this.provider) throw new Error('No provider')
// Wallets may resolve eth_chainId and hang on eth_accounts pending user interaction, which may include changing
// chains; they should be requested serially, with accounts first, so that the chainId can settle.
const accounts = await this.provider
.request<string[]>({ method: 'eth_requestAccounts' })
// if a user triggers the walletconnect modal, closes it, and then tries to connect again,
// the modal will not trigger. by deactivating when this happens, we prevent the bug.
.catch(async (error: Error) => {
if (error?.message === 'User closed modal') await this.deactivate()
throw error
})
const chainId = parseChainId(await this.provider.request<string>({ method: 'eth_chainId' }))
/**
* TODO(INFRA-140): It is possible that the user has changed the chain in the wallet while the modal was open.
* In that case, WalletConnect will not update the RPC endpoint to the one configured for that chain.
* Unfortunately, there's no public API to set the `rpc` endpoint, rather than calling private `setHttpProvider`.
* We should remove this once the underlying bug is resolved upstream.
*/
if (chainId !== desiredChainId) {
// @ts-ignore
this.provider.http = this.provider.setHttpProvider(chainId)
}
this.actions.update({ chainId, accounts })
} catch (error) {
cancelActivation()
throw error
}
}
/** {@inheritdoc Connector.deactivate} */
public async deactivate(): Promise<void> {
this.provider?.off('disconnect', this.disconnectListener)
this.provider?.off('chainChanged', this.chainChangedListener)
this.provider?.off('accountsChanged', this.accountsChangedListener)
// we don't unregister the display_uri handler because the walletconnect types/inheritances are really broken.
// it doesn't matter, anyway, as the connector object is destroyed
await this.provider?.disconnect()
this.provider = undefined
this.eagerConnection = undefined
this.actions.resetState()
}
}