UNPKG

@graphprotocol/graph-cli

Version:

CLI for building for and deploying to The Graph

225 lines (224 loc) • 9.25 kB
import immutable from 'immutable'; import debugFactory from '../debug.js'; import fetch from '../fetch.js'; const logger = debugFactory('graph-cli:contract-service'); function withTimeout(promise, timeoutMs = 10_000) { return Promise.race([ promise, new Promise((_, reject) => setTimeout(() => reject(new Error('Request timed out')), timeoutMs)), ]); } export class ContractService { registry; constructor(registry) { this.registry = registry; } async fetchFromEtherscan(url) { const result = await withTimeout(fetch(url).catch(_error => { throw new Error(`Contract API is unreachable`); })); let json = {}; if (result.ok) { json = await result.json().catch(error => { throw new Error(`Invalid JSON: ${error}`); }); if (json.status === '1') return json; } logger('Failed to fetch from contract API: [%s] %s (%s)\n%O', result.status, result.statusText, result.url, json); if (!result.ok) { throw new Error(`${result.status} ${result.statusText}`); } if (json.message) { throw new Error(`${json.message} - ${json.result ?? ''}`); } throw new Error('Empty response'); } // replace {api_key} with process.env[api_key] // return empty string if env var not found applyVars(url) { const match = url.match(/\{([^}]+)\}/); if (!match) return url; const key = match[1]; return process.env[key] ? url.replace(`{${key}}`, process.env[key]) : ''; } getEtherscanUrls(networkId) { const network = this.registry.getNetworkById(networkId); if (!network) { throw new Error(`Invalid network ${networkId}`); } return (network.apiUrls ?.filter(item => ['etherscan', 'blockscout'].includes(item.kind)) ?.map(item => item.url) .map(this.applyVars) .filter(Boolean) ?? []); } getRpcUrls(networkId) { const network = this.registry.getNetworkById(networkId); if (!network) { throw new Error(`Invalid network ${networkId}`); } return network.rpcUrls?.map(this.applyVars).filter(Boolean) ?? []; } async getABI(ABICtor, networkId, address) { const urls = this.getEtherscanUrls(networkId); if (!urls.length) { throw new Error(`No contract API available for ${networkId} in the registry`); } try { const result = await Promise.any(urls.map(url => this.fetchFromEtherscan(`${url}?module=contract&action=getabi&address=${address}`).then(json => { if (!json?.result) { throw new Error(`No result: ${JSON.stringify(json ?? {})}`); } return new ABICtor('Contract', undefined, immutable.fromJS(JSON.parse(json.result))); }))); return result; } catch (error) { if (error instanceof AggregateError) { for (const err of error.errors) { logger(`Failed to fetch ABI: ${err}`); } throw new Error(`Failed to fetch ABI: ${error.errors?.[0] ?? 'no public RPC endpoints'}`); } throw error; } } async getStartBlock(networkId, address) { const urls = this.getEtherscanUrls(networkId); if (!urls.length) { throw new Error(`No contract API available for ${networkId} in the registry`); } try { const result = await Promise.any(urls.map(url => this.fetchFromEtherscan(`${url}?module=contract&action=getcontractcreation&contractaddresses=${address}`).then(async (json) => { if (!json?.result?.length) { throw new Error(`No result: ${JSON.stringify(json)}`); } if (json.result[0]?.blockNumber) { return json.result[0].blockNumber; } const txHash = json.result[0].txHash; const tx = await this.fetchTransactionByHash(networkId, txHash); if (!tx?.blockNumber) { throw new Error(`No block number: ${JSON.stringify(tx)}`); } return Number(tx.blockNumber).toString(); }))); return result; } catch (error) { if (error instanceof AggregateError) { for (const err of error.errors) { logger(`Failed to fetch start block: ${err}`); } throw new Error(`Failed to fetch contract deployment transaction`); } throw error; } } async getContractName(networkId, address) { const urls = this.getEtherscanUrls(networkId); if (!urls.length) { throw new Error(`No contract API available for ${networkId} in the registry`); } try { const result = await Promise.any(urls.map(url => this.fetchFromEtherscan(`${url}?module=contract&action=getsourcecode&address=${address}`).then(json => { if (!json?.result?.length) { throw new Error(`No result: ${JSON.stringify(json)}`); } const { ContractName } = json.result[0]; if (!ContractName) { throw new Error('Contract name is empty'); } return ContractName; }))); return result; } catch (error) { if (error instanceof AggregateError) { for (const err of error.errors) { logger(`Failed to fetch contract name: ${err}`); } throw new Error(`Name not found`); } throw error; } } async getFromSourcify(ABICtor, networkId, address) { try { const network = this.registry.getNetworkById(networkId); if (!network) throw new Error(`Invalid network ${networkId}`); if (!network.caip2Id.startsWith('eip155')) throw new Error(`Invalid chainId, Sourcify API only supports EVM chains`); if (!address.startsWith('0x') || address.length != 42) throw new Error(`Invalid address, must start with 0x prefix and be 20 bytes long`); const chainId = network.caip2Id.split(':')[1]; const url = `https://sourcify.dev/server/v2/contract/${chainId}/${address}?fields=abi,compilation,deployment`; const resp = await withTimeout(fetch(url).catch(error => { throw new Error(`Sourcify API is unreachable: ${error}`); })); if (resp.status === 404) throw new Error(`Sourcify API says contract is not verified`); if (!resp.ok) throw new Error(`Sourcify API returned status ${resp.status}`); const json = await resp.json().catch(error => { throw new Error(`Invalid Sourcify response: ${error}`); }); if (!json) { throw new Error(`No result`); } const abi = json.abi; const contractName = json.compilation?.name; const blockNumber = json.deployment?.blockNumber; if (!abi || !contractName || !blockNumber) throw new Error('Contract is missing metadata'); return { abi: new ABICtor(contractName, undefined, immutable.fromJS(abi)), startBlock: Number(blockNumber).toString(), name: contractName, }; } catch (error) { logger(`Failed to fetch from Sourcify: ${error}`); } return null; } async fetchTransactionByHash(networkId, txHash) { const urls = this.getRpcUrls(networkId); if (!urls.length) { throw new Error(`No JSON-RPC available for ${networkId} in the registry`); } try { const result = await Promise.any(urls.map(url => withTimeout(fetch(url, { method: 'POST', headers: { 'Content-Type': 'application/json' }, body: JSON.stringify({ jsonrpc: '2.0', method: 'eth_getTransactionByHash', params: [txHash], id: 1, }), }) .then(response => response.json()) .then(json => { if (!json?.result) { throw new Error(JSON.stringify(json)); } return json.result; })))); return result; } catch (error) { if (error instanceof AggregateError) { // All promises were rejected for (const err of error.errors) { logger(`Failed to fetch tx ${txHash}: ${err}`); } throw new Error(`Failed to fetch transaction ${txHash}`); } throw error; } } }