-
-
Notifications
You must be signed in to change notification settings - Fork 3
Expand file tree
/
Copy pathtransact.ts
More file actions
391 lines (359 loc) · 11.4 KB
/
transact.ts
File metadata and controls
391 lines (359 loc) · 11.4 KB
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
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
import type {ChainDefinition, Fetch, LocaleDefinitions} from '@wharfkit/common'
import type {Contract} from '@wharfkit/contract'
import zlib from 'pako'
import {
ABIDef,
ActionType,
AnyAction,
AnyTransaction,
API,
APIClient,
Checksum256Type,
Name,
NameType,
PermissionLevel,
Serializer,
Signature,
} from '@wharfkit/antelope'
import {ABICacheInterface} from '@wharfkit/abicache'
import {
ResolvedSigningRequest,
ResolvedTransaction,
SigningRequest,
SigningRequestEncodingOptions,
} from '@wharfkit/signing-request'
import {SessionStorage} from './storage'
import {UserInterface} from './ui'
export type TransactPluginsOptions = Record<string, unknown>
export enum TransactHookTypes {
beforeSign = 'beforeSign',
afterSign = 'afterSign',
afterBroadcast = 'afterBroadcast',
}
export type TransactHookMutable = (
request: SigningRequest,
context: TransactContext
) => Promise<TransactHookResponse | void>
export type TransactHookImmutable = (
result: TransactResult,
context: TransactContext
) => Promise<TransactHookResponse | void>
export interface TransactHooks {
afterSign: TransactHookImmutable[]
beforeSign: TransactHookMutable[]
afterBroadcast: TransactHookImmutable[]
}
export interface TransactHookResponse {
request: SigningRequest
signatures?: Signature[]
}
export type TransactHookResponseType = TransactHookResponse | void
/**
* Options for creating a new context for a [[Session.transact]] call.
*/
export interface TransactContextOptions {
abiCache: ABICacheInterface
appName?: NameType
chain: ChainDefinition
client: APIClient
createRequest: (args: TransactArgs) => Promise<SigningRequest>
fetch: Fetch
permissionLevel: PermissionLevel
storage?: SessionStorage
transactPlugins?: AbstractTransactPlugin[]
transactPluginsOptions?: TransactPluginsOptions
ui?: UserInterface
}
/**
* Temporary context created for the duration of a [[Session.transact]] call.
*
* This context is used to store the state of the transact request and
* provide a way for plugins to add hooks into the process.
*/
export class TransactContext {
readonly abiCache: ABICacheInterface
readonly appName?: string
readonly chain: ChainDefinition
readonly client: APIClient
readonly createRequest: (args: TransactArgs) => Promise<SigningRequest>
readonly fetch: Fetch
readonly hooks: TransactHooks = {
afterBroadcast: [],
afterSign: [],
beforeSign: [],
}
public info: API.v1.GetInfoResponse | undefined
readonly permissionLevel: PermissionLevel
readonly storage?: SessionStorage
readonly transactPluginsOptions: TransactPluginsOptions
readonly ui?: UserInterface
constructor(options: TransactContextOptions) {
this.abiCache = options.abiCache
this.appName = String(options.appName)
this.chain = options.chain
this.client = options.client
this.createRequest = options.createRequest
this.fetch = options.fetch
this.permissionLevel = options.permissionLevel
if (options.storage) {
this.storage = options.storage
}
this.transactPluginsOptions = options.transactPluginsOptions || {}
this.ui = options.ui
options.transactPlugins?.forEach((plugin: AbstractTransactPlugin) => {
plugin.register(this)
})
}
get accountName(): Name {
return this.permissionLevel.actor
}
get permissionName(): Name {
return this.permissionLevel.permission
}
get esrOptions(): SigningRequestEncodingOptions {
return {
abiProvider: this.abiCache,
zlib,
}
}
addHook(t: TransactHookTypes, hook: TransactHookMutable | TransactHookImmutable) {
switch (t) {
case TransactHookTypes.beforeSign: {
this.hooks[t].push(hook as TransactHookMutable)
break
}
case TransactHookTypes.afterSign:
case TransactHookTypes.afterBroadcast: {
this.hooks[t].push(hook as TransactHookImmutable)
break
}
}
}
async getInfo(): Promise<API.v1.GetInfoResponse> {
let info: API.v1.GetInfoResponse | undefined = this.info
if (this.info) {
info = this.info
} else {
this.info = info = await this.client.v1.chain.get_info()
}
return info
}
async resolve(request: SigningRequest, expireSeconds = 120): Promise<ResolvedSigningRequest> {
// Build the transaction header
let resolveArgs = {
chainId: this.chain.id,
}
// Check if this request requires tapos generation
if (request.requiresTapos()) {
const info = await this.getInfo()
const header = info.getTransactionHeader(expireSeconds)
// override resolve args to include tapos headers
resolveArgs = {
...resolveArgs,
...header,
}
}
// Load ABIs required to resolve this request
const abis = await request.fetchAbis(this.abiCache)
// Resolve the request and return
return request.resolve(abis, this.permissionLevel, resolveArgs)
}
}
/**
* Payload accepted by the [[Session.transact]] method.
* Note that one of `action`, `actions` or `transaction` must be set.
*/
export interface TransactArgs {
/** Full transaction to sign. */
transaction?: AnyTransaction
/** Action to sign. */
action?: AnyAction
/** Actions to sign. */
actions?: AnyAction[]
/** An ESR payload */
request?: SigningRequest | string
/** Context free actions to include in the transaction */
context_free_actions?: ActionType[]
/** Context free data to include in the transaction */
context_free_data?: string[]
}
/**
* Options for the [[Session.transact]] method.
*/
export interface TransactOptions {
/**
* An array of ABIs to use when resolving the transaction.
*/
abis?: TransactABIDef[]
/**
* An optional ABICacheInterface to control how ABIs are loaded.
*/
abiCache?: ABICacheInterface
/**
* Whether to allow the signer to make modifications to the request
* (e.g. applying a cosigner action to pay for resources).
*
* Defaults to true if [[broadcast]] is true or unspecified; otherwise false.
*/
allowModify?: boolean
/**
* Whether to broadcast the transaction or just return the signature.
* Defaults to true.
*/
broadcast?: boolean
/**
* Chain to use when configured with multiple chains.
*/
chain?: Checksum256Type
/**
* An array of Contract instances to cache for this call
*/
contracts?: Contract[]
/**
* The number of seconds in the future this transaction will expire.
*/
expireSeconds?: number
/**
* Specific transact plugins to use for this transaction.
*/
transactPlugins?: AbstractTransactPlugin[]
/**
* Optional parameters passed in to the various transact plugins.
*/
transactPluginsOptions?: TransactPluginsOptions
/**
* Optional parameter to control whether signatures returned from plugins are validated.
*/
validatePluginSignatures?: boolean
/**
* Wait for the transaction to become irreversible before returning.
* Uses send_transaction2 with retry enabled and no block limit (waits for LIB).
*/
awaitIrreversible?: boolean
/**
* Advanced options for send_transaction2. Provides fine-grained control over
* retry behavior and failure tracing.
*/
broadcastOptions?: BroadcastOptions
}
export interface BroadcastOptions {
returnFailureTrace?: boolean
retryTrx?: boolean
retryTrxNumBlocks?: number
}
export interface TransactABIDef {
account: NameType
abi: ABIDef
}
export interface TransactRevision {
/**
* Whether or not the context allowed any modification to take effect.
*/
allowModify: boolean
/**
* The string representation of the code executed.
*/
code: string
/**
* If the request was modified by this code.
*/
modified: boolean
/**
* The response from the code that was executed.
*/
response: {
request: string
signatures: string[]
}
}
export class TransactRevisions {
readonly revisions: TransactRevision[] = []
constructor(request: SigningRequest) {
this.addRevision({request, signatures: []}, 'original', true)
}
addRevision(response: TransactHookResponse, code: string, allowModify: boolean) {
// Determine if the new response modifies the request
let modified = false
const previous = this.revisions[this.revisions.length - 1]
if (previous) {
modified = previous.response.request !== String(response.request)
}
// Push this revision in to the stack
this.revisions.push({
allowModify,
code: String(code),
modified,
response: {
request: String(response.request),
signatures: response.signatures ? Serializer.objectify(response.signatures) : [],
},
})
}
}
/**
* An interface to define a return type
*/
export interface TransactResultReturnType {
name: NameType
result_type: string
}
/**
* The return values from a [[Session.transact]] call that have been processed and decoded.
*/
export interface TransactResultReturnValue {
contract: Name
action: Name
hex: string
data: any
returnType: TransactResultReturnType
}
/**
* The response from a [[Session.transact]] call.
*/
export interface TransactResult {
/** The chain that was used. */
chain: ChainDefinition
/** The SigningRequest representation of the transaction. */
request: SigningRequest
/** The ResolvedSigningRequest of the transaction */
resolved: ResolvedSigningRequest | undefined
/** The response from the API after sending the transaction, only present if transaction was broadcast. */
response?: {[key: string]: any}
/** The return values provided by the transaction */
returns: TransactResultReturnValue[]
/** An array containing revisions of the transaction as modified by plugins as ESR payloads */
revisions: TransactRevisions
/** The transaction signatures. */
signatures: Signature[]
/** The signer authority. */
signer: PermissionLevel
/** The resulting transaction. */
transaction: ResolvedTransaction | undefined
}
/**
* Interface which a [[Session.transact]] plugin must implement.
*/
export interface TransactPlugin {
/** A URL friendly (lower case, no spaces, etc) ID for this plugin - Used in serialization */
get id(): string
/** Any translations this plugin requires */
translations?: LocaleDefinitions
/** A function that registers hooks into the transaction flow */
register: (context: TransactContext) => void
}
/**
* Abstract class for [[Session.transact]] plugins to extend.
*/
export abstract class AbstractTransactPlugin implements TransactPlugin {
translations?: LocaleDefinitions
abstract register(context: TransactContext): void
abstract get id(): string
}
export class BaseTransactPlugin extends AbstractTransactPlugin {
get id() {
return 'base-transact-plugin'
}
register() {
// console.log('Register hooks via context.addHook')
}
}