Newer
Older
import { GenericCall, Struct } from '@polkadot/types';
import {
AccountId,
Block,
BlockHash,
Digest,
DispatchInfo,
EventRecord,
Hash,
} from '@polkadot/types/interfaces';
import { AnyJson, Codec, Registry } from '@polkadot/types/types';
import { u8aToHex } from '@polkadot/util';
import { blake2AsU8a } from '@polkadot/util-crypto';
import { CalcFee } from '@substrate/calc';
import {
IBlock,
IExtrinsic,
ISanitizedCall,
ISanitizedEvent,
isFrameMethod,
} from '../../types/responses';
import { isPaysFee } from '../../types/util';
import { AbstractService } from '../AbstractService';
/**
* Event methods that we check for.
*/
enum Event {
success = 'ExtrinsicSuccess',
failure = 'ExtrinsicFailed',
}
export class BlocksService extends AbstractService {
/**
* Fetch a block enhanced with augmented and derived values.
*
* @param hash `BlockHash` of the block to fetch.
*/
async fetchBlock(
hash: BlockHash,
eventDocs: boolean,
extrinsicDocs: boolean
): Promise<IBlock> {
const [{ block }, events, validators] = await Promise.all([
api.rpc.chain.getBlock(hash),
this.fetchEvents(api, hash),
api.query.session.validators.at(hash),
]);
const {
parentHash,
number,
stateRoot,
extrinsicsRoot,
digest,
} = block.header;
const authorId = this.extractAuthor(validators, digest);
const logs = digest.logs.map((log) => {
const { type, index, value } = log;
return { type, index, value };
});
const nonSanitizedExtrinsics = this.extractExtrinsics(
block,
events,
extrinsicDocs
);
const { extrinsics, onInitialize, onFinalize } = this.sanitizeEvents(
events,
nonSanitizedExtrinsics,
hash,
eventDocs
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
);
// The genesis block is a special case with little information associated with it.
if (parentHash.every((byte) => !byte)) {
return {
number,
hash,
parentHash,
stateRoot,
extrinsicsRoot,
authorId,
logs,
onInitialize,
extrinsics,
onFinalize,
};
}
const { calcFee, specName, specVersion } = await this.createCalcFee(
api,
parentHash,
block
);
for (let idx = 0; idx < block.extrinsics.length; ++idx) {
if (!extrinsics[idx].paysFee || !block.extrinsics[idx].isSigned) {
continue;
}
if (calcFee === null || calcFee === undefined) {
extrinsics[idx].info = {
error: `Fee calculation not supported for ${specName}#${specVersion}`,
};
continue;
}
try {
const xtEvents = extrinsics[idx].events;
const completedEvent = xtEvents.find(
({ method }) =>
isFrameMethod(method) &&
(method.method === Event.success ||
method.method === Event.failure)
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
if (!completedEvent) {
extrinsics[idx].info = {
error:
'Unable to find success or failure event for extrinsic',
};
continue;
}
const completedData = completedEvent.data;
if (!completedData) {
extrinsics[idx].info = {
error:
'Success or failure event for extrinsic does not contain expected data',
};
continue;
}
// both ExtrinsicSuccess and ExtrinsicFailed events have DispatchInfo
// types as their final arg
const weightInfo = completedData[
completedData.length - 1
] as DispatchInfo;
if (!weightInfo.weight) {
extrinsics[idx].info = {
error:
'Success or failure event for extrinsic does not specify weight',
};
continue;
}
const len = block.extrinsics[idx].encodedLength;
const weight = weightInfo.weight;
const partialFee = calcFee.calc_fee(
BigInt(weight.toString()),
len
);
extrinsics[idx].info = api.createType('RuntimeDispatchInfo', {
weight,
class: weightInfo.class,
partialFee: partialFee,
});
} catch (err) {
console.error(err);
extrinsics[idx].info = { error: 'Unable to fetch fee info' };
}
}
return {
number,
hash,
parentHash,
stateRoot,
extrinsicsRoot,
authorId,
logs,
onInitialize,
extrinsics,
onFinalize,
};
}
/**
* Extract extrinsics from a block.
*
* @param block Block
* @param events events fetched by `fetchEvents`
*/
private extractExtrinsics(
block: Block,
events: EventRecord[] | string,
extrinsicDocs: boolean
) {
const defaultSuccess = typeof events === 'string' ? events : false;
return block.extrinsics.map((extrinsic) => {
const {
method,
nonce,
signature,
signer,
isSigned,
tip,
} = extrinsic;
const hash = u8aToHex(blake2AsU8a(extrinsic.toU8a(), 256));
return {
method: {
pallet: method.sectionName,
},
signature: isSigned ? { signature, signer } : null,
nonce: isSigned ? nonce : null,
args: this.parseGenericCall(method, block.registry).args,
tip: isSigned ? tip : null,
hash,
info: {},
events: [] as ISanitizedEvent[],
success: defaultSuccess,
// paysFee overrides to bool if `system.ExtrinsicSuccess|ExtrinsicFailed` event is present
// we set to false if !isSigned because unsigned never pays a fee
paysFee: isSigned ? null : false,
docs: extrinsicDocs
? this.sanitizeDocs(extrinsic.meta.documentation)
: undefined,
};
});
}
/**
* Sanitize events and attribute them to an extrinsic, onInitialize, or
* onFinalize.
*
* @param events events from `fetchEvents`
* @param extrinsics extrinsics from
* @param hash hash of the block the events are from
*/
private sanitizeEvents(
events: EventRecord[] | string,
extrinsics: IExtrinsic[],
hash: BlockHash,
eventDocs: boolean
) {
const onInitialize = { events: [] as ISanitizedEvent[] };
const onFinalize = { events: [] as ISanitizedEvent[] };
if (Array.isArray(events)) {
for (const record of events) {
const { event, phase } = record;
method: {
pallet: event.section,
},
docs: eventDocs
? this.sanitizeDocs(event.data.meta.documentation)
: undefined,
};
if (phase.isApplyExtrinsic) {
const extrinsicIdx = phase.asApplyExtrinsic.toNumber();
const extrinsic = extrinsics[extrinsicIdx];
if (!extrinsic) {
throw new Error(
`Missing extrinsic ${extrinsicIdx} in block ${hash.toString()}`
);
}
if (event.method === Event.success) {
if (
event.method === Event.success ||
event.method === Event.failure
) {
const sanitizedData = event.data.toJSON() as AnyJson[];
for (const data of sanitizedData) {
if (extrinsic.signature && isPaysFee(data)) {
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
392
393
394
395
extrinsic.paysFee =
data.paysFee === true ||
data.paysFee === 'Yes';
break;
}
}
}
extrinsic.events.push(sanitizedEvent);
} else if (phase.isFinalization) {
onFinalize.events.push(sanitizedEvent);
} else if (phase.isInitialization) {
onInitialize.events.push(sanitizedEvent);
}
}
}
return {
extrinsics,
onInitialize,
onFinalize,
};
}
/**
* Create calcFee from params.
*
* @param api ApiPromise
* @param parentHash Hash of the parent block
* @param block Block which the extrinsic is from
*/
private async createCalcFee(
api: ApiPromise,
parentHash: Hash,
block: Block
) {
let parentParentHash: Hash;
if (block.header.number.toNumber() > 1) {
parentParentHash = (await api.rpc.chain.getHeader(parentHash))
.parentHash;
} else {
parentParentHash = parentHash;
}
const perByte = api.consts.transactionPayment.transactionByteFee;
const extrinsicBaseWeight = api.consts.system.extrinsicBaseWeight;
const multiplier = await api.query.transactionPayment.nextFeeMultiplier.at(
parentHash
);
// The block where the runtime is deployed falsely proclaims it would
// be already using the new runtime. This workaround therefore uses the
// parent of the parent in order to determine the correct runtime under which
// this block was produced.
const version = await api.rpc.state.getRuntimeVersion(parentParentHash);
const specName = version.specName.toString();
const specVersion = version.specVersion.toNumber();
const coefficients = api.consts.transactionPayment.weightToFee.map(
(c) => {
return {
coeffInteger: c.coeffInteger.toString(),
coeffFrac: c.coeffFrac,
degree: c.degree,
negative: c.negative,
};
}
);
return {
calcFee: CalcFee.from_params(
coefficients,
BigInt(extrinsicBaseWeight.toString()),
multiplier.toString(),
perByte.toString(),
specName,
specVersion
),
specName,
specVersion,
};
}
/**
* Fetch events for the specified block.
*
* @param api ApiPromise to use for query
* @param hash `BlockHash` to make query at
*/
private async fetchEvents(
api: ApiPromise,
hash: BlockHash
): Promise<EventRecord[] | string> {
try {
return await api.query.system.events.at(hash);
} catch {
return 'Unable to fetch Events, cannot confirm extrinsic status. Check pruning settings on the node.';
}
}
/**
* Helper function for `parseGenericCall`.
*
* @param argsArray array of `Codec` values
* @param registry type registry of the block the call belongs to
argsArray: Codec[],
registry: Registry
): (Codec | ISanitizedCall)[] {
return argsArray.map((argument) => {
if (argument instanceof GenericCall) {
return this.parseGenericCall(argument, registry);
}
return argument;
});
}
/**
* Recursively parse a `GenericCall` in order to label its arguments with
* their param names and give a human friendly method name (opposed to just a
* call index). Parses `GenericCall`s that are nested as arguments.
*
* @param genericCall `GenericCall`
* @param registry type registry of the block the call belongs to
private parseGenericCall(
genericCall: GenericCall,
registry: Registry
): ISanitizedCall {
const { sectionName, methodName } = genericCall;
const newArgs = {};
// Pull out the struct of arguments to this call
const callArgs = genericCall.get('args') as Struct;
// Make sure callArgs exists and we can access its keys
if (callArgs && callArgs.defKeys) {
// paramName is a string
for (const paramName of callArgs.defKeys) {
const argument = callArgs.get(paramName);
if (Array.isArray(argument)) {
newArgs[paramName] = this.parseArrayGenericCalls(
argument,
registry
);
newArgs[paramName] = this.parseGenericCall(
argument,
registry
);
} else if (
paramName === 'call' &&
argument?.toRawType() === 'Bytes'
) {
// multiSig.asMulti.args.call is an OpaqueCall (Vec<u8>) that we
// serialize to a polkadot-js Call and parse so it is not a hex blob.
const call = registry.createType('Call', argument.toHex());
newArgs[paramName] = this.parseGenericCall(call, registry);
} else {
newArgs[paramName] = argument;
}
}
}
return {
method: {
pallet: sectionName,
},
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
args: newArgs,
};
}
// Almost exact mimic of https://github.com/polkadot-js/api/blob/master/packages/api-derive/src/chain/getHeader.ts#L27
// but we save a call to `getHeader` by hardcoding the logic here and using the digest from the blocks header.
private extractAuthor(
sessionValidators: AccountId[],
digest: Digest
): AccountId | undefined {
const [pitem] = digest.logs.filter(({ type }) => type === 'PreRuntime');
// extract from the substrate 2.0 PreRuntime digest
if (pitem) {
const [engine, data] = pitem.asPreRuntime;
return engine.extractAuthor(data, sessionValidators);
} else {
const [citem] = digest.logs.filter(
({ type }) => type === 'Consensus'
);
// extract author from the consensus (substrate 1.0, digest)
if (citem) {
const [engine, data] = citem.asConsensus;
return engine.extractAuthor(data, sessionValidators);
}
}
return undefined;
}
}