* Generate LinearStarRelease watcher with array types DB caching * Generate Polls watcher with array types DB caching * Generate ConditionalStarRelease watcher with array types DB caching * Generate Azimuth watcher with array types DB caching * Generate Censures watcher with array types DB caching * Fix array type in entity files for LinearStarRelease and Polls watchers
745 lines
26 KiB
TypeScript
745 lines
26 KiB
TypeScript
//
|
|
// Copyright 2021 Vulcanize, Inc.
|
|
//
|
|
|
|
import assert from 'assert';
|
|
import { DeepPartial, FindConditions, FindManyOptions } from 'typeorm';
|
|
import debug from 'debug';
|
|
import JSONbig from 'json-bigint';
|
|
import { ethers } from 'ethers';
|
|
|
|
import { JsonFragment } from '@ethersproject/abi';
|
|
import { BaseProvider } from '@ethersproject/providers';
|
|
import { EthClient } from '@cerc-io/ipld-eth-client';
|
|
import { MappingKey, StorageLayout } from '@cerc-io/solidity-mapper';
|
|
import {
|
|
Indexer as BaseIndexer,
|
|
IndexerInterface,
|
|
ValueResult,
|
|
ServerConfig,
|
|
JobQueue,
|
|
Where,
|
|
QueryOptions,
|
|
StateKind,
|
|
StateStatus,
|
|
ResultEvent,
|
|
getResultEvent,
|
|
DatabaseInterface,
|
|
Clients
|
|
} from '@cerc-io/util';
|
|
|
|
import ConditionalStarReleaseArtifacts from './artifacts/ConditionalStarRelease.json';
|
|
import { Database, ENTITIES } from './database';
|
|
import { createInitialState, handleEvent, createStateDiff, createStateCheckpoint } from './hooks';
|
|
import { Contract } from './entity/Contract';
|
|
import { Event } from './entity/Event';
|
|
import { SyncStatus } from './entity/SyncStatus';
|
|
import { StateSyncStatus } from './entity/StateSyncStatus';
|
|
import { BlockProgress } from './entity/BlockProgress';
|
|
import { State } from './entity/State';
|
|
|
|
// eslint-disable-next-line @typescript-eslint/no-unused-vars
|
|
const log = debug('vulcanize:indexer');
|
|
const JSONbigNative = JSONbig({ useNativeBigInt: true });
|
|
|
|
const KIND_CONDITIONALSTARRELEASE = 'ConditionalStarRelease';
|
|
|
|
export class Indexer implements IndexerInterface {
|
|
_db: Database;
|
|
_ethClient: EthClient;
|
|
_ethProvider: BaseProvider;
|
|
_baseIndexer: BaseIndexer;
|
|
_serverConfig: ServerConfig;
|
|
|
|
_abiMap: Map<string, JsonFragment[]>;
|
|
_storageLayoutMap: Map<string, StorageLayout>;
|
|
_contractMap: Map<string, ethers.utils.Interface>;
|
|
|
|
constructor (serverConfig: ServerConfig, db: DatabaseInterface, clients: Clients, ethProvider: BaseProvider, jobQueue: JobQueue) {
|
|
assert(db);
|
|
assert(clients.ethClient);
|
|
|
|
this._db = db as Database;
|
|
this._ethClient = clients.ethClient;
|
|
this._ethProvider = ethProvider;
|
|
this._serverConfig = serverConfig;
|
|
this._baseIndexer = new BaseIndexer(this._serverConfig, this._db, this._ethClient, this._ethProvider, jobQueue);
|
|
|
|
this._abiMap = new Map();
|
|
this._storageLayoutMap = new Map();
|
|
this._contractMap = new Map();
|
|
|
|
const { abi: ConditionalStarReleaseABI } = ConditionalStarReleaseArtifacts;
|
|
|
|
assert(ConditionalStarReleaseABI);
|
|
this._abiMap.set(KIND_CONDITIONALSTARRELEASE, ConditionalStarReleaseABI);
|
|
this._contractMap.set(KIND_CONDITIONALSTARRELEASE, new ethers.utils.Interface(ConditionalStarReleaseABI));
|
|
}
|
|
|
|
get serverConfig (): ServerConfig {
|
|
return this._serverConfig;
|
|
}
|
|
|
|
get storageLayoutMap (): Map<string, StorageLayout> {
|
|
return this._storageLayoutMap;
|
|
}
|
|
|
|
async init (): Promise<void> {
|
|
await this._baseIndexer.fetchContracts();
|
|
await this._baseIndexer.fetchStateStatus();
|
|
}
|
|
|
|
getResultEvent (event: Event): ResultEvent {
|
|
return getResultEvent(event);
|
|
}
|
|
|
|
async withdrawLimit (blockHash: string, contractAddress: string, _participant: string, _batch: number): Promise<ValueResult> {
|
|
const entity = await this._db.getWithdrawLimit({ blockHash, contractAddress, _participant, _batch });
|
|
if (entity) {
|
|
log('withdrawLimit: db hit.');
|
|
|
|
return {
|
|
value: entity.value,
|
|
proof: JSON.parse(entity.proof)
|
|
};
|
|
}
|
|
|
|
const { block: { number } } = await this._ethClient.getBlockByHash(blockHash);
|
|
const blockNumber = ethers.BigNumber.from(number).toNumber();
|
|
|
|
log('withdrawLimit: db miss, fetching from upstream server');
|
|
|
|
const abi = this._abiMap.get(KIND_CONDITIONALSTARRELEASE);
|
|
assert(abi);
|
|
|
|
const contract = new ethers.Contract(contractAddress, abi, this._ethProvider);
|
|
const contractResult = await contract.withdrawLimit(_participant, _batch, { blockTag: blockHash });
|
|
|
|
const value = contractResult;
|
|
const result: ValueResult = { value };
|
|
|
|
await this._db.saveWithdrawLimit({ blockHash, blockNumber, contractAddress, _participant, _batch, value: result.value, proof: JSONbigNative.stringify(result.proof) });
|
|
|
|
return result;
|
|
}
|
|
|
|
async verifyBalance (blockHash: string, contractAddress: string, _participant: string): Promise<ValueResult> {
|
|
const entity = await this._db.getVerifyBalance({ blockHash, contractAddress, _participant });
|
|
if (entity) {
|
|
log('verifyBalance: db hit.');
|
|
|
|
return {
|
|
value: entity.value,
|
|
proof: JSON.parse(entity.proof)
|
|
};
|
|
}
|
|
|
|
const { block: { number } } = await this._ethClient.getBlockByHash(blockHash);
|
|
const blockNumber = ethers.BigNumber.from(number).toNumber();
|
|
|
|
log('verifyBalance: db miss, fetching from upstream server');
|
|
|
|
const abi = this._abiMap.get(KIND_CONDITIONALSTARRELEASE);
|
|
assert(abi);
|
|
|
|
const contract = new ethers.Contract(contractAddress, abi, this._ethProvider);
|
|
const contractResult = await contract.verifyBalance(_participant, { blockTag: blockHash });
|
|
|
|
const value = contractResult;
|
|
const result: ValueResult = { value };
|
|
|
|
await this._db.saveVerifyBalance({ blockHash, blockNumber, contractAddress, _participant, value: result.value, proof: JSONbigNative.stringify(result.proof) });
|
|
|
|
return result;
|
|
}
|
|
|
|
async getBatches (blockHash: string, contractAddress: string, _participant: string): Promise<ValueResult> {
|
|
const entity = await this._db.getGetBatches({ blockHash, contractAddress, _participant });
|
|
if (entity) {
|
|
log('getBatches: db hit.');
|
|
|
|
return {
|
|
value: entity.value,
|
|
proof: JSON.parse(entity.proof)
|
|
};
|
|
}
|
|
|
|
const { block: { number } } = await this._ethClient.getBlockByHash(blockHash);
|
|
const blockNumber = ethers.BigNumber.from(number).toNumber();
|
|
|
|
log('getBatches: db miss, fetching from upstream server');
|
|
|
|
const abi = this._abiMap.get(KIND_CONDITIONALSTARRELEASE);
|
|
assert(abi);
|
|
|
|
const contract = new ethers.Contract(contractAddress, abi, this._ethProvider);
|
|
const contractResult = await contract.getBatches(_participant, { blockTag: blockHash });
|
|
|
|
const value = contractResult;
|
|
const result: ValueResult = { value };
|
|
|
|
await this._db.saveGetBatches({ blockHash, blockNumber, contractAddress, _participant, value: result.value, proof: JSONbigNative.stringify(result.proof) });
|
|
|
|
return result;
|
|
}
|
|
|
|
async getBatch (blockHash: string, contractAddress: string, _participant: string, _batch: number): Promise<ValueResult> {
|
|
const entity = await this._db.getGetBatch({ blockHash, contractAddress, _participant, _batch });
|
|
if (entity) {
|
|
log('getBatch: db hit.');
|
|
|
|
return {
|
|
value: entity.value,
|
|
proof: JSON.parse(entity.proof)
|
|
};
|
|
}
|
|
|
|
const { block: { number } } = await this._ethClient.getBlockByHash(blockHash);
|
|
const blockNumber = ethers.BigNumber.from(number).toNumber();
|
|
|
|
log('getBatch: db miss, fetching from upstream server');
|
|
|
|
const abi = this._abiMap.get(KIND_CONDITIONALSTARRELEASE);
|
|
assert(abi);
|
|
|
|
const contract = new ethers.Contract(contractAddress, abi, this._ethProvider);
|
|
const contractResult = await contract.getBatch(_participant, _batch, { blockTag: blockHash });
|
|
|
|
const value = contractResult;
|
|
const result: ValueResult = { value };
|
|
|
|
await this._db.saveGetBatch({ blockHash, blockNumber, contractAddress, _participant, _batch, value: result.value, proof: JSONbigNative.stringify(result.proof) });
|
|
|
|
return result;
|
|
}
|
|
|
|
async getWithdrawn (blockHash: string, contractAddress: string, _participant: string): Promise<ValueResult> {
|
|
const entity = await this._db.getGetWithdrawn({ blockHash, contractAddress, _participant });
|
|
if (entity) {
|
|
log('getWithdrawn: db hit.');
|
|
|
|
return {
|
|
value: entity.value,
|
|
proof: JSON.parse(entity.proof)
|
|
};
|
|
}
|
|
|
|
const { block: { number } } = await this._ethClient.getBlockByHash(blockHash);
|
|
const blockNumber = ethers.BigNumber.from(number).toNumber();
|
|
|
|
log('getWithdrawn: db miss, fetching from upstream server');
|
|
|
|
const abi = this._abiMap.get(KIND_CONDITIONALSTARRELEASE);
|
|
assert(abi);
|
|
|
|
const contract = new ethers.Contract(contractAddress, abi, this._ethProvider);
|
|
const contractResult = await contract.getWithdrawn(_participant, { blockTag: blockHash });
|
|
|
|
const value = contractResult;
|
|
const result: ValueResult = { value };
|
|
|
|
await this._db.saveGetWithdrawn({ blockHash, blockNumber, contractAddress, _participant, value: result.value, proof: JSONbigNative.stringify(result.proof) });
|
|
|
|
return result;
|
|
}
|
|
|
|
async getWithdrawnFromBatch (blockHash: string, contractAddress: string, _participant: string, _batch: number): Promise<ValueResult> {
|
|
const entity = await this._db.getGetWithdrawnFromBatch({ blockHash, contractAddress, _participant, _batch });
|
|
if (entity) {
|
|
log('getWithdrawnFromBatch: db hit.');
|
|
|
|
return {
|
|
value: entity.value,
|
|
proof: JSON.parse(entity.proof)
|
|
};
|
|
}
|
|
|
|
const { block: { number } } = await this._ethClient.getBlockByHash(blockHash);
|
|
const blockNumber = ethers.BigNumber.from(number).toNumber();
|
|
|
|
log('getWithdrawnFromBatch: db miss, fetching from upstream server');
|
|
|
|
const abi = this._abiMap.get(KIND_CONDITIONALSTARRELEASE);
|
|
assert(abi);
|
|
|
|
const contract = new ethers.Contract(contractAddress, abi, this._ethProvider);
|
|
const contractResult = await contract.getWithdrawnFromBatch(_participant, _batch, { blockTag: blockHash });
|
|
|
|
const value = contractResult;
|
|
const result: ValueResult = { value };
|
|
|
|
await this._db.saveGetWithdrawnFromBatch({ blockHash, blockNumber, contractAddress, _participant, _batch, value: result.value, proof: JSONbigNative.stringify(result.proof) });
|
|
|
|
return result;
|
|
}
|
|
|
|
async getForfeited (blockHash: string, contractAddress: string, _participant: string): Promise<ValueResult> {
|
|
const entity = await this._db.getGetForfeited({ blockHash, contractAddress, _participant });
|
|
if (entity) {
|
|
log('getForfeited: db hit.');
|
|
|
|
return {
|
|
value: entity.value,
|
|
proof: JSON.parse(entity.proof)
|
|
};
|
|
}
|
|
|
|
const { block: { number } } = await this._ethClient.getBlockByHash(blockHash);
|
|
const blockNumber = ethers.BigNumber.from(number).toNumber();
|
|
|
|
log('getForfeited: db miss, fetching from upstream server');
|
|
|
|
const abi = this._abiMap.get(KIND_CONDITIONALSTARRELEASE);
|
|
assert(abi);
|
|
|
|
const contract = new ethers.Contract(contractAddress, abi, this._ethProvider);
|
|
const contractResult = await contract.getForfeited(_participant, { blockTag: blockHash });
|
|
|
|
const value = contractResult;
|
|
const result: ValueResult = { value };
|
|
|
|
await this._db.saveGetForfeited({ blockHash, blockNumber, contractAddress, _participant, value: result.value, proof: JSONbigNative.stringify(result.proof) });
|
|
|
|
return result;
|
|
}
|
|
|
|
async hasForfeitedBatch (blockHash: string, contractAddress: string, _participant: string, _batch: number): Promise<ValueResult> {
|
|
const entity = await this._db.getHasForfeitedBatch({ blockHash, contractAddress, _participant, _batch });
|
|
if (entity) {
|
|
log('hasForfeitedBatch: db hit.');
|
|
|
|
return {
|
|
value: entity.value,
|
|
proof: JSON.parse(entity.proof)
|
|
};
|
|
}
|
|
|
|
const { block: { number } } = await this._ethClient.getBlockByHash(blockHash);
|
|
const blockNumber = ethers.BigNumber.from(number).toNumber();
|
|
|
|
log('hasForfeitedBatch: db miss, fetching from upstream server');
|
|
|
|
const abi = this._abiMap.get(KIND_CONDITIONALSTARRELEASE);
|
|
assert(abi);
|
|
|
|
const contract = new ethers.Contract(contractAddress, abi, this._ethProvider);
|
|
const contractResult = await contract.hasForfeitedBatch(_participant, _batch, { blockTag: blockHash });
|
|
|
|
const value = contractResult;
|
|
const result: ValueResult = { value };
|
|
|
|
await this._db.saveHasForfeitedBatch({ blockHash, blockNumber, contractAddress, _participant, _batch, value: result.value, proof: JSONbigNative.stringify(result.proof) });
|
|
|
|
return result;
|
|
}
|
|
|
|
async getRemainingStars (blockHash: string, contractAddress: string, _participant: string): Promise<ValueResult> {
|
|
const entity = await this._db.getGetRemainingStars({ blockHash, contractAddress, _participant });
|
|
if (entity) {
|
|
log('getRemainingStars: db hit.');
|
|
|
|
return {
|
|
value: entity.value,
|
|
proof: JSON.parse(entity.proof)
|
|
};
|
|
}
|
|
|
|
const { block: { number } } = await this._ethClient.getBlockByHash(blockHash);
|
|
const blockNumber = ethers.BigNumber.from(number).toNumber();
|
|
|
|
log('getRemainingStars: db miss, fetching from upstream server');
|
|
|
|
const abi = this._abiMap.get(KIND_CONDITIONALSTARRELEASE);
|
|
assert(abi);
|
|
|
|
const contract = new ethers.Contract(contractAddress, abi, this._ethProvider);
|
|
const contractResult = await contract.getRemainingStars(_participant, { blockTag: blockHash });
|
|
|
|
const value = contractResult;
|
|
const result: ValueResult = { value };
|
|
|
|
await this._db.saveGetRemainingStars({ blockHash, blockNumber, contractAddress, _participant, value: result.value, proof: JSONbigNative.stringify(result.proof) });
|
|
|
|
return result;
|
|
}
|
|
|
|
async getConditionsState (blockHash: string, contractAddress: string): Promise<ValueResult> {
|
|
const entity = await this._db.getGetConditionsState({ blockHash, contractAddress });
|
|
if (entity) {
|
|
log('getConditionsState: db hit.');
|
|
|
|
return {
|
|
value: {
|
|
value0: entity.value0,
|
|
value1: entity.value1,
|
|
value2: entity.value2,
|
|
value3: entity.value3
|
|
},
|
|
proof: JSON.parse(entity.proof)
|
|
};
|
|
}
|
|
|
|
const { block: { number } } = await this._ethClient.getBlockByHash(blockHash);
|
|
const blockNumber = ethers.BigNumber.from(number).toNumber();
|
|
|
|
log('getConditionsState: db miss, fetching from upstream server');
|
|
|
|
const abi = this._abiMap.get(KIND_CONDITIONALSTARRELEASE);
|
|
assert(abi);
|
|
|
|
const contract = new ethers.Contract(contractAddress, abi, this._ethProvider);
|
|
const contractResult = await contract.getConditionsState({ blockTag: blockHash });
|
|
|
|
const value = {
|
|
value0: contractResult[0],
|
|
value1: contractResult[1].map((val: ethers.BigNumber | number) => ethers.BigNumber.from(val).toBigInt()),
|
|
value2: contractResult[2].map((val: ethers.BigNumber | number) => ethers.BigNumber.from(val).toBigInt()),
|
|
value3: contractResult[3].map((val: ethers.BigNumber | number) => ethers.BigNumber.from(val).toBigInt())
|
|
};
|
|
|
|
const result: ValueResult = { value };
|
|
|
|
await this._db.saveGetConditionsState({ blockHash, blockNumber, contractAddress, value0: value.value0, value1: value.value1, value2: value.value2, value3: value.value3, proof: JSONbigNative.stringify(result.proof) });
|
|
|
|
return result;
|
|
}
|
|
|
|
async getStorageValue (storageLayout: StorageLayout, blockHash: string, contractAddress: string, variable: string, ...mappingKeys: MappingKey[]): Promise<ValueResult> {
|
|
return this._baseIndexer.getStorageValue(
|
|
storageLayout,
|
|
blockHash,
|
|
contractAddress,
|
|
variable,
|
|
...mappingKeys
|
|
);
|
|
}
|
|
|
|
async getEntitiesForBlock (blockHash: string, tableName: string): Promise<any[]> {
|
|
return this._db.getEntitiesForBlock(blockHash, tableName);
|
|
}
|
|
|
|
async processInitialState (contractAddress: string, blockHash: string): Promise<any> {
|
|
// Call initial state hook.
|
|
return createInitialState(this, contractAddress, blockHash);
|
|
}
|
|
|
|
async processStateCheckpoint (contractAddress: string, blockHash: string): Promise<boolean> {
|
|
// Call checkpoint hook.
|
|
return createStateCheckpoint(this, contractAddress, blockHash);
|
|
}
|
|
|
|
async processCanonicalBlock (blockHash: string): Promise<void> {
|
|
console.time('time:indexer#processCanonicalBlock-finalize_auto_diffs');
|
|
// Finalize staged diff blocks if any.
|
|
await this._baseIndexer.finalizeDiffStaged(blockHash);
|
|
console.timeEnd('time:indexer#processCanonicalBlock-finalize_auto_diffs');
|
|
|
|
// Call custom stateDiff hook.
|
|
await createStateDiff(this, blockHash);
|
|
}
|
|
|
|
async processCheckpoint (blockHash: string): Promise<void> {
|
|
// Return if checkpointInterval is <= 0.
|
|
const checkpointInterval = this._serverConfig.checkpointInterval;
|
|
if (checkpointInterval <= 0) return;
|
|
|
|
console.time('time:indexer#processCheckpoint-checkpoint');
|
|
await this._baseIndexer.processCheckpoint(this, blockHash, checkpointInterval);
|
|
console.timeEnd('time:indexer#processCheckpoint-checkpoint');
|
|
}
|
|
|
|
async processCLICheckpoint (contractAddress: string, blockHash?: string): Promise<string | undefined> {
|
|
return this._baseIndexer.processCLICheckpoint(this, contractAddress, blockHash);
|
|
}
|
|
|
|
async getPrevState (blockHash: string, contractAddress: string, kind?: string): Promise<State | undefined> {
|
|
return this._db.getPrevState(blockHash, contractAddress, kind);
|
|
}
|
|
|
|
async getLatestState (contractAddress: string, kind: StateKind | null, blockNumber?: number): Promise<State | undefined> {
|
|
return this._db.getLatestState(contractAddress, kind, blockNumber);
|
|
}
|
|
|
|
async getStatesByHash (blockHash: string): Promise<State[]> {
|
|
return this._baseIndexer.getStatesByHash(blockHash);
|
|
}
|
|
|
|
async getStateByCID (cid: string): Promise<State | undefined> {
|
|
return this._baseIndexer.getStateByCID(cid);
|
|
}
|
|
|
|
async getStates (where: FindConditions<State>): Promise<State[]> {
|
|
return this._db.getStates(where);
|
|
}
|
|
|
|
getStateData (state: State): any {
|
|
return this._baseIndexer.getStateData(state);
|
|
}
|
|
|
|
// Method used to create auto diffs (diff_staged).
|
|
async createDiffStaged (contractAddress: string, blockHash: string, data: any): Promise<void> {
|
|
console.time('time:indexer#createDiffStaged-auto_diff');
|
|
await this._baseIndexer.createDiffStaged(contractAddress, blockHash, data);
|
|
console.timeEnd('time:indexer#createDiffStaged-auto_diff');
|
|
}
|
|
|
|
// Method to be used by createStateDiff hook.
|
|
async createDiff (contractAddress: string, blockHash: string, data: any): Promise<void> {
|
|
const block = await this.getBlockProgress(blockHash);
|
|
assert(block);
|
|
|
|
await this._baseIndexer.createDiff(contractAddress, block, data);
|
|
}
|
|
|
|
// Method to be used by createStateCheckpoint hook.
|
|
async createStateCheckpoint (contractAddress: string, blockHash: string, data: any): Promise<void> {
|
|
const block = await this.getBlockProgress(blockHash);
|
|
assert(block);
|
|
|
|
return this._baseIndexer.createStateCheckpoint(contractAddress, block, data);
|
|
}
|
|
|
|
// Method to be used by export-state CLI.
|
|
async createCheckpoint (contractAddress: string, blockHash: string): Promise<string | undefined> {
|
|
const block = await this.getBlockProgress(blockHash);
|
|
assert(block);
|
|
|
|
return this._baseIndexer.createCheckpoint(this, contractAddress, block);
|
|
}
|
|
|
|
async saveOrUpdateState (state: State): Promise<State> {
|
|
return this._baseIndexer.saveOrUpdateState(state);
|
|
}
|
|
|
|
async removeStates (blockNumber: number, kind: StateKind): Promise<void> {
|
|
await this._baseIndexer.removeStates(blockNumber, kind);
|
|
}
|
|
|
|
async triggerIndexingOnEvent (event: Event): Promise<void> {
|
|
const resultEvent = this.getResultEvent(event);
|
|
|
|
// Call custom hook function for indexing on event.
|
|
await handleEvent(this, resultEvent);
|
|
}
|
|
|
|
async processEvent (event: Event): Promise<void> {
|
|
// Trigger indexing of data based on the event.
|
|
await this.triggerIndexingOnEvent(event);
|
|
}
|
|
|
|
async processBlock (blockProgress: BlockProgress): Promise<void> {
|
|
console.time('time:indexer#processBlock-init_state');
|
|
// Call a function to create initial state for contracts.
|
|
await this._baseIndexer.createInit(this, blockProgress.blockHash, blockProgress.blockNumber);
|
|
console.timeEnd('time:indexer#processBlock-init_state');
|
|
}
|
|
|
|
parseEventNameAndArgs (kind: string, logObj: any): any {
|
|
const { topics, data } = logObj;
|
|
|
|
const contract = this._contractMap.get(kind);
|
|
assert(contract);
|
|
|
|
const logDescription = contract.parseLog({ data, topics });
|
|
|
|
const { eventName, eventInfo, eventSignature } = this._baseIndexer.parseEvent(logDescription);
|
|
|
|
return {
|
|
eventName,
|
|
eventInfo,
|
|
eventSignature
|
|
};
|
|
}
|
|
|
|
async getStateSyncStatus (): Promise<StateSyncStatus | undefined> {
|
|
return this._db.getStateSyncStatus();
|
|
}
|
|
|
|
async updateStateSyncStatusIndexedBlock (blockNumber: number, force?: boolean): Promise<StateSyncStatus> {
|
|
const dbTx = await this._db.createTransactionRunner();
|
|
let res;
|
|
|
|
try {
|
|
res = await this._db.updateStateSyncStatusIndexedBlock(dbTx, blockNumber, force);
|
|
await dbTx.commitTransaction();
|
|
} catch (error) {
|
|
await dbTx.rollbackTransaction();
|
|
throw error;
|
|
} finally {
|
|
await dbTx.release();
|
|
}
|
|
|
|
return res;
|
|
}
|
|
|
|
async updateStateSyncStatusCheckpointBlock (blockNumber: number, force?: boolean): Promise<StateSyncStatus> {
|
|
const dbTx = await this._db.createTransactionRunner();
|
|
let res;
|
|
|
|
try {
|
|
res = await this._db.updateStateSyncStatusCheckpointBlock(dbTx, blockNumber, force);
|
|
await dbTx.commitTransaction();
|
|
} catch (error) {
|
|
await dbTx.rollbackTransaction();
|
|
throw error;
|
|
} finally {
|
|
await dbTx.release();
|
|
}
|
|
|
|
return res;
|
|
}
|
|
|
|
async getLatestCanonicalBlock (): Promise<BlockProgress> {
|
|
const syncStatus = await this.getSyncStatus();
|
|
assert(syncStatus);
|
|
|
|
const latestCanonicalBlock = await this.getBlockProgress(syncStatus.latestCanonicalBlockHash);
|
|
assert(latestCanonicalBlock);
|
|
|
|
return latestCanonicalBlock;
|
|
}
|
|
|
|
async getLatestStateIndexedBlock (): Promise<BlockProgress> {
|
|
return this._baseIndexer.getLatestStateIndexedBlock();
|
|
}
|
|
|
|
async watchContract (address: string, kind: string, checkpoint: boolean, startingBlock: number): Promise<void> {
|
|
return this._baseIndexer.watchContract(address, kind, checkpoint, startingBlock);
|
|
}
|
|
|
|
updateStateStatusMap (address: string, stateStatus: StateStatus): void {
|
|
this._baseIndexer.updateStateStatusMap(address, stateStatus);
|
|
}
|
|
|
|
cacheContract (contract: Contract): void {
|
|
return this._baseIndexer.cacheContract(contract);
|
|
}
|
|
|
|
async saveEventEntity (dbEvent: Event): Promise<Event> {
|
|
return this._baseIndexer.saveEventEntity(dbEvent);
|
|
}
|
|
|
|
async getEventsByFilter (blockHash: string, contract?: string, name?: string): Promise<Array<Event>> {
|
|
return this._baseIndexer.getEventsByFilter(blockHash, contract, name);
|
|
}
|
|
|
|
isWatchedContract (address : string): Contract | undefined {
|
|
return this._baseIndexer.isWatchedContract(address);
|
|
}
|
|
|
|
getContractsByKind (kind: string): Contract[] {
|
|
return this._baseIndexer.getContractsByKind(kind);
|
|
}
|
|
|
|
async getProcessedBlockCountForRange (fromBlockNumber: number, toBlockNumber: number): Promise<{ expected: number, actual: number }> {
|
|
return this._baseIndexer.getProcessedBlockCountForRange(fromBlockNumber, toBlockNumber);
|
|
}
|
|
|
|
async getEventsInRange (fromBlockNumber: number, toBlockNumber: number): Promise<Array<Event>> {
|
|
return this._baseIndexer.getEventsInRange(fromBlockNumber, toBlockNumber, this._serverConfig.maxEventsBlockRange);
|
|
}
|
|
|
|
async getSyncStatus (): Promise<SyncStatus | undefined> {
|
|
return this._baseIndexer.getSyncStatus();
|
|
}
|
|
|
|
async getBlocks (blockFilter: { blockHash?: string, blockNumber?: number }): Promise<any> {
|
|
return this._baseIndexer.getBlocks(blockFilter);
|
|
}
|
|
|
|
async updateSyncStatusIndexedBlock (blockHash: string, blockNumber: number, force = false): Promise<SyncStatus> {
|
|
return this._baseIndexer.updateSyncStatusIndexedBlock(blockHash, blockNumber, force);
|
|
}
|
|
|
|
async updateSyncStatusChainHead (blockHash: string, blockNumber: number, force = false): Promise<SyncStatus> {
|
|
return this._baseIndexer.updateSyncStatusChainHead(blockHash, blockNumber, force);
|
|
}
|
|
|
|
async updateSyncStatusCanonicalBlock (blockHash: string, blockNumber: number, force = false): Promise<SyncStatus> {
|
|
const syncStatus = this._baseIndexer.updateSyncStatusCanonicalBlock(blockHash, blockNumber, force);
|
|
|
|
return syncStatus;
|
|
}
|
|
|
|
async getEvent (id: string): Promise<Event | undefined> {
|
|
return this._baseIndexer.getEvent(id);
|
|
}
|
|
|
|
async getBlockProgress (blockHash: string): Promise<BlockProgress | undefined> {
|
|
return this._baseIndexer.getBlockProgress(blockHash);
|
|
}
|
|
|
|
async getBlockProgressEntities (where: FindConditions<BlockProgress>, options: FindManyOptions<BlockProgress>): Promise<BlockProgress[]> {
|
|
return this._baseIndexer.getBlockProgressEntities(where, options);
|
|
}
|
|
|
|
async getBlocksAtHeight (height: number, isPruned: boolean): Promise<BlockProgress[]> {
|
|
return this._baseIndexer.getBlocksAtHeight(height, isPruned);
|
|
}
|
|
|
|
async saveBlockAndFetchEvents (block: DeepPartial<BlockProgress>): Promise<[BlockProgress, DeepPartial<Event>[]]> {
|
|
return this._saveBlockAndFetchEvents(block);
|
|
}
|
|
|
|
async getBlockEvents (blockHash: string, where: Where, queryOptions: QueryOptions): Promise<Array<Event>> {
|
|
return this._baseIndexer.getBlockEvents(blockHash, where, queryOptions);
|
|
}
|
|
|
|
async removeUnknownEvents (block: BlockProgress): Promise<void> {
|
|
return this._baseIndexer.removeUnknownEvents(Event, block);
|
|
}
|
|
|
|
async markBlocksAsPruned (blocks: BlockProgress[]): Promise<void> {
|
|
await this._baseIndexer.markBlocksAsPruned(blocks);
|
|
}
|
|
|
|
async updateBlockProgress (block: BlockProgress, lastProcessedEventIndex: number): Promise<BlockProgress> {
|
|
return this._baseIndexer.updateBlockProgress(block, lastProcessedEventIndex);
|
|
}
|
|
|
|
async getAncestorAtDepth (blockHash: string, depth: number): Promise<string> {
|
|
return this._baseIndexer.getAncestorAtDepth(blockHash, depth);
|
|
}
|
|
|
|
async resetWatcherToBlock (blockNumber: number): Promise<void> {
|
|
const entities = [...ENTITIES];
|
|
await this._baseIndexer.resetWatcherToBlock(blockNumber, entities);
|
|
}
|
|
|
|
async _saveBlockAndFetchEvents ({
|
|
cid: blockCid,
|
|
blockHash,
|
|
blockNumber,
|
|
blockTimestamp,
|
|
parentHash
|
|
}: DeepPartial<BlockProgress>): Promise<[BlockProgress, DeepPartial<Event>[]]> {
|
|
assert(blockHash);
|
|
assert(blockNumber);
|
|
|
|
const dbEvents = await this._baseIndexer.fetchEvents(blockHash, blockNumber, this.parseEventNameAndArgs.bind(this));
|
|
|
|
const dbTx = await this._db.createTransactionRunner();
|
|
try {
|
|
const block = {
|
|
cid: blockCid,
|
|
blockHash,
|
|
blockNumber,
|
|
blockTimestamp,
|
|
parentHash
|
|
};
|
|
|
|
console.time(`time:indexer#_saveBlockAndFetchEvents-db-save-${blockNumber}`);
|
|
const blockProgress = await this._db.saveBlockWithEvents(dbTx, block, dbEvents);
|
|
await dbTx.commitTransaction();
|
|
console.timeEnd(`time:indexer#_saveBlockAndFetchEvents-db-save-${blockNumber}`);
|
|
|
|
return [blockProgress, []];
|
|
} catch (error) {
|
|
await dbTx.rollbackTransaction();
|
|
throw error;
|
|
} finally {
|
|
await dbTx.release();
|
|
}
|
|
}
|
|
}
|