diff --git a/.github/workflows/enhanced_chain_validation.yml b/.github/workflows/enhanced_chain_validation.yml new file mode 100644 index 0000000000..1b8ce51d0c --- /dev/null +++ b/.github/workflows/enhanced_chain_validation.yml @@ -0,0 +1,39 @@ +name: Enhanced Chain Validation + +on: + pull_request: + types: [opened, synchronize, reopened] + workflow_dispatch: + +jobs: + validate-chain-metadata: + runs-on: ubuntu-latest + steps: + - name: Checkout Repository šŸ“„ + uses: actions/checkout@v4 + + - name: Setup Node.js 🌐 + uses: actions/setup-node@v4 + with: + node-version: '20.x' + + - name: Install Dependencies + run: | + npm install -g @chain-registry/cli@1.47.0 + npm install axios cheerio + + - name: Run Enhanced Chain Validation + working-directory: ./.github/workflows/utility + env: + # Chain IDs that should have errors downgraded to warnings (comma-separated) + # This allows the workflow to continue to endpoint health checks even if these chains have validation errors + DOWNGRADE_CHAIN_IDS: "" + run: node enhanced_validation.mjs + + - name: Run Endpoint Health Checks + working-directory: ./.github/workflows/utility + run: node endpoint_health_checker.mjs + + - name: Generate Validation Report + working-directory: ./.github/workflows/utility + run: node generate_validation_report.mjs \ No newline at end of file diff --git a/.github/workflows/utility/endpoint_health_checker.mjs b/.github/workflows/utility/endpoint_health_checker.mjs new file mode 100644 index 0000000000..9c30e72779 --- /dev/null +++ b/.github/workflows/utility/endpoint_health_checker.mjs @@ -0,0 +1,307 @@ +// Endpoint Health Checker +// Tests endpoint availability and response times for all chains + +import * as fs from 'fs'; +import * as path from 'path'; +import axios from 'axios'; + +const chainRegistryRoot = "../../.."; +const TIMEOUT = 10000; // 10 seconds +const MAX_CONCURRENT = 5; // Limit concurrent requests + +class EndpointHealthChecker { + constructor() { + this.results = []; + this.stats = { + totalEndpoints: 0, + workingEndpoints: 0, + failedEndpoints: 0, + avgResponseTime: 0 + }; + } + + async checkEndpoint(endpoint, type, chainName) { + const startTime = Date.now(); + let testUrl = endpoint.address; + + // Add appropriate test paths + switch (type) { + case 'rpc': + testUrl += '/status'; + break; + case 'rest': + testUrl += '/cosmos/base/tendermint/v1beta1/syncing'; + break; + case 'evm-http-jsonrpc': + // For EVM endpoints, we'll make a JSON-RPC call + break; + default: + break; + } + + try { + let response; + + if (type === 'evm-http-jsonrpc') { + response = await axios.post(endpoint.address, { + jsonrpc: "2.0", + method: "eth_chainId", + params: [], + id: 1 + }, { + timeout: TIMEOUT, + headers: { 'Content-Type': 'application/json' } + }); + } else { + response = await axios.get(testUrl, { + timeout: TIMEOUT, + validateStatus: (status) => status < 500 // Accept 4xx as "working" + }); + } + + const responseTime = Date.now() - startTime; + const isHealthy = response.status === 200 && ( + type === 'evm-http-jsonrpc' ? response.data?.result : response.data + ); + + const result = { + chain: chainName, + type, + url: endpoint.address, + provider: endpoint.provider || 'Unknown', + status: isHealthy ? 'healthy' : 'unhealthy', + responseTime, + httpStatus: response.status, + timestamp: new Date().toISOString() + }; + + if (isHealthy) { + this.stats.workingEndpoints++; + console.log(`āœ… ${type.toUpperCase()} ${chainName}: ${endpoint.address} (${responseTime}ms) - ${endpoint.provider || 'Unknown'}`); + } else { + this.stats.failedEndpoints++; + console.log(`āŒ ${type.toUpperCase()} ${chainName}: ${endpoint.address} - HTTP ${response.status}`); + } + + this.results.push(result); + return result; + + } catch (error) { + const responseTime = Date.now() - startTime; + this.stats.failedEndpoints++; + + const result = { + chain: chainName, + type, + url: endpoint.address, + provider: endpoint.provider || 'Unknown', + status: 'failed', + responseTime, + error: error.message, + timestamp: new Date().toISOString() + }; + + console.log(`āŒ ${type.toUpperCase()} ${chainName}: ${endpoint.address} - ${error.message}`); + this.results.push(result); + return result; + } + } + + async checkChainEndpoints(chainPath) { + const chainName = path.basename(chainPath); + const chainJsonPath = path.join(chainPath, 'chain.json'); + + if (!fs.existsSync(chainJsonPath)) { + return; + } + + try { + const chainData = JSON.parse(fs.readFileSync(chainJsonPath, 'utf8')); + const apis = chainData.apis || {}; + + console.log(`\nšŸ” Checking endpoints for ${chainName}...`); + + const endpointChecks = []; + + // Check RPC endpoints + if (apis.rpc) { + for (const endpoint of apis.rpc) { + this.stats.totalEndpoints++; + endpointChecks.push(this.checkEndpoint(endpoint, 'rpc', chainName)); + + // Limit concurrent requests + if (endpointChecks.length >= MAX_CONCURRENT) { + await Promise.allSettled(endpointChecks.splice(0, MAX_CONCURRENT)); + } + } + } + + // Check REST endpoints + if (apis.rest) { + for (const endpoint of apis.rest) { + this.stats.totalEndpoints++; + endpointChecks.push(this.checkEndpoint(endpoint, 'rest', chainName)); + + if (endpointChecks.length >= MAX_CONCURRENT) { + await Promise.allSettled(endpointChecks.splice(0, MAX_CONCURRENT)); + } + } + } + + // Check GRPC endpoints (basic connectivity test) + if (apis.grpc) { + for (const endpoint of apis.grpc) { + this.stats.totalEndpoints++; + endpointChecks.push(this.checkEndpoint(endpoint, 'grpc', chainName)); + + if (endpointChecks.length >= MAX_CONCURRENT) { + await Promise.allSettled(endpointChecks.splice(0, MAX_CONCURRENT)); + } + } + } + + // Check EVM JSON-RPC endpoints + if (apis['evm-http-jsonrpc']) { + for (const endpoint of apis['evm-http-jsonrpc']) { + this.stats.totalEndpoints++; + endpointChecks.push(this.checkEndpoint(endpoint, 'evm-http-jsonrpc', chainName)); + + if (endpointChecks.length >= MAX_CONCURRENT) { + await Promise.allSettled(endpointChecks.splice(0, MAX_CONCURRENT)); + } + } + } + + // Wait for remaining checks + if (endpointChecks.length > 0) { + await Promise.allSettled(endpointChecks); + } + + } catch (error) { + console.error(`Error checking endpoints for ${chainName}: ${error.message}`); + } + } + + generateReport() { + const healthyEndpoints = this.results.filter(r => r.status === 'healthy'); + const unhealthyEndpoints = this.results.filter(r => r.status === 'unhealthy'); + const failedEndpoints = this.results.filter(r => r.status === 'failed'); + + if (healthyEndpoints.length > 0) { + this.stats.avgResponseTime = Math.round( + healthyEndpoints.reduce((sum, r) => sum + r.responseTime, 0) / healthyEndpoints.length + ); + } + + const report = { + summary: { + timestamp: new Date().toISOString(), + totalEndpoints: this.stats.totalEndpoints, + healthyEndpoints: this.stats.workingEndpoints, + unhealthyEndpoints: unhealthyEndpoints.length, + failedEndpoints: this.stats.failedEndpoints, + healthRate: `${((this.stats.workingEndpoints / this.stats.totalEndpoints) * 100).toFixed(1)}%`, + avgResponseTime: `${this.stats.avgResponseTime}ms` + }, + details: this.results, + byChain: this.groupByChain(), + byProvider: this.groupByProvider(), + slowestEndpoints: this.getSlowestEndpoints(), + fastestEndpoints: this.getFastestEndpoints() + }; + + return report; + } + + groupByChain() { + const byChain = {}; + this.results.forEach(result => { + if (!byChain[result.chain]) { + byChain[result.chain] = { healthy: 0, unhealthy: 0, failed: 0, total: 0 }; + } + byChain[result.chain][result.status]++; + byChain[result.chain].total++; + }); + return byChain; + } + + groupByProvider() { + const byProvider = {}; + this.results.forEach(result => { + if (!byProvider[result.provider]) { + byProvider[result.provider] = { healthy: 0, unhealthy: 0, failed: 0, total: 0 }; + } + byProvider[result.provider][result.status]++; + byProvider[result.provider].total++; + }); + return byProvider; + } + + getSlowestEndpoints() { + return this.results + .filter(r => r.status === 'healthy') + .sort((a, b) => b.responseTime - a.responseTime) + .slice(0, 10); + } + + getFastestEndpoints() { + return this.results + .filter(r => r.status === 'healthy') + .sort((a, b) => a.responseTime - b.responseTime) + .slice(0, 10); + } +} + +async function main() { + console.log('šŸ„ Starting Endpoint Health Check...\n'); + + const checker = new EndpointHealthChecker(); + + // Get list of chain directories + const excludeDirs = ['_IBC', '_non-cosmos', '_template', '.github', '.git', 'node_modules']; + + try { + const entries = fs.readdirSync(chainRegistryRoot, { withFileTypes: true }); + const chainDirs = entries + .filter(entry => entry.isDirectory() && !excludeDirs.includes(entry.name)) + .map(entry => entry.name); + + console.log(`Found ${chainDirs.length} chains to check`); + + // Check endpoints for each chain (limit for testing) + for (const chainDir of chainDirs.slice(0, 10)) { + const chainPath = path.join(chainRegistryRoot, chainDir); + await checker.checkChainEndpoints(chainPath); + } + + // Generate and save report + const report = checker.generateReport(); + + console.log('\nšŸ“Š Endpoint Health Summary:'); + console.log(`Total Endpoints: ${report.summary.totalEndpoints}`); + console.log(`Healthy: ${report.summary.healthyEndpoints} (${report.summary.healthRate})`); + console.log(`Failed: ${report.summary.failedEndpoints}`); + console.log(`Average Response Time: ${report.summary.avgResponseTime}`); + + fs.writeFileSync('endpoint-health-report.json', JSON.stringify(report, null, 2)); + console.log('\nšŸ’¾ Report saved to endpoint-health-report.json'); + + // Print summary by chain + console.log('\nšŸ“ˆ Health by Chain:'); + Object.entries(report.byChain) + .sort(([,a], [,b]) => (b.healthy/b.total) - (a.healthy/a.total)) + .slice(0, 10) + .forEach(([chain, stats]) => { + const healthRate = ((stats.healthy / stats.total) * 100).toFixed(1); + console.log(` ${chain}: ${stats.healthy}/${stats.total} (${healthRate}%)`); + }); + + } catch (error) { + console.error(`Fatal error: ${error.message}`); + process.exit(1); + } +} + +if (import.meta.url === `file://${process.argv[1]}`) { + main(); +} \ No newline at end of file diff --git a/.github/workflows/utility/enhanced_validation.mjs b/.github/workflows/utility/enhanced_validation.mjs new file mode 100644 index 0000000000..8cb33813d3 --- /dev/null +++ b/.github/workflows/utility/enhanced_validation.mjs @@ -0,0 +1,432 @@ +// Enhanced Chain Registry Validation +// Validates all required chain metadata fields automatically + +import * as fs from 'fs'; +import * as path from 'path'; +import axios from 'axios'; + +const chainRegistryRoot = "../../.."; +let validationErrors = []; +let validationWarnings = []; + +// Chain IDs that should have errors downgraded to warnings +const DOWNGRADE_CHAIN_IDS = process.env.DOWNGRADE_CHAIN_IDS + ? process.env.DOWNGRADE_CHAIN_IDS.split(',').map(id => id.trim()) + : []; + +// Field validation functions +class ChainValidator { + constructor() { + this.errors = []; + this.warnings = []; + this.currentChainId = null; + } + + // Helper method to add error or warning based on chain ID + addError(message) { + if (DOWNGRADE_CHAIN_IDS.includes(this.currentChainId)) { + this.warnings.push(message.replace('āŒ', 'āš ļø')); + } else { + this.errors.push(message); + } + } + + // Helper method to add warning (always a warning) + addWarning(message) { + this.warnings.push(message); + } + + // 1. Chain ID validation + validateChainId(chainData, chainName) { + if (!chainData.chain_id) { + this.addError(`āŒ Chain ID missing for ${chainName}`); + return false; + } + + // Set the current chain ID for error downgrading + this.currentChainId = chainData.chain_id; + + // Check for duplicate chain IDs across registry + const chainIds = this.getAllChainIds(); + const duplicates = chainIds.filter(id => id === chainData.chain_id); + if (duplicates.length > 1) { + this.addError(`āŒ Duplicate Chain ID '${chainData.chain_id}' found for ${chainName}`); + } + + console.log(`āœ… Chain ID validated: ${chainData.chain_id} for ${chainName}`); + return true; + } + + // 2. Chain Name validation + validateChainName(chainData, directoryName) { + if (!chainData.chain_name) { + this.addError(`āŒ Chain name missing for ${directoryName}`); + return false; + } + + if (chainData.chain_name !== directoryName) { + this.addError(`āŒ Chain name '${chainData.chain_name}' doesn't match directory '${directoryName}'`); + return false; + } + + if (!chainData.pretty_name) { + this.addWarning(`āš ļø Pretty name missing for ${chainData.chain_name}`); + } + + console.log(`āœ… Chain name validated: ${chainData.chain_name}`); + return true; + } + + // 3. RPC validation + async validateRPC(chainData, chainName) { + const rpcEndpoints = chainData.apis?.rpc || []; + if (rpcEndpoints.length === 0) { + this.addError(`āŒ No RPC endpoints found for ${chainName}`); + return false; + } + + let workingEndpoints = 0; + for (const endpoint of rpcEndpoints.slice(0, 3)) { // Test first 3 + try { + const response = await axios.get(`${endpoint.address}/status`, { timeout: 5000 }); + if (response.status === 200 && response.data?.result?.node_info) { + workingEndpoints++; + console.log(`āœ… RPC endpoint working: ${endpoint.address} (${endpoint.provider || 'Unknown provider'})`); + } + } catch (error) { + this.addWarning(`āš ļø RPC endpoint unreachable: ${endpoint.address} for ${chainName}`); + } + } + + if (workingEndpoints === 0) { + this.addError(`āŒ No working RPC endpoints found for ${chainName}`); + return false; + } + + return true; + } + + // 4. REST validation + async validateREST(chainData, chainName) { + const restEndpoints = chainData.apis?.rest || []; + if (restEndpoints.length === 0) { + this.addError(`āŒ No REST endpoints found for ${chainName}`); + return false; + } + + let workingEndpoints = 0; + for (const endpoint of restEndpoints.slice(0, 3)) { // Test first 3 + try { + const response = await axios.get(`${endpoint.address}/cosmos/base/tendermint/v1beta1/syncing`, { timeout: 5000 }); + if (response.status === 200) { + workingEndpoints++; + console.log(`āœ… REST endpoint working: ${endpoint.address} (${endpoint.provider || 'Unknown provider'})`); + } + } catch (error) { + this.addWarning(`āš ļø REST endpoint unreachable: ${endpoint.address} for ${chainName}`); + } + } + + if (workingEndpoints === 0) { + this.addError(`āŒ No working REST endpoints found for ${chainName}`); + return false; + } + + return true; + } + + // 5. GRPC validation + validateGRPC(chainData, chainName) { + const grpcEndpoints = chainData.apis?.grpc || []; + if (grpcEndpoints.length === 0) { + this.addWarning(`āš ļø No GRPC endpoints found for ${chainName}`); + return true; // Not critical + } + + grpcEndpoints.forEach(endpoint => { + if (!endpoint.address) { + this.addError(`āŒ GRPC endpoint missing address for ${chainName}`); + } else { + console.log(`āœ… GRPC endpoint found: ${endpoint.address} (${endpoint.provider || 'Unknown provider'})`); + } + }); + + return true; + } + + // 6. EVM-RPC validation + async validateEVMRPC(chainData, chainName) { + const evmEndpoints = chainData.apis?.['evm-http-jsonrpc'] || []; + + // Only check for EVM chains + if (chainData.extra_codecs?.includes('ethermint') || chainData.key_algos?.includes('ethsecp256k1')) { + if (evmEndpoints.length === 0) { + this.addWarning(`āš ļø EVM chain ${chainName} missing EVM-RPC endpoints`); + return true; // Warning, not error + } + + for (const endpoint of evmEndpoints.slice(0, 2)) { // Test first 2 + try { + const response = await axios.post(endpoint.address, { + jsonrpc: "2.0", + method: "eth_chainId", + params: [], + id: 1 + }, { timeout: 5000 }); + + if (response.data?.result) { + console.log(`āœ… EVM-RPC endpoint working: ${endpoint.address} (${endpoint.provider || 'Unknown provider'})`); + } + } catch (error) { + this.addWarning(`āš ļø EVM-RPC endpoint unreachable: ${endpoint.address} for ${chainName}`); + } + } + } + + return true; + } + + // 7. Address Prefix validation + validateAddressPrefix(chainData, chainName) { + if (!chainData.bech32_prefix) { + this.addError(`āŒ Address prefix (bech32_prefix) missing for ${chainName}`); + return false; + } + + // Validate against SLIP-173 (this would require fetching SLIP-173 data) + // For now, just check format + if (!/^[a-z0-9]+$/.test(chainData.bech32_prefix)) { + this.addError(`āŒ Invalid address prefix format '${chainData.bech32_prefix}' for ${chainName}`); + return false; + } + + console.log(`āœ… Address prefix validated: ${chainData.bech32_prefix} for ${chainName}`); + return true; + } + + // 8. Base Denom validation + validateBaseDenom(chainData, assetData, chainName) { + const assets = assetData?.assets || []; + const nativeAssets = assets.filter(asset => asset.type_asset === 'sdk.coin'); + + if (nativeAssets.length === 0) { + this.addError(`āŒ No native assets found for ${chainName}`); + return false; + } + + // Check if fee tokens reference valid assets + const feeTokens = chainData.fees?.fee_tokens || []; + feeTokens.forEach(feeToken => { + const assetExists = assets.some(asset => asset.base === feeToken.denom); + if (!assetExists) { + this.addError(`āŒ Fee token '${feeToken.denom}' not found in assetlist for ${chainName}`); + } + }); + + nativeAssets.forEach(asset => { + console.log(`āœ… Base denom validated: ${asset.base} for ${chainName}`); + }); + + return true; + } + + // 9. Cointype validation + validateCointype(chainData, chainName) { + if (chainData.slip44 === undefined) { + this.addWarning(`āš ļø Cointype (slip44) missing for ${chainName}`); + return true; // Warning, not error + } + + if (typeof chainData.slip44 !== 'number' || chainData.slip44 < 0) { + this.addError(`āŒ Invalid cointype '${chainData.slip44}' for ${chainName}`); + return false; + } + + console.log(`āœ… Cointype validated: ${chainData.slip44} for ${chainName}`); + return true; + } + + // 10. Native Token Decimals validation + validateTokenDecimals(assetData, chainName) { + const assets = assetData?.assets || []; + const nativeAssets = assets.filter(asset => asset.type_asset === 'sdk.coin'); + + nativeAssets.forEach(asset => { + const denomUnits = asset.denom_units || []; + const displayUnit = denomUnits.find(unit => unit.denom === asset.display); + + if (!displayUnit) { + this.addError(`āŒ Display denom unit not found for ${asset.symbol} in ${chainName}`); + return; + } + + if (typeof displayUnit.exponent !== 'number') { + this.addError(`āŒ Invalid decimals (exponent) for ${asset.symbol} in ${chainName}`); + return; + } + + console.log(`āœ… Token decimals validated: ${asset.symbol} has ${displayUnit.exponent} decimals in ${chainName}`); + }); + + return true; + } + + // 11. Block Explorer URL validation + async validateBlockExplorers(chainData, chainName) { + const explorers = chainData.explorers || []; + if (explorers.length === 0) { + this.addWarning(`āš ļø No block explorers found for ${chainName}`); + return true; // Warning, not error + } + + for (const explorer of explorers.slice(0, 2)) { // Test first 2 + try { + const response = await axios.head(explorer.url, { timeout: 10000 }); + if (response.status === 200) { + console.log(`āœ… Block explorer working: ${explorer.url} (${explorer.kind || 'Unknown type'})`); + } + } catch (error) { + this.addWarning(`āš ļø Block explorer unreachable: ${explorer.url} for ${chainName}`); + } + } + + return true; + } + + // 12. Mainnet/Testnet validation + validateNetworkType(chainData, chainName) { + const validTypes = ['mainnet', 'testnet', 'devnet']; + if (!chainData.network_type) { + this.addError(`āŒ Network type missing for ${chainName}`); + return false; + } + + if (!validTypes.includes(chainData.network_type)) { + this.addError(`āŒ Invalid network type '${chainData.network_type}' for ${chainName}. Must be one of: ${validTypes.join(', ')}`); + return false; + } + + console.log(`āœ… Network type validated: ${chainData.network_type} for ${chainName}`); + return true; + } + + // Helper methods + getAllChainIds() { + // This would scan all chain.json files to collect chain IDs + // Implementation needed based on file structure + return []; + } + + async validateChain(chainPath) { + const chainName = path.basename(chainPath); + console.log(`\nšŸ” Validating chain: ${chainName}`); + + try { + // Read chain.json + const chainJsonPath = path.join(chainPath, 'chain.json'); + const assetlistJsonPath = path.join(chainPath, 'assetlist.json'); + + if (!fs.existsSync(chainJsonPath)) { + this.addError(`āŒ chain.json not found for ${chainName}`); + return false; + } + + const chainData = JSON.parse(fs.readFileSync(chainJsonPath, 'utf8')); + let assetData = null; + + if (fs.existsSync(assetlistJsonPath)) { + assetData = JSON.parse(fs.readFileSync(assetlistJsonPath, 'utf8')); + } + + // Run all validations + this.validateChainId(chainData, chainName); + this.validateChainName(chainData, chainName); + await this.validateRPC(chainData, chainName); + await this.validateREST(chainData, chainName); + this.validateGRPC(chainData, chainName); + await this.validateEVMRPC(chainData, chainName); + this.validateAddressPrefix(chainData, chainName); + this.validateCointype(chainData, chainName); + this.validateNetworkType(chainData, chainName); + await this.validateBlockExplorers(chainData, chainName); + + if (assetData) { + this.validateBaseDenom(chainData, assetData, chainName); + this.validateTokenDecimals(assetData, chainName); + } + + return true; + + } catch (error) { + this.addError(`āŒ Error validating ${chainName}: ${error.message}`); + return false; + } + } +} + +// Main validation function +async function main() { + console.log('šŸš€ Starting Enhanced Chain Validation...\n'); + + if (DOWNGRADE_CHAIN_IDS.length > 0) { + console.log(`šŸ”§ Error downgrading enabled for chain IDs: ${DOWNGRADE_CHAIN_IDS.join(', ')}\n`); + } + + const validator = new ChainValidator(); + + // Get list of chain directories (exclude non-chain directories) + const excludeDirs = ['_IBC', '_non-cosmos', '_template', '.github', '.git', 'node_modules']; + + try { + const entries = fs.readdirSync(chainRegistryRoot, { withFileTypes: true }); + const chainDirs = entries + .filter(entry => entry.isDirectory() && !excludeDirs.includes(entry.name)) + .map(entry => entry.name); + + console.log(`Found ${chainDirs.length} chain directories to validate`); + + // Validate each chain + for (const chainDir of chainDirs) { // Full registry validation + const chainPath = path.join(chainRegistryRoot, chainDir); + await validator.validateChain(chainPath); + } + + // Report results + console.log('\nšŸ“Š Validation Results:'); + console.log(`āœ… Errors: ${validator.errors.length}`); + console.log(`āš ļø Warnings: ${validator.warnings.length}`); + + if (validator.errors.length > 0) { + console.log('\nāŒ ERRORS:'); + validator.errors.forEach(error => console.log(error)); + } + + if (validator.warnings.length > 0) { + console.log('\nāš ļø WARNINGS:'); + validator.warnings.forEach(warning => console.log(warning)); + } + + // Save results to file + const results = { + timestamp: new Date().toISOString(), + errors: validator.errors, + warnings: validator.warnings, + totalChains: chainDirs.length + }; + + fs.writeFileSync('validation-results.json', JSON.stringify(results, null, 2)); + + // Exit with error code if there are errors + if (validator.errors.length > 0) { + process.exit(1); + } + + } catch (error) { + console.error(`Fatal error: ${error.message}`); + process.exit(1); + } +} + +if (import.meta.url === `file://${process.argv[1]}`) { + main(); +} \ No newline at end of file diff --git a/.github/workflows/utility/generate_validation_report.mjs b/.github/workflows/utility/generate_validation_report.mjs new file mode 100644 index 0000000000..b3b5ee65f7 --- /dev/null +++ b/.github/workflows/utility/generate_validation_report.mjs @@ -0,0 +1,238 @@ +// Validation Report Generator +// Creates comprehensive reports from validation results + +import * as fs from 'fs'; + +async function generateReport() { + console.log('šŸ“ Generating Comprehensive Validation Report...\n'); + + let validationResults = {}; + let endpointResults = {}; + + // Load validation results + try { + if (fs.existsSync('validation-results.json')) { + validationResults = JSON.parse(fs.readFileSync('validation-results.json', 'utf8')); + } + } catch (error) { + console.warn('Could not load validation results:', error.message); + } + + // Load endpoint health results + try { + if (fs.existsSync('endpoint-health-report.json')) { + endpointResults = JSON.parse(fs.readFileSync('endpoint-health-report.json', 'utf8')); + } + } catch (error) { + console.warn('Could not load endpoint health results:', error.message); + } + + // Generate markdown report + const reportMd = generateMarkdownReport(validationResults, endpointResults); + fs.writeFileSync('VALIDATION_REPORT.md', reportMd); + + // Generate JSON summary + const summary = { + timestamp: new Date().toISOString(), + validation: { + totalErrors: validationResults.errors?.length || 0, + totalWarnings: validationResults.warnings?.length || 0, + totalChains: validationResults.totalChains || 0 + }, + endpoints: { + totalEndpoints: endpointResults.summary?.totalEndpoints || 0, + healthyEndpoints: endpointResults.summary?.healthyEndpoints || 0, + healthRate: endpointResults.summary?.healthRate || '0%', + avgResponseTime: endpointResults.summary?.avgResponseTime || '0ms' + }, + recommendations: generateRecommendations(validationResults, endpointResults) + }; + + fs.writeFileSync('validation-summary.json', JSON.stringify(summary, null, 2)); + + console.log('āœ… Reports generated:'); + console.log(' - VALIDATION_REPORT.md'); + console.log(' - validation-summary.json'); + + return summary; +} + +function generateMarkdownReport(validationResults, endpointResults) { + const timestamp = new Date().toISOString(); + + let md = `# Chain Registry Validation Report + +Generated on: ${timestamp} + +## šŸ“Š Summary + +### Validation Results +- **Total Chains Checked**: ${validationResults.totalChains || 0} +- **Total Errors**: ${validationResults.errors?.length || 0} +- **Total Warnings**: ${validationResults.warnings?.length || 0} + +### Endpoint Health +- **Total Endpoints**: ${endpointResults.summary?.totalEndpoints || 0} +- **Healthy Endpoints**: ${endpointResults.summary?.healthyEndpoints || 0} +- **Health Rate**: ${endpointResults.summary?.healthRate || '0%'} +- **Average Response Time**: ${endpointResults.summary?.avgResponseTime || '0ms'} + +## šŸ” Field Validation Status + +| Field | Status | Description | +|-------|--------|-------------| +| Chain ID | āœ… Tested | Validates uniqueness and format | +| Chain Name | āœ… Tested | Matches directory name, has pretty_name | +| RPC | āœ… Tested | Tests endpoint connectivity and response | +| REST | āœ… Tested | Tests endpoint connectivity and response | +| GRPC | āœ… Tested | Tests endpoint availability | +| EVM-RPC | āœ… Tested | Tests EVM JSON-RPC endpoints for EVM chains | +| Address Prefix | āœ… Tested | Validates bech32_prefix format | +| Base Denom | āœ… Tested | Validates native assets and fee token references | +| Cointype | āœ… Tested | Validates slip44 value | +| Native Token Decimals | āœ… Tested | Validates denom_units exponent values | +| Block Explorer URL | āœ… Tested | Tests explorer accessibility | +| Mainnet/Testnet | āœ… Tested | Validates network_type field | + +`; + + // Add errors section + if (validationResults.errors?.length > 0) { + md += `## āŒ Validation Errors + +`; + validationResults.errors.forEach(error => { + md += `- ${error}\n`; + }); + md += '\n'; + } + + // Add warnings section + if (validationResults.warnings?.length > 0) { + md += `## āš ļø Validation Warnings + +`; + validationResults.warnings.forEach(warning => { + md += `- ${warning}\n`; + }); + md += '\n'; + } + + // Add endpoint health details + if (endpointResults.byChain) { + md += `## šŸ„ Endpoint Health by Chain + +| Chain | Healthy | Total | Health Rate | +|-------|---------|-------|-------------| +`; + Object.entries(endpointResults.byChain) + .sort(([,a], [,b]) => (b.healthy/b.total) - (a.healthy/a.total)) + .slice(0, 20) + .forEach(([chain, stats]) => { + const healthRate = ((stats.healthy / stats.total) * 100).toFixed(1); + md += `| ${chain} | ${stats.healthy} | ${stats.total} | ${healthRate}% |\n`; + }); + md += '\n'; + } + + // Add provider reliability + if (endpointResults.byProvider) { + md += `## šŸ¢ Provider Reliability + +| Provider | Healthy | Total | Reliability | +|----------|---------|-------|-------------| +`; + Object.entries(endpointResults.byProvider) + .filter(([provider]) => provider !== 'Unknown') + .sort(([,a], [,b]) => (b.healthy/b.total) - (a.healthy/a.total)) + .slice(0, 15) + .forEach(([provider, stats]) => { + const reliability = ((stats.healthy / stats.total) * 100).toFixed(1); + md += `| ${provider} | ${stats.healthy} | ${stats.total} | ${reliability}% |\n`; + }); + md += '\n'; + } + + // Add performance metrics + if (endpointResults.fastestEndpoints) { + md += `## ⚔ Fastest Endpoints + +| Chain | Type | URL | Response Time | Provider | +|-------|------|-----|---------------|----------| +`; + endpointResults.fastestEndpoints.slice(0, 10).forEach(endpoint => { + md += `| ${endpoint.chain} | ${endpoint.type} | ${endpoint.url} | ${endpoint.responseTime}ms | ${endpoint.provider} |\n`; + }); + md += '\n'; + } + + md += `## šŸ”§ How Validation Works + +### Chain Validation Process (.github/workflows/utility/validate_data.mjs) +- **Chain ID**: Checks uniqueness across registry at line 64-78 +- **Chain Name**: Validates match with directory at line 501-508 +- **Fee Tokens**: Validates fee tokens exist in assetlist at line 93-105 +- **Staking Tokens**: Validates staking tokens exist in assetlist at line 107-119 +- **Address Prefix**: Validates against SLIP-173 at line 172-183 +- **Cointype**: Validates against SLIP-44 at line 186-198 + +### Endpoint Testing (.github/workflows/tests/apis.py) +- **RPC**: Tests /status endpoint at line 98 +- **REST**: Tests /cosmos/base/tendermint/v1beta1/syncing at line 100 +- **Provider Filtering**: Configurable whitelist at line 21-56 +- **Concurrent Testing**: Parallel execution with pytest -n 64 at line 27 + +### Schema Validation (.github/workflows/validate.yml) +- **Schema Compliance**: Uses @chain-registry/cli at line 21-26 +- **File Structure**: Validates JSON structure and required fields +- **Cross-references**: Ensures consistency between chain.json and assetlist.json + +## šŸ“ˆ Recommendations + +${generateRecommendations(validationResults, endpointResults).join('\n')} + +## šŸ”— Links to Validation Code + +- [Main Validation Logic](../../../.github/workflows/utility/validate_data.mjs) +- [Endpoint Testing](../../../.github/workflows/tests/apis.py) +- [Schema Validation](../../../.github/workflows/validate.yml) +- [Chain Schema](../../../chain.schema.json) +- [Assetlist Schema](../../../assetlist.schema.json) +`; + + return md; +} + +function generateRecommendations(validationResults, endpointResults) { + const recommendations = []; + + // Based on validation errors + if (validationResults.errors?.length > 0) { + recommendations.push('- 🚨 **Fix validation errors immediately** - These prevent proper chain integration'); + } + + // Based on endpoint health + const healthRate = parseFloat(endpointResults.summary?.healthRate?.replace('%', '') || '0'); + if (healthRate < 80) { + recommendations.push('- šŸ“” **Improve endpoint reliability** - Consider adding more reliable providers'); + } + + // Based on response times + const avgTime = parseInt(endpointResults.summary?.avgResponseTime?.replace('ms', '') || '0'); + if (avgTime > 2000) { + recommendations.push('- ⚔ **Optimize endpoint performance** - Average response time is high'); + } + + // General recommendations + recommendations.push('- šŸ”„ **Set up automated monitoring** - Run these checks daily to catch issues early'); + recommendations.push('- šŸ“ **Document provider requirements** - Ensure all providers meet minimum standards'); + recommendations.push('- šŸ·ļø **Add missing metadata** - Complete any missing optional fields for better UX'); + + return recommendations; +} + +if (import.meta.url === `file://${process.argv[1]}`) { + generateReport().catch(console.error); +} + +export { generateReport }; \ No newline at end of file diff --git a/package-lock.json b/package-lock.json index 9e4f2b7095..c047dcfbf4 100644 --- a/package-lock.json +++ b/package-lock.json @@ -4,7 +4,9 @@ "requires": true, "packages": { "": { + "name": "chain-registry", "dependencies": { + "axios": "^1.11.0", "node-fetch": "^3.3.1" }, "devDependencies": { @@ -249,6 +251,23 @@ "dev": true, "license": "Python-2.0" }, + "node_modules/asynckit": { + "version": "0.4.0", + "resolved": "https://registry.npmjs.org/asynckit/-/asynckit-0.4.0.tgz", + "integrity": "sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q==", + "license": "MIT" + }, + "node_modules/axios": { + "version": "1.11.0", + "resolved": "https://registry.npmjs.org/axios/-/axios-1.11.0.tgz", + "integrity": "sha512-1Lx3WLFQWm3ooKDYZD1eXmoGO9fxYQjrycfHFC8P0sCfQVXyROp0p9PFWBehewBOdCwHc+f/b8I0fMto5eSfwA==", + "license": "MIT", + "dependencies": { + "follow-redirects": "^1.15.6", + "form-data": "^4.0.4", + "proxy-from-env": "^1.1.0" + } + }, "node_modules/balanced-match": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", @@ -257,9 +276,9 @@ "license": "MIT" }, "node_modules/brace-expansion": { - "version": "1.1.11", - "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz", - "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==", + "version": "1.1.12", + "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.12.tgz", + "integrity": "sha512-9T9UjW3r0UW5c1Q7GTwllptXwhvYmEzFhzMfZ9H7FQWt+uZePjZPjBP/W1ZEyZ1twGWom5/56TF4lPcqjnDHcg==", "dev": true, "license": "MIT", "dependencies": { @@ -267,6 +286,19 @@ "concat-map": "0.0.1" } }, + "node_modules/call-bind-apply-helpers": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/call-bind-apply-helpers/-/call-bind-apply-helpers-1.0.2.tgz", + "integrity": "sha512-Sp1ablJ0ivDkSzjcaJdxEunN5/XvksFJ2sMBFfq6x0ryhQV/2b/KwFe21cMpmHtPOSij8K99/wSfoEuTObmuMQ==", + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0", + "function-bind": "^1.1.2" + }, + "engines": { + "node": ">= 0.4" + } + }, "node_modules/callsites": { "version": "3.1.0", "resolved": "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz", @@ -314,6 +346,18 @@ "dev": true, "license": "MIT" }, + "node_modules/combined-stream": { + "version": "1.0.8", + "resolved": "https://registry.npmjs.org/combined-stream/-/combined-stream-1.0.8.tgz", + "integrity": "sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==", + "license": "MIT", + "dependencies": { + "delayed-stream": "~1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, "node_modules/concat-map": { "version": "0.0.1", "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz", @@ -322,9 +366,9 @@ "license": "MIT" }, "node_modules/cross-spawn": { - "version": "7.0.3", - "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.3.tgz", - "integrity": "sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==", + "version": "7.0.6", + "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.6.tgz", + "integrity": "sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==", "dev": true, "license": "MIT", "dependencies": { @@ -369,6 +413,74 @@ "dev": true, "license": "MIT" }, + "node_modules/delayed-stream": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/delayed-stream/-/delayed-stream-1.0.0.tgz", + "integrity": "sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ==", + "license": "MIT", + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/dunder-proto": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/dunder-proto/-/dunder-proto-1.0.1.tgz", + "integrity": "sha512-KIN/nDJBQRcXw0MLVhZE9iQHmG68qAVIBg9CqmUYjmQIhgij9U5MFvrqkUL5FbtyyzZuOeOt0zdeRe4UY7ct+A==", + "license": "MIT", + "dependencies": { + "call-bind-apply-helpers": "^1.0.1", + "es-errors": "^1.3.0", + "gopd": "^1.2.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-define-property": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/es-define-property/-/es-define-property-1.0.1.tgz", + "integrity": "sha512-e3nRfgfUZ4rNGL232gUgX06QNyyez04KdjFrF+LTRoOXmrOgFKDg4BCdsjW8EnT69eqdYGmRpJwiPVYNrCaW3g==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-errors": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/es-errors/-/es-errors-1.3.0.tgz", + "integrity": "sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-object-atoms": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/es-object-atoms/-/es-object-atoms-1.1.1.tgz", + "integrity": "sha512-FGgH2h8zKNim9ljj7dankFPcICIK9Cp5bm+c2gQSYePhpaG5+esrLODihIorn+Pe6FGJzWhXQotPv73jTaldXA==", + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-set-tostringtag": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/es-set-tostringtag/-/es-set-tostringtag-2.1.0.tgz", + "integrity": "sha512-j6vWzfrGVfyXxge+O0x5sh6cvxAog0a/4Rdd2K36zCMV5eJ+/+tOAngRO8cODMNWbVRdVlmGZQL2YS3yR8bIUA==", + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0", + "get-intrinsic": "^1.2.6", + "has-tostringtag": "^1.0.2", + "hasown": "^2.0.2" + }, + "engines": { + "node": ">= 0.4" + } + }, "node_modules/escape-string-regexp": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz", @@ -646,6 +758,42 @@ "dev": true, "license": "ISC" }, + "node_modules/follow-redirects": { + "version": "1.15.11", + "resolved": "https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.15.11.tgz", + "integrity": "sha512-deG2P0JfjrTxl50XGCDyfI97ZGVCxIpfKYmfyrQ54n5FO/0gfIES8C/Psl6kWVDolizcaaxZJnTS0QSMxvnsBQ==", + "funding": [ + { + "type": "individual", + "url": "https://github.com/sponsors/RubenVerborgh" + } + ], + "license": "MIT", + "engines": { + "node": ">=4.0" + }, + "peerDependenciesMeta": { + "debug": { + "optional": true + } + } + }, + "node_modules/form-data": { + "version": "4.0.4", + "resolved": "https://registry.npmjs.org/form-data/-/form-data-4.0.4.tgz", + "integrity": "sha512-KrGhL9Q4zjj0kiUt5OO4Mr/A/jlI2jDYs5eHBpYHPcBEVSiipAvn2Ko2HnPe20rmcuuvMHNdZFp+4IlGTMF0Ow==", + "license": "MIT", + "dependencies": { + "asynckit": "^0.4.0", + "combined-stream": "^1.0.8", + "es-set-tostringtag": "^2.1.0", + "hasown": "^2.0.2", + "mime-types": "^2.1.12" + }, + "engines": { + "node": ">= 6" + } + }, "node_modules/formdata-polyfill": { "version": "4.0.10", "resolved": "https://registry.npmjs.org/formdata-polyfill/-/formdata-polyfill-4.0.10.tgz", @@ -657,6 +805,52 @@ "node": ">=12.20.0" } }, + "node_modules/function-bind": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.2.tgz", + "integrity": "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==", + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/get-intrinsic": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.3.0.tgz", + "integrity": "sha512-9fSjSaos/fRIVIp+xSJlE6lfwhES7LNtKaCBIamHsjr2na1BiABJPo0mOjjz8GJDURarmCPGqaiVg5mfjb98CQ==", + "license": "MIT", + "dependencies": { + "call-bind-apply-helpers": "^1.0.2", + "es-define-property": "^1.0.1", + "es-errors": "^1.3.0", + "es-object-atoms": "^1.1.1", + "function-bind": "^1.1.2", + "get-proto": "^1.0.1", + "gopd": "^1.2.0", + "has-symbols": "^1.1.0", + "hasown": "^2.0.2", + "math-intrinsics": "^1.1.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/get-proto": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/get-proto/-/get-proto-1.0.1.tgz", + "integrity": "sha512-sTSfBjoXBp89JvIKIefqw7U2CCebsc74kiY6awiGogKtoSGbgjYE/G/+l9sF3MWFPNc9IcoOC4ODfKHfxFmp0g==", + "license": "MIT", + "dependencies": { + "dunder-proto": "^1.0.1", + "es-object-atoms": "^1.0.0" + }, + "engines": { + "node": ">= 0.4" + } + }, "node_modules/glob-parent": { "version": "6.0.2", "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-6.0.2.tgz", @@ -683,6 +877,18 @@ "url": "https://github.com/sponsors/sindresorhus" } }, + "node_modules/gopd": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/gopd/-/gopd-1.2.0.tgz", + "integrity": "sha512-ZUKRh6/kUFoAiTAtTYPZJ3hw9wNxx+BIBOijnlG9PnrJsCcSjs1wyyD6vJpaYtgnzDrKYRSqf3OO6Rfa93xsRg==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, "node_modules/has-flag": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", @@ -693,6 +899,45 @@ "node": ">=8" } }, + "node_modules/has-symbols": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.1.0.tgz", + "integrity": "sha512-1cDNdwJ2Jaohmb3sg4OmKaMBwuC48sYni5HUw2DvsC8LjGTLK9h+eb1X6RyuOHe4hT0ULCW68iomhjUoKUqlPQ==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/has-tostringtag": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/has-tostringtag/-/has-tostringtag-1.0.2.tgz", + "integrity": "sha512-NqADB8VjPFLM2V0VvHUewwwsw0ZWBaIdgo+ieHtK3hasLz4qeCRjYcqfB6AQrBggRKppKF8L52/VqdVsO47Dlw==", + "license": "MIT", + "dependencies": { + "has-symbols": "^1.0.3" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/hasown": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/hasown/-/hasown-2.0.2.tgz", + "integrity": "sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==", + "license": "MIT", + "dependencies": { + "function-bind": "^1.1.2" + }, + "engines": { + "node": ">= 0.4" + } + }, "node_modules/ignore": { "version": "5.3.1", "resolved": "https://registry.npmjs.org/ignore/-/ignore-5.3.1.tgz", @@ -865,6 +1110,36 @@ "dev": true, "license": "MIT" }, + "node_modules/math-intrinsics": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/math-intrinsics/-/math-intrinsics-1.1.0.tgz", + "integrity": "sha512-/IXtbwEk5HTPyEwyKX6hGkYXxM9nbj64B+ilVJnC/R6B0pH5G4V3b0pVbL7DBj4tkhBAppbQUlf6F6Xl9LHu1g==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/mime-db": { + "version": "1.52.0", + "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.52.0.tgz", + "integrity": "sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==", + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mime-types": { + "version": "2.1.35", + "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-2.1.35.tgz", + "integrity": "sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==", + "license": "MIT", + "dependencies": { + "mime-db": "1.52.0" + }, + "engines": { + "node": ">= 0.6" + } + }, "node_modules/minimatch": { "version": "3.1.2", "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz", @@ -1020,6 +1295,12 @@ "node": ">= 0.8.0" } }, + "node_modules/proxy-from-env": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/proxy-from-env/-/proxy-from-env-1.1.0.tgz", + "integrity": "sha512-D+zkORCbA9f1tdWRK0RaCR3GPv50cMxcrz4X8k5LTSUD1Dkw47mKJEZQNunItRTkWwgtaUSo1RVFRIG9ZXiFYg==", + "license": "MIT" + }, "node_modules/punycode": { "version": "2.3.1", "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.3.1.tgz", @@ -1426,6 +1707,21 @@ "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==", "dev": true }, + "asynckit": { + "version": "0.4.0", + "resolved": "https://registry.npmjs.org/asynckit/-/asynckit-0.4.0.tgz", + "integrity": "sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q==" + }, + "axios": { + "version": "1.11.0", + "resolved": "https://registry.npmjs.org/axios/-/axios-1.11.0.tgz", + "integrity": "sha512-1Lx3WLFQWm3ooKDYZD1eXmoGO9fxYQjrycfHFC8P0sCfQVXyROp0p9PFWBehewBOdCwHc+f/b8I0fMto5eSfwA==", + "requires": { + "follow-redirects": "^1.15.6", + "form-data": "^4.0.4", + "proxy-from-env": "^1.1.0" + } + }, "balanced-match": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", @@ -1433,15 +1729,24 @@ "dev": true }, "brace-expansion": { - "version": "1.1.11", - "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz", - "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==", + "version": "1.1.12", + "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.12.tgz", + "integrity": "sha512-9T9UjW3r0UW5c1Q7GTwllptXwhvYmEzFhzMfZ9H7FQWt+uZePjZPjBP/W1ZEyZ1twGWom5/56TF4lPcqjnDHcg==", "dev": true, "requires": { "balanced-match": "^1.0.0", "concat-map": "0.0.1" } }, + "call-bind-apply-helpers": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/call-bind-apply-helpers/-/call-bind-apply-helpers-1.0.2.tgz", + "integrity": "sha512-Sp1ablJ0ivDkSzjcaJdxEunN5/XvksFJ2sMBFfq6x0ryhQV/2b/KwFe21cMpmHtPOSij8K99/wSfoEuTObmuMQ==", + "requires": { + "es-errors": "^1.3.0", + "function-bind": "^1.1.2" + } + }, "callsites": { "version": "3.1.0", "resolved": "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz", @@ -1473,6 +1778,14 @@ "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", "dev": true }, + "combined-stream": { + "version": "1.0.8", + "resolved": "https://registry.npmjs.org/combined-stream/-/combined-stream-1.0.8.tgz", + "integrity": "sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==", + "requires": { + "delayed-stream": "~1.0.0" + } + }, "concat-map": { "version": "0.0.1", "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz", @@ -1480,9 +1793,9 @@ "dev": true }, "cross-spawn": { - "version": "7.0.3", - "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.3.tgz", - "integrity": "sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==", + "version": "7.0.6", + "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.6.tgz", + "integrity": "sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==", "dev": true, "requires": { "path-key": "^3.1.0", @@ -1510,6 +1823,50 @@ "integrity": "sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==", "dev": true }, + "delayed-stream": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/delayed-stream/-/delayed-stream-1.0.0.tgz", + "integrity": "sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ==" + }, + "dunder-proto": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/dunder-proto/-/dunder-proto-1.0.1.tgz", + "integrity": "sha512-KIN/nDJBQRcXw0MLVhZE9iQHmG68qAVIBg9CqmUYjmQIhgij9U5MFvrqkUL5FbtyyzZuOeOt0zdeRe4UY7ct+A==", + "requires": { + "call-bind-apply-helpers": "^1.0.1", + "es-errors": "^1.3.0", + "gopd": "^1.2.0" + } + }, + "es-define-property": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/es-define-property/-/es-define-property-1.0.1.tgz", + "integrity": "sha512-e3nRfgfUZ4rNGL232gUgX06QNyyez04KdjFrF+LTRoOXmrOgFKDg4BCdsjW8EnT69eqdYGmRpJwiPVYNrCaW3g==" + }, + "es-errors": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/es-errors/-/es-errors-1.3.0.tgz", + "integrity": "sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==" + }, + "es-object-atoms": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/es-object-atoms/-/es-object-atoms-1.1.1.tgz", + "integrity": "sha512-FGgH2h8zKNim9ljj7dankFPcICIK9Cp5bm+c2gQSYePhpaG5+esrLODihIorn+Pe6FGJzWhXQotPv73jTaldXA==", + "requires": { + "es-errors": "^1.3.0" + } + }, + "es-set-tostringtag": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/es-set-tostringtag/-/es-set-tostringtag-2.1.0.tgz", + "integrity": "sha512-j6vWzfrGVfyXxge+O0x5sh6cvxAog0a/4Rdd2K36zCMV5eJ+/+tOAngRO8cODMNWbVRdVlmGZQL2YS3yR8bIUA==", + "requires": { + "es-errors": "^1.3.0", + "get-intrinsic": "^1.2.6", + "has-tostringtag": "^1.0.2", + "hasown": "^2.0.2" + } + }, "escape-string-regexp": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz", @@ -1696,6 +2053,23 @@ "integrity": "sha512-X8cqMLLie7KsNUDSdzeN8FYK9rEt4Dt67OsG/DNGnYTSDBG4uFAJFBnUeiV+zCVAvwFy56IjM9sH51jVaEhNxw==", "dev": true }, + "follow-redirects": { + "version": "1.15.11", + "resolved": "https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.15.11.tgz", + "integrity": "sha512-deG2P0JfjrTxl50XGCDyfI97ZGVCxIpfKYmfyrQ54n5FO/0gfIES8C/Psl6kWVDolizcaaxZJnTS0QSMxvnsBQ==" + }, + "form-data": { + "version": "4.0.4", + "resolved": "https://registry.npmjs.org/form-data/-/form-data-4.0.4.tgz", + "integrity": "sha512-KrGhL9Q4zjj0kiUt5OO4Mr/A/jlI2jDYs5eHBpYHPcBEVSiipAvn2Ko2HnPe20rmcuuvMHNdZFp+4IlGTMF0Ow==", + "requires": { + "asynckit": "^0.4.0", + "combined-stream": "^1.0.8", + "es-set-tostringtag": "^2.1.0", + "hasown": "^2.0.2", + "mime-types": "^2.1.12" + } + }, "formdata-polyfill": { "version": "4.0.10", "resolved": "https://registry.npmjs.org/formdata-polyfill/-/formdata-polyfill-4.0.10.tgz", @@ -1704,6 +2078,37 @@ "fetch-blob": "^3.1.2" } }, + "function-bind": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.2.tgz", + "integrity": "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==" + }, + "get-intrinsic": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.3.0.tgz", + "integrity": "sha512-9fSjSaos/fRIVIp+xSJlE6lfwhES7LNtKaCBIamHsjr2na1BiABJPo0mOjjz8GJDURarmCPGqaiVg5mfjb98CQ==", + "requires": { + "call-bind-apply-helpers": "^1.0.2", + "es-define-property": "^1.0.1", + "es-errors": "^1.3.0", + "es-object-atoms": "^1.1.1", + "function-bind": "^1.1.2", + "get-proto": "^1.0.1", + "gopd": "^1.2.0", + "has-symbols": "^1.1.0", + "hasown": "^2.0.2", + "math-intrinsics": "^1.1.0" + } + }, + "get-proto": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/get-proto/-/get-proto-1.0.1.tgz", + "integrity": "sha512-sTSfBjoXBp89JvIKIefqw7U2CCebsc74kiY6awiGogKtoSGbgjYE/G/+l9sF3MWFPNc9IcoOC4ODfKHfxFmp0g==", + "requires": { + "dunder-proto": "^1.0.1", + "es-object-atoms": "^1.0.0" + } + }, "glob-parent": { "version": "6.0.2", "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-6.0.2.tgz", @@ -1719,12 +2124,38 @@ "integrity": "sha512-oahGvuMGQlPw/ivIYBjVSrWAfWLBeku5tpPE2fOPLi+WHffIWbuh2tCjhyQhTBPMf5E9jDEH4FOmTYgYwbKwtQ==", "dev": true }, + "gopd": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/gopd/-/gopd-1.2.0.tgz", + "integrity": "sha512-ZUKRh6/kUFoAiTAtTYPZJ3hw9wNxx+BIBOijnlG9PnrJsCcSjs1wyyD6vJpaYtgnzDrKYRSqf3OO6Rfa93xsRg==" + }, "has-flag": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", "dev": true }, + "has-symbols": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.1.0.tgz", + "integrity": "sha512-1cDNdwJ2Jaohmb3sg4OmKaMBwuC48sYni5HUw2DvsC8LjGTLK9h+eb1X6RyuOHe4hT0ULCW68iomhjUoKUqlPQ==" + }, + "has-tostringtag": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/has-tostringtag/-/has-tostringtag-1.0.2.tgz", + "integrity": "sha512-NqADB8VjPFLM2V0VvHUewwwsw0ZWBaIdgo+ieHtK3hasLz4qeCRjYcqfB6AQrBggRKppKF8L52/VqdVsO47Dlw==", + "requires": { + "has-symbols": "^1.0.3" + } + }, + "hasown": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/hasown/-/hasown-2.0.2.tgz", + "integrity": "sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==", + "requires": { + "function-bind": "^1.1.2" + } + }, "ignore": { "version": "5.3.1", "resolved": "https://registry.npmjs.org/ignore/-/ignore-5.3.1.tgz", @@ -1847,6 +2278,24 @@ "integrity": "sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==", "dev": true }, + "math-intrinsics": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/math-intrinsics/-/math-intrinsics-1.1.0.tgz", + "integrity": "sha512-/IXtbwEk5HTPyEwyKX6hGkYXxM9nbj64B+ilVJnC/R6B0pH5G4V3b0pVbL7DBj4tkhBAppbQUlf6F6Xl9LHu1g==" + }, + "mime-db": { + "version": "1.52.0", + "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.52.0.tgz", + "integrity": "sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==" + }, + "mime-types": { + "version": "2.1.35", + "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-2.1.35.tgz", + "integrity": "sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==", + "requires": { + "mime-db": "1.52.0" + } + }, "minimatch": { "version": "3.1.2", "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz", @@ -1942,6 +2391,11 @@ "integrity": "sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==", "dev": true }, + "proxy-from-env": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/proxy-from-env/-/proxy-from-env-1.1.0.tgz", + "integrity": "sha512-D+zkORCbA9f1tdWRK0RaCR3GPv50cMxcrz4X8k5LTSUD1Dkw47mKJEZQNunItRTkWwgtaUSo1RVFRIG9ZXiFYg==" + }, "punycode": { "version": "2.3.1", "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.3.1.tgz", diff --git a/package.json b/package.json index d8833b1a87..0e17c782e0 100644 --- a/package.json +++ b/package.json @@ -1,5 +1,6 @@ { "dependencies": { + "axios": "^1.11.0", "node-fetch": "^3.3.1" }, "devDependencies": {