Merge branch 'master' into simon/sponsor-page-ux
This commit is contained in:
		
						commit
						bba4b5d32c
					
				| @ -147,7 +147,7 @@ class BitcoinApi implements AbstractBitcoinApi { | |||||||
|         scriptpubkey: vout.scriptPubKey.hex, |         scriptpubkey: vout.scriptPubKey.hex, | ||||||
|         scriptpubkey_address: vout.scriptPubKey && vout.scriptPubKey.address ? vout.scriptPubKey.address |         scriptpubkey_address: vout.scriptPubKey && vout.scriptPubKey.address ? vout.scriptPubKey.address | ||||||
|           : vout.scriptPubKey.addresses ? vout.scriptPubKey.addresses[0] : '', |           : vout.scriptPubKey.addresses ? vout.scriptPubKey.addresses[0] : '', | ||||||
|         scriptpubkey_asm: vout.scriptPubKey.asm ? this.convertScriptSigAsm(vout.scriptPubKey.asm) : '', |         scriptpubkey_asm: vout.scriptPubKey.asm ? this.convertScriptSigAsm(vout.scriptPubKey.hex) : '', | ||||||
|         scriptpubkey_type: this.translateScriptPubKeyType(vout.scriptPubKey.type), |         scriptpubkey_type: this.translateScriptPubKeyType(vout.scriptPubKey.type), | ||||||
|       }; |       }; | ||||||
|     }); |     }); | ||||||
| @ -157,7 +157,7 @@ class BitcoinApi implements AbstractBitcoinApi { | |||||||
|         is_coinbase: !!vin.coinbase, |         is_coinbase: !!vin.coinbase, | ||||||
|         prevout: null, |         prevout: null, | ||||||
|         scriptsig: vin.scriptSig && vin.scriptSig.hex || vin.coinbase || '', |         scriptsig: vin.scriptSig && vin.scriptSig.hex || vin.coinbase || '', | ||||||
|         scriptsig_asm: vin.scriptSig && this.convertScriptSigAsm(vin.scriptSig.asm) || '', |         scriptsig_asm: vin.scriptSig && this.convertScriptSigAsm(vin.scriptSig.hex) || '', | ||||||
|         sequence: vin.sequence, |         sequence: vin.sequence, | ||||||
|         txid: vin.txid || '', |         txid: vin.txid || '', | ||||||
|         vout: vin.vout || 0, |         vout: vin.vout || 0, | ||||||
| @ -290,38 +290,68 @@ class BitcoinApi implements AbstractBitcoinApi { | |||||||
|     return transaction; |     return transaction; | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   private convertScriptSigAsm(str: string): string { |   private convertScriptSigAsm(hex: string): string { | ||||||
|     const a = str.split(' '); |     const buf = Buffer.from(hex, 'hex'); | ||||||
|  | 
 | ||||||
|     const b: string[] = []; |     const b: string[] = []; | ||||||
|     a.forEach((chunk) => { | 
 | ||||||
|       if (chunk.substr(0, 3) === 'OP_') { |     let i = 0; | ||||||
|         chunk = chunk.replace(/^OP_(\d+)$/, 'OP_PUSHNUM_$1'); |     while (i < buf.length) { | ||||||
|         chunk = chunk.replace('OP_CHECKSEQUENCEVERIFY', 'OP_CSV'); |       const op = buf[i]; | ||||||
|         chunk = chunk.replace('OP_CHECKLOCKTIMEVERIFY', 'OP_CLTV'); |       if (op >= 0x01 && op <= 0x4e) { | ||||||
|         b.push(chunk); |         i++; | ||||||
|  |         let push: number; | ||||||
|  |         if (op === 0x4c) { | ||||||
|  |           push = buf.readUInt8(i); | ||||||
|  |           b.push('OP_PUSHDATA1'); | ||||||
|  |           i += 1; | ||||||
|  |         } else if (op === 0x4d) { | ||||||
|  |           push = buf.readUInt16LE(i); | ||||||
|  |           b.push('OP_PUSHDATA2'); | ||||||
|  |           i += 2; | ||||||
|  |         } else if (op === 0x4e) { | ||||||
|  |           push = buf.readUInt32LE(i); | ||||||
|  |           b.push('OP_PUSHDATA4'); | ||||||
|  |           i += 4; | ||||||
|         } else { |         } else { | ||||||
|         chunk = chunk.replace('[ALL]', '01'); |           push = op; | ||||||
|         if (chunk === '0') { |           b.push('OP_PUSHBYTES_' + push); | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|  |         const data = buf.slice(i, i + push); | ||||||
|  |         if (data.length !== push) { | ||||||
|  |           break; | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|  |         b.push(data.toString('hex')); | ||||||
|  |         i += data.length; | ||||||
|  |       } else { | ||||||
|  |         if (op === 0x00) { | ||||||
|           b.push('OP_0'); |           b.push('OP_0'); | ||||||
|         } else if (chunk.match(/^[^0]\d*$/)) { |         } else if (op === 0x4f) { | ||||||
|           const chunkInt = parseInt(chunk, 10); |           b.push('OP_PUSHNUM_NEG1'); | ||||||
|           if (chunkInt < 0) { |         } else if (op === 0xb1) { | ||||||
|             b.push('OP_PUSHNUM_NEG' + -chunkInt); |           b.push('OP_CLTV'); | ||||||
|  |         } else if (op === 0xb2) { | ||||||
|  |           b.push('OP_CSV'); | ||||||
|  |         } else if (op === 0xba) { | ||||||
|  |           b.push('OP_CHECKSIGADD'); | ||||||
|         } else { |         } else { | ||||||
|             b.push('OP_PUSHNUM_' + chunk); |           const opcode = bitcoinjs.script.toASM([ op ]); | ||||||
|  |           if (opcode && op < 0xfd) { | ||||||
|  |             if (/^OP_(\d+)$/.test(opcode)) { | ||||||
|  |               b.push(opcode.replace(/^OP_(\d+)$/, 'OP_PUSHNUM_$1')); | ||||||
|  |             } else { | ||||||
|  |               b.push(opcode); | ||||||
|             } |             } | ||||||
|           } else { |           } else { | ||||||
|           const dataLength = Math.round(chunk.length / 2); |             b.push('OP_RETURN_' + op); | ||||||
|           if (dataLength > 255) { |  | ||||||
|             b.push('OP_PUSHDATA2' + ' ' + chunk); |  | ||||||
|           } else if (dataLength > 75) { |  | ||||||
|             b.push('OP_PUSHDATA1' + ' ' + chunk); |  | ||||||
|           } else { |  | ||||||
|             b.push('OP_PUSHBYTES_' + dataLength + ' ' + chunk); |  | ||||||
|           } |           } | ||||||
|         } |         } | ||||||
|  |         i += 1; | ||||||
|       } |       } | ||||||
|     }); |     } | ||||||
|  | 
 | ||||||
|     return b.join(' '); |     return b.join(' '); | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
| @ -332,21 +362,21 @@ class BitcoinApi implements AbstractBitcoinApi { | |||||||
| 
 | 
 | ||||||
|     if (vin.prevout.scriptpubkey_type === 'p2sh') { |     if (vin.prevout.scriptpubkey_type === 'p2sh') { | ||||||
|       const redeemScript = vin.scriptsig_asm.split(' ').reverse()[0]; |       const redeemScript = vin.scriptsig_asm.split(' ').reverse()[0]; | ||||||
|       vin.inner_redeemscript_asm = this.convertScriptSigAsm(bitcoinjs.script.toASM(Buffer.from(redeemScript, 'hex'))); |       vin.inner_redeemscript_asm = this.convertScriptSigAsm(redeemScript); | ||||||
|       if (vin.witness && vin.witness.length > 2) { |       if (vin.witness && vin.witness.length > 2) { | ||||||
|         const witnessScript = vin.witness[vin.witness.length - 1]; |         const witnessScript = vin.witness[vin.witness.length - 1]; | ||||||
|         vin.inner_witnessscript_asm = this.convertScriptSigAsm(bitcoinjs.script.toASM(Buffer.from(witnessScript, 'hex'))); |         vin.inner_witnessscript_asm = this.convertScriptSigAsm(witnessScript); | ||||||
|       } |       } | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     if (vin.prevout.scriptpubkey_type === 'v0_p2wsh' && vin.witness) { |     if (vin.prevout.scriptpubkey_type === 'v0_p2wsh' && vin.witness) { | ||||||
|       const witnessScript = vin.witness[vin.witness.length - 1]; |       const witnessScript = vin.witness[vin.witness.length - 1]; | ||||||
|       vin.inner_witnessscript_asm = this.convertScriptSigAsm(bitcoinjs.script.toASM(Buffer.from(witnessScript, 'hex'))); |       vin.inner_witnessscript_asm = this.convertScriptSigAsm(witnessScript); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     if (vin.prevout.scriptpubkey_type === 'v1_p2tr' && vin.witness && vin.witness.length > 1) { |     if (vin.prevout.scriptpubkey_type === 'v1_p2tr' && vin.witness && vin.witness.length > 1) { | ||||||
|       const witnessScript = vin.witness[vin.witness.length - 2]; |       const witnessScript = vin.witness[vin.witness.length - 2]; | ||||||
|       vin.inner_witnessscript_asm = this.convertScriptSigAsm(bitcoinjs.script.toASM(Buffer.from(witnessScript, 'hex'))); |       vin.inner_witnessscript_asm = this.convertScriptSigAsm(witnessScript); | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -23,6 +23,7 @@ class Blocks { | |||||||
|   private newBlockCallbacks: ((block: BlockExtended, txIds: string[], transactions: TransactionExtended[]) => void)[] = []; |   private newBlockCallbacks: ((block: BlockExtended, txIds: string[], transactions: TransactionExtended[]) => void)[] = []; | ||||||
|   private blockIndexingStarted = false; |   private blockIndexingStarted = false; | ||||||
|   public blockIndexingCompleted = false; |   public blockIndexingCompleted = false; | ||||||
|  |   public reindexFlag = true; // Always re-index the latest indexed data in case the node went offline with an invalid block tip (reorg)
 | ||||||
| 
 | 
 | ||||||
|   constructor() { } |   constructor() { } | ||||||
| 
 | 
 | ||||||
| @ -74,9 +75,12 @@ class Blocks { | |||||||
|           transactions.push(tx); |           transactions.push(tx); | ||||||
|           transactionsFetched++; |           transactionsFetched++; | ||||||
|         } catch (e) { |         } catch (e) { | ||||||
|           logger.debug('Error fetching block tx: ' + (e instanceof Error ? e.message : e)); |  | ||||||
|           if (i === 0) { |           if (i === 0) { | ||||||
|             throw new Error('Failed to fetch Coinbase transaction: ' + txIds[i]); |             const msg = `Cannot fetch coinbase tx ${txIds[i]}. Reason: ` + (e instanceof Error ? e.message : e);  | ||||||
|  |             logger.err(msg); | ||||||
|  |             throw new Error(msg); | ||||||
|  |           } else { | ||||||
|  |             logger.err(`Cannot fetch tx ${txIds[i]}. Reason: ` + (e instanceof Error ? e.message : e)); | ||||||
|           } |           } | ||||||
|         } |         } | ||||||
|       } |       } | ||||||
| @ -135,6 +139,12 @@ class Blocks { | |||||||
|       } else { |       } else { | ||||||
|         pool = await poolsRepository.$getUnknownPool(); |         pool = await poolsRepository.$getUnknownPool(); | ||||||
|       } |       } | ||||||
|  | 
 | ||||||
|  |       if (!pool) { // We should never have this situation in practise
 | ||||||
|  |         logger.warn(`Cannot assign pool to block ${blockExtended.height} and 'unknown' pool does not exist. Check your "pools" table entries`); | ||||||
|  |         return blockExtended; | ||||||
|  |       } | ||||||
|  | 
 | ||||||
|       blockExtended.extras.pool = { |       blockExtended.extras.pool = { | ||||||
|         id: pool.id, |         id: pool.id, | ||||||
|         name: pool.name, |         name: pool.name, | ||||||
| @ -183,16 +193,19 @@ class Blocks { | |||||||
|    * [INDEXING] Index all blocks metadata for the mining dashboard |    * [INDEXING] Index all blocks metadata for the mining dashboard | ||||||
|    */ |    */ | ||||||
|   public async $generateBlockDatabase() { |   public async $generateBlockDatabase() { | ||||||
|     if (this.blockIndexingStarted) { |     if (this.blockIndexingStarted && !this.reindexFlag) { | ||||||
|       return; |       return; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  |     this.reindexFlag = false; | ||||||
|  | 
 | ||||||
|     const blockchainInfo = await bitcoinClient.getBlockchainInfo(); |     const blockchainInfo = await bitcoinClient.getBlockchainInfo(); | ||||||
|     if (blockchainInfo.blocks !== blockchainInfo.headers) { // Wait for node to sync
 |     if (blockchainInfo.blocks !== blockchainInfo.headers) { // Wait for node to sync
 | ||||||
|       return; |       return; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     this.blockIndexingStarted = true; |     this.blockIndexingStarted = true; | ||||||
|  |     this.blockIndexingCompleted = false; | ||||||
| 
 | 
 | ||||||
|     try { |     try { | ||||||
|       let currentBlockHeight = blockchainInfo.blocks; |       let currentBlockHeight = blockchainInfo.blocks; | ||||||
| @ -204,11 +217,12 @@ class Blocks { | |||||||
| 
 | 
 | ||||||
|       const lastBlockToIndex = Math.max(0, currentBlockHeight - indexingBlockAmount + 1); |       const lastBlockToIndex = Math.max(0, currentBlockHeight - indexingBlockAmount + 1); | ||||||
| 
 | 
 | ||||||
|       logger.info(`Indexing blocks from #${currentBlockHeight} to #${lastBlockToIndex}`); |       logger.debug(`Indexing blocks from #${currentBlockHeight} to #${lastBlockToIndex}`); | ||||||
| 
 | 
 | ||||||
|       const chunkSize = 10000; |       const chunkSize = 10000; | ||||||
|       let totaIndexed = await blocksRepository.$blockCount(null, null); |       let totaIndexed = await blocksRepository.$blockCount(null, null); | ||||||
|       let indexedThisRun = 0; |       let indexedThisRun = 0; | ||||||
|  |       let newlyIndexed = 0; | ||||||
|       const startedAt = new Date().getTime() / 1000; |       const startedAt = new Date().getTime() / 1000; | ||||||
|       let timer = new Date().getTime() / 1000; |       let timer = new Date().getTime() / 1000; | ||||||
| 
 | 
 | ||||||
| @ -218,12 +232,11 @@ class Blocks { | |||||||
|         const missingBlockHeights: number[] = await blocksRepository.$getMissingBlocksBetweenHeights( |         const missingBlockHeights: number[] = await blocksRepository.$getMissingBlocksBetweenHeights( | ||||||
|           currentBlockHeight, endBlock); |           currentBlockHeight, endBlock); | ||||||
|         if (missingBlockHeights.length <= 0) { |         if (missingBlockHeights.length <= 0) { | ||||||
|           logger.debug(`No missing blocks between #${currentBlockHeight} to #${endBlock}`); |  | ||||||
|           currentBlockHeight -= chunkSize; |           currentBlockHeight -= chunkSize; | ||||||
|           continue; |           continue; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         logger.debug(`Indexing ${missingBlockHeights.length} blocks from #${currentBlockHeight} to #${endBlock}`); |         logger.info(`Indexing ${missingBlockHeights.length} blocks from #${currentBlockHeight} to #${endBlock}`); | ||||||
| 
 | 
 | ||||||
|         for (const blockHeight of missingBlockHeights) { |         for (const blockHeight of missingBlockHeights) { | ||||||
|           if (blockHeight < lastBlockToIndex) { |           if (blockHeight < lastBlockToIndex) { | ||||||
| @ -245,14 +258,16 @@ class Blocks { | |||||||
|           const block = BitcoinApi.convertBlock(await bitcoinClient.getBlock(blockHash)); |           const block = BitcoinApi.convertBlock(await bitcoinClient.getBlock(blockHash)); | ||||||
|           const transactions = await this.$getTransactionsExtended(blockHash, block.height, true, true); |           const transactions = await this.$getTransactionsExtended(blockHash, block.height, true, true); | ||||||
|           const blockExtended = await this.$getBlockExtended(block, transactions); |           const blockExtended = await this.$getBlockExtended(block, transactions); | ||||||
|  | 
 | ||||||
|  |           newlyIndexed++; | ||||||
|           await blocksRepository.$saveBlockInDatabase(blockExtended); |           await blocksRepository.$saveBlockInDatabase(blockExtended); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         currentBlockHeight -= chunkSize; |         currentBlockHeight -= chunkSize; | ||||||
|       } |       } | ||||||
|       logger.info('Block indexing completed'); |       logger.info(`Indexed ${newlyIndexed} blocks`); | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       logger.err('An error occured in $generateBlockDatabase(). Trying again later. ' + e); |       logger.err('Block indexing failed. Trying again later. Reason: ' + (e instanceof Error ? e.message : e)); | ||||||
|       this.blockIndexingStarted = false; |       this.blockIndexingStarted = false; | ||||||
|       return; |       return; | ||||||
|     } |     } | ||||||
| @ -310,6 +325,12 @@ class Blocks { | |||||||
| 
 | 
 | ||||||
|       if (Common.indexingEnabled()) { |       if (Common.indexingEnabled()) { | ||||||
|         await blocksRepository.$saveBlockInDatabase(blockExtended); |         await blocksRepository.$saveBlockInDatabase(blockExtended); | ||||||
|  | 
 | ||||||
|  |         // If the last 10 blocks chain is not valid, re-index them (reorg)
 | ||||||
|  |         const chainValid = await blocksRepository.$validateRecentBlocks(); | ||||||
|  |         if (!chainValid) { | ||||||
|  |           this.reindexFlag = true; | ||||||
|  |         } | ||||||
|       } |       } | ||||||
| 
 | 
 | ||||||
|       if (block.height % 2016 === 0) { |       if (block.height % 2016 === 0) { | ||||||
|  | |||||||
| @ -1,6 +1,5 @@ | |||||||
| import { PoolConnection } from 'mysql2/promise'; |  | ||||||
| import config from '../config'; | import config from '../config'; | ||||||
| import { DB } from '../database'; | import DB from '../database'; | ||||||
| import logger from '../logger'; | import logger from '../logger'; | ||||||
| 
 | 
 | ||||||
| const sleep = (ms: number) => new Promise(res => setTimeout(res, ms)); | const sleep = (ms: number) => new Promise(res => setTimeout(res, ms)); | ||||||
| @ -77,116 +76,112 @@ class DatabaseMigration { | |||||||
|     await this.$setStatisticsAddedIndexedFlag(databaseSchemaVersion); |     await this.$setStatisticsAddedIndexedFlag(databaseSchemaVersion); | ||||||
| 
 | 
 | ||||||
|     const isBitcoin = ['mainnet', 'testnet', 'signet'].includes(config.MEMPOOL.NETWORK); |     const isBitcoin = ['mainnet', 'testnet', 'signet'].includes(config.MEMPOOL.NETWORK); | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     try { |     try { | ||||||
|       await this.$executeQuery(connection, this.getCreateElementsTableQuery(), await this.$checkIfTableExists('elements_pegs')); |       await this.$executeQuery(this.getCreateElementsTableQuery(), await this.$checkIfTableExists('elements_pegs')); | ||||||
|       await this.$executeQuery(connection, this.getCreateStatisticsQuery(), await this.$checkIfTableExists('statistics')); |       await this.$executeQuery(this.getCreateStatisticsQuery(), await this.$checkIfTableExists('statistics')); | ||||||
|       if (databaseSchemaVersion < 2 && this.statisticsAddedIndexed === false) { |       if (databaseSchemaVersion < 2 && this.statisticsAddedIndexed === false) { | ||||||
|         await this.$executeQuery(connection, `CREATE INDEX added ON statistics (added);`); |         await this.$executeQuery(`CREATE INDEX added ON statistics (added);`); | ||||||
|       } |       } | ||||||
|       if (databaseSchemaVersion < 3) { |       if (databaseSchemaVersion < 3) { | ||||||
|         await this.$executeQuery(connection, this.getCreatePoolsTableQuery(), await this.$checkIfTableExists('pools')); |         await this.$executeQuery(this.getCreatePoolsTableQuery(), await this.$checkIfTableExists('pools')); | ||||||
|       } |       } | ||||||
|       if (databaseSchemaVersion < 4) { |       if (databaseSchemaVersion < 4) { | ||||||
|         await this.$executeQuery(connection, 'DROP table IF EXISTS blocks;'); |         await this.$executeQuery('DROP table IF EXISTS blocks;'); | ||||||
|         await this.$executeQuery(connection, this.getCreateBlocksTableQuery(), await this.$checkIfTableExists('blocks')); |         await this.$executeQuery(this.getCreateBlocksTableQuery(), await this.$checkIfTableExists('blocks')); | ||||||
|       } |       } | ||||||
|       if (databaseSchemaVersion < 5 && isBitcoin === true) { |       if (databaseSchemaVersion < 5 && isBitcoin === true) { | ||||||
|         logger.warn(`'blocks' table has been truncated. Re-indexing from scratch.`); |         logger.warn(`'blocks' table has been truncated. Re-indexing from scratch.`); | ||||||
|         await this.$executeQuery(connection, 'TRUNCATE blocks;'); // Need to re-index
 |         await this.$executeQuery('TRUNCATE blocks;'); // Need to re-index
 | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks ADD `reward` double unsigned NOT NULL DEFAULT "0"'); |         await this.$executeQuery('ALTER TABLE blocks ADD `reward` double unsigned NOT NULL DEFAULT "0"'); | ||||||
|       } |       } | ||||||
| 
 | 
 | ||||||
|       if (databaseSchemaVersion < 6 && isBitcoin === true) { |       if (databaseSchemaVersion < 6 && isBitcoin === true) { | ||||||
|         logger.warn(`'blocks' table has been truncated. Re-indexing from scratch.`); |         logger.warn(`'blocks' table has been truncated. Re-indexing from scratch.`); | ||||||
|         await this.$executeQuery(connection, 'TRUNCATE blocks;');  // Need to re-index
 |         await this.$executeQuery('TRUNCATE blocks;');  // Need to re-index
 | ||||||
|         // Cleanup original blocks fields type
 |         // Cleanup original blocks fields type
 | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks MODIFY `height` integer unsigned NOT NULL DEFAULT "0"'); |         await this.$executeQuery('ALTER TABLE blocks MODIFY `height` integer unsigned NOT NULL DEFAULT "0"'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks MODIFY `tx_count` smallint unsigned NOT NULL DEFAULT "0"'); |         await this.$executeQuery('ALTER TABLE blocks MODIFY `tx_count` smallint unsigned NOT NULL DEFAULT "0"'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks MODIFY `size` integer unsigned NOT NULL DEFAULT "0"'); |         await this.$executeQuery('ALTER TABLE blocks MODIFY `size` integer unsigned NOT NULL DEFAULT "0"'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks MODIFY `weight` integer unsigned NOT NULL DEFAULT "0"'); |         await this.$executeQuery('ALTER TABLE blocks MODIFY `weight` integer unsigned NOT NULL DEFAULT "0"'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks MODIFY `difficulty` double NOT NULL DEFAULT "0"'); |         await this.$executeQuery('ALTER TABLE blocks MODIFY `difficulty` double NOT NULL DEFAULT "0"'); | ||||||
|         // We also fix the pools.id type so we need to drop/re-create the foreign key
 |         // We also fix the pools.id type so we need to drop/re-create the foreign key
 | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks DROP FOREIGN KEY IF EXISTS `blocks_ibfk_1`'); |         await this.$executeQuery('ALTER TABLE blocks DROP FOREIGN KEY IF EXISTS `blocks_ibfk_1`'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE pools MODIFY `id` smallint unsigned AUTO_INCREMENT'); |         await this.$executeQuery('ALTER TABLE pools MODIFY `id` smallint unsigned AUTO_INCREMENT'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks MODIFY `pool_id` smallint unsigned NULL'); |         await this.$executeQuery('ALTER TABLE blocks MODIFY `pool_id` smallint unsigned NULL'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks ADD FOREIGN KEY (`pool_id`) REFERENCES `pools` (`id`)'); |         await this.$executeQuery('ALTER TABLE blocks ADD FOREIGN KEY (`pool_id`) REFERENCES `pools` (`id`)'); | ||||||
|         // Add new block indexing fields
 |         // Add new block indexing fields
 | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks ADD `version` integer unsigned NOT NULL DEFAULT "0"'); |         await this.$executeQuery('ALTER TABLE blocks ADD `version` integer unsigned NOT NULL DEFAULT "0"'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks ADD `bits` integer unsigned NOT NULL DEFAULT "0"'); |         await this.$executeQuery('ALTER TABLE blocks ADD `bits` integer unsigned NOT NULL DEFAULT "0"'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks ADD `nonce` bigint unsigned NOT NULL DEFAULT "0"'); |         await this.$executeQuery('ALTER TABLE blocks ADD `nonce` bigint unsigned NOT NULL DEFAULT "0"'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks ADD `merkle_root` varchar(65) NOT NULL DEFAULT ""'); |         await this.$executeQuery('ALTER TABLE blocks ADD `merkle_root` varchar(65) NOT NULL DEFAULT ""'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks ADD `previous_block_hash` varchar(65) NULL'); |         await this.$executeQuery('ALTER TABLE blocks ADD `previous_block_hash` varchar(65) NULL'); | ||||||
|       } |       } | ||||||
| 
 | 
 | ||||||
|       if (databaseSchemaVersion < 7 && isBitcoin === true) { |       if (databaseSchemaVersion < 7 && isBitcoin === true) { | ||||||
|         await this.$executeQuery(connection, 'DROP table IF EXISTS hashrates;'); |         await this.$executeQuery('DROP table IF EXISTS hashrates;'); | ||||||
|         await this.$executeQuery(connection, this.getCreateDailyStatsTableQuery(), await this.$checkIfTableExists('hashrates')); |         await this.$executeQuery(this.getCreateDailyStatsTableQuery(), await this.$checkIfTableExists('hashrates')); | ||||||
|       } |       } | ||||||
| 
 | 
 | ||||||
|       if (databaseSchemaVersion < 8 && isBitcoin === true) { |       if (databaseSchemaVersion < 8 && isBitcoin === true) { | ||||||
|         logger.warn(`'hashrates' table has been truncated. Re-indexing from scratch.`); |         logger.warn(`'hashrates' table has been truncated. Re-indexing from scratch.`); | ||||||
|         await this.$executeQuery(connection, 'TRUNCATE hashrates;'); // Need to re-index
 |         await this.$executeQuery('TRUNCATE hashrates;'); // Need to re-index
 | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE `hashrates` DROP INDEX `PRIMARY`'); |         await this.$executeQuery('ALTER TABLE `hashrates` DROP INDEX `PRIMARY`'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE `hashrates` ADD `id` int NOT NULL AUTO_INCREMENT PRIMARY KEY FIRST'); |         await this.$executeQuery('ALTER TABLE `hashrates` ADD `id` int NOT NULL AUTO_INCREMENT PRIMARY KEY FIRST'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE `hashrates` ADD `share` float NOT NULL DEFAULT "0"'); |         await this.$executeQuery('ALTER TABLE `hashrates` ADD `share` float NOT NULL DEFAULT "0"'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE `hashrates` ADD `type` enum("daily", "weekly") DEFAULT "daily"'); |         await this.$executeQuery('ALTER TABLE `hashrates` ADD `type` enum("daily", "weekly") DEFAULT "daily"'); | ||||||
|       } |       } | ||||||
| 
 | 
 | ||||||
|       if (databaseSchemaVersion < 9 && isBitcoin === true) { |       if (databaseSchemaVersion < 9 && isBitcoin === true) { | ||||||
|         logger.warn(`'hashrates' table has been truncated. Re-indexing from scratch.`); |         logger.warn(`'hashrates' table has been truncated. Re-indexing from scratch.`); | ||||||
|         await this.$executeQuery(connection, 'TRUNCATE hashrates;'); // Need to re-index
 |         await this.$executeQuery('TRUNCATE hashrates;'); // Need to re-index
 | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE `state` CHANGE `name` `name` varchar(100)'); |         await this.$executeQuery('ALTER TABLE `state` CHANGE `name` `name` varchar(100)'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE `hashrates` ADD UNIQUE `hashrate_timestamp_pool_id` (`hashrate_timestamp`, `pool_id`)'); |         await this.$executeQuery('ALTER TABLE `hashrates` ADD UNIQUE `hashrate_timestamp_pool_id` (`hashrate_timestamp`, `pool_id`)'); | ||||||
|       } |       } | ||||||
| 
 | 
 | ||||||
|       if (databaseSchemaVersion < 10 && isBitcoin === true) { |       if (databaseSchemaVersion < 10 && isBitcoin === true) { | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE `blocks` ADD INDEX `blockTimestamp` (`blockTimestamp`)'); |         await this.$executeQuery('ALTER TABLE `blocks` ADD INDEX `blockTimestamp` (`blockTimestamp`)'); | ||||||
|       } |       } | ||||||
| 
 | 
 | ||||||
|       if (databaseSchemaVersion < 11 && isBitcoin === true) { |       if (databaseSchemaVersion < 11 && isBitcoin === true) { | ||||||
|         logger.warn(`'blocks' table has been truncated. Re-indexing from scratch.`); |         logger.warn(`'blocks' table has been truncated. Re-indexing from scratch.`); | ||||||
|         await this.$executeQuery(connection, 'TRUNCATE blocks;'); // Need to re-index
 |         await this.$executeQuery('TRUNCATE blocks;'); // Need to re-index
 | ||||||
|         await this.$executeQuery(connection, `ALTER TABLE blocks
 |         await this.$executeQuery(`ALTER TABLE blocks
 | ||||||
|           ADD avg_fee INT UNSIGNED NULL, |           ADD avg_fee INT UNSIGNED NULL, | ||||||
|           ADD avg_fee_rate INT UNSIGNED NULL |           ADD avg_fee_rate INT UNSIGNED NULL | ||||||
|         `);
 |         `);
 | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks MODIFY `reward` BIGINT UNSIGNED NOT NULL DEFAULT "0"'); |         await this.$executeQuery('ALTER TABLE blocks MODIFY `reward` BIGINT UNSIGNED NOT NULL DEFAULT "0"'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks MODIFY `median_fee` INT UNSIGNED NOT NULL DEFAULT "0"'); |         await this.$executeQuery('ALTER TABLE blocks MODIFY `median_fee` INT UNSIGNED NOT NULL DEFAULT "0"'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks MODIFY `fees` INT UNSIGNED NOT NULL DEFAULT "0"'); |         await this.$executeQuery('ALTER TABLE blocks MODIFY `fees` INT UNSIGNED NOT NULL DEFAULT "0"'); | ||||||
|       } |       } | ||||||
| 
 | 
 | ||||||
|       if (databaseSchemaVersion < 12 && isBitcoin === true) { |       if (databaseSchemaVersion < 12 && isBitcoin === true) { | ||||||
|         // No need to re-index because the new data type can contain larger values
 |         // No need to re-index because the new data type can contain larger values
 | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks MODIFY `fees` BIGINT UNSIGNED NOT NULL DEFAULT "0"'); |         await this.$executeQuery('ALTER TABLE blocks MODIFY `fees` BIGINT UNSIGNED NOT NULL DEFAULT "0"'); | ||||||
|       } |       } | ||||||
| 
 | 
 | ||||||
|       if (databaseSchemaVersion < 13 && isBitcoin === true) { |       if (databaseSchemaVersion < 13 && isBitcoin === true) { | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks MODIFY `difficulty` DOUBLE UNSIGNED NOT NULL DEFAULT "0"'); |         await this.$executeQuery('ALTER TABLE blocks MODIFY `difficulty` DOUBLE UNSIGNED NOT NULL DEFAULT "0"'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks MODIFY `median_fee` BIGINT UNSIGNED NOT NULL DEFAULT "0"'); |         await this.$executeQuery('ALTER TABLE blocks MODIFY `median_fee` BIGINT UNSIGNED NOT NULL DEFAULT "0"'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks MODIFY `avg_fee` BIGINT UNSIGNED NOT NULL DEFAULT "0"'); |         await this.$executeQuery('ALTER TABLE blocks MODIFY `avg_fee` BIGINT UNSIGNED NOT NULL DEFAULT "0"'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE blocks MODIFY `avg_fee_rate` BIGINT UNSIGNED NOT NULL DEFAULT "0"'); |         await this.$executeQuery('ALTER TABLE blocks MODIFY `avg_fee_rate` BIGINT UNSIGNED NOT NULL DEFAULT "0"'); | ||||||
|       } |       } | ||||||
| 
 | 
 | ||||||
|       if (databaseSchemaVersion < 14 && isBitcoin === true) { |       if (databaseSchemaVersion < 14 && isBitcoin === true) { | ||||||
|         logger.warn(`'hashrates' table has been truncated. Re-indexing from scratch.`); |         logger.warn(`'hashrates' table has been truncated. Re-indexing from scratch.`); | ||||||
|         await this.$executeQuery(connection, 'TRUNCATE hashrates;'); // Need to re-index
 |         await this.$executeQuery('TRUNCATE hashrates;'); // Need to re-index
 | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE `hashrates` DROP FOREIGN KEY `hashrates_ibfk_1`'); |         await this.$executeQuery('ALTER TABLE `hashrates` DROP FOREIGN KEY `hashrates_ibfk_1`'); | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE `hashrates` MODIFY `pool_id` SMALLINT UNSIGNED NOT NULL DEFAULT "0"'); |         await this.$executeQuery('ALTER TABLE `hashrates` MODIFY `pool_id` SMALLINT UNSIGNED NOT NULL DEFAULT "0"'); | ||||||
|       } |       } | ||||||
| 
 | 
 | ||||||
|       if (databaseSchemaVersion < 16 && isBitcoin === true) { |       if (databaseSchemaVersion < 16 && isBitcoin === true) { | ||||||
|         logger.warn(`'hashrates' table has been truncated. Re-indexing from scratch.`); |         logger.warn(`'hashrates' table has been truncated. Re-indexing from scratch.`); | ||||||
|         await this.$executeQuery(connection, 'TRUNCATE hashrates;'); // Need to re-index because we changed timestamps
 |         await this.$executeQuery('TRUNCATE hashrates;'); // Need to re-index because we changed timestamps
 | ||||||
|       } |       } | ||||||
| 
 | 
 | ||||||
|       if (databaseSchemaVersion < 17 && isBitcoin === true) { |       if (databaseSchemaVersion < 17 && isBitcoin === true) { | ||||||
|         await this.$executeQuery(connection, 'ALTER TABLE `pools` ADD `slug` CHAR(50) NULL'); |         await this.$executeQuery('ALTER TABLE `pools` ADD `slug` CHAR(50) NULL'); | ||||||
|       } |       } | ||||||
| 
 |  | ||||||
|       connection.release(); |  | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| @ -203,13 +198,11 @@ class DatabaseMigration { | |||||||
|       return; |       return; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
| 
 |  | ||||||
|     try { |     try { | ||||||
|       // We don't use "CREATE INDEX IF NOT EXISTS" because it is not supported on old mariadb version 5.X
 |       // We don't use "CREATE INDEX IF NOT EXISTS" because it is not supported on old mariadb version 5.X
 | ||||||
|       const query = `SELECT COUNT(1) hasIndex FROM INFORMATION_SCHEMA.STATISTICS
 |       const query = `SELECT COUNT(1) hasIndex FROM INFORMATION_SCHEMA.STATISTICS
 | ||||||
|         WHERE table_schema=DATABASE() AND table_name='statistics' AND index_name='added';`;
 |         WHERE table_schema=DATABASE() AND table_name='statistics' AND index_name='added';`;
 | ||||||
|       const [rows] = await this.$executeQuery(connection, query, true); |       const [rows] = await this.$executeQuery(query, true); | ||||||
|       if (rows[0].hasIndex === 0) { |       if (rows[0].hasIndex === 0) { | ||||||
|         logger.debug('MIGRATIONS: `statistics.added` is not indexed'); |         logger.debug('MIGRATIONS: `statistics.added` is not indexed'); | ||||||
|         this.statisticsAddedIndexed = false; |         this.statisticsAddedIndexed = false; | ||||||
| @ -223,28 +216,24 @@ class DatabaseMigration { | |||||||
|       logger.err('MIGRATIONS: Unable to check if `statistics.added` INDEX exist or not.'); |       logger.err('MIGRATIONS: Unable to check if `statistics.added` INDEX exist or not.'); | ||||||
|       this.statisticsAddedIndexed = true; |       this.statisticsAddedIndexed = true; | ||||||
|     } |     } | ||||||
| 
 |  | ||||||
|     connection.release(); |  | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   /** |   /** | ||||||
|    * Small query execution wrapper to log all executed queries |    * Small query execution wrapper to log all executed queries | ||||||
|    */ |    */ | ||||||
|   private async $executeQuery(connection: PoolConnection, query: string, silent: boolean = false): Promise<any> { |   private async $executeQuery(query: string, silent: boolean = false): Promise<any> { | ||||||
|     if (!silent) { |     if (!silent) { | ||||||
|       logger.debug('MIGRATIONS: Execute query:\n' + query); |       logger.debug('MIGRATIONS: Execute query:\n' + query); | ||||||
|     } |     } | ||||||
|     return connection.query<any>({ sql: query, timeout: this.queryTimeout }); |     return DB.query({ sql: query, timeout: this.queryTimeout }); | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   /** |   /** | ||||||
|    * Check if 'table' exists in the database |    * Check if 'table' exists in the database | ||||||
|    */ |    */ | ||||||
|   private async $checkIfTableExists(table: string): Promise<boolean> { |   private async $checkIfTableExists(table: string): Promise<boolean> { | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     const query = `SELECT COUNT(*) FROM information_schema.tables WHERE table_schema = '${config.DATABASE.DATABASE}' AND TABLE_NAME = '${table}'`; |     const query = `SELECT COUNT(*) FROM information_schema.tables WHERE table_schema = '${config.DATABASE.DATABASE}' AND TABLE_NAME = '${table}'`; | ||||||
|     const [rows] = await connection.query<any>({ sql: query, timeout: this.queryTimeout }); |     const [rows] = await DB.query({ sql: query, timeout: this.queryTimeout }); | ||||||
|     connection.release(); |  | ||||||
|     return rows[0]['COUNT(*)'] === 1; |     return rows[0]['COUNT(*)'] === 1; | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
| @ -252,10 +241,8 @@ class DatabaseMigration { | |||||||
|    * Get current database version |    * Get current database version | ||||||
|    */ |    */ | ||||||
|   private async $getSchemaVersionFromDatabase(): Promise<number> { |   private async $getSchemaVersionFromDatabase(): Promise<number> { | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     const query = `SELECT number FROM state WHERE name = 'schema_version';`; |     const query = `SELECT number FROM state WHERE name = 'schema_version';`; | ||||||
|     const [rows] = await this.$executeQuery(connection, query, true); |     const [rows] = await this.$executeQuery(query, true); | ||||||
|     connection.release(); |  | ||||||
|     return rows[0]['number']; |     return rows[0]['number']; | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
| @ -263,8 +250,6 @@ class DatabaseMigration { | |||||||
|    * Create the `state` table |    * Create the `state` table | ||||||
|    */ |    */ | ||||||
|   private async $createMigrationStateTable(): Promise<void> { |   private async $createMigrationStateTable(): Promise<void> { | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
| 
 |  | ||||||
|     try { |     try { | ||||||
|       const query = `CREATE TABLE IF NOT EXISTS state (
 |       const query = `CREATE TABLE IF NOT EXISTS state (
 | ||||||
|         name varchar(25) NOT NULL, |         name varchar(25) NOT NULL, | ||||||
| @ -272,15 +257,12 @@ class DatabaseMigration { | |||||||
|         string varchar(100) NULL, |         string varchar(100) NULL, | ||||||
|         CONSTRAINT name_unique UNIQUE (name) |         CONSTRAINT name_unique UNIQUE (name) | ||||||
|       ) ENGINE=InnoDB DEFAULT CHARSET=utf8;`;
 |       ) ENGINE=InnoDB DEFAULT CHARSET=utf8;`;
 | ||||||
|       await this.$executeQuery(connection, query); |       await this.$executeQuery(query); | ||||||
| 
 | 
 | ||||||
|       // Set initial values
 |       // Set initial values
 | ||||||
|       await this.$executeQuery(connection, `INSERT INTO state VALUES('schema_version', 0, NULL);`); |       await this.$executeQuery(`INSERT INTO state VALUES('schema_version', 0, NULL);`); | ||||||
|       await this.$executeQuery(connection, `INSERT INTO state VALUES('last_elements_block', 0, NULL);`); |       await this.$executeQuery(`INSERT INTO state VALUES('last_elements_block', 0, NULL);`); | ||||||
| 
 |  | ||||||
|       connection.release(); |  | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| @ -295,18 +277,14 @@ class DatabaseMigration { | |||||||
|     } |     } | ||||||
|     transactionQueries.push(this.getUpdateToLatestSchemaVersionQuery()); |     transactionQueries.push(this.getUpdateToLatestSchemaVersionQuery()); | ||||||
| 
 | 
 | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     try { |     try { | ||||||
|       await this.$executeQuery(connection, 'START TRANSACTION;'); |       await this.$executeQuery('START TRANSACTION;'); | ||||||
|       for (const query of transactionQueries) { |       for (const query of transactionQueries) { | ||||||
|         await this.$executeQuery(connection, query); |         await this.$executeQuery(query); | ||||||
|       } |       } | ||||||
|       await this.$executeQuery(connection, 'COMMIT;'); |       await this.$executeQuery('COMMIT;'); | ||||||
| 
 |  | ||||||
|       connection.release(); |  | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       await this.$executeQuery(connection, 'ROLLBACK;'); |       await this.$executeQuery('ROLLBACK;'); | ||||||
|       connection.release(); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| @ -346,14 +324,12 @@ class DatabaseMigration { | |||||||
|    * Print current database version |    * Print current database version | ||||||
|    */ |    */ | ||||||
|   private async $printDatabaseVersion() { |   private async $printDatabaseVersion() { | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     try { |     try { | ||||||
|       const [rows] = await this.$executeQuery(connection, 'SELECT VERSION() as version;', true); |       const [rows] = await this.$executeQuery('SELECT VERSION() as version;', true); | ||||||
|       logger.debug(`MIGRATIONS: Database engine version '${rows[0].version}'`); |       logger.debug(`MIGRATIONS: Database engine version '${rows[0].version}'`); | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       logger.debug(`MIGRATIONS: Could not fetch database engine version. ` + e); |       logger.debug(`MIGRATIONS: Could not fetch database engine version. ` + e); | ||||||
|     } |     } | ||||||
|     connection.release(); |  | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   // Couple of wrappers to clean the main logic
 |   // Couple of wrappers to clean the main logic
 | ||||||
| @ -490,24 +466,22 @@ class DatabaseMigration { | |||||||
|   public async $truncateIndexedData(tables: string[]) { |   public async $truncateIndexedData(tables: string[]) { | ||||||
|     const allowedTables = ['blocks', 'hashrates']; |     const allowedTables = ['blocks', 'hashrates']; | ||||||
| 
 | 
 | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     try { |     try { | ||||||
|       for (const table of tables) { |       for (const table of tables) { | ||||||
|         if (!allowedTables.includes(table)) { |         if (!allowedTables.includes(table)) { | ||||||
|           logger.debug(`Table ${table} cannot to be re-indexed (not allowed)`); |           logger.debug(`Table ${table} cannot to be re-indexed (not allowed)`); | ||||||
|           continue; |           continue; | ||||||
|         }; |         } | ||||||
| 
 | 
 | ||||||
|         await this.$executeQuery(connection, `TRUNCATE ${table}`, true); |         await this.$executeQuery(`TRUNCATE ${table}`, true); | ||||||
|         if (table === 'hashrates') { |         if (table === 'hashrates') { | ||||||
|           await this.$executeQuery(connection, 'UPDATE state set number = 0 where name = "last_hashrates_indexing"', true); |           await this.$executeQuery('UPDATE state set number = 0 where name = "last_hashrates_indexing"', true); | ||||||
|         } |         } | ||||||
|         logger.notice(`Table ${table} has been truncated`); |         logger.notice(`Table ${table} has been truncated`); | ||||||
|       } |       } | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       logger.warn(`Unable to erase indexed data`); |       logger.warn(`Unable to erase indexed data`); | ||||||
|     } |     } | ||||||
|     connection.release(); |  | ||||||
|   } |   } | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -2,7 +2,7 @@ import { IBitcoinApi } from '../bitcoin/bitcoin-api.interface'; | |||||||
| import bitcoinClient from '../bitcoin/bitcoin-client'; | import bitcoinClient from '../bitcoin/bitcoin-client'; | ||||||
| import bitcoinSecondClient from '../bitcoin/bitcoin-second-client'; | import bitcoinSecondClient from '../bitcoin/bitcoin-second-client'; | ||||||
| import { Common } from '../common'; | import { Common } from '../common'; | ||||||
| import { DB } from '../../database'; | import DB from '../../database'; | ||||||
| import logger from '../../logger'; | import logger from '../../logger'; | ||||||
| 
 | 
 | ||||||
| class ElementsParser { | class ElementsParser { | ||||||
| @ -33,10 +33,8 @@ class ElementsParser { | |||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   public async $getPegDataByMonth(): Promise<any> { |   public async $getPegDataByMonth(): Promise<any> { | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     const query = `SELECT SUM(amount) AS amount, DATE_FORMAT(FROM_UNIXTIME(datetime), '%Y-%m-01') AS date FROM elements_pegs GROUP BY DATE_FORMAT(FROM_UNIXTIME(datetime), '%Y%m')`; |     const query = `SELECT SUM(amount) AS amount, DATE_FORMAT(FROM_UNIXTIME(datetime), '%Y-%m-01') AS date FROM elements_pegs GROUP BY DATE_FORMAT(FROM_UNIXTIME(datetime), '%Y%m')`; | ||||||
|     const [rows] = await connection.query<any>(query); |     const [rows] = await DB.query(query); | ||||||
|     connection.release(); |  | ||||||
|     return rows; |     return rows; | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
| @ -79,7 +77,6 @@ class ElementsParser { | |||||||
| 
 | 
 | ||||||
|   protected async $savePegToDatabase(height: number, blockTime: number, amount: number, txid: string, |   protected async $savePegToDatabase(height: number, blockTime: number, amount: number, txid: string, | ||||||
|     txindex: number, bitcoinaddress: string, bitcointxid: string, bitcoinindex: number, final_tx: number): Promise<void> { |     txindex: number, bitcoinaddress: string, bitcointxid: string, bitcoinindex: number, final_tx: number): Promise<void> { | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     const query = `INSERT INTO elements_pegs(
 |     const query = `INSERT INTO elements_pegs(
 | ||||||
|         block, datetime, amount, txid, txindex, bitcoinaddress, bitcointxid, bitcoinindex, final_tx |         block, datetime, amount, txid, txindex, bitcoinaddress, bitcointxid, bitcoinindex, final_tx | ||||||
|       ) VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?)`;
 |       ) VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?)`;
 | ||||||
| @ -87,24 +84,19 @@ class ElementsParser { | |||||||
|     const params: (string | number)[] = [ |     const params: (string | number)[] = [ | ||||||
|       height, blockTime, amount, txid, txindex, bitcoinaddress, bitcointxid, bitcoinindex, final_tx |       height, blockTime, amount, txid, txindex, bitcoinaddress, bitcointxid, bitcoinindex, final_tx | ||||||
|     ]; |     ]; | ||||||
|     await connection.query(query, params); |     await DB.query(query, params); | ||||||
|     connection.release(); |  | ||||||
|     logger.debug(`Saved L-BTC peg from block height #${height} with TXID ${txid}.`); |     logger.debug(`Saved L-BTC peg from block height #${height} with TXID ${txid}.`); | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   protected async $getLatestBlockHeightFromDatabase(): Promise<number> { |   protected async $getLatestBlockHeightFromDatabase(): Promise<number> { | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     const query = `SELECT number FROM state WHERE name = 'last_elements_block'`; |     const query = `SELECT number FROM state WHERE name = 'last_elements_block'`; | ||||||
|     const [rows] = await connection.query<any>(query); |     const [rows] = await DB.query(query); | ||||||
|     connection.release(); |  | ||||||
|     return rows[0]['number']; |     return rows[0]['number']; | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   protected async $saveLatestBlockToDatabase(blockHeight: number) { |   protected async $saveLatestBlockToDatabase(blockHeight: number) { | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     const query = `UPDATE state SET number = ? WHERE name = 'last_elements_block'`; |     const query = `UPDATE state SET number = ? WHERE name = 'last_elements_block'`; | ||||||
|     await connection.query<any>(query, [blockHeight]); |     await DB.query(query, [blockHeight]); | ||||||
|     connection.release(); |  | ||||||
|   } |   } | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -5,6 +5,7 @@ import HashratesRepository from '../repositories/HashratesRepository'; | |||||||
| import bitcoinClient from './bitcoin/bitcoin-client'; | import bitcoinClient from './bitcoin/bitcoin-client'; | ||||||
| import logger from '../logger'; | import logger from '../logger'; | ||||||
| import blocks from './blocks'; | import blocks from './blocks'; | ||||||
|  | import { Common } from './common'; | ||||||
| 
 | 
 | ||||||
| class Mining { | class Mining { | ||||||
|   hashrateIndexingStarted = false; |   hashrateIndexingStarted = false; | ||||||
| @ -13,6 +14,26 @@ class Mining { | |||||||
|   constructor() { |   constructor() { | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|  |   /** | ||||||
|  |    * Get historical block reward and total fee | ||||||
|  |    */ | ||||||
|  |   public async $getHistoricalBlockFees(interval: string | null = null): Promise<any> { | ||||||
|  |     return await BlocksRepository.$getHistoricalBlockFees( | ||||||
|  |       this.getTimeRange(interval), | ||||||
|  |       Common.getSqlInterval(interval) | ||||||
|  |     ); | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   /** | ||||||
|  |    * Get historical block rewards | ||||||
|  |    */ | ||||||
|  |   public async $getHistoricalBlockRewards(interval: string | null = null): Promise<any> { | ||||||
|  |     return await BlocksRepository.$getHistoricalBlockRewards( | ||||||
|  |       this.getTimeRange(interval), | ||||||
|  |       Common.getSqlInterval(interval) | ||||||
|  |     ); | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|   /** |   /** | ||||||
|    * Generate high level overview of the pool ranks and general stats |    * Generate high level overview of the pool ranks and general stats | ||||||
|    */ |    */ | ||||||
| @ -45,8 +66,8 @@ class Mining { | |||||||
|     const blockCount: number = await BlocksRepository.$blockCount(null, interval); |     const blockCount: number = await BlocksRepository.$blockCount(null, interval); | ||||||
|     poolsStatistics['blockCount'] = blockCount; |     poolsStatistics['blockCount'] = blockCount; | ||||||
| 
 | 
 | ||||||
|     const blockHeightTip = await bitcoinClient.getBlockCount(); |     const totalBlock24h: number = await BlocksRepository.$blockCount(null, '24h'); | ||||||
|     const lastBlockHashrate = await bitcoinClient.getNetworkHashPs(144, blockHeightTip); |     const lastBlockHashrate = await bitcoinClient.getNetworkHashPs(totalBlock24h); | ||||||
|     poolsStatistics['lastEstimatedHashrate'] = lastBlockHashrate; |     poolsStatistics['lastEstimatedHashrate'] = lastBlockHashrate; | ||||||
| 
 | 
 | ||||||
|     return poolsStatistics; |     return poolsStatistics; | ||||||
| @ -62,12 +83,30 @@ class Mining { | |||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     const blockCount: number = await BlocksRepository.$blockCount(pool.id); |     const blockCount: number = await BlocksRepository.$blockCount(pool.id); | ||||||
|     const emptyBlocksCount = await BlocksRepository.$countEmptyBlocks(pool.id); |     const totalBlock: number = await BlocksRepository.$blockCount(null, null); | ||||||
|  | 
 | ||||||
|  |     const blockCount24h: number = await BlocksRepository.$blockCount(pool.id, '24h'); | ||||||
|  |     const totalBlock24h: number = await BlocksRepository.$blockCount(null, '24h'); | ||||||
|  | 
 | ||||||
|  |     const blockCount1w: number = await BlocksRepository.$blockCount(pool.id, '1w'); | ||||||
|  |     const totalBlock1w: number = await BlocksRepository.$blockCount(null, '1w'); | ||||||
|  | 
 | ||||||
|  |     const currentEstimatedkHashrate = await bitcoinClient.getNetworkHashPs(totalBlock24h); | ||||||
| 
 | 
 | ||||||
|     return { |     return { | ||||||
|       pool: pool, |       pool: pool, | ||||||
|       blockCount: blockCount, |       blockCount: { | ||||||
|       emptyBlocks: emptyBlocksCount.length > 0 ? emptyBlocksCount[0]['count'] : 0, |         'all': blockCount, | ||||||
|  |         '24h': blockCount24h, | ||||||
|  |         '1w': blockCount1w, | ||||||
|  |       }, | ||||||
|  |       blockShare: { | ||||||
|  |         'all': blockCount / totalBlock, | ||||||
|  |         '24h': blockCount24h / totalBlock24h, | ||||||
|  |         '1w': blockCount1w / totalBlock1w, | ||||||
|  |       }, | ||||||
|  |       estimatedHashrate: currentEstimatedkHashrate * (blockCount24h / totalBlock24h), | ||||||
|  |       reportedHashrate: null, | ||||||
|     }; |     }; | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
| @ -103,8 +142,6 @@ class Mining { | |||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     try { |     try { | ||||||
|       logger.info(`Indexing mining pools weekly hashrates`); |  | ||||||
| 
 |  | ||||||
|       const indexedTimestamp = await HashratesRepository.$getWeeklyHashrateTimestamps(); |       const indexedTimestamp = await HashratesRepository.$getWeeklyHashrateTimestamps(); | ||||||
|       const hashrates: any[] = []; |       const hashrates: any[] = []; | ||||||
|       const genesisTimestamp = 1231006505000; // bitcoin-cli getblock 000000000019d6689c085ae165831e934ff763ae46a2a6c172b3f1b60a8ce26f
 |       const genesisTimestamp = 1231006505000; // bitcoin-cli getblock 000000000019d6689c085ae165831e934ff763ae46a2a6c172b3f1b60a8ce26f
 | ||||||
| @ -116,6 +153,7 @@ class Mining { | |||||||
|       const totalWeekIndexed = (await BlocksRepository.$blockCount(null, null)) / 1008; |       const totalWeekIndexed = (await BlocksRepository.$blockCount(null, null)) / 1008; | ||||||
|       let indexedThisRun = 0; |       let indexedThisRun = 0; | ||||||
|       let totalIndexed = 0; |       let totalIndexed = 0; | ||||||
|  |       let newlyIndexed = 0; | ||||||
|       let startedAt = new Date().getTime(); |       let startedAt = new Date().getTime(); | ||||||
| 
 | 
 | ||||||
|       while (toTimestamp > genesisTimestamp) { |       while (toTimestamp > genesisTimestamp) { | ||||||
| @ -159,6 +197,7 @@ class Mining { | |||||||
|           }); |           }); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|  |         newlyIndexed += hashrates.length; | ||||||
|         await HashratesRepository.$saveHashrates(hashrates); |         await HashratesRepository.$saveHashrates(hashrates); | ||||||
|         hashrates.length = 0; |         hashrates.length = 0; | ||||||
| 
 | 
 | ||||||
| @ -178,7 +217,9 @@ class Mining { | |||||||
|       } |       } | ||||||
|       this.weeklyHashrateIndexingStarted = false; |       this.weeklyHashrateIndexingStarted = false; | ||||||
|       await HashratesRepository.$setLatestRunTimestamp('last_weekly_hashrates_indexing'); |       await HashratesRepository.$setLatestRunTimestamp('last_weekly_hashrates_indexing'); | ||||||
|       logger.info(`Weekly pools hashrate indexing completed`); |       if (newlyIndexed > 0) { | ||||||
|  |         logger.info(`Indexed ${newlyIndexed} pools weekly hashrate`); | ||||||
|  |       } | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       this.weeklyHashrateIndexingStarted = false; |       this.weeklyHashrateIndexingStarted = false; | ||||||
|       throw e; |       throw e; | ||||||
| @ -210,8 +251,6 @@ class Mining { | |||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     try { |     try { | ||||||
|       logger.info(`Indexing network daily hashrate`); |  | ||||||
| 
 |  | ||||||
|       const indexedTimestamp = (await HashratesRepository.$getNetworkDailyHashrate(null)).map(hashrate => hashrate.timestamp); |       const indexedTimestamp = (await HashratesRepository.$getNetworkDailyHashrate(null)).map(hashrate => hashrate.timestamp); | ||||||
|       const genesisTimestamp = 1231006505000; // bitcoin-cli getblock 000000000019d6689c085ae165831e934ff763ae46a2a6c172b3f1b60a8ce26f
 |       const genesisTimestamp = 1231006505000; // bitcoin-cli getblock 000000000019d6689c085ae165831e934ff763ae46a2a6c172b3f1b60a8ce26f
 | ||||||
|       const lastMidnight = this.getDateMidnight(new Date()); |       const lastMidnight = this.getDateMidnight(new Date()); | ||||||
| @ -221,6 +260,7 @@ class Mining { | |||||||
|       const totalDayIndexed = (await BlocksRepository.$blockCount(null, null)) / 144; |       const totalDayIndexed = (await BlocksRepository.$blockCount(null, null)) / 144; | ||||||
|       let indexedThisRun = 0; |       let indexedThisRun = 0; | ||||||
|       let totalIndexed = 0; |       let totalIndexed = 0; | ||||||
|  |       let newlyIndexed = 0; | ||||||
|       let startedAt = new Date().getTime(); |       let startedAt = new Date().getTime(); | ||||||
| 
 | 
 | ||||||
|       while (toTimestamp > genesisTimestamp) { |       while (toTimestamp > genesisTimestamp) { | ||||||
| @ -255,6 +295,7 @@ class Mining { | |||||||
|         }); |         }); | ||||||
| 
 | 
 | ||||||
|         if (hashrates.length > 10) { |         if (hashrates.length > 10) { | ||||||
|  |           newlyIndexed += hashrates.length; | ||||||
|           await HashratesRepository.$saveHashrates(hashrates); |           await HashratesRepository.$saveHashrates(hashrates); | ||||||
|           hashrates.length = 0; |           hashrates.length = 0; | ||||||
|         } |         } | ||||||
| @ -264,7 +305,8 @@ class Mining { | |||||||
|           const daysPerSeconds = (indexedThisRun / elapsedSeconds).toFixed(2); |           const daysPerSeconds = (indexedThisRun / elapsedSeconds).toFixed(2); | ||||||
|           const formattedDate = new Date(fromTimestamp).toUTCString(); |           const formattedDate = new Date(fromTimestamp).toUTCString(); | ||||||
|           const daysLeft = Math.round(totalDayIndexed - totalIndexed); |           const daysLeft = Math.round(totalDayIndexed - totalIndexed); | ||||||
|           logger.debug(`Getting network daily hashrate for ${formattedDate} | ~${daysPerSeconds} days/sec | ~${daysLeft} days left to index`); |           logger.debug(`Getting network daily hashrate for ${formattedDate} | ~${daysPerSeconds} days/sec | ` + | ||||||
|  |             `~${daysLeft} days left to index`); | ||||||
|           startedAt = new Date().getTime(); |           startedAt = new Date().getTime(); | ||||||
|           indexedThisRun = 0; |           indexedThisRun = 0; | ||||||
|         } |         } | ||||||
| @ -284,11 +326,14 @@ class Mining { | |||||||
|         }); |         }); | ||||||
|       } |       } | ||||||
| 
 | 
 | ||||||
|  |       newlyIndexed += hashrates.length; | ||||||
|       await HashratesRepository.$saveHashrates(hashrates); |       await HashratesRepository.$saveHashrates(hashrates); | ||||||
| 
 | 
 | ||||||
|       await HashratesRepository.$setLatestRunTimestamp('last_hashrates_indexing'); |       await HashratesRepository.$setLatestRunTimestamp('last_hashrates_indexing'); | ||||||
|       this.hashrateIndexingStarted = false; |       this.hashrateIndexingStarted = false; | ||||||
|       logger.info(`Daily network hashrate indexing completed`); |       if (newlyIndexed > 0) { | ||||||
|  |         logger.info(`Indexed ${newlyIndexed} day of network hashrate`); | ||||||
|  |       } | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       this.hashrateIndexingStarted = false; |       this.hashrateIndexingStarted = false; | ||||||
|       throw e; |       throw e; | ||||||
| @ -303,6 +348,21 @@ class Mining { | |||||||
| 
 | 
 | ||||||
|     return date; |     return date; | ||||||
|   } |   } | ||||||
|  | 
 | ||||||
|  |   private getTimeRange(interval: string | null): number { | ||||||
|  |     switch (interval) { | ||||||
|  |       case '3y': return 43200; // 12h
 | ||||||
|  |       case '2y': return 28800; // 8h
 | ||||||
|  |       case '1y': return 28800; // 8h
 | ||||||
|  |       case '6m': return 10800; // 3h
 | ||||||
|  |       case '3m': return 7200; // 2h
 | ||||||
|  |       case '1m': return 1800; // 30min
 | ||||||
|  |       case '1w': return 300; // 5min
 | ||||||
|  |       case '3d': return 1; | ||||||
|  |       case '24h': return 1; | ||||||
|  |       default: return 86400; // 24h
 | ||||||
|  |     } | ||||||
|  |   } | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| export default new Mining(); | export default new Mining(); | ||||||
|  | |||||||
| @ -1,5 +1,4 @@ | |||||||
| import { readFileSync } from 'fs'; | import DB from '../database'; | ||||||
| import { DB } from '../database'; |  | ||||||
| import logger from '../logger'; | import logger from '../logger'; | ||||||
| import config from '../config'; | import config from '../config'; | ||||||
| 
 | 
 | ||||||
| @ -17,23 +16,11 @@ class PoolsParser { | |||||||
|   /** |   /** | ||||||
|    * Parse the pools.json file, consolidate the data and dump it into the database |    * Parse the pools.json file, consolidate the data and dump it into the database | ||||||
|    */ |    */ | ||||||
|   public async migratePoolsJson() { |   public async migratePoolsJson(poolsJson: object) { | ||||||
|     if (['mainnet', 'testnet', 'signet'].includes(config.MEMPOOL.NETWORK) === false) { |     if (['mainnet', 'testnet', 'signet'].includes(config.MEMPOOL.NETWORK) === false) { | ||||||
|       return; |       return; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     logger.debug('Importing pools.json to the database, open ./pools.json'); |  | ||||||
| 
 |  | ||||||
|     let poolsJson: object = {}; |  | ||||||
|     try { |  | ||||||
|       const fileContent: string = readFileSync('./pools.json', 'utf8'); |  | ||||||
|       poolsJson = JSON.parse(fileContent); |  | ||||||
|     } catch (e) { |  | ||||||
|       logger.err('Unable to open ./pools.json, does the file exist?'); |  | ||||||
|       await this.insertUnknownPool(); |  | ||||||
|       return; |  | ||||||
|     } |  | ||||||
| 
 |  | ||||||
|     // First we save every entries without paying attention to pool duplication
 |     // First we save every entries without paying attention to pool duplication
 | ||||||
|     const poolsDuplicated: Pool[] = []; |     const poolsDuplicated: Pool[] = []; | ||||||
| 
 | 
 | ||||||
| @ -71,13 +58,11 @@ class PoolsParser { | |||||||
|     logger.debug(`Found ${poolNames.length} unique mining pools`); |     logger.debug(`Found ${poolNames.length} unique mining pools`); | ||||||
| 
 | 
 | ||||||
|     // Get existing pools from the db
 |     // Get existing pools from the db
 | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     let existingPools; |     let existingPools; | ||||||
|     try { |     try { | ||||||
|       [existingPools] = await connection.query<any>({ sql: 'SELECT * FROM pools;', timeout: 120000 }); |       [existingPools] = await DB.query({ sql: 'SELECT * FROM pools;', timeout: 120000 }); | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       logger.err('Unable to get existing pools from the database, skipping pools.json import'); |       logger.err('Cannot get existing pools from the database, skipping pools.json import'); | ||||||
|       connection.release(); |  | ||||||
|       return; |       return; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
| @ -109,7 +94,7 @@ class PoolsParser { | |||||||
|       if (slug === undefined) { |       if (slug === undefined) { | ||||||
|         // Only keep alphanumerical
 |         // Only keep alphanumerical
 | ||||||
|         slug = poolNames[i].replace(/[^a-z0-9]/gi, '').toLowerCase(); |         slug = poolNames[i].replace(/[^a-z0-9]/gi, '').toLowerCase(); | ||||||
|         logger.debug(`No slug found for '${poolNames[i]}', generating it => '${slug}'`); |         logger.warn(`No slug found for '${poolNames[i]}', generating it => '${slug}'`); | ||||||
|       } |       } | ||||||
| 
 | 
 | ||||||
|       if (existingPools.find((pool) => pool.name === poolNames[i]) !== undefined) { |       if (existingPools.find((pool) => pool.name === poolNames[i]) !== undefined) { | ||||||
| @ -157,17 +142,15 @@ class PoolsParser { | |||||||
| 
 | 
 | ||||||
|     try { |     try { | ||||||
|       if (finalPoolDataAdd.length > 0) { |       if (finalPoolDataAdd.length > 0) { | ||||||
|         await connection.query<any>({ sql: queryAdd, timeout: 120000 }); |         await DB.query({ sql: queryAdd, timeout: 120000 }); | ||||||
|       } |       } | ||||||
|       for (const query of updateQueries) { |       for (const query of updateQueries) { | ||||||
|         await connection.query<any>({ sql: query, timeout: 120000 }); |         await DB.query({ sql: query, timeout: 120000 }); | ||||||
|       } |       } | ||||||
|       await this.insertUnknownPool(); |       await this.insertUnknownPool(); | ||||||
|       connection.release(); |  | ||||||
|       logger.info('Mining pools.json import completed'); |       logger.info('Mining pools.json import completed'); | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |       logger.err(`Cannot import pools in the database`); | ||||||
|       logger.err(`Unable to import pools in the database!`); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| @ -176,16 +159,15 @@ class PoolsParser { | |||||||
|    * Manually add the 'unknown pool' |    * Manually add the 'unknown pool' | ||||||
|    */ |    */ | ||||||
|   private async insertUnknownPool() { |   private async insertUnknownPool() { | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     try { |     try { | ||||||
|       const [rows]: any[] = await connection.query({ sql: 'SELECT name from pools where name="Unknown"', timeout: 120000 }); |       const [rows]: any[] = await DB.query({ sql: 'SELECT name from pools where name="Unknown"', timeout: 120000 }); | ||||||
|       if (rows.length === 0) { |       if (rows.length === 0) { | ||||||
|         await connection.query({ |         await DB.query({ | ||||||
|           sql: `INSERT INTO pools(name, link, regexes, addresses, slug)
 |           sql: `INSERT INTO pools(name, link, regexes, addresses, slug)
 | ||||||
|           VALUES("Unknown", "https://learnmeabitcoin.com/technical/coinbase-transaction", "[]", "[]", "unknown"); |           VALUES("Unknown", "https://learnmeabitcoin.com/technical/coinbase-transaction", "[]", "[]", "unknown"); | ||||||
|         `});
 |         `});
 | ||||||
|       } else { |       } else { | ||||||
|         await connection.query(`UPDATE pools
 |         await DB.query(`UPDATE pools
 | ||||||
|           SET name='Unknown', link='https://learnmeabitcoin.com/technical/coinbase-transaction', |           SET name='Unknown', link='https://learnmeabitcoin.com/technical/coinbase-transaction', | ||||||
|           regexes='[]', addresses='[]', |           regexes='[]', addresses='[]', | ||||||
|           slug='unknown' |           slug='unknown' | ||||||
| @ -195,8 +177,6 @@ class PoolsParser { | |||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       logger.err('Unable to insert "Unknown" mining pool'); |       logger.err('Unable to insert "Unknown" mining pool'); | ||||||
|     } |     } | ||||||
| 
 |  | ||||||
|     connection.release(); |  | ||||||
|   } |   } | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -1,5 +1,5 @@ | |||||||
| import memPool from './mempool'; | import memPool from './mempool'; | ||||||
| import { DB } from '../database'; | import DB from '../database'; | ||||||
| import logger from '../logger'; | import logger from '../logger'; | ||||||
| 
 | 
 | ||||||
| import { Statistic, TransactionExtended, OptimizedStatistic } from '../mempool.interfaces'; | import { Statistic, TransactionExtended, OptimizedStatistic } from '../mempool.interfaces'; | ||||||
| @ -155,7 +155,6 @@ class Statistics { | |||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   private async $createZeroedStatistic(): Promise<number | undefined> { |   private async $createZeroedStatistic(): Promise<number | undefined> { | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     try { |     try { | ||||||
|       const query = `INSERT INTO statistics(
 |       const query = `INSERT INTO statistics(
 | ||||||
|               added, |               added, | ||||||
| @ -206,17 +205,14 @@ class Statistics { | |||||||
|             ) |             ) | ||||||
|             VALUES (NOW(), 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, |             VALUES (NOW(), 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, | ||||||
|                0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0)`;
 |                0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0)`;
 | ||||||
|       const [result]: any = await connection.query(query); |       const [result]: any = await DB.query(query); | ||||||
|       connection.release(); |  | ||||||
|       return result.insertId; |       return result.insertId; | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |  | ||||||
|       logger.err('$create() error' + (e instanceof Error ? e.message : e)); |       logger.err('$create() error' + (e instanceof Error ? e.message : e)); | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   private async $create(statistics: Statistic): Promise<number | undefined> { |   private async $create(statistics: Statistic): Promise<number | undefined> { | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     try { |     try { | ||||||
|       const query = `INSERT INTO statistics(
 |       const query = `INSERT INTO statistics(
 | ||||||
|               added, |               added, | ||||||
| @ -314,11 +310,9 @@ class Statistics { | |||||||
|         statistics.vsize_1800, |         statistics.vsize_1800, | ||||||
|         statistics.vsize_2000, |         statistics.vsize_2000, | ||||||
|       ]; |       ]; | ||||||
|       const [result]: any = await connection.query(query, params); |       const [result]: any = await DB.query(query, params); | ||||||
|       connection.release(); |  | ||||||
|       return result.insertId; |       return result.insertId; | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |  | ||||||
|       logger.err('$create() error' + (e instanceof Error ? e.message : e)); |       logger.err('$create() error' + (e instanceof Error ? e.message : e)); | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| @ -421,10 +415,8 @@ class Statistics { | |||||||
| 
 | 
 | ||||||
|   private async $get(id: number): Promise<OptimizedStatistic | undefined> { |   private async $get(id: number): Promise<OptimizedStatistic | undefined> { | ||||||
|     try { |     try { | ||||||
|       const connection = await DB.getConnection(); |  | ||||||
|       const query = `SELECT *, UNIX_TIMESTAMP(added) as added FROM statistics WHERE id = ?`; |       const query = `SELECT *, UNIX_TIMESTAMP(added) as added FROM statistics WHERE id = ?`; | ||||||
|       const [rows] = await connection.query<any>(query, [id]); |       const [rows] = await DB.query(query, [id]); | ||||||
|       connection.release(); |  | ||||||
|       if (rows[0]) { |       if (rows[0]) { | ||||||
|         return this.mapStatisticToOptimizedStatistic([rows[0]])[0]; |         return this.mapStatisticToOptimizedStatistic([rows[0]])[0]; | ||||||
|       } |       } | ||||||
| @ -435,11 +427,9 @@ class Statistics { | |||||||
| 
 | 
 | ||||||
|   public async $list2H(): Promise<OptimizedStatistic[]> { |   public async $list2H(): Promise<OptimizedStatistic[]> { | ||||||
|     try { |     try { | ||||||
|       const connection = await DB.getConnection(); |  | ||||||
|       const query = `SELECT *, UNIX_TIMESTAMP(added) as added FROM statistics ORDER BY statistics.added DESC LIMIT 120`; |       const query = `SELECT *, UNIX_TIMESTAMP(added) as added FROM statistics ORDER BY statistics.added DESC LIMIT 120`; | ||||||
|       const [rows] = await connection.query<any>({ sql: query, timeout: this.queryTimeout }); |       const [rows] = await DB.query({ sql: query, timeout: this.queryTimeout }); | ||||||
|       connection.release(); |       return this.mapStatisticToOptimizedStatistic(rows as Statistic[]); | ||||||
|       return this.mapStatisticToOptimizedStatistic(rows); |  | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       logger.err('$list2H() error' + (e instanceof Error ? e.message : e)); |       logger.err('$list2H() error' + (e instanceof Error ? e.message : e)); | ||||||
|       return []; |       return []; | ||||||
| @ -448,11 +438,9 @@ class Statistics { | |||||||
| 
 | 
 | ||||||
|   public async $list24H(): Promise<OptimizedStatistic[]> { |   public async $list24H(): Promise<OptimizedStatistic[]> { | ||||||
|     try { |     try { | ||||||
|       const connection = await DB.getConnection(); |  | ||||||
|       const query = `SELECT *, UNIX_TIMESTAMP(added) as added FROM statistics ORDER BY statistics.added DESC LIMIT 1440`; |       const query = `SELECT *, UNIX_TIMESTAMP(added) as added FROM statistics ORDER BY statistics.added DESC LIMIT 1440`; | ||||||
|       const [rows] = await connection.query<any>({ sql: query, timeout: this.queryTimeout }); |       const [rows] = await DB.query({ sql: query, timeout: this.queryTimeout }); | ||||||
|       connection.release(); |       return this.mapStatisticToOptimizedStatistic(rows as Statistic[]); | ||||||
|       return this.mapStatisticToOptimizedStatistic(rows); |  | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       logger.err('$list24h() error' + (e instanceof Error ? e.message : e)); |       logger.err('$list24h() error' + (e instanceof Error ? e.message : e)); | ||||||
|       return []; |       return []; | ||||||
| @ -461,11 +449,9 @@ class Statistics { | |||||||
| 
 | 
 | ||||||
|   public async $list1W(): Promise<OptimizedStatistic[]> { |   public async $list1W(): Promise<OptimizedStatistic[]> { | ||||||
|     try { |     try { | ||||||
|       const connection = await DB.getConnection(); |  | ||||||
|       const query = this.getQueryForDaysAvg(300, '1 WEEK'); // 5m interval
 |       const query = this.getQueryForDaysAvg(300, '1 WEEK'); // 5m interval
 | ||||||
|       const [rows] = await connection.query<any>({ sql: query, timeout: this.queryTimeout }); |       const [rows] = await DB.query({ sql: query, timeout: this.queryTimeout }); | ||||||
|       connection.release(); |       return this.mapStatisticToOptimizedStatistic(rows as Statistic[]); | ||||||
|       return this.mapStatisticToOptimizedStatistic(rows); |  | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       logger.err('$list1W() error' + (e instanceof Error ? e.message : e)); |       logger.err('$list1W() error' + (e instanceof Error ? e.message : e)); | ||||||
|       return []; |       return []; | ||||||
| @ -474,11 +460,9 @@ class Statistics { | |||||||
| 
 | 
 | ||||||
|   public async $list1M(): Promise<OptimizedStatistic[]> { |   public async $list1M(): Promise<OptimizedStatistic[]> { | ||||||
|     try { |     try { | ||||||
|       const connection = await DB.getConnection(); |  | ||||||
|       const query = this.getQueryForDaysAvg(1800, '1 MONTH'); // 30m interval
 |       const query = this.getQueryForDaysAvg(1800, '1 MONTH'); // 30m interval
 | ||||||
|       const [rows] = await connection.query<any>({ sql: query, timeout: this.queryTimeout }); |       const [rows] = await DB.query({ sql: query, timeout: this.queryTimeout }); | ||||||
|       connection.release(); |       return this.mapStatisticToOptimizedStatistic(rows as Statistic[]); | ||||||
|       return this.mapStatisticToOptimizedStatistic(rows); |  | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       logger.err('$list1M() error' + (e instanceof Error ? e.message : e)); |       logger.err('$list1M() error' + (e instanceof Error ? e.message : e)); | ||||||
|       return []; |       return []; | ||||||
| @ -487,11 +471,9 @@ class Statistics { | |||||||
| 
 | 
 | ||||||
|   public async $list3M(): Promise<OptimizedStatistic[]> { |   public async $list3M(): Promise<OptimizedStatistic[]> { | ||||||
|     try { |     try { | ||||||
|       const connection = await DB.getConnection(); |  | ||||||
|       const query = this.getQueryForDaysAvg(7200, '3 MONTH'); // 2h interval
 |       const query = this.getQueryForDaysAvg(7200, '3 MONTH'); // 2h interval
 | ||||||
|       const [rows] = await connection.query<any>({ sql: query, timeout: this.queryTimeout }); |       const [rows] = await DB.query({ sql: query, timeout: this.queryTimeout }); | ||||||
|       connection.release(); |       return this.mapStatisticToOptimizedStatistic(rows as Statistic[]); | ||||||
|       return this.mapStatisticToOptimizedStatistic(rows); |  | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       logger.err('$list3M() error' + (e instanceof Error ? e.message : e)); |       logger.err('$list3M() error' + (e instanceof Error ? e.message : e)); | ||||||
|       return []; |       return []; | ||||||
| @ -500,11 +482,9 @@ class Statistics { | |||||||
| 
 | 
 | ||||||
|   public async $list6M(): Promise<OptimizedStatistic[]> { |   public async $list6M(): Promise<OptimizedStatistic[]> { | ||||||
|     try { |     try { | ||||||
|       const connection = await DB.getConnection(); |  | ||||||
|       const query = this.getQueryForDaysAvg(10800, '6 MONTH'); // 3h interval
 |       const query = this.getQueryForDaysAvg(10800, '6 MONTH'); // 3h interval
 | ||||||
|       const [rows] = await connection.query<any>({ sql: query, timeout: this.queryTimeout }); |       const [rows] = await DB.query({ sql: query, timeout: this.queryTimeout }); | ||||||
|       connection.release(); |       return this.mapStatisticToOptimizedStatistic(rows as Statistic[]); | ||||||
|       return this.mapStatisticToOptimizedStatistic(rows); |  | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       logger.err('$list6M() error' + (e instanceof Error ? e.message : e)); |       logger.err('$list6M() error' + (e instanceof Error ? e.message : e)); | ||||||
|       return []; |       return []; | ||||||
| @ -513,11 +493,9 @@ class Statistics { | |||||||
| 
 | 
 | ||||||
|   public async $list1Y(): Promise<OptimizedStatistic[]> { |   public async $list1Y(): Promise<OptimizedStatistic[]> { | ||||||
|     try { |     try { | ||||||
|       const connection = await DB.getConnection(); |  | ||||||
|       const query = this.getQueryForDays(28800, '1 YEAR'); // 8h interval
 |       const query = this.getQueryForDays(28800, '1 YEAR'); // 8h interval
 | ||||||
|       const [rows] = await connection.query<any>({ sql: query, timeout: this.queryTimeout }); |       const [rows] = await DB.query({ sql: query, timeout: this.queryTimeout }); | ||||||
|       connection.release(); |       return this.mapStatisticToOptimizedStatistic(rows as Statistic[]); | ||||||
|       return this.mapStatisticToOptimizedStatistic(rows); |  | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       logger.err('$list1Y() error' + (e instanceof Error ? e.message : e)); |       logger.err('$list1Y() error' + (e instanceof Error ? e.message : e)); | ||||||
|       return []; |       return []; | ||||||
| @ -526,11 +504,9 @@ class Statistics { | |||||||
| 
 | 
 | ||||||
|   public async $list2Y(): Promise<OptimizedStatistic[]> { |   public async $list2Y(): Promise<OptimizedStatistic[]> { | ||||||
|     try { |     try { | ||||||
|       const connection = await DB.getConnection(); |       const query = this.getQueryForDays(28800, '2 YEAR'); // 8h interval
 | ||||||
|       const query = this.getQueryForDays(28800, "2 YEAR"); // 8h interval
 |       const [rows] = await DB.query({ sql: query, timeout: this.queryTimeout }); | ||||||
|       const [rows] = await connection.query<any>({ sql: query, timeout: this.queryTimeout }); |       return this.mapStatisticToOptimizedStatistic(rows as Statistic[]); | ||||||
|       connection.release(); |  | ||||||
|       return this.mapStatisticToOptimizedStatistic(rows); |  | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       logger.err('$list2Y() error' + (e instanceof Error ? e.message : e)); |       logger.err('$list2Y() error' + (e instanceof Error ? e.message : e)); | ||||||
|       return []; |       return []; | ||||||
| @ -539,11 +515,9 @@ class Statistics { | |||||||
| 
 | 
 | ||||||
|   public async $list3Y(): Promise<OptimizedStatistic[]> { |   public async $list3Y(): Promise<OptimizedStatistic[]> { | ||||||
|     try { |     try { | ||||||
|       const connection = await DB.getConnection(); |       const query = this.getQueryForDays(43200, '3 YEAR'); // 12h interval
 | ||||||
|       const query = this.getQueryForDays(43200, "3 YEAR"); // 12h interval
 |       const [rows] = await DB.query({ sql: query, timeout: this.queryTimeout }); | ||||||
|       const [rows] = await connection.query<any>({ sql: query, timeout: this.queryTimeout }); |       return this.mapStatisticToOptimizedStatistic(rows as Statistic[]); | ||||||
|       connection.release(); |  | ||||||
|       return this.mapStatisticToOptimizedStatistic(rows); |  | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       logger.err('$list3Y() error' + (e instanceof Error ? e.message : e)); |       logger.err('$list3Y() error' + (e instanceof Error ? e.message : e)); | ||||||
|       return []; |       return []; | ||||||
|  | |||||||
| @ -1,11 +1,18 @@ | |||||||
| import config from './config'; | import config from './config'; | ||||||
| import { createPool, PoolConnection } from 'mysql2/promise'; | import { createPool, Pool, PoolConnection } from 'mysql2/promise'; | ||||||
| import logger from './logger'; | import logger from './logger'; | ||||||
| import { PoolOptions } from 'mysql2/typings/mysql'; | import { PoolOptions } from 'mysql2/typings/mysql'; | ||||||
| 
 | 
 | ||||||
| export class DB { |  class DB { | ||||||
|   static poolConfig = ():PoolOptions => { |   constructor() { | ||||||
|     let poolConfig:PoolOptions = { |     if (config.DATABASE.SOCKET !== '') { | ||||||
|  |       this.poolConfig.socketPath = config.DATABASE.SOCKET; | ||||||
|  |     } else { | ||||||
|  |       this.poolConfig.host = config.DATABASE.HOST; | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  |   private pool: Pool | null = null; | ||||||
|  |   private poolConfig: PoolOptions = { | ||||||
|     port: config.DATABASE.PORT, |     port: config.DATABASE.PORT, | ||||||
|     database: config.DATABASE.DATABASE, |     database: config.DATABASE.DATABASE, | ||||||
|     user: config.DATABASE.USERNAME, |     user: config.DATABASE.USERNAME, | ||||||
| @ -13,39 +20,32 @@ export class DB { | |||||||
|     connectionLimit: 10, |     connectionLimit: 10, | ||||||
|     supportBigNumbers: true, |     supportBigNumbers: true, | ||||||
|     timezone: '+00:00', |     timezone: '+00:00', | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   public async query(query, params?) { | ||||||
|  |     const pool = await this.getPool(); | ||||||
|  |     return pool.query(query, params); | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|     if (config.DATABASE.SOCKET !== "") { |   public async checkDbConnection() { | ||||||
|       poolConfig.socketPath = config.DATABASE.SOCKET; |  | ||||||
|     } else { |  | ||||||
|       poolConfig.host = config.DATABASE.HOST; |  | ||||||
|     } |  | ||||||
| 
 |  | ||||||
|     return poolConfig; |  | ||||||
|   } |  | ||||||
|    |  | ||||||
|   static pool = createPool(DB.poolConfig()); |  | ||||||
| 
 |  | ||||||
|   static connectionsReady: number[] = []; |  | ||||||
| 
 |  | ||||||
|   static async getConnection() { |  | ||||||
|     const connection: PoolConnection = await DB.pool.getConnection(); |  | ||||||
|     const connectionId = connection['connection'].connectionId; |  | ||||||
|     if (!DB.connectionsReady.includes(connectionId)) { |  | ||||||
|       await connection.query(`SET time_zone='+00:00';`); |  | ||||||
|       this.connectionsReady.push(connectionId); |  | ||||||
|     } |  | ||||||
|     return connection; |  | ||||||
|   } |  | ||||||
| } |  | ||||||
| 
 |  | ||||||
| export async function checkDbConnection() { |  | ||||||
|     try { |     try { | ||||||
|     const connection = await DB.getConnection(); |       await this.query('SELECT ?', [1]); | ||||||
|       logger.info('Database connection established.'); |       logger.info('Database connection established.'); | ||||||
|     connection.release(); |  | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       logger.err('Could not connect to database: ' + (e instanceof Error ? e.message : e)); |       logger.err('Could not connect to database: ' + (e instanceof Error ? e.message : e)); | ||||||
|       process.exit(1); |       process.exit(1); | ||||||
|     } |     } | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   private async getPool(): Promise<Pool> { | ||||||
|  |     if (this.pool === null) { | ||||||
|  |       this.pool = createPool(this.poolConfig); | ||||||
|  |       this.pool.on('connection', function (newConnection: PoolConnection) { | ||||||
|  |         newConnection.query(`SET time_zone='+00:00'`); | ||||||
|  |       }); | ||||||
|  |     } | ||||||
|  |     return this.pool; | ||||||
|  |   } | ||||||
| } | } | ||||||
|  | 
 | ||||||
|  | export default new DB(); | ||||||
|  | |||||||
| @ -5,7 +5,7 @@ import * as WebSocket from 'ws'; | |||||||
| import * as cluster from 'cluster'; | import * as cluster from 'cluster'; | ||||||
| import axios from 'axios'; | import axios from 'axios'; | ||||||
| 
 | 
 | ||||||
| import { checkDbConnection, DB } from './database'; | import DB from './database'; | ||||||
| import config from './config'; | import config from './config'; | ||||||
| import routes from './routes'; | import routes from './routes'; | ||||||
| import blocks from './api/blocks'; | import blocks from './api/blocks'; | ||||||
| @ -22,12 +22,13 @@ import loadingIndicators from './api/loading-indicators'; | |||||||
| import mempool from './api/mempool'; | import mempool from './api/mempool'; | ||||||
| import elementsParser from './api/liquid/elements-parser'; | import elementsParser from './api/liquid/elements-parser'; | ||||||
| import databaseMigration from './api/database-migration'; | import databaseMigration from './api/database-migration'; | ||||||
| import poolsParser from './api/pools-parser'; |  | ||||||
| import syncAssets from './sync-assets'; | import syncAssets from './sync-assets'; | ||||||
| import icons from './api/liquid/icons'; | import icons from './api/liquid/icons'; | ||||||
| import { Common } from './api/common'; | import { Common } from './api/common'; | ||||||
| import mining from './api/mining'; | import mining from './api/mining'; | ||||||
| import HashratesRepository from './repositories/HashratesRepository'; | import HashratesRepository from './repositories/HashratesRepository'; | ||||||
|  | import BlocksRepository from './repositories/BlocksRepository'; | ||||||
|  | import poolsUpdater from './tasks/pools-updater'; | ||||||
| 
 | 
 | ||||||
| class Server { | class Server { | ||||||
|   private wss: WebSocket.Server | undefined; |   private wss: WebSocket.Server | undefined; | ||||||
| @ -88,18 +89,17 @@ class Server { | |||||||
|     diskCache.loadMempoolCache(); |     diskCache.loadMempoolCache(); | ||||||
| 
 | 
 | ||||||
|     if (config.DATABASE.ENABLED) { |     if (config.DATABASE.ENABLED) { | ||||||
|       await checkDbConnection(); |       await DB.checkDbConnection(); | ||||||
|       try { |       try { | ||||||
|         if (process.env.npm_config_reindex != undefined) { // Re-index requests
 |         if (process.env.npm_config_reindex != undefined) { // Re-index requests
 | ||||||
|           const tables = process.env.npm_config_reindex.split(','); |           const tables = process.env.npm_config_reindex.split(','); | ||||||
|           logger.warn(`Indexed data for "${process.env.npm_config_reindex}" tables will be erased in 5 seconds from now (using '--reindex') ...`); |           logger.warn(`Indexed data for "${process.env.npm_config_reindex}" tables will be erased in 5 seconds (using '--reindex')`); | ||||||
|           await Common.sleep(5000); |           await Common.sleep(5000); | ||||||
|           await databaseMigration.$truncateIndexedData(tables); |           await databaseMigration.$truncateIndexedData(tables); | ||||||
|         } |         } | ||||||
|         await databaseMigration.$initializeOrMigrateDatabase(); |         await databaseMigration.$initializeOrMigrateDatabase(); | ||||||
|         if (Common.indexingEnabled()) { |         if (Common.indexingEnabled()) { | ||||||
|           await this.$resetHashratesIndexingState(); |           await this.$resetHashratesIndexingState(); | ||||||
|           await poolsParser.migratePoolsJson(); |  | ||||||
|         } |         } | ||||||
|       } catch (e) { |       } catch (e) { | ||||||
|         throw new Error(e instanceof Error ? e.message : 'Error'); |         throw new Error(e instanceof Error ? e.message : 'Error'); | ||||||
| @ -169,8 +169,12 @@ class Server { | |||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   async $resetHashratesIndexingState() { |   async $resetHashratesIndexingState() { | ||||||
|  |     try { | ||||||
|       await HashratesRepository.$setLatestRunTimestamp('last_hashrates_indexing', 0); |       await HashratesRepository.$setLatestRunTimestamp('last_hashrates_indexing', 0); | ||||||
|       await HashratesRepository.$setLatestRunTimestamp('last_weekly_hashrates_indexing', 0); |       await HashratesRepository.$setLatestRunTimestamp('last_weekly_hashrates_indexing', 0); | ||||||
|  |     } catch (e) { | ||||||
|  |       logger.err(`Cannot reset hashrate indexing timestamps. Reason: ` + (e instanceof Error ? e.message : e)); | ||||||
|  |     } | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   async $runIndexingWhenReady() { |   async $runIndexingWhenReady() { | ||||||
| @ -179,11 +183,16 @@ class Server { | |||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     try { |     try { | ||||||
|       blocks.$generateBlockDatabase(); |       await poolsUpdater.updatePoolsJson(); | ||||||
|  |       if (blocks.reindexFlag) { | ||||||
|  |         await BlocksRepository.$deleteBlocks(10); | ||||||
|  |         await HashratesRepository.$deleteLastEntries(); | ||||||
|  |       } | ||||||
|  |       await blocks.$generateBlockDatabase(); | ||||||
|       await mining.$generateNetworkHashrateHistory(); |       await mining.$generateNetworkHashrateHistory(); | ||||||
|       await mining.$generatePoolHashrateHistory(); |       await mining.$generatePoolHashrateHistory(); | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       logger.err(`Unable to run indexing right now, trying again later. ` + e); |       logger.err(`Indexing failed, trying again later. Reason: ` + (e instanceof Error ? e.message : e)); | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
| @ -311,6 +320,8 @@ class Server { | |||||||
|         .get(config.MEMPOOL.API_URL_PREFIX + 'mining/hashrate', routes.$getHistoricalHashrate) |         .get(config.MEMPOOL.API_URL_PREFIX + 'mining/hashrate', routes.$getHistoricalHashrate) | ||||||
|         .get(config.MEMPOOL.API_URL_PREFIX + 'mining/hashrate/:interval', routes.$getHistoricalHashrate) |         .get(config.MEMPOOL.API_URL_PREFIX + 'mining/hashrate/:interval', routes.$getHistoricalHashrate) | ||||||
|         .get(config.MEMPOOL.API_URL_PREFIX + 'mining/reward-stats/:blockCount', routes.$getRewardStats) |         .get(config.MEMPOOL.API_URL_PREFIX + 'mining/reward-stats/:blockCount', routes.$getRewardStats) | ||||||
|  |         .get(config.MEMPOOL.API_URL_PREFIX + 'mining/blocks/fees/:interval', routes.$getHistoricalBlockFees) | ||||||
|  |         .get(config.MEMPOOL.API_URL_PREFIX + 'mining/blocks/rewards/:interval', routes.$getHistoricalBlockRewards) | ||||||
|       ; |       ; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -1,5 +1,5 @@ | |||||||
| import { BlockExtended, PoolTag } from '../mempool.interfaces'; | import { BlockExtended } from '../mempool.interfaces'; | ||||||
| import { DB } from '../database'; | import DB from '../database'; | ||||||
| import logger from '../logger'; | import logger from '../logger'; | ||||||
| import { Common } from '../api/common'; | import { Common } from '../api/common'; | ||||||
| import { prepareBlock } from '../utils/blocks-utils'; | import { prepareBlock } from '../utils/blocks-utils'; | ||||||
| @ -10,8 +10,6 @@ class BlocksRepository { | |||||||
|    * Save indexed block data in the database |    * Save indexed block data in the database | ||||||
|    */ |    */ | ||||||
|   public async $saveBlockInDatabase(block: BlockExtended) { |   public async $saveBlockInDatabase(block: BlockExtended) { | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
| 
 |  | ||||||
|     try { |     try { | ||||||
|       const query = `INSERT INTO blocks(
 |       const query = `INSERT INTO blocks(
 | ||||||
|         height,           hash,                blockTimestamp, size, |         height,           hash,                blockTimestamp, size, | ||||||
| @ -50,15 +48,12 @@ class BlocksRepository { | |||||||
|         block.extras.avgFeeRate, |         block.extras.avgFeeRate, | ||||||
|       ]; |       ]; | ||||||
| 
 | 
 | ||||||
|       await connection.query(query, params); |       await DB.query(query, params); | ||||||
|       connection.release(); |  | ||||||
|     } catch (e: any) { |     } catch (e: any) { | ||||||
|       connection.release(); |       if (e.errno === 1062) { // ER_DUP_ENTRY - This scenario is possible upon node backend restart
 | ||||||
|       if (e.errno === 1062) { // ER_DUP_ENTRY
 |  | ||||||
|         logger.debug(`$saveBlockInDatabase() - Block ${block.height} has already been indexed, ignoring`); |         logger.debug(`$saveBlockInDatabase() - Block ${block.height} has already been indexed, ignoring`); | ||||||
|       } else { |       } else { | ||||||
|         connection.release(); |         logger.err('Cannot save indexed block into db. Reason: ' + (e instanceof Error ? e.message : e)); | ||||||
|         logger.err('$saveBlockInDatabase() error: ' + (e instanceof Error ? e.message : e)); |  | ||||||
|         throw e; |         throw e; | ||||||
|       } |       } | ||||||
|     } |     } | ||||||
| @ -72,15 +67,13 @@ class BlocksRepository { | |||||||
|       return []; |       return []; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     try { |     try { | ||||||
|       const [rows]: any[] = await connection.query(` |       const [rows]: any[] = await DB.query(` | ||||||
|         SELECT height |         SELECT height | ||||||
|         FROM blocks |         FROM blocks | ||||||
|         WHERE height <= ? AND height >= ? |         WHERE height <= ? AND height >= ? | ||||||
|         ORDER BY height DESC; |         ORDER BY height DESC; | ||||||
|       `, [startHeight, endHeight]);
 |       `, [startHeight, endHeight]);
 | ||||||
|       connection.release(); |  | ||||||
| 
 | 
 | ||||||
|       const indexedBlockHeights: number[] = []; |       const indexedBlockHeights: number[] = []; | ||||||
|       rows.forEach((row: any) => { indexedBlockHeights.push(row.height); }); |       rows.forEach((row: any) => { indexedBlockHeights.push(row.height); }); | ||||||
| @ -89,8 +82,7 @@ class BlocksRepository { | |||||||
| 
 | 
 | ||||||
|       return missingBlocksHeights; |       return missingBlocksHeights; | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |       logger.err('Cannot retrieve blocks list to index. Reason: ' + (e instanceof Error ? e.message : e)); | ||||||
|       logger.err('$getMissingBlocksBetweenHeights() error' + (e instanceof Error ? e.message : e)); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| @ -118,15 +110,11 @@ class BlocksRepository { | |||||||
| 
 | 
 | ||||||
|     query += ` GROUP by pools.id`; |     query += ` GROUP by pools.id`; | ||||||
| 
 | 
 | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     try { |     try { | ||||||
|       const [rows] = await connection.query(query, params); |       const [rows] = await DB.query(query, params); | ||||||
|       connection.release(); |  | ||||||
| 
 |  | ||||||
|       return rows; |       return rows; | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |       logger.err('Cannot count empty blocks. Reason: ' + (e instanceof Error ? e.message : e)); | ||||||
|       logger.err('$getEmptyBlocks() error' + (e instanceof Error ? e.message : e)); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| @ -155,15 +143,11 @@ class BlocksRepository { | |||||||
|       query += ` blockTimestamp BETWEEN DATE_SUB(NOW(), INTERVAL ${interval}) AND NOW()`; |       query += ` blockTimestamp BETWEEN DATE_SUB(NOW(), INTERVAL ${interval}) AND NOW()`; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     try { |     try { | ||||||
|       const [rows] = await connection.query(query, params); |       const [rows] = await DB.query(query, params); | ||||||
|       connection.release(); |  | ||||||
| 
 |  | ||||||
|       return <number>rows[0].blockCount; |       return <number>rows[0].blockCount; | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |       logger.err(`Cannot count blocks for this pool (using offset). Reason: ` + (e instanceof Error ? e.message : e)); | ||||||
|       logger.err('$blockCount() error' + (e instanceof Error ? e.message : e)); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| @ -194,15 +178,11 @@ class BlocksRepository { | |||||||
|     } |     } | ||||||
|     query += ` blockTimestamp BETWEEN FROM_UNIXTIME('${from}') AND FROM_UNIXTIME('${to}')`; |     query += ` blockTimestamp BETWEEN FROM_UNIXTIME('${from}') AND FROM_UNIXTIME('${to}')`; | ||||||
| 
 | 
 | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     try { |     try { | ||||||
|       const [rows] = await connection.query(query, params); |       const [rows] = await DB.query(query, params); | ||||||
|       connection.release(); |  | ||||||
| 
 |  | ||||||
|       return <number>rows[0]; |       return <number>rows[0]; | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |       logger.err(`Cannot count blocks for this pool (using timestamps). Reason: ` + (e instanceof Error ? e.message : e)); | ||||||
|       logger.err('$blockCountBetweenTimestamp() error' + (e instanceof Error ? e.message : e)); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| @ -216,10 +196,8 @@ class BlocksRepository { | |||||||
|       ORDER BY height |       ORDER BY height | ||||||
|       LIMIT 1;`;
 |       LIMIT 1;`;
 | ||||||
| 
 | 
 | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     try { |     try { | ||||||
|       const [rows]: any[] = await connection.query(query); |       const [rows]: any[] = await DB.query(query); | ||||||
|       connection.release(); |  | ||||||
| 
 | 
 | ||||||
|       if (rows.length <= 0) { |       if (rows.length <= 0) { | ||||||
|         return -1; |         return -1; | ||||||
| @ -227,8 +205,7 @@ class BlocksRepository { | |||||||
| 
 | 
 | ||||||
|       return <number>rows[0].blockTimestamp; |       return <number>rows[0].blockTimestamp; | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |       logger.err('Cannot get oldest indexed block timestamp. Reason: ' + (e instanceof Error ? e.message : e)); | ||||||
|       logger.err('$oldestBlockTimestamp() error' + (e instanceof Error ? e.message : e)); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| @ -236,7 +213,7 @@ class BlocksRepository { | |||||||
|   /** |   /** | ||||||
|    * Get blocks mined by a specific mining pool |    * Get blocks mined by a specific mining pool | ||||||
|    */ |    */ | ||||||
|   public async $getBlocksByPool(slug: string, startHeight: number | undefined = undefined): Promise<object[]> { |   public async $getBlocksByPool(slug: string, startHeight?: number): Promise<object[]> { | ||||||
|     const pool = await PoolsRepository.$getPool(slug); |     const pool = await PoolsRepository.$getPool(slug); | ||||||
|     if (!pool) { |     if (!pool) { | ||||||
|       throw new Error(`This mining pool does not exist`); |       throw new Error(`This mining pool does not exist`); | ||||||
| @ -257,20 +234,17 @@ class BlocksRepository { | |||||||
|     query += ` ORDER BY height DESC
 |     query += ` ORDER BY height DESC
 | ||||||
|       LIMIT 10`;
 |       LIMIT 10`;
 | ||||||
| 
 | 
 | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     try { |     try { | ||||||
|       const [rows] = await connection.query(query, params); |       const [rows] = await DB.query(query, params); | ||||||
|       connection.release(); |  | ||||||
| 
 | 
 | ||||||
|       const blocks: BlockExtended[] = []; |       const blocks: BlockExtended[] = []; | ||||||
|       for (let block of <object[]>rows) { |       for (const block of <object[]>rows) { | ||||||
|         blocks.push(prepareBlock(block)); |         blocks.push(prepareBlock(block)); | ||||||
|       } |       } | ||||||
| 
 | 
 | ||||||
|       return blocks; |       return blocks; | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |       logger.err('Cannot get blocks for this pool. Reason: ' + (e instanceof Error ? e.message : e)); | ||||||
|       logger.err('$getBlocksByPool() error' + (e instanceof Error ? e.message : e)); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| @ -279,9 +253,8 @@ class BlocksRepository { | |||||||
|    * Get one block by height |    * Get one block by height | ||||||
|    */ |    */ | ||||||
|   public async $getBlockByHeight(height: number): Promise<object | null> { |   public async $getBlockByHeight(height: number): Promise<object | null> { | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     try { |     try { | ||||||
|       const [rows]: any[] = await connection.query(` |       const [rows]: any[] = await DB.query(` | ||||||
|         SELECT *, UNIX_TIMESTAMP(blocks.blockTimestamp) as blockTimestamp, |         SELECT *, UNIX_TIMESTAMP(blocks.blockTimestamp) as blockTimestamp, | ||||||
|         pools.id as pool_id, pools.name as pool_name, pools.link as pool_link, pools.slug as pool_slug, |         pools.id as pool_id, pools.name as pool_name, pools.link as pool_link, pools.slug as pool_slug, | ||||||
|         pools.addresses as pool_addresses, pools.regexes as pool_regexes, |         pools.addresses as pool_addresses, pools.regexes as pool_regexes, | ||||||
| @ -290,7 +263,6 @@ class BlocksRepository { | |||||||
|         JOIN pools ON blocks.pool_id = pools.id |         JOIN pools ON blocks.pool_id = pools.id | ||||||
|         WHERE height = ${height}; |         WHERE height = ${height}; | ||||||
|       `);
 |       `);
 | ||||||
|       connection.release(); |  | ||||||
| 
 | 
 | ||||||
|       if (rows.length <= 0) { |       if (rows.length <= 0) { | ||||||
|         return null; |         return null; | ||||||
| @ -298,8 +270,7 @@ class BlocksRepository { | |||||||
| 
 | 
 | ||||||
|       return rows[0]; |       return rows[0]; | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |       logger.err(`Cannot get indexed block ${height}. Reason: ` + (e instanceof Error ? e.message : e)); | ||||||
|       logger.err('$getBlockByHeight() error' + (e instanceof Error ? e.message : e)); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| @ -310,8 +281,6 @@ class BlocksRepository { | |||||||
|   public async $getBlocksDifficulty(interval: string | null): Promise<object[]> { |   public async $getBlocksDifficulty(interval: string | null): Promise<object[]> { | ||||||
|     interval = Common.getSqlInterval(interval); |     interval = Common.getSqlInterval(interval); | ||||||
| 
 | 
 | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
| 
 |  | ||||||
|     // :D ... Yeah don't ask me about this one https://stackoverflow.com/a/40303162
 |     // :D ... Yeah don't ask me about this one https://stackoverflow.com/a/40303162
 | ||||||
|     // Basically, using temporary user defined fields, we are able to extract all
 |     // Basically, using temporary user defined fields, we are able to extract all
 | ||||||
|     // difficulty adjustments from the blocks tables.
 |     // difficulty adjustments from the blocks tables.
 | ||||||
| @ -345,34 +314,15 @@ class BlocksRepository { | |||||||
|     `;
 |     `;
 | ||||||
| 
 | 
 | ||||||
|     try { |     try { | ||||||
|       const [rows]: any[] = await connection.query(query); |       const [rows]: any[] = await DB.query(query); | ||||||
|       connection.release(); |  | ||||||
| 
 | 
 | ||||||
|       for (let row of rows) { |       for (const row of rows) { | ||||||
|         delete row['rn']; |         delete row['rn']; | ||||||
|       } |       } | ||||||
| 
 | 
 | ||||||
|       return rows; |       return rows; | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |       logger.err('Cannot generate difficulty history. Reason: ' + (e instanceof Error ? e.message : e)); | ||||||
|       logger.err('$getBlocksDifficulty() error' + (e instanceof Error ? e.message : e)); |  | ||||||
|       throw e; |  | ||||||
|     } |  | ||||||
|   } |  | ||||||
| 
 |  | ||||||
|   /** |  | ||||||
|    * Return oldest blocks height |  | ||||||
|    */ |  | ||||||
|   public async $getOldestIndexedBlockHeight(): Promise<number> { |  | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     try { |  | ||||||
|       const [rows]: any[] = await connection.query(`SELECT MIN(height) as minHeight FROM blocks`); |  | ||||||
|       connection.release(); |  | ||||||
| 
 |  | ||||||
|       return rows[0].minHeight; |  | ||||||
|     } catch (e) { |  | ||||||
|       connection.release(); |  | ||||||
|       logger.err('$getOldestIndexedBlockHeight() error' + (e instanceof Error ? e.message : e)); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| @ -381,10 +331,7 @@ class BlocksRepository { | |||||||
|    * Get general block stats |    * Get general block stats | ||||||
|    */ |    */ | ||||||
|   public async $getBlockStats(blockCount: number): Promise<any> { |   public async $getBlockStats(blockCount: number): Promise<any> { | ||||||
|     let connection; |  | ||||||
|     try { |     try { | ||||||
|       connection = await DB.getConnection(); |  | ||||||
| 
 |  | ||||||
|       // We need to use a subquery
 |       // We need to use a subquery
 | ||||||
|       const query = ` |       const query = ` | ||||||
|         SELECT MIN(height) as startBlock, MAX(height) as endBlock, SUM(reward) as totalReward, SUM(fees) as totalFee, SUM(tx_count) as totalTx |         SELECT MIN(height) as startBlock, MAX(height) as endBlock, SUM(reward) as totalReward, SUM(fees) as totalFee, SUM(tx_count) as totalTx | ||||||
| @ -393,13 +340,90 @@ class BlocksRepository { | |||||||
|           ORDER by height DESC |           ORDER by height DESC | ||||||
|           LIMIT ?) as sub`;
 |           LIMIT ?) as sub`;
 | ||||||
| 
 | 
 | ||||||
|       const [rows]: any = await connection.query(query, [blockCount]); |       const [rows]: any = await DB.query(query, [blockCount]); | ||||||
|       connection.release(); |  | ||||||
| 
 | 
 | ||||||
|       return rows[0]; |       return rows[0]; | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |       logger.err('Cannot generate reward stats. Reason: ' + (e instanceof Error ? e.message : e)); | ||||||
|       logger.err('$getBlockStats() error: ' + (e instanceof Error ? e.message : e)); |       throw e; | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   /* | ||||||
|  |    * Check if the last 10 blocks chain is valid | ||||||
|  |    */ | ||||||
|  |   public async $validateRecentBlocks(): Promise<boolean> { | ||||||
|  |     try { | ||||||
|  |       const [lastBlocks]: any[] = await DB.query(`SELECT height, hash, previous_block_hash FROM blocks ORDER BY height DESC LIMIT 10`); | ||||||
|  | 
 | ||||||
|  |       for (let i = 0; i < lastBlocks.length - 1; ++i) { | ||||||
|  |         if (lastBlocks[i].previous_block_hash !== lastBlocks[i + 1].hash) { | ||||||
|  |           logger.warn(`Chain divergence detected at block ${lastBlocks[i].height}, re-indexing most recent data`); | ||||||
|  |           return false; | ||||||
|  |         } | ||||||
|  |       } | ||||||
|  | 
 | ||||||
|  |       return true; | ||||||
|  |     } catch (e) { | ||||||
|  |       return true; // Don't do anything if there is a db error
 | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   /** | ||||||
|  |    * Delete $count blocks from the database | ||||||
|  |    */ | ||||||
|  |   public async $deleteBlocks(count: number) { | ||||||
|  |     logger.info(`Delete ${count} most recent indexed blocks from the database`); | ||||||
|  | 
 | ||||||
|  |     try { | ||||||
|  |       await DB.query(`DELETE FROM blocks ORDER BY height DESC LIMIT ${count};`); | ||||||
|  |     } catch (e) { | ||||||
|  |       logger.err('Cannot delete recent indexed blocks. Reason: ' + (e instanceof Error ? e.message : e)); | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   /** | ||||||
|  |    * Get the historical averaged block fees | ||||||
|  |    */ | ||||||
|  |   public async $getHistoricalBlockFees(div: number, interval: string | null): Promise<any> { | ||||||
|  |     try { | ||||||
|  |       let query = `SELECT CAST(AVG(UNIX_TIMESTAMP(blockTimestamp)) as INT) as timestamp,
 | ||||||
|  |         CAST(AVG(fees) as INT) as avg_fees | ||||||
|  |         FROM blocks`;
 | ||||||
|  | 
 | ||||||
|  |       if (interval !== null) { | ||||||
|  |         query += ` WHERE blockTimestamp BETWEEN DATE_SUB(NOW(), INTERVAL ${interval}) AND NOW()`; | ||||||
|  |       } | ||||||
|  | 
 | ||||||
|  |       query += ` GROUP BY UNIX_TIMESTAMP(blockTimestamp) DIV ${div}`; | ||||||
|  | 
 | ||||||
|  |       const [rows]: any = await DB.query(query); | ||||||
|  |       return rows; | ||||||
|  |     } catch (e) { | ||||||
|  |       logger.err('Cannot generate block fees history. Reason: ' + (e instanceof Error ? e.message : e)); | ||||||
|  |       throw e; | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   /** | ||||||
|  |    * Get the historical averaged block rewards | ||||||
|  |    */ | ||||||
|  |    public async $getHistoricalBlockRewards(div: number, interval: string | null): Promise<any> { | ||||||
|  |     try { | ||||||
|  |       let query = `SELECT CAST(AVG(UNIX_TIMESTAMP(blockTimestamp)) as INT) as timestamp,
 | ||||||
|  |         CAST(AVG(reward) as INT) as avg_rewards | ||||||
|  |         FROM blocks`;
 | ||||||
|  | 
 | ||||||
|  |       if (interval !== null) { | ||||||
|  |         query += ` WHERE blockTimestamp BETWEEN DATE_SUB(NOW(), INTERVAL ${interval}) AND NOW()`; | ||||||
|  |       } | ||||||
|  | 
 | ||||||
|  |       query += ` GROUP BY UNIX_TIMESTAMP(blockTimestamp) DIV ${div}`; | ||||||
|  | 
 | ||||||
|  |       const [rows]: any = await DB.query(query); | ||||||
|  |       return rows; | ||||||
|  |     } catch (e) { | ||||||
|  |       logger.err('Cannot generate block rewards history. Reason: ' + (e instanceof Error ? e.message : e)); | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
|  | |||||||
| @ -1,5 +1,5 @@ | |||||||
| import { Common } from '../api/common'; | import { Common } from '../api/common'; | ||||||
| import { DB } from '../database'; | import DB from '../database'; | ||||||
| import logger from '../logger'; | import logger from '../logger'; | ||||||
| import PoolsRepository from './PoolsRepository'; | import PoolsRepository from './PoolsRepository'; | ||||||
| 
 | 
 | ||||||
| @ -20,14 +20,10 @@ class HashratesRepository { | |||||||
|     } |     } | ||||||
|     query = query.slice(0, -1); |     query = query.slice(0, -1); | ||||||
| 
 | 
 | ||||||
|     let connection; |  | ||||||
|     try { |     try { | ||||||
|       connection = await DB.getConnection(); |       await DB.query(query); | ||||||
|       await connection.query(query); |  | ||||||
|       connection.release(); |  | ||||||
|     } catch (e: any) { |     } catch (e: any) { | ||||||
|       connection.release(); |       logger.err('Cannot save indexed hashrate into db. Reason: ' + (e instanceof Error ? e.message : e)); | ||||||
|       logger.err('$saveHashrateInDatabase() error' + (e instanceof Error ? e.message : e)); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| @ -35,8 +31,6 @@ class HashratesRepository { | |||||||
|   public async $getNetworkDailyHashrate(interval: string | null): Promise<any[]> { |   public async $getNetworkDailyHashrate(interval: string | null): Promise<any[]> { | ||||||
|     interval = Common.getSqlInterval(interval); |     interval = Common.getSqlInterval(interval); | ||||||
| 
 | 
 | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
| 
 |  | ||||||
|     let query = `SELECT UNIX_TIMESTAMP(hashrate_timestamp) as timestamp, avg_hashrate as avgHashrate
 |     let query = `SELECT UNIX_TIMESTAMP(hashrate_timestamp) as timestamp, avg_hashrate as avgHashrate
 | ||||||
|       FROM hashrates`;
 |       FROM hashrates`;
 | ||||||
| 
 | 
 | ||||||
| @ -50,33 +44,25 @@ class HashratesRepository { | |||||||
|     query += ` ORDER by hashrate_timestamp`; |     query += ` ORDER by hashrate_timestamp`; | ||||||
| 
 | 
 | ||||||
|     try { |     try { | ||||||
|       const [rows]: any[] = await connection.query(query); |       const [rows]: any[] = await DB.query(query); | ||||||
|       connection.release(); |  | ||||||
| 
 |  | ||||||
|       return rows; |       return rows; | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |       logger.err('Cannot fetch network hashrate history. Reason: ' + (e instanceof Error ? e.message : e)); | ||||||
|       logger.err('$getNetworkDailyHashrate() error' + (e instanceof Error ? e.message : e)); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   public async $getWeeklyHashrateTimestamps(): Promise<number[]> { |   public async $getWeeklyHashrateTimestamps(): Promise<number[]> { | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
| 
 |  | ||||||
|     const query = `SELECT UNIX_TIMESTAMP(hashrate_timestamp) as timestamp
 |     const query = `SELECT UNIX_TIMESTAMP(hashrate_timestamp) as timestamp
 | ||||||
|       FROM hashrates |       FROM hashrates | ||||||
|       WHERE type = 'weekly' |       WHERE type = 'weekly' | ||||||
|       GROUP BY hashrate_timestamp`;
 |       GROUP BY hashrate_timestamp`;
 | ||||||
| 
 | 
 | ||||||
|     try { |     try { | ||||||
|       const [rows]: any[] = await connection.query(query); |       const [rows]: any[] = await DB.query(query); | ||||||
|       connection.release(); |  | ||||||
| 
 |  | ||||||
|       return rows.map(row => row.timestamp); |       return rows.map(row => row.timestamp); | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |       logger.err('Cannot retreive indexed weekly hashrate timestamps. Reason: ' + (e instanceof Error ? e.message : e)); | ||||||
|       logger.err('$getWeeklyHashrateTimestamps() error' + (e instanceof Error ? e.message : e)); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| @ -87,7 +73,6 @@ class HashratesRepository { | |||||||
|   public async $getPoolsWeeklyHashrate(interval: string | null): Promise<any[]> { |   public async $getPoolsWeeklyHashrate(interval: string | null): Promise<any[]> { | ||||||
|     interval = Common.getSqlInterval(interval); |     interval = Common.getSqlInterval(interval); | ||||||
| 
 | 
 | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     const topPoolsId = (await PoolsRepository.$getPoolsInfo('1w')).map((pool) => pool.poolId); |     const topPoolsId = (await PoolsRepository.$getPoolsInfo('1w')).map((pool) => pool.poolId); | ||||||
| 
 | 
 | ||||||
|     let query = `SELECT UNIX_TIMESTAMP(hashrate_timestamp) as timestamp, avg_hashrate as avgHashrate, share, pools.name as poolName
 |     let query = `SELECT UNIX_TIMESTAMP(hashrate_timestamp) as timestamp, avg_hashrate as avgHashrate, share, pools.name as poolName
 | ||||||
| @ -106,13 +91,10 @@ class HashratesRepository { | |||||||
|     query += ` ORDER by hashrate_timestamp, FIELD(pool_id, ${topPoolsId})`; |     query += ` ORDER by hashrate_timestamp, FIELD(pool_id, ${topPoolsId})`; | ||||||
| 
 | 
 | ||||||
|     try { |     try { | ||||||
|       const [rows]: any[] = await connection.query(query); |       const [rows]: any[] = await DB.query(query); | ||||||
|       connection.release(); |  | ||||||
| 
 |  | ||||||
|       return rows; |       return rows; | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |       logger.err('Cannot fetch weekly pools hashrate history. Reason: ' + (e instanceof Error ? e.message : e)); | ||||||
|       logger.err('$getPoolsWeeklyHashrate() error' + (e instanceof Error ? e.message : e)); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| @ -138,15 +120,11 @@ class HashratesRepository { | |||||||
|       lastTimestamp: '9999-01-01' |       lastTimestamp: '9999-01-01' | ||||||
|     }; |     }; | ||||||
| 
 | 
 | ||||||
|     let connection; |  | ||||||
|     try { |     try { | ||||||
|       connection = await DB.getConnection(); |       const [rows]: any[] = await DB.query(query, [pool.id]); | ||||||
|       const [rows]: any[] = await connection.query(query, [pool.id]); |  | ||||||
|       boundaries = rows[0]; |       boundaries = rows[0]; | ||||||
|       connection.release(); |  | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |       logger.err('Cannot fetch hashrate start/end timestamps for this pool. Reason: ' + (e instanceof Error ? e.message : e)); | ||||||
|       logger.err('$getPoolWeeklyHashrate() error' + (e instanceof Error ? e.message : e)); |  | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     // Get hashrates entries between boundaries
 |     // Get hashrates entries between boundaries
 | ||||||
| @ -158,47 +136,65 @@ class HashratesRepository { | |||||||
|       ORDER by hashrate_timestamp`;
 |       ORDER by hashrate_timestamp`;
 | ||||||
| 
 | 
 | ||||||
|     try { |     try { | ||||||
|       const [rows]: any[] = await connection.query(query, [boundaries.firstTimestamp, boundaries.lastTimestamp, pool.id]); |       const [rows]: any[] = await DB.query(query, [boundaries.firstTimestamp, boundaries.lastTimestamp, pool.id]); | ||||||
|       connection.release(); |  | ||||||
| 
 |  | ||||||
|       return rows; |       return rows; | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |       logger.err('Cannot fetch pool hashrate history for this pool. Reason: ' + (e instanceof Error ? e.message : e)); | ||||||
|       logger.err('$getPoolWeeklyHashrate() error' + (e instanceof Error ? e.message : e)); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|  |   /** | ||||||
|  |    * Set latest run timestamp | ||||||
|  |    */ | ||||||
|   public async $setLatestRunTimestamp(key: string, val: any = null) { |   public async $setLatestRunTimestamp(key: string, val: any = null) { | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     const query = `UPDATE state SET number = ? WHERE name = ?`; |     const query = `UPDATE state SET number = ? WHERE name = ?`; | ||||||
| 
 | 
 | ||||||
|     try { |     try { | ||||||
|       await connection.query<any>(query, (val === null) ? [Math.round(new Date().getTime() / 1000), key] : [val, key]); |       await DB.query(query, (val === null) ? [Math.round(new Date().getTime() / 1000), key] : [val, key]); | ||||||
|       connection.release(); |  | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |       logger.err(`Cannot set last indexing timestamp for ${key}. Reason: ` + (e instanceof Error ? e.message : e)); | ||||||
|  |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|  |   /** | ||||||
|  |    * Get latest run timestamp | ||||||
|  |    */ | ||||||
|   public async $getLatestRunTimestamp(key: string): Promise<number> { |   public async $getLatestRunTimestamp(key: string): Promise<number> { | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     const query = `SELECT number FROM state WHERE name = ?`; |     const query = `SELECT number FROM state WHERE name = ?`; | ||||||
| 
 | 
 | ||||||
|     try { |     try { | ||||||
|       const [rows] = await connection.query<any>(query, [key]); |       const [rows]: any[] = await DB.query(query, [key]); | ||||||
|       connection.release(); |  | ||||||
| 
 | 
 | ||||||
|       if (rows.length === 0) { |       if (rows.length === 0) { | ||||||
|         return 0; |         return 0; | ||||||
|       } |       } | ||||||
|       return rows[0]['number']; |       return rows[0]['number']; | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |       logger.err(`Cannot retreive last indexing timestamp for ${key}. Reason: ` + (e instanceof Error ? e.message : e)); | ||||||
|       logger.err('$setLatestRunTimestamp() error' + (e instanceof Error ? e.message : e)); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
|  | 
 | ||||||
|  |   /** | ||||||
|  |    * Delete most recent data points for re-indexing | ||||||
|  |    */ | ||||||
|  |   public async $deleteLastEntries() { | ||||||
|  |     logger.info(`Delete latest hashrates data points from the database`); | ||||||
|  | 
 | ||||||
|  |     try { | ||||||
|  |       const [rows]: any[] = await DB.query(`SELECT MAX(hashrate_timestamp) as timestamp FROM hashrates GROUP BY type`); | ||||||
|  |       for (const row of rows) { | ||||||
|  |         await DB.query(`DELETE FROM hashrates WHERE hashrate_timestamp = ?`, [row.timestamp]); | ||||||
|  |       } | ||||||
|  |       // Re-run the hashrate indexing to fill up missing data
 | ||||||
|  |       await this.$setLatestRunTimestamp('last_hashrates_indexing', 0); | ||||||
|  |       await this.$setLatestRunTimestamp('last_weekly_hashrates_indexing', 0); | ||||||
|  |     } catch (e) { | ||||||
|  |       logger.err('Cannot delete latest hashrates data points. Reason: ' + (e instanceof Error ? e.message : e)); | ||||||
|  |     } | ||||||
|  |   } | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| export default new HashratesRepository(); | export default new HashratesRepository(); | ||||||
|  | |||||||
| @ -1,6 +1,6 @@ | |||||||
| import { Common } from '../api/common'; | import { Common } from '../api/common'; | ||||||
| import config from '../config'; | import config from '../config'; | ||||||
| import { DB } from '../database'; | import DB from '../database'; | ||||||
| import logger from '../logger'; | import logger from '../logger'; | ||||||
| import { PoolInfo, PoolTag } from '../mempool.interfaces'; | import { PoolInfo, PoolTag } from '../mempool.interfaces'; | ||||||
| 
 | 
 | ||||||
| @ -9,9 +9,7 @@ class PoolsRepository { | |||||||
|    * Get all pools tagging info |    * Get all pools tagging info | ||||||
|    */ |    */ | ||||||
|   public async $getPools(): Promise<PoolTag[]> { |   public async $getPools(): Promise<PoolTag[]> { | ||||||
|     const connection = await DB.getConnection(); |     const [rows] = await DB.query('SELECT id, name, addresses, regexes, slug FROM pools;'); | ||||||
|     const [rows] = await connection.query('SELECT id, name, addresses, regexes, slug FROM pools;'); |  | ||||||
|     connection.release(); |  | ||||||
|     return <PoolTag[]>rows; |     return <PoolTag[]>rows; | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
| @ -19,9 +17,7 @@ class PoolsRepository { | |||||||
|    * Get unknown pool tagging info |    * Get unknown pool tagging info | ||||||
|    */ |    */ | ||||||
|   public async $getUnknownPool(): Promise<PoolTag> { |   public async $getUnknownPool(): Promise<PoolTag> { | ||||||
|     const connection = await DB.getConnection(); |     const [rows] = await DB.query('SELECT id, name, slug FROM pools where name = "Unknown"'); | ||||||
|     const [rows] = await connection.query('SELECT id, name, slug FROM pools where name = "Unknown"'); |  | ||||||
|     connection.release(); |  | ||||||
|     return <PoolTag>rows[0]; |     return <PoolTag>rows[0]; | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
| @ -42,16 +38,11 @@ class PoolsRepository { | |||||||
|     query += ` GROUP BY pool_id
 |     query += ` GROUP BY pool_id
 | ||||||
|       ORDER BY COUNT(height) DESC`;
 |       ORDER BY COUNT(height) DESC`;
 | ||||||
| 
 | 
 | ||||||
|     // logger.debug(query);
 |  | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     try { |     try { | ||||||
|       const [rows] = await connection.query(query); |       const [rows] = await DB.query(query); | ||||||
|       connection.release(); |  | ||||||
| 
 |  | ||||||
|       return <PoolInfo[]>rows; |       return <PoolInfo[]>rows; | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |       logger.err(`Cannot generate pools stats. Reason: ` + (e instanceof Error ? e.message : e)); | ||||||
|       logger.err('$getPoolsInfo() error' + (e instanceof Error ? e.message : e)); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| @ -65,15 +56,11 @@ class PoolsRepository { | |||||||
|       LEFT JOIN blocks on pools.id = blocks.pool_id AND blocks.blockTimestamp BETWEEN FROM_UNIXTIME(?) AND FROM_UNIXTIME(?) |       LEFT JOIN blocks on pools.id = blocks.pool_id AND blocks.blockTimestamp BETWEEN FROM_UNIXTIME(?) AND FROM_UNIXTIME(?) | ||||||
|       GROUP BY pools.id`;
 |       GROUP BY pools.id`;
 | ||||||
| 
 | 
 | ||||||
|     const connection = await DB.getConnection(); |  | ||||||
|     try { |     try { | ||||||
|       const [rows] = await connection.query(query, [from, to]); |       const [rows] = await DB.query(query, [from, to]); | ||||||
|       connection.release(); |  | ||||||
| 
 |  | ||||||
|       return <PoolInfo[]>rows; |       return <PoolInfo[]>rows; | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |       logger.err('Cannot generate pools blocks count. Reason: ' + (e instanceof Error ? e.message : e)); | ||||||
|       logger.err('$getPoolsInfoBetween() error' + (e instanceof Error ? e.message : e)); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| @ -87,15 +74,11 @@ class PoolsRepository { | |||||||
|       FROM pools |       FROM pools | ||||||
|       WHERE pools.slug = ?`;
 |       WHERE pools.slug = ?`;
 | ||||||
| 
 | 
 | ||||||
|     let connection; |  | ||||||
|     try { |     try { | ||||||
|       connection = await DB.getConnection(); |       const [rows]: any[] = await DB.query(query, [slug]); | ||||||
| 
 |  | ||||||
|       const [rows] = await connection.query(query, [slug]); |  | ||||||
|       connection.release(); |  | ||||||
| 
 | 
 | ||||||
|       if (rows.length < 1) { |       if (rows.length < 1) { | ||||||
|         logger.debug(`$getPool(): slug does not match any known pool`); |         logger.debug(`This slug does not match any known pool`); | ||||||
|         return null; |         return null; | ||||||
|       } |       } | ||||||
| 
 | 
 | ||||||
| @ -108,8 +91,7 @@ class PoolsRepository { | |||||||
| 
 | 
 | ||||||
|       return rows[0]; |       return rows[0]; | ||||||
|     } catch (e) { |     } catch (e) { | ||||||
|       connection.release(); |       logger.err('Cannot get pool from db. Reason: ' + (e instanceof Error ? e.message : e)); | ||||||
|       logger.err('$getPool() error' + (e instanceof Error ? e.message : e)); |  | ||||||
|       throw e; |       throw e; | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
|  | |||||||
| @ -638,6 +638,38 @@ class Routes { | |||||||
|     } |     } | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|  |   public async $getHistoricalBlockFees(req: Request, res: Response) { | ||||||
|  |     try { | ||||||
|  |       const blockFees = await mining.$getHistoricalBlockFees(req.params.interval ?? null); | ||||||
|  |       const oldestIndexedBlockTimestamp = await BlocksRepository.$oldestBlockTimestamp(); | ||||||
|  |       res.header('Pragma', 'public'); | ||||||
|  |       res.header('Cache-control', 'public'); | ||||||
|  |       res.setHeader('Expires', new Date(Date.now() + 1000 * 300).toUTCString()); | ||||||
|  |       res.json({ | ||||||
|  |         oldestIndexedBlockTimestamp: oldestIndexedBlockTimestamp, | ||||||
|  |         blockFees: blockFees, | ||||||
|  |       }); | ||||||
|  |     } catch (e) { | ||||||
|  |       res.status(500).send(e instanceof Error ? e.message : e); | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   public async $getHistoricalBlockRewards(req: Request, res: Response) { | ||||||
|  |     try { | ||||||
|  |       const blockRewards = await mining.$getHistoricalBlockRewards(req.params.interval ?? null); | ||||||
|  |       const oldestIndexedBlockTimestamp = await BlocksRepository.$oldestBlockTimestamp(); | ||||||
|  |       res.header('Pragma', 'public'); | ||||||
|  |       res.header('Cache-control', 'public'); | ||||||
|  |       res.setHeader('Expires', new Date(Date.now() + 1000 * 300).toUTCString()); | ||||||
|  |       res.json({ | ||||||
|  |         oldestIndexedBlockTimestamp: oldestIndexedBlockTimestamp, | ||||||
|  |         blockRewards: blockRewards, | ||||||
|  |       }); | ||||||
|  |     } catch (e) { | ||||||
|  |       res.status(500).send(e instanceof Error ? e.message : e); | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|   public async getBlock(req: Request, res: Response) { |   public async getBlock(req: Request, res: Response) { | ||||||
|     try { |     try { | ||||||
|       const result = await bitcoinApi.$getBlock(req.params.hash); |       const result = await bitcoinApi.$getBlock(req.params.hash); | ||||||
|  | |||||||
							
								
								
									
										140
									
								
								backend/src/tasks/pools-updater.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										140
									
								
								backend/src/tasks/pools-updater.ts
									
									
									
									
									
										Normal file
									
								
							| @ -0,0 +1,140 @@ | |||||||
|  | const https = require('https'); | ||||||
|  | import poolsParser from '../api/pools-parser'; | ||||||
|  | import config from '../config'; | ||||||
|  | import DB from '../database'; | ||||||
|  | import logger from '../logger'; | ||||||
|  | 
 | ||||||
|  | /** | ||||||
|  |  * Maintain the most recent version of pools.json | ||||||
|  |  */ | ||||||
|  | class PoolsUpdater { | ||||||
|  |   lastRun: number = 0; | ||||||
|  | 
 | ||||||
|  |   constructor() { | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   public async updatePoolsJson() { | ||||||
|  |     if (['mainnet', 'testnet', 'signet'].includes(config.MEMPOOL.NETWORK) === false) { | ||||||
|  |       return; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     const oneWeek = 604800; | ||||||
|  |     const oneDay = 86400; | ||||||
|  | 
 | ||||||
|  |     const now = new Date().getTime() / 1000; | ||||||
|  |     if (now - this.lastRun < oneWeek) { // Execute the PoolsUpdate only once a week, or upon restart
 | ||||||
|  |       return; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     this.lastRun = now; | ||||||
|  | 
 | ||||||
|  |     try { | ||||||
|  |       const dbSha = await this.getShaFromDb(); | ||||||
|  |       const githubSha = await this.fetchPoolsSha(); // Fetch pools.json sha from github
 | ||||||
|  |       if (githubSha === undefined) { | ||||||
|  |         return; | ||||||
|  |       } | ||||||
|  | 
 | ||||||
|  |       logger.debug(`Pools.json sha | Current: ${dbSha} | Github: ${githubSha}`); | ||||||
|  |       if (dbSha !== undefined && dbSha === githubSha) { | ||||||
|  |         return; | ||||||
|  |       } | ||||||
|  | 
 | ||||||
|  |       logger.warn('Pools.json is outdated, fetch latest from github'); | ||||||
|  |       const poolsJson = await this.fetchPools(); | ||||||
|  |       await poolsParser.migratePoolsJson(poolsJson); | ||||||
|  |       await this.updateDBSha(githubSha); | ||||||
|  |       logger.notice('PoolsUpdater completed'); | ||||||
|  | 
 | ||||||
|  |     } catch (e) { | ||||||
|  |       this.lastRun = now - (oneWeek - oneDay); // Try again in 24h instead of waiting next week
 | ||||||
|  |       logger.err('PoolsUpdater failed. Will try again in 24h. Reason: '  + (e instanceof Error ? e.message : e)); | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   /** | ||||||
|  |    * Fetch pools.json from github repo | ||||||
|  |    */ | ||||||
|  |   private async fetchPools(): Promise<object> { | ||||||
|  |     const response = await this.query('/repos/mempool/mining-pools/contents/pools.json'); | ||||||
|  |     return JSON.parse(Buffer.from(response['content'], 'base64').toString('utf8')); | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   /** | ||||||
|  |    * Fetch our latest pools.json sha from the db | ||||||
|  |    */ | ||||||
|  |   private async updateDBSha(githubSha: string) { | ||||||
|  |     try { | ||||||
|  |       await DB.query('DELETE FROM state where name="pools_json_sha"'); | ||||||
|  |       await DB.query(`INSERT INTO state VALUES('pools_json_sha', NULL, '${githubSha}')`); | ||||||
|  |     } catch (e) { | ||||||
|  |       logger.err('Cannot save github pools.json sha into the db. Reason: '  + (e instanceof Error ? e.message : e)); | ||||||
|  |       return undefined; | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   /** | ||||||
|  |    * Fetch our latest pools.json sha from the db | ||||||
|  |    */ | ||||||
|  |   private async getShaFromDb(): Promise<string | undefined> { | ||||||
|  |     try { | ||||||
|  |       const [rows]: any[] = await DB.query('SELECT string FROM state WHERE name="pools_json_sha"'); | ||||||
|  |       return (rows.length > 0 ? rows[0].string : undefined); | ||||||
|  |     } catch (e) { | ||||||
|  |       logger.err('Cannot fetch pools.json sha from db. Reason: '  + (e instanceof Error ? e.message : e)); | ||||||
|  |       return undefined; | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   /** | ||||||
|  |    * Fetch our latest pools.json sha from github | ||||||
|  |    */ | ||||||
|  |   private async fetchPoolsSha(): Promise<string | undefined> { | ||||||
|  |     const response = await this.query('/repos/mempool/mining-pools/git/trees/master'); | ||||||
|  | 
 | ||||||
|  |     for (const file of response['tree']) { | ||||||
|  |       if (file['path'] === 'pools.json') { | ||||||
|  |         return file['sha']; | ||||||
|  |       } | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     logger.err('Cannot to find latest pools.json sha from github api response'); | ||||||
|  |     return undefined; | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   /** | ||||||
|  |    * Http request wrapper | ||||||
|  |    */ | ||||||
|  |   private query(path): Promise<string> { | ||||||
|  |     return new Promise((resolve, reject) => { | ||||||
|  |       const options = { | ||||||
|  |         host: 'api.github.com', | ||||||
|  |         path: path, | ||||||
|  |         method: 'GET', | ||||||
|  |         headers: { 'user-agent': 'node.js' } | ||||||
|  |       }; | ||||||
|  | 
 | ||||||
|  |       logger.debug('Querying: api.github.com' + path); | ||||||
|  | 
 | ||||||
|  |       const request = https.get(options, (response) => { | ||||||
|  |         const chunks_of_data: any[] = []; | ||||||
|  |         response.on('data', (fragments) => { | ||||||
|  |           chunks_of_data.push(fragments); | ||||||
|  |         }); | ||||||
|  |         response.on('end', () => { | ||||||
|  |           resolve(JSON.parse(Buffer.concat(chunks_of_data).toString())); | ||||||
|  |         }); | ||||||
|  |         response.on('error', (error) => { | ||||||
|  |           reject(error); | ||||||
|  |         }); | ||||||
|  |       }); | ||||||
|  | 
 | ||||||
|  |       request.on('error', (error) => { | ||||||
|  |         logger.err('Github API query failed. Reason: '  + error); | ||||||
|  |         reject(error); | ||||||
|  |       }); | ||||||
|  |     }); | ||||||
|  |   } | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | export default new PoolsUpdater(); | ||||||
							
								
								
									
										3
									
								
								contributors/TechMiX.txt
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										3
									
								
								contributors/TechMiX.txt
									
									
									
									
									
										Normal file
									
								
							| @ -0,0 +1,3 @@ | |||||||
|  | I hereby accept the terms of the Contributor License Agreement in the CONTRIBUTING.md file of the mempool/mempool git repository as of January 25, 2022. | ||||||
|  | 
 | ||||||
|  | Signed: TechMiX | ||||||
| @ -33,6 +33,8 @@ import { HashrateChartPoolsComponent } from './components/hashrates-chart-pools/ | |||||||
| import { MiningStartComponent } from './components/mining-start/mining-start.component'; | import { MiningStartComponent } from './components/mining-start/mining-start.component'; | ||||||
| import { GraphsComponent } from './components/graphs/graphs.component'; | import { GraphsComponent } from './components/graphs/graphs.component'; | ||||||
| import { BlocksList } from './components/blocks-list/blocks-list.component'; | import { BlocksList } from './components/blocks-list/blocks-list.component'; | ||||||
|  | import { BlockFeesGraphComponent } from './components/block-fees-graph/block-fees-graph.component'; | ||||||
|  | import { BlockRewardsGraphComponent } from './components/block-rewards-graph/block-rewards-graph.component'; | ||||||
| 
 | 
 | ||||||
| let routes: Routes = [ | let routes: Routes = [ | ||||||
|   { |   { | ||||||
| @ -117,6 +119,14 @@ let routes: Routes = [ | |||||||
|             path: 'mining/pools', |             path: 'mining/pools', | ||||||
|             component: PoolRankingComponent, |             component: PoolRankingComponent, | ||||||
|           }, |           }, | ||||||
|  |           { | ||||||
|  |             path: 'mining/block-fees', | ||||||
|  |             component: BlockFeesGraphComponent, | ||||||
|  |           }, | ||||||
|  |           { | ||||||
|  |             path: 'mining/block-rewards', | ||||||
|  |             component: BlockRewardsGraphComponent, | ||||||
|  |           } | ||||||
|         ], |         ], | ||||||
|       }, |       }, | ||||||
|       { |       { | ||||||
| @ -127,13 +137,17 @@ let routes: Routes = [ | |||||||
|         path: 'docs/api/:type', |         path: 'docs/api/:type', | ||||||
|         component: DocsComponent |         component: DocsComponent | ||||||
|       }, |       }, | ||||||
|  |       { | ||||||
|  |         path: 'docs/faq', | ||||||
|  |         component: DocsComponent | ||||||
|  |       }, | ||||||
|       { |       { | ||||||
|         path: 'docs/api', |         path: 'docs/api', | ||||||
|         redirectTo: 'docs/api/rest' |         redirectTo: 'docs/api/rest' | ||||||
|       }, |       }, | ||||||
|       { |       { | ||||||
|         path: 'docs', |         path: 'docs', | ||||||
|         redirectTo: 'docs/api/rest' |         redirectTo: 'docs/faq' | ||||||
|       }, |       }, | ||||||
|       { |       { | ||||||
|         path: 'api', |         path: 'api', | ||||||
| @ -207,18 +221,6 @@ let routes: Routes = [ | |||||||
|                 path: 'blocks', |                 path: 'blocks', | ||||||
|                 component: BlocksList, |                 component: BlocksList, | ||||||
|               }, |               }, | ||||||
|               { |  | ||||||
|                 path: 'hashrate', |  | ||||||
|                 component: HashrateChartComponent, |  | ||||||
|               }, |  | ||||||
|               { |  | ||||||
|                 path: 'hashrate/pools', |  | ||||||
|                 component: HashrateChartPoolsComponent, |  | ||||||
|               }, |  | ||||||
|               { |  | ||||||
|                 path: 'pools', |  | ||||||
|                 component: PoolRankingComponent, |  | ||||||
|               }, |  | ||||||
|               { |               { | ||||||
|                 path: 'pool', |                 path: 'pool', | ||||||
|                 children: [ |                 children: [ | ||||||
| @ -255,6 +257,14 @@ let routes: Routes = [ | |||||||
|                 path: 'mining/pools', |                 path: 'mining/pools', | ||||||
|                 component: PoolRankingComponent, |                 component: PoolRankingComponent, | ||||||
|               }, |               }, | ||||||
|  |               { | ||||||
|  |                 path: 'mining/block-fees', | ||||||
|  |                 component: BlockFeesGraphComponent, | ||||||
|  |               }, | ||||||
|  |               { | ||||||
|  |                 path: 'mining/block-rewards', | ||||||
|  |                 component: BlockRewardsGraphComponent, | ||||||
|  |               } | ||||||
|             ] |             ] | ||||||
|           }, |           }, | ||||||
|           { |           { | ||||||
| @ -266,13 +276,17 @@ let routes: Routes = [ | |||||||
|             path: 'docs/api/:type', |             path: 'docs/api/:type', | ||||||
|             component: DocsComponent |             component: DocsComponent | ||||||
|           }, |           }, | ||||||
|  |           { | ||||||
|  |             path: 'docs/faq', | ||||||
|  |             component: DocsComponent | ||||||
|  |           }, | ||||||
|           { |           { | ||||||
|             path: 'docs/api', |             path: 'docs/api', | ||||||
|             redirectTo: 'docs/api/rest' |             redirectTo: 'docs/api/rest' | ||||||
|           }, |           }, | ||||||
|           { |           { | ||||||
|             path: 'docs', |             path: 'docs', | ||||||
|             redirectTo: 'docs/api/rest' |             redirectTo: 'docs/faq' | ||||||
|           }, |           }, | ||||||
|           { |           { | ||||||
|             path: 'api', |             path: 'api', | ||||||
| @ -343,18 +357,6 @@ let routes: Routes = [ | |||||||
|                 path: 'blocks', |                 path: 'blocks', | ||||||
|                 component: BlocksList, |                 component: BlocksList, | ||||||
|               }, |               }, | ||||||
|               { |  | ||||||
|                 path: 'hashrate', |  | ||||||
|                 component: HashrateChartComponent, |  | ||||||
|               }, |  | ||||||
|               { |  | ||||||
|                 path: 'hashrate/pools', |  | ||||||
|                 component: HashrateChartPoolsComponent, |  | ||||||
|               }, |  | ||||||
|               { |  | ||||||
|                 path: 'pools', |  | ||||||
|                 component: PoolRankingComponent, |  | ||||||
|               }, |  | ||||||
|               { |               { | ||||||
|                 path: 'pool', |                 path: 'pool', | ||||||
|                 children: [ |                 children: [ | ||||||
| @ -391,6 +393,14 @@ let routes: Routes = [ | |||||||
|                 path: 'mining/pools', |                 path: 'mining/pools', | ||||||
|                 component: PoolRankingComponent, |                 component: PoolRankingComponent, | ||||||
|               }, |               }, | ||||||
|  |               { | ||||||
|  |                 path: 'mining/block-fees', | ||||||
|  |                 component: BlockFeesGraphComponent, | ||||||
|  |               }, | ||||||
|  |               { | ||||||
|  |                 path: 'mining/block-rewards', | ||||||
|  |                 component: BlockRewardsGraphComponent, | ||||||
|  |               } | ||||||
|             ] |             ] | ||||||
|           }, |           }, | ||||||
|           { |           { | ||||||
| @ -402,13 +412,17 @@ let routes: Routes = [ | |||||||
|             path: 'docs/api/:type', |             path: 'docs/api/:type', | ||||||
|             component: DocsComponent |             component: DocsComponent | ||||||
|           }, |           }, | ||||||
|  |           { | ||||||
|  |             path: 'docs/faq', | ||||||
|  |             component: DocsComponent | ||||||
|  |           }, | ||||||
|           { |           { | ||||||
|             path: 'docs/api', |             path: 'docs/api', | ||||||
|             redirectTo: 'docs/api/rest' |             redirectTo: 'docs/api/rest' | ||||||
|           }, |           }, | ||||||
|           { |           { | ||||||
|             path: 'docs', |             path: 'docs', | ||||||
|             redirectTo: 'docs/api/rest' |             redirectTo: 'docs/faq' | ||||||
|           }, |           }, | ||||||
|           { |           { | ||||||
|             path: 'api', |             path: 'api', | ||||||
| @ -507,19 +521,7 @@ if (browserWindowEnv && browserWindowEnv.BASE_MODULE === 'liquid') { | |||||||
|           { |           { | ||||||
|             path: 'mempool', |             path: 'mempool', | ||||||
|             component: StatisticsComponent, |             component: StatisticsComponent, | ||||||
|           }, |           } | ||||||
|           { |  | ||||||
|             path: 'mining/hashrate-difficulty', |  | ||||||
|             component: HashrateChartComponent, |  | ||||||
|           }, |  | ||||||
|           { |  | ||||||
|             path: 'mining/pools-dominance', |  | ||||||
|             component: HashrateChartPoolsComponent, |  | ||||||
|           }, |  | ||||||
|           { |  | ||||||
|             path: 'mining/pools', |  | ||||||
|             component: PoolRankingComponent, |  | ||||||
|           }, |  | ||||||
|         ] |         ] | ||||||
|       }, |       }, | ||||||
|       { |       { | ||||||
| @ -635,19 +637,7 @@ if (browserWindowEnv && browserWindowEnv.BASE_MODULE === 'liquid') { | |||||||
|               { |               { | ||||||
|                 path: 'mempool', |                 path: 'mempool', | ||||||
|                 component: StatisticsComponent, |                 component: StatisticsComponent, | ||||||
|               }, |               } | ||||||
|               { |  | ||||||
|                 path: 'mining/hashrate-difficulty', |  | ||||||
|                 component: HashrateChartComponent, |  | ||||||
|               }, |  | ||||||
|               { |  | ||||||
|                 path: 'mining/pools-dominance', |  | ||||||
|                 component: HashrateChartPoolsComponent, |  | ||||||
|               }, |  | ||||||
|               { |  | ||||||
|                 path: 'mining/pools', |  | ||||||
|                 component: PoolRankingComponent, |  | ||||||
|               }, |  | ||||||
|             ] |             ] | ||||||
|           }, |           }, | ||||||
|           { |           { | ||||||
|  | |||||||
| @ -56,6 +56,7 @@ import { faFilter, faAngleDown, faAngleUp, faAngleRight, faAngleLeft, faBolt, fa | |||||||
| import { ApiDocsComponent } from './components/docs/api-docs.component'; | import { ApiDocsComponent } from './components/docs/api-docs.component'; | ||||||
| import { DocsComponent } from './components/docs/docs.component'; | import { DocsComponent } from './components/docs/docs.component'; | ||||||
| import { ApiDocsNavComponent } from './components/docs/api-docs-nav.component'; | import { ApiDocsNavComponent } from './components/docs/api-docs-nav.component'; | ||||||
|  | import { NoSanitizePipe } from './shared/pipes/no-sanitize.pipe'; | ||||||
| import { CodeTemplateComponent } from './components/docs/code-template.component'; | import { CodeTemplateComponent } from './components/docs/code-template.component'; | ||||||
| import { TermsOfServiceComponent } from './components/terms-of-service/terms-of-service.component'; | import { TermsOfServiceComponent } from './components/terms-of-service/terms-of-service.component'; | ||||||
| import { PrivacyPolicyComponent } from './components/privacy-policy/privacy-policy.component'; | import { PrivacyPolicyComponent } from './components/privacy-policy/privacy-policy.component'; | ||||||
| @ -80,6 +81,8 @@ import { DifficultyAdjustmentsTable } from './components/difficulty-adjustments- | |||||||
| import { BlocksList } from './components/blocks-list/blocks-list.component'; | import { BlocksList } from './components/blocks-list/blocks-list.component'; | ||||||
| import { RewardStatsComponent } from './components/reward-stats/reward-stats.component'; | import { RewardStatsComponent } from './components/reward-stats/reward-stats.component'; | ||||||
| import { DataCyDirective } from './data-cy.directive'; | import { DataCyDirective } from './data-cy.directive'; | ||||||
|  | import { BlockFeesGraphComponent } from './components/block-fees-graph/block-fees-graph.component'; | ||||||
|  | import { BlockRewardsGraphComponent } from './components/block-rewards-graph/block-rewards-graph.component'; | ||||||
| 
 | 
 | ||||||
| @NgModule({ | @NgModule({ | ||||||
|   declarations: [ |   declarations: [ | ||||||
| @ -119,6 +122,7 @@ import { DataCyDirective } from './data-cy.directive'; | |||||||
|     DashboardComponent, |     DashboardComponent, | ||||||
|     DifficultyComponent, |     DifficultyComponent, | ||||||
|     ApiDocsComponent, |     ApiDocsComponent, | ||||||
|  |     NoSanitizePipe, | ||||||
|     CodeTemplateComponent, |     CodeTemplateComponent, | ||||||
|     TermsOfServiceComponent, |     TermsOfServiceComponent, | ||||||
|     PrivacyPolicyComponent, |     PrivacyPolicyComponent, | ||||||
| @ -141,6 +145,8 @@ import { DataCyDirective } from './data-cy.directive'; | |||||||
|     BlocksList, |     BlocksList, | ||||||
|     DataCyDirective, |     DataCyDirective, | ||||||
|     RewardStatsComponent, |     RewardStatsComponent, | ||||||
|  |     BlockFeesGraphComponent, | ||||||
|  |     BlockRewardsGraphComponent, | ||||||
|   ], |   ], | ||||||
|   imports: [ |   imports: [ | ||||||
|     BrowserModule.withServerTransition({ appId: 'serverApp' }), |     BrowserModule.withServerTransition({ appId: 'serverApp' }), | ||||||
|  | |||||||
| @ -52,7 +52,7 @@ export class AddressLabelsComponent implements OnInit { | |||||||
|           this.label = 'Lightning Force Close'; |           this.label = 'Lightning Force Close'; | ||||||
|         } |         } | ||||||
|         return; |         return; | ||||||
|       } else if (/^OP_DUP OP_HASH160 OP_PUSHBYTES_20 \w{40} OP_EQUAL OP_IF OP_CHECKSIG OP_ELSE OP_PUSHBYTES_33 \w{66} OP_SWAP OP_SIZE OP_PUSHBYTES_1 20 OP_EQUAL OP_NOTIF OP_DROP OP_PUSHNUM_2 OP_SWAP OP_PUSHBYTES_33 \w{66} OP_PUSHNUM_2 OP_CHECKMULTISIG OP_ELSE OP_HASH160 OP_PUSHBYTES_20 \w{40} OP_EQUALVERIFY OP_CHECKSIG OP_ENDIF (OP_PUSHNUM_1 OP_CHECKSEQUENCEVERIFY OP_DROP |)OP_ENDIF$/.test(this.vin.inner_witnessscript_asm)) { |       } else if (/^OP_DUP OP_HASH160 OP_PUSHBYTES_20 \w{40} OP_EQUAL OP_IF OP_CHECKSIG OP_ELSE OP_PUSHBYTES_33 \w{66} OP_SWAP OP_SIZE OP_PUSHBYTES_1 20 OP_EQUAL OP_NOTIF OP_DROP OP_PUSHNUM_2 OP_SWAP OP_PUSHBYTES_33 \w{66} OP_PUSHNUM_2 OP_CHECKMULTISIG OP_ELSE OP_HASH160 OP_PUSHBYTES_20 \w{40} OP_EQUALVERIFY OP_CHECKSIG OP_ENDIF (OP_PUSHNUM_1 OP_CSV OP_DROP |)OP_ENDIF$/.test(this.vin.inner_witnessscript_asm)) { | ||||||
|         // https://github.com/lightning/bolts/blob/master/03-transactions.md#offered-htlc-outputs
 |         // https://github.com/lightning/bolts/blob/master/03-transactions.md#offered-htlc-outputs
 | ||||||
|         if (topElement.length === 66) { |         if (topElement.length === 66) { | ||||||
|           // top element is a public key
 |           // top element is a public key
 | ||||||
|  | |||||||
| @ -55,7 +55,7 @@ | |||||||
| 
 | 
 | ||||||
|     <br> |     <br> | ||||||
|     <div class="title-tx"> |     <div class="title-tx"> | ||||||
|       <h2> |       <h2 class="text-left"> | ||||||
|         <ng-template [ngIf]="!transactions?.length"> </ng-template> |         <ng-template [ngIf]="!transactions?.length"> </ng-template> | ||||||
|         <ng-template i18n="X of X Address Transaction" [ngIf]="transactions?.length === 1">{{ (transactions?.length | number) || '?' }} of {{ txCount | number }} transaction</ng-template> |         <ng-template i18n="X of X Address Transaction" [ngIf]="transactions?.length === 1">{{ (transactions?.length | number) || '?' }} of {{ txCount | number }} transaction</ng-template> | ||||||
|         <ng-template i18n="X of X Address Transactions (Plural)" [ngIf]="transactions?.length > 1">{{ (transactions?.length | number) || '?' }} of {{ txCount | number }} transactions</ng-template> |         <ng-template i18n="X of X Address Transactions (Plural)" [ngIf]="transactions?.length > 1">{{ (transactions?.length | number) || '?' }} of {{ txCount | number }} transactions</ng-template> | ||||||
|  | |||||||
| @ -0,0 +1,63 @@ | |||||||
|  | <div class="full-container"> | ||||||
|  |   <div class="card-header mb-0 mb-md-4"> | ||||||
|  |     <span i18n="mining.block-fees">Block fees</span> | ||||||
|  |     <form [formGroup]="radioGroupForm" class="formRadioGroup" *ngIf="(statsObservable$ | async) as stats"> | ||||||
|  |       <div class="btn-group btn-group-toggle" ngbRadioGroup name="radioBasic" formControlName="dateSpan"> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 1"> | ||||||
|  |           <input ngbButton type="radio" [value]="'24h'" fragment="24h"> 24h | ||||||
|  |         </label> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 3"> | ||||||
|  |           <input ngbButton type="radio" [value]="'3d'" fragment="3d"> 3D | ||||||
|  |         </label> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 7"> | ||||||
|  |           <input ngbButton type="radio" [value]="'1w'" fragment="1w"> 1W | ||||||
|  |         </label> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 30"> | ||||||
|  |           <input ngbButton type="radio" [value]="'1m'" fragment="1m"> 1M | ||||||
|  |         </label> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 90"> | ||||||
|  |           <input ngbButton type="radio" [value]="'3m'" fragment="3m"> 3M | ||||||
|  |         </label> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 180"> | ||||||
|  |           <input ngbButton type="radio" [value]="'6m'" fragment="6m"> 6M | ||||||
|  |         </label> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 365"> | ||||||
|  |           <input ngbButton type="radio" [value]="'1y'" fragment="1y"> 1Y | ||||||
|  |         </label> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 730"> | ||||||
|  |           <input ngbButton type="radio" [value]="'2y'" fragment="2y"> 2Y | ||||||
|  |         </label> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 1095"> | ||||||
|  |           <input ngbButton type="radio" [value]="'3y'" fragment="3y"> 3Y | ||||||
|  |         </label> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay > 1095"> | ||||||
|  |           <input ngbButton type="radio" [value]="'all'" fragment="all"> ALL | ||||||
|  |         </label> | ||||||
|  |       </div> | ||||||
|  |     </form> | ||||||
|  |   </div> | ||||||
|  | 
 | ||||||
|  |   <div class="chart" echarts [initOpts]="chartInitOptions" [options]="chartOptions"> | ||||||
|  |   </div> | ||||||
|  |   <div class="text-center loadingGraphs" *ngIf="isLoading"> | ||||||
|  |     <div class="spinner-border text-light"></div> | ||||||
|  |   </div> | ||||||
|  | 
 | ||||||
|  | </div> | ||||||
|  | 
 | ||||||
|  | <ng-template #loadingStats> | ||||||
|  |   <div class="pool-distribution"> | ||||||
|  |     <div class="item"> | ||||||
|  |       <h5 class="card-title" i18n="mining.miners-luck">Hashrate</h5> | ||||||
|  |       <p class="card-text"> | ||||||
|  |         <span class="skeleton-loader skeleton-loader-big"></span> | ||||||
|  |       </p> | ||||||
|  |     </div> | ||||||
|  |     <div class="item"> | ||||||
|  |       <h5 class="card-title" i18n="master-page.blocks">Difficulty</h5> | ||||||
|  |       <p class="card-text"> | ||||||
|  |         <span class="skeleton-loader skeleton-loader-big"></span> | ||||||
|  |       </p> | ||||||
|  |     </div> | ||||||
|  |   </div> | ||||||
|  | </ng-template> | ||||||
| @ -0,0 +1,135 @@ | |||||||
|  | .card-header { | ||||||
|  |   border-bottom: 0; | ||||||
|  |   font-size: 18px; | ||||||
|  |   @media (min-width: 465px) { | ||||||
|  |     font-size: 20px; | ||||||
|  |   } | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .main-title { | ||||||
|  |   position: relative; | ||||||
|  |   color: #ffffff91; | ||||||
|  |   margin-top: -13px; | ||||||
|  |   font-size: 10px; | ||||||
|  |   text-transform: uppercase; | ||||||
|  |   font-weight: 500; | ||||||
|  |   text-align: center; | ||||||
|  |   padding-bottom: 3px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .full-container { | ||||||
|  |   padding: 0px 15px; | ||||||
|  |   width: 100%; | ||||||
|  |   min-height: 500px; | ||||||
|  |   height: calc(100% - 150px); | ||||||
|  |   @media (max-width: 992px) { | ||||||
|  |     height: 100%; | ||||||
|  |     padding-bottom: 100px; | ||||||
|  |   }; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .chart { | ||||||
|  |   width: 100%; | ||||||
|  |   height: 100%; | ||||||
|  |   padding-bottom: 20px; | ||||||
|  |   padding-right: 10px; | ||||||
|  |   @media (max-width: 992px) { | ||||||
|  |     padding-bottom: 25px; | ||||||
|  |   } | ||||||
|  |   @media (max-width: 829px) { | ||||||
|  |     padding-bottom: 50px; | ||||||
|  |   } | ||||||
|  |   @media (max-width: 767px) { | ||||||
|  |     padding-bottom: 25px; | ||||||
|  |   } | ||||||
|  |   @media (max-width: 629px) { | ||||||
|  |     padding-bottom: 55px; | ||||||
|  |   } | ||||||
|  |   @media (max-width: 567px) { | ||||||
|  |     padding-bottom: 55px; | ||||||
|  |   } | ||||||
|  | } | ||||||
|  | .chart-widget { | ||||||
|  |   width: 100%; | ||||||
|  |   height: 100%; | ||||||
|  |   max-height: 270px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .formRadioGroup { | ||||||
|  |   margin-top: 6px; | ||||||
|  |   display: flex; | ||||||
|  |   flex-direction: column; | ||||||
|  |   @media (min-width: 1130px) { | ||||||
|  |     position: relative; | ||||||
|  |     top: -65px; | ||||||
|  |   } | ||||||
|  |   @media (min-width: 830px) and (max-width: 1130px) { | ||||||
|  |     position: relative; | ||||||
|  |     top: 0px; | ||||||
|  |   } | ||||||
|  |   @media (min-width: 830px) { | ||||||
|  |     flex-direction: row; | ||||||
|  |     float: right; | ||||||
|  |     margin-top: 0px; | ||||||
|  |   } | ||||||
|  |   .btn-sm { | ||||||
|  |     font-size: 9px; | ||||||
|  |     @media (min-width: 830px) { | ||||||
|  |       font-size: 14px; | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .pool-distribution { | ||||||
|  |   min-height: 56px; | ||||||
|  |   display: block; | ||||||
|  |   @media (min-width: 485px) { | ||||||
|  |     display: flex; | ||||||
|  |     flex-direction: row; | ||||||
|  |   } | ||||||
|  |   h5 { | ||||||
|  |     margin-bottom: 10px; | ||||||
|  |   } | ||||||
|  |   .item { | ||||||
|  |     width: 50%; | ||||||
|  |     display: inline-block; | ||||||
|  |     margin: 0px auto 20px; | ||||||
|  |     &:nth-child(2) { | ||||||
|  |       order: 2; | ||||||
|  |       @media (min-width: 485px) { | ||||||
|  |         order: 3; | ||||||
|  |       } | ||||||
|  |     } | ||||||
|  |     &:nth-child(3) { | ||||||
|  |       order: 3; | ||||||
|  |       @media (min-width: 485px) { | ||||||
|  |         order: 2; | ||||||
|  |         display: block; | ||||||
|  |       } | ||||||
|  |       @media (min-width: 768px) { | ||||||
|  |         display: none; | ||||||
|  |       } | ||||||
|  |       @media (min-width: 992px) { | ||||||
|  |         display: block; | ||||||
|  |       } | ||||||
|  |     } | ||||||
|  |     .card-title { | ||||||
|  |       font-size: 1rem; | ||||||
|  |       color: #4a68b9; | ||||||
|  |     } | ||||||
|  |     .card-text { | ||||||
|  |       font-size: 18px; | ||||||
|  |       span { | ||||||
|  |         color: #ffffff66; | ||||||
|  |         font-size: 12px; | ||||||
|  |       } | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .skeleton-loader { | ||||||
|  |   width: 100%; | ||||||
|  |   display: block; | ||||||
|  |   max-width: 80px; | ||||||
|  |   margin: 15px auto 3px; | ||||||
|  | } | ||||||
| @ -0,0 +1,201 @@ | |||||||
|  | import { ChangeDetectionStrategy, ChangeDetectorRef, Component, Inject, Input, LOCALE_ID, OnInit } from '@angular/core'; | ||||||
|  | import { EChartsOption, graphic } from 'echarts'; | ||||||
|  | import { Observable } from 'rxjs'; | ||||||
|  | import { map, share, startWith, switchMap, tap } from 'rxjs/operators'; | ||||||
|  | import { ApiService } from 'src/app/services/api.service'; | ||||||
|  | import { SeoService } from 'src/app/services/seo.service'; | ||||||
|  | import { formatNumber } from '@angular/common'; | ||||||
|  | import { FormBuilder, FormGroup } from '@angular/forms'; | ||||||
|  | import { formatterXAxisLabel } from 'src/app/shared/graphs.utils'; | ||||||
|  | import { StorageService } from 'src/app/services/storage.service'; | ||||||
|  | import { MiningService } from 'src/app/services/mining.service'; | ||||||
|  | 
 | ||||||
|  | @Component({ | ||||||
|  |   selector: 'app-block-fees-graph', | ||||||
|  |   templateUrl: './block-fees-graph.component.html', | ||||||
|  |   styleUrls: ['./block-fees-graph.component.scss'], | ||||||
|  |   styles: [` | ||||||
|  |     .loadingGraphs { | ||||||
|  |       position: absolute; | ||||||
|  |       top: 50%; | ||||||
|  |       left: calc(50% - 15px); | ||||||
|  |       z-index: 100; | ||||||
|  |     } | ||||||
|  |   `],
 | ||||||
|  |   changeDetection: ChangeDetectionStrategy.OnPush, | ||||||
|  | }) | ||||||
|  | export class BlockFeesGraphComponent implements OnInit { | ||||||
|  |   @Input() tableOnly = false; | ||||||
|  |   @Input() right: number | string = 45; | ||||||
|  |   @Input() left: number | string = 75; | ||||||
|  | 
 | ||||||
|  |   miningWindowPreference: string; | ||||||
|  |   radioGroupForm: FormGroup; | ||||||
|  | 
 | ||||||
|  |   chartOptions: EChartsOption = {}; | ||||||
|  |   chartInitOptions = { | ||||||
|  |     renderer: 'svg', | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   statsObservable$: Observable<any>; | ||||||
|  |   isLoading = true; | ||||||
|  |   formatNumber = formatNumber; | ||||||
|  |   timespan = ''; | ||||||
|  | 
 | ||||||
|  |   constructor( | ||||||
|  |     @Inject(LOCALE_ID) public locale: string, | ||||||
|  |     private seoService: SeoService, | ||||||
|  |     private apiService: ApiService, | ||||||
|  |     private formBuilder: FormBuilder, | ||||||
|  |     private storageService: StorageService, | ||||||
|  |     private miningService: MiningService | ||||||
|  |   ) { | ||||||
|  |     this.radioGroupForm = this.formBuilder.group({ dateSpan: '1y' }); | ||||||
|  |     this.radioGroupForm.controls.dateSpan.setValue('1y'); | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   ngOnInit(): void { | ||||||
|  |     this.seoService.setTitle($localize`:@@mining.block-fees:Block Fees`); | ||||||
|  |     this.miningWindowPreference = this.miningService.getDefaultTimespan('24h'); | ||||||
|  |     this.radioGroupForm = this.formBuilder.group({ dateSpan: this.miningWindowPreference }); | ||||||
|  |     this.radioGroupForm.controls.dateSpan.setValue(this.miningWindowPreference); | ||||||
|  | 
 | ||||||
|  |     this.statsObservable$ = this.radioGroupForm.get('dateSpan').valueChanges | ||||||
|  |       .pipe( | ||||||
|  |         startWith(this.miningWindowPreference), | ||||||
|  |         switchMap((timespan) => { | ||||||
|  |           this.storageService.setValue('miningWindowPreference', timespan); | ||||||
|  |           this.timespan = timespan; | ||||||
|  |           this.isLoading = true; | ||||||
|  |           return this.apiService.getHistoricalBlockFees$(timespan) | ||||||
|  |             .pipe( | ||||||
|  |               tap((data: any) => { | ||||||
|  |                 this.prepareChartOptions({ | ||||||
|  |                   blockFees: data.blockFees.map(val => [val.timestamp * 1000, val.avg_fees / 100000000]), | ||||||
|  |                 }); | ||||||
|  |                 this.isLoading = false; | ||||||
|  |               }), | ||||||
|  |               map((data: any) => { | ||||||
|  |                 const availableTimespanDay = ( | ||||||
|  |                   (new Date().getTime() / 1000) - (data.oldestIndexedBlockTimestamp) | ||||||
|  |                 ) / 3600 / 24; | ||||||
|  | 
 | ||||||
|  |                 return { | ||||||
|  |                   availableTimespanDay: availableTimespanDay, | ||||||
|  |                 }; | ||||||
|  |               }), | ||||||
|  |             ); | ||||||
|  |         }), | ||||||
|  |         share() | ||||||
|  |       ); | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   prepareChartOptions(data) { | ||||||
|  |     this.chartOptions = { | ||||||
|  |       animation: false, | ||||||
|  |       color: [ | ||||||
|  |         new graphic.LinearGradient(0, 0, 0, 0.65, [ | ||||||
|  |           { offset: 0, color: '#F4511E' }, | ||||||
|  |           { offset: 0.25, color: '#FB8C00' }, | ||||||
|  |           { offset: 0.5, color: '#FFB300' }, | ||||||
|  |           { offset: 0.75, color: '#FDD835' }, | ||||||
|  |           { offset: 1, color: '#7CB342' } | ||||||
|  |         ]), | ||||||
|  |       ], | ||||||
|  |       grid: { | ||||||
|  |         top: 30, | ||||||
|  |         bottom: 80, | ||||||
|  |         right: this.right, | ||||||
|  |         left: this.left, | ||||||
|  |       }, | ||||||
|  |       tooltip: { | ||||||
|  |         show: !this.isMobile(), | ||||||
|  |         trigger: 'axis', | ||||||
|  |         axisPointer: { | ||||||
|  |           type: 'line' | ||||||
|  |         }, | ||||||
|  |         backgroundColor: 'rgba(17, 19, 31, 1)', | ||||||
|  |         borderRadius: 4, | ||||||
|  |         shadowColor: 'rgba(0, 0, 0, 0.5)', | ||||||
|  |         textStyle: { | ||||||
|  |           color: '#b1b1b1', | ||||||
|  |           align: 'left', | ||||||
|  |         }, | ||||||
|  |         borderColor: '#000', | ||||||
|  |         formatter: (ticks) => { | ||||||
|  |           const tick = ticks[0]; | ||||||
|  |           const feesString = `${tick.marker} ${tick.seriesName}: ${formatNumber(tick.data[1], this.locale, '1.3-3')} BTC`; | ||||||
|  |           return ` | ||||||
|  |             <b style="color: white; margin-left: 18px">${tick.axisValueLabel}</b><br> | ||||||
|  |             <span>${feesString}</span> | ||||||
|  |           `;
 | ||||||
|  |         } | ||||||
|  |       }, | ||||||
|  |       xAxis: { | ||||||
|  |         name: formatterXAxisLabel(this.locale, this.timespan), | ||||||
|  |         nameLocation: 'middle', | ||||||
|  |         nameTextStyle: { | ||||||
|  |           padding: [10, 0, 0, 0], | ||||||
|  |         }, | ||||||
|  |         type: 'time', | ||||||
|  |         splitNumber: this.isMobile() ? 5 : 10, | ||||||
|  |       }, | ||||||
|  |       yAxis: [ | ||||||
|  |         { | ||||||
|  |           type: 'value', | ||||||
|  |           axisLabel: { | ||||||
|  |             color: 'rgb(110, 112, 121)', | ||||||
|  |             formatter: (val) => { | ||||||
|  |               return `${val} BTC`; | ||||||
|  |             } | ||||||
|  |           }, | ||||||
|  |           splitLine: { | ||||||
|  |             show: false, | ||||||
|  |           } | ||||||
|  |         }, | ||||||
|  |       ], | ||||||
|  |       series: [ | ||||||
|  |         { | ||||||
|  |           zlevel: 0, | ||||||
|  |           name: 'Fees', | ||||||
|  |           showSymbol: false, | ||||||
|  |           symbol: 'none', | ||||||
|  |           data: data.blockFees, | ||||||
|  |           type: 'line', | ||||||
|  |           lineStyle: { | ||||||
|  |             width: 2, | ||||||
|  |           }, | ||||||
|  |         }, | ||||||
|  |       ], | ||||||
|  |       dataZoom: [{ | ||||||
|  |         type: 'inside', | ||||||
|  |         realtime: true, | ||||||
|  |         zoomLock: true, | ||||||
|  |         maxSpan: 100, | ||||||
|  |         minSpan: 10, | ||||||
|  |         moveOnMouseMove: false, | ||||||
|  |       }, { | ||||||
|  |         showDetail: false, | ||||||
|  |         show: true, | ||||||
|  |         type: 'slider', | ||||||
|  |         brushSelect: false, | ||||||
|  |         realtime: true, | ||||||
|  |         left: 20, | ||||||
|  |         right: 15, | ||||||
|  |         selectedDataBackground: { | ||||||
|  |           lineStyle: { | ||||||
|  |             color: '#fff', | ||||||
|  |             opacity: 0.45, | ||||||
|  |           }, | ||||||
|  |           areaStyle: { | ||||||
|  |             opacity: 0, | ||||||
|  |           } | ||||||
|  |         }, | ||||||
|  |       }], | ||||||
|  |     }; | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   isMobile() { | ||||||
|  |     return (window.innerWidth <= 767.98); | ||||||
|  |   } | ||||||
|  | } | ||||||
| @ -0,0 +1,64 @@ | |||||||
|  | <div class="full-container"> | ||||||
|  | 
 | ||||||
|  |   <div class="card-header mb-0 mb-md-4"> | ||||||
|  |     <span i18n="mining.block-rewards">Block rewards</span> | ||||||
|  |     <form [formGroup]="radioGroupForm" class="formRadioGroup" *ngIf="(statsObservable$ | async) as stats"> | ||||||
|  |       <div class="btn-group btn-group-toggle" ngbRadioGroup name="radioBasic" formControlName="dateSpan"> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 1"> | ||||||
|  |           <input ngbButton type="radio" [value]="'24h'" fragment="24h"> 24h | ||||||
|  |         </label> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 3"> | ||||||
|  |           <input ngbButton type="radio" [value]="'3d'" fragment="3d"> 3D | ||||||
|  |         </label> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 7"> | ||||||
|  |           <input ngbButton type="radio" [value]="'1w'" fragment="1w"> 1W | ||||||
|  |         </label> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 30"> | ||||||
|  |           <input ngbButton type="radio" [value]="'1m'" fragment="1m"> 1M | ||||||
|  |         </label> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 90"> | ||||||
|  |           <input ngbButton type="radio" [value]="'3m'" fragment="3m"> 3M | ||||||
|  |         </label> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 180"> | ||||||
|  |           <input ngbButton type="radio" [value]="'6m'" fragment="6m"> 6M | ||||||
|  |         </label> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 365"> | ||||||
|  |           <input ngbButton type="radio" [value]="'1y'" fragment="1y"> 1Y | ||||||
|  |         </label> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 730"> | ||||||
|  |           <input ngbButton type="radio" [value]="'2y'" fragment="2y"> 2Y | ||||||
|  |         </label> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 1095"> | ||||||
|  |           <input ngbButton type="radio" [value]="'3y'" fragment="3y"> 3Y | ||||||
|  |         </label> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay > 1095"> | ||||||
|  |           <input ngbButton type="radio" [value]="'all'" fragment="all"> ALL | ||||||
|  |         </label> | ||||||
|  |       </div> | ||||||
|  |     </form> | ||||||
|  |   </div> | ||||||
|  | 
 | ||||||
|  |   <div class="chart" echarts [initOpts]="chartInitOptions" [options]="chartOptions"> | ||||||
|  |   </div> | ||||||
|  |   <div class="text-center loadingGraphs" *ngIf="isLoading"> | ||||||
|  |     <div class="spinner-border text-light"></div> | ||||||
|  |   </div> | ||||||
|  | 
 | ||||||
|  | </div> | ||||||
|  | 
 | ||||||
|  | <ng-template #loadingStats> | ||||||
|  |   <div class="pool-distribution"> | ||||||
|  |     <div class="item"> | ||||||
|  |       <h5 class="card-title" i18n="mining.miners-luck">Hashrate</h5> | ||||||
|  |       <p class="card-text"> | ||||||
|  |         <span class="skeleton-loader skeleton-loader-big"></span> | ||||||
|  |       </p> | ||||||
|  |     </div> | ||||||
|  |     <div class="item"> | ||||||
|  |       <h5 class="card-title" i18n="master-page.blocks">Difficulty</h5> | ||||||
|  |       <p class="card-text"> | ||||||
|  |         <span class="skeleton-loader skeleton-loader-big"></span> | ||||||
|  |       </p> | ||||||
|  |     </div> | ||||||
|  |   </div> | ||||||
|  | </ng-template> | ||||||
| @ -0,0 +1,135 @@ | |||||||
|  | .card-header { | ||||||
|  |   border-bottom: 0; | ||||||
|  |   font-size: 18px; | ||||||
|  |   @media (min-width: 465px) { | ||||||
|  |     font-size: 20px; | ||||||
|  |   } | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .main-title { | ||||||
|  |   position: relative; | ||||||
|  |   color: #ffffff91; | ||||||
|  |   margin-top: -13px; | ||||||
|  |   font-size: 10px; | ||||||
|  |   text-transform: uppercase; | ||||||
|  |   font-weight: 500; | ||||||
|  |   text-align: center; | ||||||
|  |   padding-bottom: 3px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .full-container { | ||||||
|  |   padding: 0px 15px; | ||||||
|  |   width: 100%; | ||||||
|  |   min-height: 500px; | ||||||
|  |   height: calc(100% - 150px); | ||||||
|  |   @media (max-width: 992px) { | ||||||
|  |     height: 100%; | ||||||
|  |     padding-bottom: 100px; | ||||||
|  |   }; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .chart { | ||||||
|  |   width: 100%; | ||||||
|  |   height: 100%; | ||||||
|  |   padding-bottom: 20px; | ||||||
|  |   padding-right: 10px; | ||||||
|  |   @media (max-width: 992px) { | ||||||
|  |     padding-bottom: 25px; | ||||||
|  |   } | ||||||
|  |   @media (max-width: 829px) { | ||||||
|  |     padding-bottom: 50px; | ||||||
|  |   } | ||||||
|  |   @media (max-width: 767px) { | ||||||
|  |     padding-bottom: 25px; | ||||||
|  |   } | ||||||
|  |   @media (max-width: 629px) { | ||||||
|  |     padding-bottom: 55px; | ||||||
|  |   } | ||||||
|  |   @media (max-width: 567px) { | ||||||
|  |     padding-bottom: 55px; | ||||||
|  |   } | ||||||
|  | } | ||||||
|  | .chart-widget { | ||||||
|  |   width: 100%; | ||||||
|  |   height: 100%; | ||||||
|  |   max-height: 270px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .formRadioGroup { | ||||||
|  |   margin-top: 6px; | ||||||
|  |   display: flex; | ||||||
|  |   flex-direction: column; | ||||||
|  |   @media (min-width: 1130px) { | ||||||
|  |     position: relative; | ||||||
|  |     top: -65px; | ||||||
|  |   } | ||||||
|  |   @media (min-width: 830px) and (max-width: 1130px) { | ||||||
|  |     position: relative; | ||||||
|  |     top: 0px; | ||||||
|  |   } | ||||||
|  |   @media (min-width: 830px) { | ||||||
|  |     flex-direction: row; | ||||||
|  |     float: right; | ||||||
|  |     margin-top: 0px; | ||||||
|  |   } | ||||||
|  |   .btn-sm { | ||||||
|  |     font-size: 9px; | ||||||
|  |     @media (min-width: 830px) { | ||||||
|  |       font-size: 14px; | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .pool-distribution { | ||||||
|  |   min-height: 56px; | ||||||
|  |   display: block; | ||||||
|  |   @media (min-width: 485px) { | ||||||
|  |     display: flex; | ||||||
|  |     flex-direction: row; | ||||||
|  |   } | ||||||
|  |   h5 { | ||||||
|  |     margin-bottom: 10px; | ||||||
|  |   } | ||||||
|  |   .item { | ||||||
|  |     width: 50%; | ||||||
|  |     display: inline-block; | ||||||
|  |     margin: 0px auto 20px; | ||||||
|  |     &:nth-child(2) { | ||||||
|  |       order: 2; | ||||||
|  |       @media (min-width: 485px) { | ||||||
|  |         order: 3; | ||||||
|  |       } | ||||||
|  |     } | ||||||
|  |     &:nth-child(3) { | ||||||
|  |       order: 3; | ||||||
|  |       @media (min-width: 485px) { | ||||||
|  |         order: 2; | ||||||
|  |         display: block; | ||||||
|  |       } | ||||||
|  |       @media (min-width: 768px) { | ||||||
|  |         display: none; | ||||||
|  |       } | ||||||
|  |       @media (min-width: 992px) { | ||||||
|  |         display: block; | ||||||
|  |       } | ||||||
|  |     } | ||||||
|  |     .card-title { | ||||||
|  |       font-size: 1rem; | ||||||
|  |       color: #4a68b9; | ||||||
|  |     } | ||||||
|  |     .card-text { | ||||||
|  |       font-size: 18px; | ||||||
|  |       span { | ||||||
|  |         color: #ffffff66; | ||||||
|  |         font-size: 12px; | ||||||
|  |       } | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .skeleton-loader { | ||||||
|  |   width: 100%; | ||||||
|  |   display: block; | ||||||
|  |   max-width: 80px; | ||||||
|  |   margin: 15px auto 3px; | ||||||
|  | } | ||||||
| @ -0,0 +1,200 @@ | |||||||
|  | import { ChangeDetectionStrategy, ChangeDetectorRef, Component, Inject, Input, LOCALE_ID, OnInit } from '@angular/core'; | ||||||
|  | import { EChartsOption, graphic } from 'echarts'; | ||||||
|  | import { Observable } from 'rxjs'; | ||||||
|  | import { map, share, startWith, switchMap, tap } from 'rxjs/operators'; | ||||||
|  | import { ApiService } from 'src/app/services/api.service'; | ||||||
|  | import { SeoService } from 'src/app/services/seo.service'; | ||||||
|  | import { formatNumber } from '@angular/common'; | ||||||
|  | import { FormBuilder, FormGroup } from '@angular/forms'; | ||||||
|  | import { formatterXAxisLabel } from 'src/app/shared/graphs.utils'; | ||||||
|  | import { MiningService } from 'src/app/services/mining.service'; | ||||||
|  | import { StorageService } from 'src/app/services/storage.service'; | ||||||
|  | 
 | ||||||
|  | @Component({ | ||||||
|  |   selector: 'app-block-rewards-graph', | ||||||
|  |   templateUrl: './block-rewards-graph.component.html', | ||||||
|  |   styleUrls: ['./block-rewards-graph.component.scss'], | ||||||
|  |   styles: [` | ||||||
|  |     .loadingGraphs { | ||||||
|  |       position: absolute; | ||||||
|  |       top: 50%; | ||||||
|  |       left: calc(50% - 15px); | ||||||
|  |       z-index: 100; | ||||||
|  |     } | ||||||
|  |   `],
 | ||||||
|  |   changeDetection: ChangeDetectionStrategy.OnPush, | ||||||
|  | }) | ||||||
|  | export class BlockRewardsGraphComponent implements OnInit { | ||||||
|  |   @Input() right: number | string = 45; | ||||||
|  |   @Input() left: number | string = 75; | ||||||
|  | 
 | ||||||
|  |   miningWindowPreference: string; | ||||||
|  |   radioGroupForm: FormGroup; | ||||||
|  | 
 | ||||||
|  |   chartOptions: EChartsOption = {}; | ||||||
|  |   chartInitOptions = { | ||||||
|  |     renderer: 'svg', | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   statsObservable$: Observable<any>; | ||||||
|  |   isLoading = true; | ||||||
|  |   formatNumber = formatNumber; | ||||||
|  |   timespan = ''; | ||||||
|  | 
 | ||||||
|  |   constructor( | ||||||
|  |     @Inject(LOCALE_ID) public locale: string, | ||||||
|  |     private seoService: SeoService, | ||||||
|  |     private apiService: ApiService, | ||||||
|  |     private formBuilder: FormBuilder, | ||||||
|  |     private miningService: MiningService, | ||||||
|  |     private storageService: StorageService | ||||||
|  |   ) { | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   ngOnInit(): void { | ||||||
|  |     this.seoService.setTitle($localize`:@@mining.block-reward:Block Reward`); | ||||||
|  |     this.miningWindowPreference = this.miningService.getDefaultTimespan('24h'); | ||||||
|  |     this.radioGroupForm = this.formBuilder.group({ dateSpan: this.miningWindowPreference }); | ||||||
|  |     this.radioGroupForm.controls.dateSpan.setValue(this.miningWindowPreference); | ||||||
|  | 
 | ||||||
|  |     this.statsObservable$ = this.radioGroupForm.get('dateSpan').valueChanges | ||||||
|  |       .pipe( | ||||||
|  |         startWith(this.miningWindowPreference), | ||||||
|  |         switchMap((timespan) => { | ||||||
|  |           this.storageService.setValue('miningWindowPreference', timespan); | ||||||
|  |           this.timespan = timespan; | ||||||
|  |           this.isLoading = true; | ||||||
|  |           return this.apiService.getHistoricalBlockRewards$(timespan) | ||||||
|  |             .pipe( | ||||||
|  |               tap((data: any) => { | ||||||
|  |                 this.prepareChartOptions({ | ||||||
|  |                   blockRewards: data.blockRewards.map(val => [val.timestamp * 1000, val.avg_rewards / 100000000]), | ||||||
|  |                 }); | ||||||
|  |                 this.isLoading = false; | ||||||
|  |               }), | ||||||
|  |               map((data: any) => { | ||||||
|  |                 const availableTimespanDay = ( | ||||||
|  |                   (new Date().getTime() / 1000) - (data.oldestIndexedBlockTimestamp) | ||||||
|  |                 ) / 3600 / 24; | ||||||
|  | 
 | ||||||
|  |                 return { | ||||||
|  |                   availableTimespanDay: availableTimespanDay, | ||||||
|  |                 }; | ||||||
|  |               }), | ||||||
|  |             ); | ||||||
|  |         }), | ||||||
|  |         share() | ||||||
|  |       ); | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   prepareChartOptions(data) { | ||||||
|  |     this.chartOptions = { | ||||||
|  |       animation: false, | ||||||
|  |       color: [ | ||||||
|  |         new graphic.LinearGradient(0, 0, 0, 0.65, [ | ||||||
|  |           { offset: 0, color: '#F4511E' }, | ||||||
|  |           { offset: 0.25, color: '#FB8C00' }, | ||||||
|  |           { offset: 0.5, color: '#FFB300' }, | ||||||
|  |           { offset: 0.75, color: '#FDD835' }, | ||||||
|  |           { offset: 1, color: '#7CB342' } | ||||||
|  |         ]), | ||||||
|  |       ], | ||||||
|  |       grid: { | ||||||
|  |         top: 20, | ||||||
|  |         bottom: 80, | ||||||
|  |         right: this.right, | ||||||
|  |         left: this.left, | ||||||
|  |       }, | ||||||
|  |       tooltip: { | ||||||
|  |         show: !this.isMobile(), | ||||||
|  |         trigger: 'axis', | ||||||
|  |         axisPointer: { | ||||||
|  |           type: 'line' | ||||||
|  |         }, | ||||||
|  |         backgroundColor: 'rgba(17, 19, 31, 1)', | ||||||
|  |         borderRadius: 4, | ||||||
|  |         shadowColor: 'rgba(0, 0, 0, 0.5)', | ||||||
|  |         textStyle: { | ||||||
|  |           color: '#b1b1b1', | ||||||
|  |           align: 'left', | ||||||
|  |         }, | ||||||
|  |         borderColor: '#000', | ||||||
|  |         formatter: (ticks) => { | ||||||
|  |           const tick = ticks[0]; | ||||||
|  |           const rewardsString = `${tick.marker} ${tick.seriesName}: ${formatNumber(tick.data[1], this.locale, '1.3-3')} BTC`; | ||||||
|  |           return ` | ||||||
|  |             <b style="color: white; margin-left: 18px">${tick.axisValueLabel}</b><br> | ||||||
|  |             <span>${rewardsString}</span> | ||||||
|  |           `;
 | ||||||
|  |         } | ||||||
|  |       }, | ||||||
|  |       xAxis: { | ||||||
|  |         name: formatterXAxisLabel(this.locale, this.timespan), | ||||||
|  |         nameLocation: 'middle', | ||||||
|  |         nameTextStyle: { | ||||||
|  |           padding: [10, 0, 0, 0], | ||||||
|  |         }, | ||||||
|  |         type: 'time', | ||||||
|  |         splitNumber: this.isMobile() ? 5 : 10, | ||||||
|  |       }, | ||||||
|  |       yAxis: [ | ||||||
|  |         { | ||||||
|  |           min: value => Math.round(10 * value.min * 0.99) / 10, | ||||||
|  |           max: value => Math.round(10 * value.max * 1.01) / 10, | ||||||
|  |           type: 'value', | ||||||
|  |           axisLabel: { | ||||||
|  |             color: 'rgb(110, 112, 121)', | ||||||
|  |             formatter: (val) => { | ||||||
|  |               return `${val} BTC`; | ||||||
|  |             } | ||||||
|  |           }, | ||||||
|  |           splitLine: { | ||||||
|  |             show: false, | ||||||
|  |           } | ||||||
|  |         }, | ||||||
|  |       ], | ||||||
|  |       series: [ | ||||||
|  |         { | ||||||
|  |           zlevel: 0, | ||||||
|  |           name: 'Reward', | ||||||
|  |           showSymbol: false, | ||||||
|  |           symbol: 'none', | ||||||
|  |           data: data.blockRewards, | ||||||
|  |           type: 'line', | ||||||
|  |           lineStyle: { | ||||||
|  |             width: 2, | ||||||
|  |           }, | ||||||
|  |         }, | ||||||
|  |       ], | ||||||
|  |       dataZoom: [{ | ||||||
|  |         type: 'inside', | ||||||
|  |         realtime: true, | ||||||
|  |         zoomLock: true, | ||||||
|  |         maxSpan: 100, | ||||||
|  |         minSpan: 10, | ||||||
|  |         moveOnMouseMove: false, | ||||||
|  |       }, { | ||||||
|  |         showDetail: false, | ||||||
|  |         show: true, | ||||||
|  |         type: 'slider', | ||||||
|  |         brushSelect: false, | ||||||
|  |         realtime: true, | ||||||
|  |         left: 20, | ||||||
|  |         right: 15, | ||||||
|  |         selectedDataBackground: { | ||||||
|  |           lineStyle: { | ||||||
|  |             color: '#fff', | ||||||
|  |             opacity: 0.45, | ||||||
|  |           }, | ||||||
|  |           areaStyle: { | ||||||
|  |             opacity: 0, | ||||||
|  |           } | ||||||
|  |         }, | ||||||
|  |       }], | ||||||
|  |     }; | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   isMobile() { | ||||||
|  |     return (window.innerWidth <= 767.98); | ||||||
|  |   } | ||||||
|  | } | ||||||
| @ -163,7 +163,7 @@ | |||||||
|     </div> |     </div> | ||||||
| 
 | 
 | ||||||
|     <div #blockTxTitle id="block-tx-title" class="block-tx-title"> |     <div #blockTxTitle id="block-tx-title" class="block-tx-title"> | ||||||
|       <h2> |       <h2 class="text-left"> | ||||||
|         <ng-container *ngTemplateOutlet="block.tx_count === 1 ? transactionsSingular : transactionsPlural; context: {$implicit: block.tx_count | number}"></ng-container> |         <ng-container *ngTemplateOutlet="block.tx_count === 1 ? transactionsSingular : transactionsPlural; context: {$implicit: block.tx_count | number}"></ng-container> | ||||||
|         <ng-template #transactionsSingular let-i i18n="shared.transaction-count.singular">{{ i }} transaction</ng-template> |         <ng-template #transactionsSingular let-i i18n="shared.transaction-count.singular">{{ i }} transaction</ng-template> | ||||||
|         <ng-template #transactionsPlural let-i i18n="shared.transaction-count.plural">{{ i }} transactions</ng-template> |         <ng-template #transactionsPlural let-i i18n="shared.transaction-count.plural">{{ i }} transactions</ng-template> | ||||||
|  | |||||||
| @ -4411,3 +4411,177 @@ export const restApiDocsData = [ | |||||||
|   }, |   }, | ||||||
| ]; | ]; | ||||||
| 
 | 
 | ||||||
|  | export const faqData = [ | ||||||
|  |   { | ||||||
|  |     type: "category", | ||||||
|  |     category: "basics", | ||||||
|  |     fragment: "basics", | ||||||
|  |     title: "Basics", | ||||||
|  |     showConditions: bitcoinNetworks | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "endpoint", | ||||||
|  |     category: "basics", | ||||||
|  |     showConditions: bitcoinNetworks, | ||||||
|  |     fragment: "what-is-a-mempool", | ||||||
|  |     title: "What is a mempool?", | ||||||
|  |     answer: "<p>A mempool (short for \"memory pool\") holds the queue of pending and unconfirmed transactions for a cryptocurrency network node. There is no one global mempool: every node on the network maintains its own mempool, so different nodes may hold different transactions in their mempools.</p>" | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "endpoint", | ||||||
|  |     category: "basics", | ||||||
|  |     showConditions: bitcoinNetworks, | ||||||
|  |     fragment: "what-is-a-mempool-explorer", | ||||||
|  |     title: "What is a mempool explorer?", | ||||||
|  |     answer: "<p>A mempool explorer is a tool that enables you to view real-time and historical information about a node's mempool, visualize its transactions, and search and view those transactions.</p><p>The mempool.space website invented the concept of visualizing a Bitcoin node's mempool as <b>projected blocks</b>. These blocks are the inspiration for our half-filled block logo.</p><p>Projected blocks are on the left of the dotted white line, and confirmed blocks are on the right.</p>" | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "endpoint", | ||||||
|  |     category: "basics", | ||||||
|  |     showConditions: bitcoinNetworks, | ||||||
|  |     fragment: "what-is-a-blockchain", | ||||||
|  |     title: "What is a blockchain?", | ||||||
|  |     answer: "<p>A blockchain is a distributed ledger that records the transactions for a cryptocurrency network. Miners amend the blockchain ledger by mining new blocks.</p>" | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "endpoint", | ||||||
|  |     category: "basics", | ||||||
|  |     showConditions: bitcoinNetworks, | ||||||
|  |     fragment: "what-is-a-block-explorer", | ||||||
|  |     title: "What is a block explorer?", | ||||||
|  |     answer: "<p>A block explorer is a tool that enables you to explore real-time and historical information about the blockchain of a cryptocurrency. This includes data related to blocks, transactions, addresses, and more.</p>" | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "endpoint", | ||||||
|  |     category: "basics", | ||||||
|  |     showConditions: bitcoinNetworks, | ||||||
|  |     fragment: "what-is-mining", | ||||||
|  |     title: "What is mining?", | ||||||
|  |     answer: "Mining is the process by which unconfirmed transactions in a mempool are confirmed into a block on a blockchain. Miners select unconfirmed transactions from their mempools and arrange them into a block such that they solve a particular math problem.</p><p>The first miner on the network to find a suitable block earns all the transaction fees from the transactions in that block. As a result, miners tend to prioritize transactions with higher transaction fees.</p>" | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "endpoint", | ||||||
|  |     category: "basics", | ||||||
|  |     showConditions: bitcoinNetworks, | ||||||
|  |     fragment: "what-are-mining-pools", | ||||||
|  |     title: "What are mining pools?", | ||||||
|  |     answer: "Mining pools are groups of miners that combine their computational power in order to increase the probability of finding new blocks." | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "category", | ||||||
|  |     category: "help", | ||||||
|  |     fragment: "help-stuck-transaction", | ||||||
|  |     title: "Help! My transaction is stuck", | ||||||
|  |     showConditions: bitcoinNetworks | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "endpoint", | ||||||
|  |     category: "help", | ||||||
|  |     showConditions: bitcoinNetworks, | ||||||
|  |     fragment: "why-is-transaction-stuck-in-mempool", | ||||||
|  |     title: "Why is my transaction stuck in the mempool?", | ||||||
|  |     answer: "<p>Miners decide which transactions are included in the blocks they mine, so they usually prioritize transactions which pay them the highest transaction fees (transaction fees are measured in sats per virtual byte, or sat/vB). If it's been a while and your transcation hasn't been confirmed, your transaction probably has a lower transaction fee relative to other transactions currently in the mempool.</p>" | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "endpoint", | ||||||
|  |     category: "help", | ||||||
|  |     showConditions: bitcoinNetworks, | ||||||
|  |     fragment: "how-to-get-transaction-confirmed-quickly", | ||||||
|  |     title: "How can I get my transaction confirmed more quickly?", | ||||||
|  |     answer: "<p>If your wallet supports RBF, and if your transaction was created with RBF enabled, you can bump the fee higher.</p><p>Otherwise, if your wallet does not support RBF, you can increase the effective fee rate of your transaction by spending its change output using a higher fee. This is called CPFP.</p>" | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "endpoint", | ||||||
|  |     category: "help", | ||||||
|  |     showConditions: bitcoinNetworks, | ||||||
|  |     fragment: "how-prevent-stuck-transaction", | ||||||
|  |     title: "How can I prevent a transaction from getting stuck in the future?", | ||||||
|  |     answer: "<p>You must use an adequate transaction fee commensurate with how quickly you need the transaction to be confirmed. Also consider using RBF if your wallet supports it so that you can bump the fee rate if needed.</p>" | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "category", | ||||||
|  |     category: "using", | ||||||
|  |     fragment: "using-this-website", | ||||||
|  |     title: "Using this website", | ||||||
|  |     showConditions: bitcoinNetworks | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "endpoint", | ||||||
|  |     category: "how-to", | ||||||
|  |     showConditions: bitcoinNetworks, | ||||||
|  |     fragment: "looking-up-transactions", | ||||||
|  |     title: "How can I look up a transaction?", | ||||||
|  |     answer: "Search for the transaction ID in the search box at the top-right of this website." | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "endpoint", | ||||||
|  |     category: "how-to", | ||||||
|  |     showConditions: bitcoinNetworks, | ||||||
|  |     fragment: "looking-up-addresses", | ||||||
|  |     title: "How can I look up an address?", | ||||||
|  |     answer: "Search for the address in the search box at the top-right of this website." | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "endpoint", | ||||||
|  |     category: "how-to", | ||||||
|  |     showConditions: bitcoinNetworks, | ||||||
|  |     fragment: "looking-up-blocks", | ||||||
|  |     title: "How can I look up a block?", | ||||||
|  |     answer: "Search for the block number (or block hash) in the search box at the top-right of this website." | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "endpoint", | ||||||
|  |     category: "how-to", | ||||||
|  |     showConditions: bitcoinNetworks, | ||||||
|  |     fragment: "looking-up-fee-estimates", | ||||||
|  |     title: "How can I look up fee estimates?", | ||||||
|  |     answer: "<p>See real-time fee estimates on <a href='/'>the main dashboard</a>.</p><p>Low priority is suggested for confirmation within 6 blocks (~1 hour), Medium priority is suggested for confirmation within 3 blocks (~30 minutes), and High priority is suggested for confirmation in the next block (~10 minutes).</p>" | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "endpoint", | ||||||
|  |     category: "how-to", | ||||||
|  |     showConditions: bitcoinNetworks, | ||||||
|  |     fragment: "looking-up-historical-trends", | ||||||
|  |     title: "How can I explore historical trends?", | ||||||
|  |     answer: "See the <a href='/graphs'>graphs page</a> for aggregate trends over time: mempool size over time and incoming transaction velocity over time." | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "category", | ||||||
|  |     category: "advanced", | ||||||
|  |     fragment: "advanced", | ||||||
|  |     title: "Advanced", | ||||||
|  |     showConditions: bitcoinNetworks | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "endpoint", | ||||||
|  |     category: "advanced", | ||||||
|  |     showConditions: bitcoinNetworks, | ||||||
|  |     fragment: "who-runs-this-website", | ||||||
|  |     title: "Who runs this website?", | ||||||
|  |     answer: "The official mempool.space website is operated by The Mempool Open Source Project. See more information on our <a href='/about'>About page</a>. There are also many unofficial instances of this website operated by individual members of the Bitcoin community." | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "endpoint", | ||||||
|  |     category: "advanced", | ||||||
|  |     showConditions: bitcoinNetworks, | ||||||
|  |     fragment: "host-my-own-instance-raspberry-pi", | ||||||
|  |     title: "How can I host my own instance on a Raspberry Pi?", | ||||||
|  |     answer: "We support one-click installation on a number of Raspberry Pi full-node distros including Umbrel, RaspiBlitz, MyNode, and RoninDojo." | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "endpoint", | ||||||
|  |     category: "advanced", | ||||||
|  |     showConditions: bitcoinNetworks, | ||||||
|  |     fragment: "host-my-own-instance-linux-server", | ||||||
|  |     title: "How can I host my own instance on a Linux server?", | ||||||
|  |     answer: "You can manually install mempool on your own Linux server, but this requires advanced sysadmin skills since you will be manually configuring everything. We do not provide support for manual deployments." | ||||||
|  |   }, | ||||||
|  |   { | ||||||
|  |     type: "endpoint", | ||||||
|  |     category: "advanced", | ||||||
|  |     showConditions: bitcoinNetworks, | ||||||
|  |     fragment: "install-mempool-with-docker", | ||||||
|  |     title: "Can I install Mempool using Docker?", | ||||||
|  |     answer: "Yes, we publish Docker images (or you can build your own), and provide <a href='https://github.com/mempool/mempool/tree/master/docker' target='_blank'>an example docker-compose template</a>." | ||||||
|  |   } | ||||||
|  | ]; | ||||||
|  | |||||||
| @ -1,4 +1,4 @@ | |||||||
| <div *ngFor="let item of restDocs"> | <div *ngFor="let item of tabData"> | ||||||
|   <p *ngIf="( item.type === 'category' ) && ( item.showConditions.indexOf(network.val) > -1 )">{{ item.title }}</p> |   <p *ngIf="( item.type === 'category' ) && ( item.showConditions.indexOf(network.val) > -1 )">{{ item.title }}</p> | ||||||
|   <a *ngIf="( item.type !== 'category' ) && ( item.showConditions.indexOf(network.val) > -1 )" [routerLink]="['./']" fragment="{{ item.fragment }}" (click)="navLinkClick($event)">{{ item.title }}</a> |   <a *ngIf="( item.type !== 'category' ) && ( item.showConditions.indexOf(network.val) > -1 )" [routerLink]="['./']" fragment="{{ item.fragment }}" (click)="navLinkClick($event)">{{ item.title }}</a> | ||||||
| </div> | </div> | ||||||
|  | |||||||
| @ -1,5 +1,6 @@ | |||||||
| import { Component, OnInit, Input, Output, EventEmitter } from '@angular/core'; | import { Component, OnInit, Input, Output, EventEmitter } from '@angular/core'; | ||||||
| import { restApiDocsData } from './api-docs-data'; | import { restApiDocsData } from './api-docs-data'; | ||||||
|  | import { faqData } from './api-docs-data'; | ||||||
| 
 | 
 | ||||||
| @Component({ | @Component({ | ||||||
|   selector: 'app-api-docs-nav', |   selector: 'app-api-docs-nav', | ||||||
| @ -9,13 +10,18 @@ import { restApiDocsData } from './api-docs-data'; | |||||||
| export class ApiDocsNavComponent implements OnInit { | export class ApiDocsNavComponent implements OnInit { | ||||||
| 
 | 
 | ||||||
|   @Input() network: any; |   @Input() network: any; | ||||||
|  |   @Input() whichTab: string; | ||||||
|   @Output() navLinkClickEvent: EventEmitter<any> = new EventEmitter(); |   @Output() navLinkClickEvent: EventEmitter<any> = new EventEmitter(); | ||||||
|   restDocs: any[]; |   tabData: any[]; | ||||||
| 
 | 
 | ||||||
|   constructor() { } |   constructor() { } | ||||||
| 
 | 
 | ||||||
|   ngOnInit(): void { |   ngOnInit(): void { | ||||||
|     this.restDocs = restApiDocsData; |     if( this.whichTab === 'rest' ) { | ||||||
|  |       this.tabData = restApiDocsData; | ||||||
|  |     } else if( this.whichTab = 'faq' ) { | ||||||
|  |       this.tabData = faqData; | ||||||
|  |     } | ||||||
|   } |   } | ||||||
|    |    | ||||||
|   navLinkClick( event ) { |   navLinkClick( event ) { | ||||||
|  | |||||||
| @ -1,20 +1,45 @@ | |||||||
| <ng-container *ngIf="{ val: network$ | async } as network"> | <ng-container *ngIf="{ val: network$ | async } as network"> | ||||||
|   <div class="container-xl text-left"> |   <div class="container-xl text-left"> | ||||||
| 
 | 
 | ||||||
|     <div id="restAPI" *ngIf="restTabActivated"> |     <div id="faq" *ngIf="whichTab === 'faq'"> | ||||||
| 
 | 
 | ||||||
|       <div id="doc-nav-desktop" class="hide-on-mobile" [ngClass]="desktopDocsNavPosition"> |       <div id="doc-nav-desktop" class="hide-on-mobile" [ngClass]="desktopDocsNavPosition"> | ||||||
|         <app-api-docs-nav (navLinkClickEvent)="anchorLinkClick( $event )" [network]="{ val: network$ | async }"></app-api-docs-nav> |         <app-api-docs-nav (navLinkClickEvent)="anchorLinkClick( $event )" [network]="{ val: network$ | async }" [whichTab]="whichTab"></app-api-docs-nav> | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |       <div class="doc-content"> | ||||||
|  | 
 | ||||||
|  |         <div class="doc-item-container" *ngFor="let item of faq"> | ||||||
|  |           <h3 *ngIf="item.type === 'category'">{{ item.title }}</h3> | ||||||
|  |           <div *ngIf="item.type !== 'category'" class="endpoint-container" id="{{ item.fragment }}"> | ||||||
|  |             <a id="{{ item.fragment + '-tab-header' }}" class="section-header" (click)="anchorLinkClick( $event )" [routerLink]="['./']" fragment="{{ item.fragment }}"><table><tr><td>{{ item.title }}</td><td><span>{{ item.category }}</span></td></tr></table></a> | ||||||
|  |             <div class="endpoint-content"> | ||||||
|  |               <div class="endpoint" [innerHTML]="item.answer | noSanitize"></div> | ||||||
|  |               <div class="blockchain-wrapper" *ngIf="item.fragment === 'what-is-a-mempool-explorer'"> | ||||||
|  |                 <app-blockchain></app-blockchain> | ||||||
|  |               </div> | ||||||
|  |             </div> | ||||||
|  |           </div> | ||||||
|  |         </div> | ||||||
|  | 
 | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |     </div> | ||||||
|  | 
 | ||||||
|  |     <div id="restAPI" *ngIf="whichTab === 'rest'"> | ||||||
|  | 
 | ||||||
|  |       <div id="doc-nav-desktop" class="hide-on-mobile" [ngClass]="desktopDocsNavPosition"> | ||||||
|  |         <app-api-docs-nav (navLinkClickEvent)="anchorLinkClick( $event )" [network]="{ val: network$ | async }" [whichTab]="whichTab"></app-api-docs-nav> | ||||||
|       </div> |       </div> | ||||||
| 
 | 
 | ||||||
|       <div class="doc-content"> |       <div class="doc-content"> | ||||||
| 
 | 
 | ||||||
|         <p class="hide-on-mobile no-bottom-space">Reference for the {{ network.val === '' ? 'Bitcoin' : network.val.charAt(0).toUpperCase() + network.val.slice(1) }} <ng-container i18n="api-docs.title">API service</ng-container>.</p> |         <p class="hide-on-mobile no-bottom-space">Reference for the {{ network.val === '' ? 'Bitcoin' : network.val.charAt(0).toUpperCase() + network.val.slice(1) }} <ng-container i18n="api-docs.title">API service</ng-container>.</p> | ||||||
| 
 | 
 | ||||||
|         <div *ngFor="let item of restDocs"> |         <div class="doc-item-container" *ngFor="let item of restDocs"> | ||||||
|           <h3 *ngIf="( item.type === 'category' ) && ( item.showConditions.indexOf(network.val) > -1 )">{{ item.title }}</h3> |           <h3 *ngIf="( item.type === 'category' ) && ( item.showConditions.indexOf(network.val) > -1 )">{{ item.title }}</h3> | ||||||
|           <div *ngIf="( item.type !== 'category' ) && ( item.showConditions.indexOf(network.val) > -1 )" class="endpoint-container" id="{{ item.fragment }}"> |           <div *ngIf="( item.type !== 'category' ) && ( item.showConditions.indexOf(network.val) > -1 )" class="endpoint-container" id="{{ item.fragment }}"> | ||||||
|             <a class="section-header" (click)="anchorLinkClick( $event )" [routerLink]="['./']" fragment="{{ item.fragment }}">{{ item.title }} <span>{{ item.category }}</span></a> |             <a id="{{ item.fragment + '-tab-header' }}" class="section-header" (click)="anchorLinkClick( $event )" [routerLink]="['./']" fragment="{{ item.fragment }}">{{ item.title }} <span>{{ item.category }}</span></a> | ||||||
|             <div class="endpoint-content"> |             <div class="endpoint-content"> | ||||||
|               <div class="endpoint"> |               <div class="endpoint"> | ||||||
|                 <div class="subtitle" i18n="Api docs endpoint">Endpoint</div> |                 <div class="subtitle" i18n="Api docs endpoint">Endpoint</div> | ||||||
| @ -65,7 +90,7 @@ | |||||||
|       </div> |       </div> | ||||||
|     </div> |     </div> | ||||||
| 
 | 
 | ||||||
|     <div id="websocketAPI" *ngIf="!restTabActivated && ( network.val !== 'bisq' )"> |     <div id="websocketAPI" *ngIf="( whichTab === 'websocket' ) && ( network.val !== 'bisq' )"> | ||||||
|       <div class="api-category"> |       <div class="api-category"> | ||||||
|         <div class="websocket"> |         <div class="websocket"> | ||||||
|           <div class="endpoint"> |           <div class="endpoint"> | ||||||
|  | |||||||
| @ -152,6 +152,14 @@ h3 { | |||||||
|   float: right; |   float: right; | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
|  | .endpoint-container .section-header table { | ||||||
|  |   width: 100%; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .endpoint-container .section-header table td:first-child { | ||||||
|  |   padding-right: 24px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
| #doc-nav-mobile { | #doc-nav-mobile { | ||||||
|   position: fixed; |   position: fixed; | ||||||
|   top: 20px; |   top: 20px; | ||||||
| @ -179,6 +187,16 @@ h3 { | |||||||
|   border-radius: 0.5rem 0.5rem 0 0; |   border-radius: 0.5rem 0.5rem 0 0; | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
|  | .blockchain-wrapper { | ||||||
|  |   position: relative; | ||||||
|  |   width: 100%; | ||||||
|  |   overflow: auto; | ||||||
|  |   scrollbar-width: none; | ||||||
|  | } | ||||||
|  | .blockchain-wrapper::-webkit-scrollbar { | ||||||
|  |   display: none; | ||||||
|  | } | ||||||
|  | 
 | ||||||
| @media (max-width: 992px) { | @media (max-width: 992px) { | ||||||
| 
 | 
 | ||||||
|   .hide-on-mobile { |   .hide-on-mobile { | ||||||
| @ -231,4 +249,8 @@ h3 { | |||||||
|   h3 { |   h3 { | ||||||
|     display: none; |     display: none; | ||||||
|   } |   } | ||||||
|  | 
 | ||||||
|  |   .doc-item-container:last-of-type .endpoint-container { | ||||||
|  |     margin-bottom: 4rem; | ||||||
|  |   } | ||||||
| } | } | ||||||
|  | |||||||
| @ -4,7 +4,7 @@ import { Observable, merge, of } from 'rxjs'; | |||||||
| import { SeoService } from 'src/app/services/seo.service'; | import { SeoService } from 'src/app/services/seo.service'; | ||||||
| import { tap } from 'rxjs/operators'; | import { tap } from 'rxjs/operators'; | ||||||
| import { ActivatedRoute } from "@angular/router"; | import { ActivatedRoute } from "@angular/router"; | ||||||
| import { restApiDocsData, wsApiDocsData } from './api-docs-data'; | import { faqData, restApiDocsData, wsApiDocsData } from './api-docs-data'; | ||||||
| 
 | 
 | ||||||
| @Component({ | @Component({ | ||||||
|   selector: 'app-api-docs', |   selector: 'app-api-docs', | ||||||
| @ -18,8 +18,9 @@ export class ApiDocsComponent implements OnInit { | |||||||
|   env: Env; |   env: Env; | ||||||
|   code: any; |   code: any; | ||||||
|   baseNetworkUrl = ''; |   baseNetworkUrl = ''; | ||||||
|   @Input() restTabActivated: Boolean; |   @Input() whichTab: string; | ||||||
|   desktopDocsNavPosition = "relative"; |   desktopDocsNavPosition = "relative"; | ||||||
|  |   faq: any[]; | ||||||
|   restDocs: any[]; |   restDocs: any[]; | ||||||
|   wsDocs: any; |   wsDocs: any; | ||||||
|   screenWidth: number; |   screenWidth: number; | ||||||
| @ -33,7 +34,9 @@ export class ApiDocsComponent implements OnInit { | |||||||
|   ngAfterViewInit() { |   ngAfterViewInit() { | ||||||
|     const that = this; |     const that = this; | ||||||
|     setTimeout( () => { |     setTimeout( () => { | ||||||
|  |       if( this.route.snapshot.fragment ) { | ||||||
|         this.openEndpointContainer( this.route.snapshot.fragment ); |         this.openEndpointContainer( this.route.snapshot.fragment ); | ||||||
|  |       } | ||||||
|       window.addEventListener('scroll', function() { |       window.addEventListener('scroll', function() { | ||||||
|         that.desktopDocsNavPosition = ( window.pageYOffset > 182 ) ? "fixed" : "relative"; |         that.desktopDocsNavPosition = ( window.pageYOffset > 182 ) ? "fixed" : "relative"; | ||||||
|       }); |       }); | ||||||
| @ -62,6 +65,7 @@ export class ApiDocsComponent implements OnInit { | |||||||
| 
 | 
 | ||||||
|     this.hostname = `${document.location.protocol}//${this.hostname}`; |     this.hostname = `${document.location.protocol}//${this.hostname}`; | ||||||
| 
 | 
 | ||||||
|  |     this.faq = faqData; | ||||||
|     this.restDocs = restApiDocsData; |     this.restDocs = restApiDocsData; | ||||||
|     this.wsDocs = wsApiDocsData; |     this.wsDocs = wsApiDocsData; | ||||||
| 
 | 
 | ||||||
| @ -71,7 +75,16 @@ export class ApiDocsComponent implements OnInit { | |||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   anchorLinkClick( event: any ) { |   anchorLinkClick( event: any ) { | ||||||
|     const targetId = event.target.hash.substring(1); |     let targetId = ""; | ||||||
|  |     if( event.target.nodeName === "A" ) { | ||||||
|  |       targetId = event.target.hash.substring(1); | ||||||
|  |     } else { | ||||||
|  |       let element = event.target; | ||||||
|  |       while( element.nodeName !== "A" ) { | ||||||
|  |         element = element.parentElement; | ||||||
|  |       } | ||||||
|  |       targetId = element.hash.substring(1); | ||||||
|  |     } | ||||||
|     if( this.route.snapshot.fragment === targetId ) { |     if( this.route.snapshot.fragment === targetId ) { | ||||||
|       document.getElementById( targetId ).scrollIntoView(); |       document.getElementById( targetId ).scrollIntoView(); | ||||||
|     } |     } | ||||||
| @ -79,7 +92,8 @@ export class ApiDocsComponent implements OnInit { | |||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   openEndpointContainer( targetId ) { |   openEndpointContainer( targetId ) { | ||||||
|     if( ( window.innerWidth <= 992 ) && this.restTabActivated && targetId ) { |     const tabHeaderHeight = document.getElementById( targetId + "-tab-header" ).scrollHeight; | ||||||
|  |     if( ( window.innerWidth <= 992 ) && ( ( this.whichTab === 'rest' ) || ( this.whichTab === 'faq' ) ) && targetId ) { | ||||||
|       const endpointContainerEl = document.querySelector<HTMLElement>( "#" + targetId ); |       const endpointContainerEl = document.querySelector<HTMLElement>( "#" + targetId ); | ||||||
|       const endpointContentEl = document.querySelector<HTMLElement>( "#" + targetId + " .endpoint-content" ); |       const endpointContentEl = document.querySelector<HTMLElement>( "#" + targetId + " .endpoint-content" ); | ||||||
|       const endPointContentElHeight = endpointContentEl.clientHeight; |       const endPointContentElHeight = endpointContentEl.clientHeight; | ||||||
| @ -90,8 +104,8 @@ export class ApiDocsComponent implements OnInit { | |||||||
|         endpointContentEl.style.opacity = "0"; |         endpointContentEl.style.opacity = "0"; | ||||||
|         endpointContentEl.classList.remove( "open" ); |         endpointContentEl.classList.remove( "open" ); | ||||||
|       } else { |       } else { | ||||||
|         endpointContainerEl.style.height = endPointContentElHeight + 90 + "px"; |         endpointContainerEl.style.height = endPointContentElHeight + tabHeaderHeight + 28 + "px"; | ||||||
|         endpointContentEl.style.top = "90px"; |         endpointContentEl.style.top = tabHeaderHeight + 28 + "px"; | ||||||
|         endpointContentEl.style.opacity = "1"; |         endpointContentEl.style.opacity = "1"; | ||||||
|         endpointContentEl.classList.add( "open" ); |         endpointContentEl.classList.add( "open" ); | ||||||
|       } |       } | ||||||
|  | |||||||
| @ -5,20 +5,29 @@ | |||||||
| 
 | 
 | ||||||
|     <ul ngbNav #nav="ngbNav" [(activeId)]="activeTab" class="nav-tabs"> |     <ul ngbNav #nav="ngbNav" [(activeId)]="activeTab" class="nav-tabs"> | ||||||
| 
 | 
 | ||||||
|       <li [ngbNavItem]="0"> |       <li [ngbNavItem]="0" *ngIf="showFaqTab"> | ||||||
|         <a ngbNavLink routerLink="../rest">API - REST</a> |         <a ngbNavLink [routerLink]="['/docs/faq' | relativeUrl]">FAQ</a> | ||||||
|         <ng-template ngbNavContent> |         <ng-template ngbNavContent> | ||||||
| 
 | 
 | ||||||
|           <app-api-docs [restTabActivated]="true"></app-api-docs> |           <app-api-docs [whichTab]="'faq'"></app-api-docs> | ||||||
| 
 | 
 | ||||||
|         </ng-template> |         </ng-template> | ||||||
|       </li> |       </li> | ||||||
| 
 | 
 | ||||||
|       <li [ngbNavItem]="1" *ngIf="showWebSocketTab"> |       <li [ngbNavItem]="1"> | ||||||
|         <a ngbNavLink routerLink="../websocket">API - WebSocket</a> |         <a ngbNavLink [routerLink]="['/docs/api/rest' | relativeUrl]">API - REST</a> | ||||||
|         <ng-template ngbNavContent> |         <ng-template ngbNavContent> | ||||||
| 
 | 
 | ||||||
|           <app-api-docs [restTabActivated]="false"></app-api-docs> |           <app-api-docs [whichTab]="'rest'"></app-api-docs> | ||||||
|  | 
 | ||||||
|  |         </ng-template> | ||||||
|  |       </li> | ||||||
|  | 
 | ||||||
|  |       <li [ngbNavItem]="2" *ngIf="showWebSocketTab"> | ||||||
|  |         <a ngbNavLink [routerLink]="['/docs/api/websocket' | relativeUrl]">API - WebSocket</a> | ||||||
|  |         <ng-template ngbNavContent> | ||||||
|  | 
 | ||||||
|  |           <app-api-docs [whichTab]="'websocket'"></app-api-docs> | ||||||
| 
 | 
 | ||||||
|         </ng-template> |         </ng-template> | ||||||
|       </li> |       </li> | ||||||
|  | |||||||
| @ -1,6 +1,7 @@ | |||||||
| import { Component, OnInit } from '@angular/core'; | import { Component, OnInit, HostBinding } from '@angular/core'; | ||||||
| import { ActivatedRoute } from '@angular/router'; | import { ActivatedRoute } from '@angular/router'; | ||||||
| import { Env, StateService } from 'src/app/services/state.service'; | import { Env, StateService } from 'src/app/services/state.service'; | ||||||
|  | import { WebsocketService } from 'src/app/services/websocket.service'; | ||||||
| 
 | 
 | ||||||
| @Component({ | @Component({ | ||||||
|   selector: 'app-docs', |   selector: 'app-docs', | ||||||
| @ -12,17 +13,31 @@ export class DocsComponent implements OnInit { | |||||||
|   activeTab = 0; |   activeTab = 0; | ||||||
|   env: Env; |   env: Env; | ||||||
|   showWebSocketTab = true; |   showWebSocketTab = true; | ||||||
|  |   showFaqTab = true; | ||||||
|  | 
 | ||||||
|  |   @HostBinding('attr.dir') dir = 'ltr'; | ||||||
| 
 | 
 | ||||||
|   constructor( |   constructor( | ||||||
|     private route: ActivatedRoute, |     private route: ActivatedRoute, | ||||||
|     private stateService: StateService, |     private stateService: StateService, | ||||||
|  |     private websocket: WebsocketService, | ||||||
|   ) { } |   ) { } | ||||||
| 
 | 
 | ||||||
|   ngOnInit(): void { |   ngOnInit(): void { | ||||||
|  |     this.websocket.want(['blocks']); | ||||||
|     const url = this.route.snapshot.url; |     const url = this.route.snapshot.url; | ||||||
|     this.activeTab = ( url[2].path === "rest" ) ? 0 : 1; |     if( url[1].path === "faq" ) { | ||||||
|  |         this.activeTab = 0; | ||||||
|  |     } else if( url[2].path === "rest" ) { | ||||||
|  |         this.activeTab = 1; | ||||||
|  |     } else { | ||||||
|  |         this.activeTab = 2; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     this.env = this.stateService.env; |     this.env = this.stateService.env; | ||||||
|     this.showWebSocketTab = ( ! ( ( this.env.BASE_MODULE === "bisq" ) || ( this.stateService.network === "bisq" ) || ( this.stateService.network === "liquidtestnet" ) ) ); |     this.showWebSocketTab = ( ! ( ( this.stateService.network === "bisq" ) || ( this.stateService.network === "liquidtestnet" ) ) ); | ||||||
|  |     this.showFaqTab = ( this.env.BASE_MODULE === 'mempool' ) ? true : false; | ||||||
|  | 
 | ||||||
|     document.querySelector<HTMLElement>( "html" ).style.scrollBehavior = "smooth"; |     document.querySelector<HTMLElement>( "html" ).style.scrollBehavior = "smooth"; | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -1,25 +1,31 @@ | |||||||
| <ul ngbNav #nav="ngbNav" class="nav-pills mb-3" style="padding: 0px 35px" *ngIf="stateService.env.MINING_DASHBOARD"> | <div class="mb-3 d-flex menu" style="padding: 0px 35px;"> | ||||||
|   <div class="d-inline-flex flex-wrap menu"> |   <a routerLinkActive="active" class="btn btn-primary w-50 mr-1" | ||||||
|     <li ngbNavItem class="menu-li"> |     [routerLink]="['/graphs/mempool' | relativeUrl]">Mempool</a> | ||||||
|       <a routerLinkActive="active" [routerLink]="['/graphs/mempool' | relativeUrl]" ngbNavLink>Mempool</a> |   <div ngbDropdown *ngIf="stateService.env.MINING_DASHBOARD" class="w-50"> | ||||||
|     </li> |     <button class="btn btn-primary w-100" id="dropdownBasic1" ngbDropdownToggle i18n="mining">Mining</button> | ||||||
|     <li ngbNavItem class="menu-li"> |     <div ngbDropdownMenu aria-labelledby="dropdownBasic1"> | ||||||
|       <a routerLinkActive="active" [routerLink]="['/graphs/mining/pools' | relativeUrl]" ngbNavLink i18n="mining.pools"> |       <a class="dropdown-item" routerLinkActive="active" [routerLink]="['/graphs/mining/pools' | relativeUrl]" | ||||||
|  |         i18n="mining.pools"> | ||||||
|         Pools ranking |         Pools ranking | ||||||
|       </a> |       </a> | ||||||
|     </li> |       <a class="dropdown-item" routerLinkActive="active" [routerLink]="['/graphs/mining/pools-dominance' | relativeUrl]" | ||||||
|     <li ngbNavItem class="menu-li"> |         i18n="mining.pools-dominance"> | ||||||
|       <a routerLinkActive="active" [routerLink]="['/graphs/mining/pools-dominance' | relativeUrl]" ngbNavLink i18n="mining.pools-dominance"> |  | ||||||
|         Pools dominance |         Pools dominance | ||||||
|       </a> |       </a> | ||||||
|     </li> |       <a class="dropdown-item" routerLinkActive="active" | ||||||
|     <li ngbNavItem class="menu-li"> |         [routerLink]="['/graphs/mining/hashrate-difficulty' | relativeUrl]" i18n="mining.hashrate-difficulty"> | ||||||
|       <a routerLinkActive="active" [routerLink]="['/graphs/mining/hashrate-difficulty' | relativeUrl]" ngbNavLink |  | ||||||
|         i18n="mining.hashrate-difficulty"> |  | ||||||
|         Hashrate & Difficulty |         Hashrate & Difficulty | ||||||
|       </a> |       </a> | ||||||
|     </li> |       <a class="dropdown-item" routerLinkActive="active" | ||||||
|  |         [routerLink]="['/graphs/mining/block-fees' | relativeUrl]" i18n="mining.block-fees"> | ||||||
|  |         Block Fees | ||||||
|  |       </a> | ||||||
|  |       <a class="dropdown-item" routerLinkActive="active" | ||||||
|  |         [routerLink]="['/graphs/mining/block-rewards' | relativeUrl]" i18n="mining.block-rewards"> | ||||||
|  |         Block Rewards | ||||||
|  |       </a> | ||||||
|     </div> |     </div> | ||||||
| </ul> |   </div> | ||||||
|  | </div> | ||||||
| 
 | 
 | ||||||
| <router-outlet></router-outlet> | <router-outlet></router-outlet> | ||||||
| @ -1,9 +1,6 @@ | |||||||
| .menu { | .menu { | ||||||
|   flex-grow: 1; |   flex-grow: 1; | ||||||
|   max-width: 600px; |   @media (min-width: 576px) { | ||||||
| } |     max-width: 400px; | ||||||
| 
 |   } | ||||||
| .menu-li { |  | ||||||
|   flex-grow: 1; |  | ||||||
|   text-align: center; |  | ||||||
| } | } | ||||||
|  | |||||||
| @ -19,26 +19,29 @@ | |||||||
|   </div> |   </div> | ||||||
| 
 | 
 | ||||||
|   <div class="card-header mb-0 mb-md-4" [style]="widget ? 'display:none' : ''"> |   <div class="card-header mb-0 mb-md-4" [style]="widget ? 'display:none' : ''"> | ||||||
|     <span i18n="mining.mining-pool-share">Hashrate & Difficulty</span> |     <span i18n="mining.hashrate-difficulty">Hashrate & Difficulty</span> | ||||||
|     <form [formGroup]="radioGroupForm" class="formRadioGroup" *ngIf="(hashrateObservable$ | async) as hashrates"> |     <form [formGroup]="radioGroupForm" class="formRadioGroup" *ngIf="(hashrateObservable$ | async) as stats"> | ||||||
|       <div class="btn-group btn-group-toggle" ngbRadioGroup name="radioBasic" formControlName="dateSpan"> |       <div class="btn-group btn-group-toggle" ngbRadioGroup name="radioBasic" formControlName="dateSpan"> | ||||||
|         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="hashrates.availableTimespanDay >= 90"> |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 30"> | ||||||
|           <input ngbButton type="radio" [value]="'3m'"> 3M |           <input ngbButton type="radio" [value]="'1m'" fragment="1m"> 1M | ||||||
|         </label> |         </label> | ||||||
|         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="hashrates.availableTimespanDay >= 180"> |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 90"> | ||||||
|           <input ngbButton type="radio" [value]="'6m'"> 6M |           <input ngbButton type="radio" [value]="'3m'" fragment="3m"> 3M | ||||||
|         </label> |         </label> | ||||||
|         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="hashrates.availableTimespanDay >= 365"> |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 180"> | ||||||
|           <input ngbButton type="radio" [value]="'1y'"> 1Y |           <input ngbButton type="radio" [value]="'6m'" fragment="6m"> 6M | ||||||
|         </label> |         </label> | ||||||
|         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="hashrates.availableTimespanDay >= 730"> |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 365"> | ||||||
|           <input ngbButton type="radio" [value]="'2y'"> 2Y |           <input ngbButton type="radio" [value]="'1y'" fragment="1y"> 1Y | ||||||
|         </label> |         </label> | ||||||
|         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="hashrates.availableTimespanDay >= 1095"> |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 730"> | ||||||
|           <input ngbButton type="radio" [value]="'3y'"> 3Y |           <input ngbButton type="radio" [value]="'2y'" fragment="2y"> 2Y | ||||||
|         </label> |         </label> | ||||||
|         <label ngbButtonLabel class="btn-primary btn-sm"> |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 1095"> | ||||||
|           <input ngbButton type="radio" [value]="'all'"> ALL |           <input ngbButton type="radio" [value]="'3y'" fragment="3y"> 3Y | ||||||
|  |         </label> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay > 1095"> | ||||||
|  |           <input ngbButton type="radio" [value]="'all'" fragment="all"> ALL | ||||||
|         </label> |         </label> | ||||||
|       </div> |       </div> | ||||||
|     </form> |     </form> | ||||||
|  | |||||||
| @ -1,4 +1,4 @@ | |||||||
| import { ChangeDetectionStrategy, ChangeDetectorRef, Component, Inject, Input, LOCALE_ID, OnInit } from '@angular/core'; | import { ChangeDetectionStrategy, ChangeDetectorRef, Component, Inject, Input, LOCALE_ID, OnInit, HostBinding } from '@angular/core'; | ||||||
| import { EChartsOption, graphic } from 'echarts'; | import { EChartsOption, graphic } from 'echarts'; | ||||||
| import { Observable } from 'rxjs'; | import { Observable } from 'rxjs'; | ||||||
| import { delay, map, retryWhen, share, startWith, switchMap, tap } from 'rxjs/operators'; | import { delay, map, retryWhen, share, startWith, switchMap, tap } from 'rxjs/operators'; | ||||||
| @ -7,6 +7,8 @@ import { SeoService } from 'src/app/services/seo.service'; | |||||||
| import { formatNumber } from '@angular/common'; | import { formatNumber } from '@angular/common'; | ||||||
| import { FormBuilder, FormGroup } from '@angular/forms'; | import { FormBuilder, FormGroup } from '@angular/forms'; | ||||||
| import { selectPowerOfTen } from 'src/app/bitcoin.utils'; | import { selectPowerOfTen } from 'src/app/bitcoin.utils'; | ||||||
|  | import { StorageService } from 'src/app/services/storage.service'; | ||||||
|  | import { MiningService } from 'src/app/services/mining.service'; | ||||||
| 
 | 
 | ||||||
| @Component({ | @Component({ | ||||||
|   selector: 'app-hashrate-chart', |   selector: 'app-hashrate-chart', | ||||||
| @ -28,6 +30,7 @@ export class HashrateChartComponent implements OnInit { | |||||||
|   @Input() right: number | string = 45; |   @Input() right: number | string = 45; | ||||||
|   @Input() left: number | string = 75; |   @Input() left: number | string = 75; | ||||||
| 
 | 
 | ||||||
|  |   miningWindowPreference: string; | ||||||
|   radioGroupForm: FormGroup; |   radioGroupForm: FormGroup; | ||||||
| 
 | 
 | ||||||
|   chartOptions: EChartsOption = {}; |   chartOptions: EChartsOption = {}; | ||||||
| @ -35,6 +38,8 @@ export class HashrateChartComponent implements OnInit { | |||||||
|     renderer: 'svg', |     renderer: 'svg', | ||||||
|   }; |   }; | ||||||
| 
 | 
 | ||||||
|  |   @HostBinding('attr.dir') dir = 'ltr'; | ||||||
|  | 
 | ||||||
|   hashrateObservable$: Observable<any>; |   hashrateObservable$: Observable<any>; | ||||||
|   isLoading = true; |   isLoading = true; | ||||||
|   formatNumber = formatNumber; |   formatNumber = formatNumber; | ||||||
| @ -45,20 +50,32 @@ export class HashrateChartComponent implements OnInit { | |||||||
|     private apiService: ApiService, |     private apiService: ApiService, | ||||||
|     private formBuilder: FormBuilder, |     private formBuilder: FormBuilder, | ||||||
|     private cd: ChangeDetectorRef, |     private cd: ChangeDetectorRef, | ||||||
|  |     private storageService: StorageService, | ||||||
|  |     private miningService: MiningService | ||||||
|   ) { |   ) { | ||||||
|     this.radioGroupForm = this.formBuilder.group({ dateSpan: '1y' }); |  | ||||||
|     this.radioGroupForm.controls.dateSpan.setValue('1y'); |  | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   ngOnInit(): void { |   ngOnInit(): void { | ||||||
|     if (!this.widget) { |     let firstRun = true; | ||||||
|  | 
 | ||||||
|  |     if (this.widget) { | ||||||
|  |       this.miningWindowPreference = '1y'; | ||||||
|  |     } else { | ||||||
|       this.seoService.setTitle($localize`:@@mining.hashrate-difficulty:Hashrate and Difficulty`); |       this.seoService.setTitle($localize`:@@mining.hashrate-difficulty:Hashrate and Difficulty`); | ||||||
|  |       this.miningWindowPreference = this.miningService.getDefaultTimespan('1m'); | ||||||
|     } |     } | ||||||
|  |     this.radioGroupForm = this.formBuilder.group({ dateSpan: this.miningWindowPreference }); | ||||||
|  |     this.radioGroupForm.controls.dateSpan.setValue(this.miningWindowPreference); | ||||||
| 
 | 
 | ||||||
|     this.hashrateObservable$ = this.radioGroupForm.get('dateSpan').valueChanges |     this.hashrateObservable$ = this.radioGroupForm.get('dateSpan').valueChanges | ||||||
|       .pipe( |       .pipe( | ||||||
|         startWith('1y'), |         startWith(this.miningWindowPreference), | ||||||
|         switchMap((timespan) => { |         switchMap((timespan) => { | ||||||
|  |           if (!this.widget && !firstRun) { | ||||||
|  |             this.storageService.setValue('miningWindowPreference', timespan); | ||||||
|  |           } | ||||||
|  |           firstRun = false; | ||||||
|  |           this.miningWindowPreference = timespan; | ||||||
|           this.isLoading = true; |           this.isLoading = true; | ||||||
|           return this.apiService.getHistoricalHashrate$(timespan) |           return this.apiService.getHistoricalHashrate$(timespan) | ||||||
|             .pipe( |             .pipe( | ||||||
| @ -210,6 +227,9 @@ export class HashrateChartComponent implements OnInit { | |||||||
|       xAxis: data.hashrates.length === 0 ? undefined : { |       xAxis: data.hashrates.length === 0 ? undefined : { | ||||||
|         type: 'time', |         type: 'time', | ||||||
|         splitNumber: (this.isMobile() || this.widget) ? 5 : 10, |         splitNumber: (this.isMobile() || this.widget) ? 5 : 10, | ||||||
|  |         axisLabel: { | ||||||
|  |           hideOverlap: true, | ||||||
|  |         } | ||||||
|       }, |       }, | ||||||
|       legend: (this.widget || data.hashrates.length === 0) ? undefined : { |       legend: (this.widget || data.hashrates.length === 0) ? undefined : { | ||||||
|         data: [ |         data: [ | ||||||
| @ -248,7 +268,7 @@ export class HashrateChartComponent implements OnInit { | |||||||
|             formatter: (val) => { |             formatter: (val) => { | ||||||
|               const selectedPowerOfTen: any = selectPowerOfTen(val); |               const selectedPowerOfTen: any = selectPowerOfTen(val); | ||||||
|               const newVal = Math.round(val / selectedPowerOfTen.divider); |               const newVal = Math.round(val / selectedPowerOfTen.divider); | ||||||
|               return `${newVal} ${selectedPowerOfTen.unit}H/s` |               return `${newVal} ${selectedPowerOfTen.unit}H/s`; | ||||||
|             } |             } | ||||||
|           }, |           }, | ||||||
|           splitLine: { |           splitLine: { | ||||||
| @ -276,6 +296,7 @@ export class HashrateChartComponent implements OnInit { | |||||||
|       ], |       ], | ||||||
|       series: data.hashrates.length === 0 ? [] : [ |       series: data.hashrates.length === 0 ? [] : [ | ||||||
|         { |         { | ||||||
|  |           zlevel: 0, | ||||||
|           name: 'Hashrate', |           name: 'Hashrate', | ||||||
|           showSymbol: false, |           showSymbol: false, | ||||||
|           symbol: 'none', |           symbol: 'none', | ||||||
| @ -286,6 +307,7 @@ export class HashrateChartComponent implements OnInit { | |||||||
|           }, |           }, | ||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|  |           zlevel: 1, | ||||||
|           yAxisIndex: 1, |           yAxisIndex: 1, | ||||||
|           name: 'Difficulty', |           name: 'Difficulty', | ||||||
|           showSymbol: false, |           showSymbol: false, | ||||||
|  | |||||||
| @ -1,32 +1,35 @@ | |||||||
| <div [class]="widget === false ? 'full-container' : ''"> | <div class="full-container"> | ||||||
| 
 | 
 | ||||||
|   <div class="card-header  mb-0 mb-md-4" [style]="widget ? 'display:none' : ''"> |   <div class="card-header  mb-0 mb-md-4"> | ||||||
|     <span *ngIf="!widget" i18n="mining.pools-dominance">Mining pools dominance</span> |     <span i18n="mining.pools-dominance">Mining pools dominance</span> | ||||||
|     <form [formGroup]="radioGroupForm" class="formRadioGroup" *ngIf="(hashrateObservable$ | async) as hashrates"> |     <form [formGroup]="radioGroupForm" class="formRadioGroup" *ngIf="(hashrateObservable$ | async) as stats"> | ||||||
|       <div class="btn-group btn-group-toggle" ngbRadioGroup name="radioBasic" formControlName="dateSpan"> |       <div class="btn-group btn-group-toggle" ngbRadioGroup name="radioBasic" formControlName="dateSpan"> | ||||||
|         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="hashrates.availableTimespanDay >= 90"> |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 30"> | ||||||
|           <input ngbButton type="radio" [value]="'3m'"> 3M |           <input ngbButton type="radio" [value]="'1m'" fragment="1m"> 1M | ||||||
|         </label> |         </label> | ||||||
|         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="hashrates.availableTimespanDay >= 180"> |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 90"> | ||||||
|           <input ngbButton type="radio" [value]="'6m'"> 6M |           <input ngbButton type="radio" [value]="'3m'" fragment="3m"> 3M | ||||||
|         </label> |         </label> | ||||||
|         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="hashrates.availableTimespanDay >= 365"> |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 180"> | ||||||
|           <input ngbButton type="radio" [value]="'1y'"> 1Y |           <input ngbButton type="radio" [value]="'6m'" fragment="6m"> 6M | ||||||
|         </label> |         </label> | ||||||
|         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="hashrates.availableTimespanDay >= 730"> |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 365"> | ||||||
|           <input ngbButton type="radio" [value]="'2y'"> 2Y |           <input ngbButton type="radio" [value]="'1y'" fragment="1y"> 1Y | ||||||
|         </label> |         </label> | ||||||
|         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="hashrates.availableTimespanDay >= 1095"> |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 730"> | ||||||
|           <input ngbButton type="radio" [value]="'3y'"> 3Y |           <input ngbButton type="radio" [value]="'2y'" fragment="2y"> 2Y | ||||||
|         </label> |         </label> | ||||||
|         <label ngbButtonLabel class="btn-primary btn-sm"> |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay >= 1095"> | ||||||
|           <input ngbButton type="radio" [value]="'all'"> ALL |           <input ngbButton type="radio" [value]="'3y'" fragment="3y"> 3Y | ||||||
|  |         </label> | ||||||
|  |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="stats.availableTimespanDay > 1095"> | ||||||
|  |           <input ngbButton type="radio" [value]="'all'" fragment="all"> ALL | ||||||
|         </label> |         </label> | ||||||
|       </div> |       </div> | ||||||
|     </form> |     </form> | ||||||
|   </div> |   </div> | ||||||
| 
 | 
 | ||||||
|   <div [class]="!widget ? 'chart' : 'chart-widget'" |   <div class="chart" | ||||||
|     echarts [initOpts]="chartInitOptions" [options]="chartOptions"></div> |     echarts [initOpts]="chartInitOptions" [options]="chartOptions"></div> | ||||||
|   <div class="text-center loadingGraphs" *ngIf="isLoading"> |   <div class="text-center loadingGraphs" *ngIf="isLoading"> | ||||||
|     <div class="spinner-border text-light"></div> |     <div class="spinner-border text-light"></div> | ||||||
|  | |||||||
| @ -1,4 +1,4 @@ | |||||||
| import { ChangeDetectionStrategy, ChangeDetectorRef, Component, Inject, Input, LOCALE_ID, OnInit } from '@angular/core'; | import { ChangeDetectionStrategy, ChangeDetectorRef, Component, Inject, Input, LOCALE_ID, OnInit, HostBinding } from '@angular/core'; | ||||||
| import { EChartsOption } from 'echarts'; | import { EChartsOption } from 'echarts'; | ||||||
| import { Observable } from 'rxjs'; | import { Observable } from 'rxjs'; | ||||||
| import { delay, map, retryWhen, share, startWith, switchMap, tap } from 'rxjs/operators'; | import { delay, map, retryWhen, share, startWith, switchMap, tap } from 'rxjs/operators'; | ||||||
| @ -6,6 +6,8 @@ import { ApiService } from 'src/app/services/api.service'; | |||||||
| import { SeoService } from 'src/app/services/seo.service'; | import { SeoService } from 'src/app/services/seo.service'; | ||||||
| import { FormBuilder, FormGroup } from '@angular/forms'; | import { FormBuilder, FormGroup } from '@angular/forms'; | ||||||
| import { poolsColor } from 'src/app/app.constants'; | import { poolsColor } from 'src/app/app.constants'; | ||||||
|  | import { StorageService } from 'src/app/services/storage.service'; | ||||||
|  | import { MiningService } from 'src/app/services/mining.service'; | ||||||
| 
 | 
 | ||||||
| @Component({ | @Component({ | ||||||
|   selector: 'app-hashrate-chart-pools', |   selector: 'app-hashrate-chart-pools', | ||||||
| @ -22,10 +24,10 @@ import { poolsColor } from 'src/app/app.constants'; | |||||||
|   changeDetection: ChangeDetectionStrategy.OnPush, |   changeDetection: ChangeDetectionStrategy.OnPush, | ||||||
| }) | }) | ||||||
| export class HashrateChartPoolsComponent implements OnInit { | export class HashrateChartPoolsComponent implements OnInit { | ||||||
|   @Input() widget = false; |  | ||||||
|   @Input() right: number | string = 45; |   @Input() right: number | string = 45; | ||||||
|   @Input() left: number | string = 25; |   @Input() left: number | string = 25; | ||||||
| 
 | 
 | ||||||
|  |   miningWindowPreference: string; | ||||||
|   radioGroupForm: FormGroup; |   radioGroupForm: FormGroup; | ||||||
| 
 | 
 | ||||||
|   chartOptions: EChartsOption = {}; |   chartOptions: EChartsOption = {}; | ||||||
| @ -33,6 +35,8 @@ export class HashrateChartPoolsComponent implements OnInit { | |||||||
|     renderer: 'svg', |     renderer: 'svg', | ||||||
|   }; |   }; | ||||||
| 
 | 
 | ||||||
|  |   @HostBinding('attr.dir') dir = 'ltr'; | ||||||
|  | 
 | ||||||
|   hashrateObservable$: Observable<any>; |   hashrateObservable$: Observable<any>; | ||||||
|   isLoading = true; |   isLoading = true; | ||||||
| 
 | 
 | ||||||
| @ -42,20 +46,29 @@ export class HashrateChartPoolsComponent implements OnInit { | |||||||
|     private apiService: ApiService, |     private apiService: ApiService, | ||||||
|     private formBuilder: FormBuilder, |     private formBuilder: FormBuilder, | ||||||
|     private cd: ChangeDetectorRef, |     private cd: ChangeDetectorRef, | ||||||
|  |     private storageService: StorageService, | ||||||
|  |     private miningService: MiningService | ||||||
|   ) { |   ) { | ||||||
|     this.radioGroupForm = this.formBuilder.group({ dateSpan: '1y' }); |     this.radioGroupForm = this.formBuilder.group({ dateSpan: '1y' }); | ||||||
|     this.radioGroupForm.controls.dateSpan.setValue('1y'); |     this.radioGroupForm.controls.dateSpan.setValue('1y'); | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   ngOnInit(): void { |   ngOnInit(): void { | ||||||
|     if (!this.widget) { |     let firstRun = true; | ||||||
|  | 
 | ||||||
|     this.seoService.setTitle($localize`:@@mining.pools-historical-dominance:Pools Historical Dominance`); |     this.seoService.setTitle($localize`:@@mining.pools-historical-dominance:Pools Historical Dominance`); | ||||||
|     } |     this.miningWindowPreference = this.miningService.getDefaultTimespan('1m'); | ||||||
|  |     this.radioGroupForm = this.formBuilder.group({ dateSpan: this.miningWindowPreference }); | ||||||
|  |     this.radioGroupForm.controls.dateSpan.setValue(this.miningWindowPreference); | ||||||
| 
 | 
 | ||||||
|     this.hashrateObservable$ = this.radioGroupForm.get('dateSpan').valueChanges |     this.hashrateObservable$ = this.radioGroupForm.get('dateSpan').valueChanges | ||||||
|       .pipe( |       .pipe( | ||||||
|         startWith('1y'), |         startWith(this.miningWindowPreference), | ||||||
|         switchMap((timespan) => { |         switchMap((timespan) => { | ||||||
|  |           if (!firstRun) { | ||||||
|  |             this.storageService.setValue('miningWindowPreference', timespan); | ||||||
|  |           } | ||||||
|  |           firstRun = false; | ||||||
|           this.isLoading = true; |           this.isLoading = true; | ||||||
|           return this.apiService.getHistoricalPoolsHashrate$(timespan) |           return this.apiService.getHistoricalPoolsHashrate$(timespan) | ||||||
|             .pipe( |             .pipe( | ||||||
| @ -73,6 +86,7 @@ export class HashrateChartPoolsComponent implements OnInit { | |||||||
|                 const legends = []; |                 const legends = []; | ||||||
|                 for (const name in grouped) { |                 for (const name in grouped) { | ||||||
|                   series.push({ |                   series.push({ | ||||||
|  |                     zlevel: 0, | ||||||
|                     stack: 'Total', |                     stack: 'Total', | ||||||
|                     name: name, |                     name: name, | ||||||
|                     showSymbol: false, |                     showSymbol: false, | ||||||
| @ -82,7 +96,7 @@ export class HashrateChartPoolsComponent implements OnInit { | |||||||
|                     lineStyle: { width: 0 }, |                     lineStyle: { width: 0 }, | ||||||
|                     areaStyle: { opacity: 1 }, |                     areaStyle: { opacity: 1 }, | ||||||
|                     smooth: true, |                     smooth: true, | ||||||
|                     color: poolsColor[name.replace(/[^a-zA-Z0-9]/g, "").toLowerCase()], |                     color: poolsColor[name.replace(/[^a-zA-Z0-9]/g, '').toLowerCase()], | ||||||
|                     emphasis: { |                     emphasis: { | ||||||
|                       disabled: true, |                       disabled: true, | ||||||
|                       scale: false, |                       scale: false, | ||||||
| @ -155,11 +169,11 @@ export class HashrateChartPoolsComponent implements OnInit { | |||||||
|       grid: { |       grid: { | ||||||
|         right: this.right, |         right: this.right, | ||||||
|         left: this.left, |         left: this.left, | ||||||
|         bottom: this.widget ? 30 : 70, |         bottom: 70, | ||||||
|         top: this.widget || this.isMobile() ? 10 : 50, |         top: this.isMobile() ? 10 : 50, | ||||||
|       }, |       }, | ||||||
|       tooltip: { |       tooltip: { | ||||||
|         show: !this.isMobile() || !this.widget, |         show: !this.isMobile(), | ||||||
|         trigger: 'axis', |         trigger: 'axis', | ||||||
|         axisPointer: { |         axisPointer: { | ||||||
|           type: 'line' |           type: 'line' | ||||||
| @ -186,9 +200,12 @@ export class HashrateChartPoolsComponent implements OnInit { | |||||||
|       }, |       }, | ||||||
|       xAxis: data.series.length === 0 ? undefined : { |       xAxis: data.series.length === 0 ? undefined : { | ||||||
|         type: 'time', |         type: 'time', | ||||||
|         splitNumber: (this.isMobile() || this.widget) ? 5 : 10, |         splitNumber: this.isMobile() ? 5 : 10, | ||||||
|  |         axisLabel: { | ||||||
|  |           hideOverlap: true, | ||||||
|  |         } | ||||||
|       }, |       }, | ||||||
|       legend: (this.isMobile() || this.widget || data.series.length === 0) ? undefined : { |       legend: (this.isMobile() || data.series.length === 0) ? undefined : { | ||||||
|         data: data.legends |         data: data.legends | ||||||
|       }, |       }, | ||||||
|       yAxis: data.series.length === 0 ? undefined : { |       yAxis: data.series.length === 0 ? undefined : { | ||||||
| @ -205,7 +222,7 @@ export class HashrateChartPoolsComponent implements OnInit { | |||||||
|         min: 0, |         min: 0, | ||||||
|       }, |       }, | ||||||
|       series: data.series, |       series: data.series, | ||||||
|       dataZoom: this.widget ? null : [{ |       dataZoom: [{ | ||||||
|         type: 'inside', |         type: 'inside', | ||||||
|         realtime: true, |         realtime: true, | ||||||
|         zoomLock: true, |         zoomLock: true, | ||||||
|  | |||||||
| @ -157,6 +157,7 @@ export class IncomingTransactionsGraphComponent implements OnInit, OnChanges { | |||||||
|       }, |       }, | ||||||
|       series: [ |       series: [ | ||||||
|         { |         { | ||||||
|  |           zlevel: 0, | ||||||
|           data: this.data.series[0], |           data: this.data.series[0], | ||||||
|           type: 'line', |           type: 'line', | ||||||
|           smooth: false, |           smooth: false, | ||||||
|  | |||||||
| @ -122,6 +122,7 @@ export class MempoolGraphComponent implements OnInit, OnChanges { | |||||||
|       if (index >= this.feeLimitIndex) { |       if (index >= this.feeLimitIndex) { | ||||||
|         newColors.push(this.chartColorsOrdered[index]); |         newColors.push(this.chartColorsOrdered[index]); | ||||||
|         seriesGraph.push({ |         seriesGraph.push({ | ||||||
|  |           zlevel: 0, | ||||||
|           name: this.feeLevelsOrdered[index], |           name: this.feeLevelsOrdered[index], | ||||||
|           type: 'line', |           type: 'line', | ||||||
|           stack: 'fees', |           stack: 'fees', | ||||||
|  | |||||||
| @ -27,6 +27,11 @@ export class MinerComponent implements OnChanges { | |||||||
| 
 | 
 | ||||||
|   ngOnChanges() { |   ngOnChanges() { | ||||||
|     this.miner = ''; |     this.miner = ''; | ||||||
|  |     if (this.stateService.env.MINING_DASHBOARD) { | ||||||
|  |       this.miner = 'Unknown'; | ||||||
|  |       this.url = this.relativeUrlPipe.transform(`/mining/pool/unknown`); | ||||||
|  |       this.target = ''; | ||||||
|  |     } | ||||||
|     this.loading = true; |     this.loading = true; | ||||||
|     this.findMinerFromCoinbase(); |     this.findMinerFromCoinbase(); | ||||||
|   } |   } | ||||||
|  | |||||||
| @ -55,7 +55,7 @@ | |||||||
|         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="miningStats.availableTimespanDay >= 1095"> |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="miningStats.availableTimespanDay >= 1095"> | ||||||
|           <input ngbButton type="radio" [value]="'3y'" fragment="3y"> 3Y |           <input ngbButton type="radio" [value]="'3y'" fragment="3y"> 3Y | ||||||
|         </label> |         </label> | ||||||
|         <label ngbButtonLabel class="btn-primary btn-sm"> |         <label ngbButtonLabel class="btn-primary btn-sm" *ngIf="miningStats.availableTimespanDay > 1095"> | ||||||
|           <input ngbButton type="radio" [value]="'all'" fragment="all"> ALL |           <input ngbButton type="radio" [value]="'all'" fragment="all"> ALL | ||||||
|         </label> |         </label> | ||||||
|       </div> |       </div> | ||||||
| @ -79,7 +79,7 @@ | |||||||
|           <th class="d-none d-md-block" i18n="mining.rank">Rank</th> |           <th class="d-none d-md-block" i18n="mining.rank">Rank</th> | ||||||
|           <th class=""></th> |           <th class=""></th> | ||||||
|           <th class="" i18n="mining.pool-name">Pool</th> |           <th class="" i18n="mining.pool-name">Pool</th> | ||||||
|           <th class="" *ngIf="this.poolsWindowPreference === '24h'" i18n="mining.hashrate">Hashrate</th> |           <th class="" *ngIf="this.miningWindowPreference === '24h'" i18n="mining.hashrate">Hashrate</th> | ||||||
|           <th class="" i18n="master-page.blocks">Blocks</th> |           <th class="" i18n="master-page.blocks">Blocks</th> | ||||||
|           <th class="d-none d-md-block" i18n="mining.empty-blocks">Empty Blocks</th> |           <th class="d-none d-md-block" i18n="mining.empty-blocks">Empty Blocks</th> | ||||||
|         </tr> |         </tr> | ||||||
| @ -90,7 +90,7 @@ | |||||||
|           <td class="text-right"><img width="25" height="25" src="{{ pool.logo }}" |           <td class="text-right"><img width="25" height="25" src="{{ pool.logo }}" | ||||||
|               onError="this.src = './resources/mining-pools/default.svg'"></td> |               onError="this.src = './resources/mining-pools/default.svg'"></td> | ||||||
|           <td class=""><a [routerLink]="[('/mining/pool/' + pool.slug) | relativeUrl]">{{ pool.name }}</a></td> |           <td class=""><a [routerLink]="[('/mining/pool/' + pool.slug) | relativeUrl]">{{ pool.name }}</a></td> | ||||||
|           <td class="" *ngIf="this.poolsWindowPreference === '24h' && !isLoading">{{ pool.lastEstimatedHashrate }} {{ |           <td class="" *ngIf="this.miningWindowPreference === '24h' && !isLoading">{{ pool.lastEstimatedHashrate }} {{ | ||||||
|             miningStats.miningUnits.hashrateUnit }}</td> |             miningStats.miningUnits.hashrateUnit }}</td> | ||||||
|           <td class="">{{ pool['blockText'] }}</td> |           <td class="">{{ pool['blockText'] }}</td> | ||||||
|           <td class="d-none d-md-block">{{ pool.emptyBlocks }} ({{ pool.emptyBlockRatio }}%)</td> |           <td class="d-none d-md-block">{{ pool.emptyBlocks }} ({{ pool.emptyBlockRatio }}%)</td> | ||||||
| @ -99,7 +99,7 @@ | |||||||
|           <td class="d-none d-md-block"></td> |           <td class="d-none d-md-block"></td> | ||||||
|           <td class="text-right"></td> |           <td class="text-right"></td> | ||||||
|           <td class="" i18n="mining.all-miners"><b>All miners</b></td> |           <td class="" i18n="mining.all-miners"><b>All miners</b></td> | ||||||
|           <td class="" *ngIf="this.poolsWindowPreference === '24h'"><b>{{ miningStats.lastEstimatedHashrate}} {{ |           <td class="" *ngIf="this.miningWindowPreference === '24h'"><b>{{ miningStats.lastEstimatedHashrate}} {{ | ||||||
|               miningStats.miningUnits.hashrateUnit }}</b></td> |               miningStats.miningUnits.hashrateUnit }}</b></td> | ||||||
|           <td class=""><b>{{ miningStats.blockCount }}</b></td> |           <td class=""><b>{{ miningStats.blockCount }}</b></td> | ||||||
|           <td class="d-none d-md-block"><b>{{ miningStats.totalEmptyBlock }} ({{ miningStats.totalEmptyBlockRatio |           <td class="d-none d-md-block"><b>{{ miningStats.totalEmptyBlock }} ({{ miningStats.totalEmptyBlockRatio | ||||||
|  | |||||||
| @ -1,4 +1,4 @@ | |||||||
| import { ChangeDetectionStrategy, Component, Input, NgZone, OnInit } from '@angular/core'; | import { ChangeDetectionStrategy, Component, Input, NgZone, OnInit, HostBinding } from '@angular/core'; | ||||||
| import { FormBuilder, FormGroup } from '@angular/forms'; | import { FormBuilder, FormGroup } from '@angular/forms'; | ||||||
| import { Router } from '@angular/router'; | import { Router } from '@angular/router'; | ||||||
| import { EChartsOption, PieSeriesOption } from 'echarts'; | import { EChartsOption, PieSeriesOption } from 'echarts'; | ||||||
| @ -19,9 +19,9 @@ import { RelativeUrlPipe } from 'src/app/shared/pipes/relative-url/relative-url. | |||||||
|   changeDetection: ChangeDetectionStrategy.OnPush, |   changeDetection: ChangeDetectionStrategy.OnPush, | ||||||
| }) | }) | ||||||
| export class PoolRankingComponent implements OnInit { | export class PoolRankingComponent implements OnInit { | ||||||
|   @Input() widget: boolean = false; |   @Input() widget = false; | ||||||
| 
 | 
 | ||||||
|   poolsWindowPreference: string; |   miningWindowPreference: string; | ||||||
|   radioGroupForm: FormGroup; |   radioGroupForm: FormGroup; | ||||||
| 
 | 
 | ||||||
|   isLoading = true; |   isLoading = true; | ||||||
| @ -31,6 +31,8 @@ export class PoolRankingComponent implements OnInit { | |||||||
|   }; |   }; | ||||||
|   chartInstance: any = undefined; |   chartInstance: any = undefined; | ||||||
| 
 | 
 | ||||||
|  |   @HostBinding('attr.dir') dir = 'ltr'; | ||||||
|  | 
 | ||||||
|   miningStatsObservable$: Observable<MiningStats>; |   miningStatsObservable$: Observable<MiningStats>; | ||||||
| 
 | 
 | ||||||
|   constructor( |   constructor( | ||||||
| @ -46,13 +48,13 @@ export class PoolRankingComponent implements OnInit { | |||||||
| 
 | 
 | ||||||
|   ngOnInit(): void { |   ngOnInit(): void { | ||||||
|     if (this.widget) { |     if (this.widget) { | ||||||
|       this.poolsWindowPreference = '1w'; |       this.miningWindowPreference = '1w'; | ||||||
|     } else { |     } else { | ||||||
|       this.seoService.setTitle($localize`:@@mining.mining-pools:Mining Pools`); |       this.seoService.setTitle($localize`:@@mining.mining-pools:Mining Pools`); | ||||||
|       this.poolsWindowPreference = this.storageService.getValue('poolsWindowPreference') ? this.storageService.getValue('poolsWindowPreference') : '1w'; |       this.miningWindowPreference = this.miningService.getDefaultTimespan('24h'); | ||||||
|     } |     } | ||||||
|     this.radioGroupForm = this.formBuilder.group({ dateSpan: this.poolsWindowPreference }); |     this.radioGroupForm = this.formBuilder.group({ dateSpan: this.miningWindowPreference }); | ||||||
|     this.radioGroupForm.controls.dateSpan.setValue(this.poolsWindowPreference); |     this.radioGroupForm.controls.dateSpan.setValue(this.miningWindowPreference); | ||||||
| 
 | 
 | ||||||
|     // When...
 |     // When...
 | ||||||
|     this.miningStatsObservable$ = combineLatest([ |     this.miningStatsObservable$ = combineLatest([ | ||||||
| @ -65,12 +67,12 @@ export class PoolRankingComponent implements OnInit { | |||||||
|       // ...or we change the timespan
 |       // ...or we change the timespan
 | ||||||
|       this.radioGroupForm.get('dateSpan').valueChanges |       this.radioGroupForm.get('dateSpan').valueChanges | ||||||
|         .pipe( |         .pipe( | ||||||
|           startWith(this.poolsWindowPreference), // (trigger when the page loads)
 |           startWith(this.miningWindowPreference), // (trigger when the page loads)
 | ||||||
|           tap((value) => { |           tap((value) => { | ||||||
|             if (!this.widget) { |             if (!this.widget) { | ||||||
|               this.storageService.setValue('poolsWindowPreference', value); |               this.storageService.setValue('miningWindowPreference', value); | ||||||
|             } |             } | ||||||
|             this.poolsWindowPreference = value; |             this.miningWindowPreference = value; | ||||||
|           }) |           }) | ||||||
|         ) |         ) | ||||||
|     ]) |     ]) | ||||||
| @ -78,7 +80,7 @@ export class PoolRankingComponent implements OnInit { | |||||||
|       .pipe( |       .pipe( | ||||||
|         switchMap(() => { |         switchMap(() => { | ||||||
|           this.isLoading = true; |           this.isLoading = true; | ||||||
|           return this.miningService.getMiningStats(this.poolsWindowPreference) |           return this.miningService.getMiningStats(this.miningWindowPreference) | ||||||
|             .pipe( |             .pipe( | ||||||
|               catchError((e) => of(this.getEmptyMiningStat())) |               catchError((e) => of(this.getEmptyMiningStat())) | ||||||
|             ); |             ); | ||||||
| @ -148,7 +150,7 @@ export class PoolRankingComponent implements OnInit { | |||||||
|           }, |           }, | ||||||
|           borderColor: '#000', |           borderColor: '#000', | ||||||
|           formatter: () => { |           formatter: () => { | ||||||
|             if (this.poolsWindowPreference === '24h') { |             if (this.miningWindowPreference === '24h') { | ||||||
|               return `<b style="color: white">${pool.name} (${pool.share}%)</b><br>` + |               return `<b style="color: white">${pool.name} (${pool.share}%)</b><br>` + | ||||||
|                 pool.lastEstimatedHashrate.toString() + ' PH/s' + |                 pool.lastEstimatedHashrate.toString() + ' PH/s' + | ||||||
|                 `<br>` + pool.blockCount.toString() + ` blocks`; |                 `<br>` + pool.blockCount.toString() + ` blocks`; | ||||||
| @ -184,7 +186,7 @@ export class PoolRankingComponent implements OnInit { | |||||||
|         }, |         }, | ||||||
|         borderColor: '#000', |         borderColor: '#000', | ||||||
|         formatter: () => { |         formatter: () => { | ||||||
|           if (this.poolsWindowPreference === '24h') { |           if (this.miningWindowPreference === '24h') { | ||||||
|             return `<b style="color: white">${'Other'} (${totalShareOther.toFixed(2)}%)</b><br>` + |             return `<b style="color: white">${'Other'} (${totalShareOther.toFixed(2)}%)</b><br>` + | ||||||
|               totalEstimatedHashrateOther.toString() + ' PH/s' + |               totalEstimatedHashrateOther.toString() + ' PH/s' + | ||||||
|               `<br>` + totalBlockOther.toString() + ` blocks`; |               `<br>` + totalBlockOther.toString() + ` blocks`; | ||||||
| @ -212,6 +214,7 @@ export class PoolRankingComponent implements OnInit { | |||||||
|       }, |       }, | ||||||
|       series: [ |       series: [ | ||||||
|         { |         { | ||||||
|  |           zlevel: 0, | ||||||
|           minShowLabelAngle: 3.6, |           minShowLabelAngle: 3.6, | ||||||
|           name: 'Mining pool', |           name: 'Mining pool', | ||||||
|           type: 'pie', |           type: 'pie', | ||||||
|  | |||||||
| @ -1,5 +1,6 @@ | |||||||
| <div class="container-xl"> | <div class="container-xl"> | ||||||
| 
 | 
 | ||||||
|  |   <!-- Pool overview --> | ||||||
|   <div *ngIf="poolStats$ | async as poolStats; else loadingMain"> |   <div *ngIf="poolStats$ | async as poolStats; else loadingMain"> | ||||||
|     <div style="display:flex" class="mb-3"> |     <div style="display:flex" class="mb-3"> | ||||||
|       <img width="50" height="50" src="{{ poolStats['logo'] }}" |       <img width="50" height="50" src="{{ poolStats['logo'] }}" | ||||||
| @ -10,22 +11,21 @@ | |||||||
|     <div class="box"> |     <div class="box"> | ||||||
|       <div class="row"> |       <div class="row"> | ||||||
| 
 | 
 | ||||||
|         <div class="col-lg-9"> |         <div class="col-lg-6"> | ||||||
|           <table class="table table-borderless table-striped" style="table-layout: fixed;"> |           <table class="table table-borderless table-striped taller" style="table-layout: fixed;"> | ||||||
|             <tbody> |             <tbody> | ||||||
| 
 | 
 | ||||||
|               <!-- Regexes desktop --> |               <!-- Regexes desktop --> | ||||||
|               <tr *ngIf="!isMobile()"> |               <tr *ngIf="!isMobile()" class="taller-row"> | ||||||
|                 <td class="label" i18n="mining.tags">Tags</td> |                 <td class="label" i18n="mining.tags">Tags</td> | ||||||
|                 <td *ngIf="poolStats.pool.regexes.length else nodata"> |                 <td *ngIf="poolStats.pool.regexes.length else nodata" style="vertical-align: middle"> | ||||||
|                   {{ poolStats.pool.regexes }} |                   <div class="scrollable">{{ poolStats.pool.regexes }}</div> | ||||||
|                 </td> |                 </td> | ||||||
|               </tr> |               </tr> | ||||||
| 
 |  | ||||||
|               <!-- Regexes mobile --> |               <!-- Regexes mobile --> | ||||||
|               <tr *ngIf="isMobile()"> |               <tr *ngIf="isMobile()"> | ||||||
|                 <td colspan=2> |                 <td colspan=2> | ||||||
|                   <span i18n="mining.tags" class="label">Tags</span> |                   <span class="label" i18n="mining.tags">Tags</span> | ||||||
|                   <div *ngIf="poolStats.pool.regexes.length else nodatamobile" class="overflow-auto"> |                   <div *ngIf="poolStats.pool.regexes.length else nodatamobile" class="overflow-auto"> | ||||||
|                     {{ poolStats.pool.regexes }} |                     {{ poolStats.pool.regexes }} | ||||||
|                   </div> |                   </div> | ||||||
| @ -33,32 +33,35 @@ | |||||||
|               </tr> |               </tr> | ||||||
| 
 | 
 | ||||||
|               <!-- Addresses desktop --> |               <!-- Addresses desktop --> | ||||||
|               <tr *ngIf="!isMobile()"> |               <tr *ngIf="!isMobile()" class="taller-row"> | ||||||
|                 <td class="label" i18n="mining.addresses">Addresses</td> |                 <td class="label addresses" i18n="mining.addresses">Addresses</td> | ||||||
|                 <td *ngIf="poolStats.pool.addresses.length else nodata" style="padding-bottom: 0;"> |                 <td *ngIf="poolStats.pool.addresses.length else nodata" style="padding-top: 25px"> | ||||||
|                   <a [routerLink]="['/address' | relativeUrl, poolStats.pool.addresses[0]]" class="first-address"> |                   <a [routerLink]="['/address' | relativeUrl, poolStats.pool.addresses[0]]" class="first-address"> | ||||||
|                     {{ poolStats.pool.addresses[0] }} |                     {{ poolStats.pool.addresses[0] }} | ||||||
|                   </a> |                   </a> | ||||||
|                   <button *ngIf="poolStats.pool.addresses.length >= 2" style="transform: translateY(-3px);" |                   <div> | ||||||
|                     type="button" class="btn btn-outline-info btn-sm float-right" (click)="collapse.toggle()" |  | ||||||
|                     [attr.aria-expanded]="!gfg" aria-controls="collapseExample"> |  | ||||||
|                     <span i18n="show-all">Show all</span> ({{ poolStats.pool.addresses.length }}) |  | ||||||
|                   </button> |  | ||||||
|                     <div #collapse="ngbCollapse" [(ngbCollapse)]="gfg"> |                     <div #collapse="ngbCollapse" [(ngbCollapse)]="gfg"> | ||||||
|                       <a *ngFor="let address of poolStats.pool.addresses | slice: 1" |                       <a *ngFor="let address of poolStats.pool.addresses | slice: 1" | ||||||
|                         [routerLink]="['/address' | relativeUrl, address]">{{ |                         [routerLink]="['/address' | relativeUrl, address]">{{ | ||||||
|                         address }}<br></a> |                         address }}<br></a> | ||||||
|                     </div> |                     </div> | ||||||
|  |                     <button *ngIf="poolStats.pool.addresses.length >= 2" type="button" | ||||||
|  |                       class="btn btn-sm btn-primary small-button" (click)="collapse.toggle()" | ||||||
|  |                       [attr.aria-expanded]="!gfg" aria-controls="collapseExample"> | ||||||
|  |                       <div *ngIf="gfg"><span i18n="show-all">Show all</span> ({{ poolStats.pool.addresses.length }}) | ||||||
|  |                       </div> | ||||||
|  |                       <span *ngIf="!gfg" i18n="hide">Hide</span> | ||||||
|  |                     </button> | ||||||
|  |                   </div> | ||||||
|                 </td> |                 </td> | ||||||
|               </tr> |               </tr> | ||||||
| 
 |  | ||||||
|               <!-- Addresses mobile --> |               <!-- Addresses mobile --> | ||||||
|               <tr *ngIf="isMobile()"> |               <tr *ngIf="isMobile()"> | ||||||
|                 <td colspan=2> |                 <td colspan=2> | ||||||
|                   <span class="label" i18n="mining.addresses">Addresses</span> |                   <span class="label" i18n="mining.addresses">Addresses</span> | ||||||
|                   <div *ngIf="poolStats.pool.addresses.length else nodatamobile"> |                   <div *ngIf="poolStats.pool.addresses.length else nodatamobile"> | ||||||
|                     <button *ngIf="poolStats.pool.addresses.length >= 2" type="button" |                     <button *ngIf="poolStats.pool.addresses.length >= 2" type="button" | ||||||
|                       class="btn btn-outline-info btn-sm float-right small-button" (click)="collapse.toggle()" |                       class="btn btn-sm btn-primary float-right small-button mobile" (click)="collapse.toggle()" | ||||||
|                       [attr.aria-expanded]="!gfg" aria-controls="collapseExample"> |                       [attr.aria-expanded]="!gfg" aria-controls="collapseExample"> | ||||||
|                       <span i18n="show-all">Show all</span> ({{ poolStats.pool.addresses.length }}) |                       <span i18n="show-all">Show all</span> ({{ poolStats.pool.addresses.length }}) | ||||||
|                     </button> |                     </button> | ||||||
| @ -77,58 +80,137 @@ | |||||||
|           </table> |           </table> | ||||||
|         </div> |         </div> | ||||||
| 
 | 
 | ||||||
|         <div class="col-lg-3"> |         <div class="col-lg-6"> | ||||||
|           <table class="table table-borderless table-striped"> |           <table class="table table-borderless table-striped"> | ||||||
|             <tbody> |             <tbody> | ||||||
| 
 | 
 | ||||||
|               <!-- Mined blocks desktop --> |               <!-- Hashrate desktop --> | ||||||
|               <tr *ngIf="!isMobile()"> |               <tr *ngIf="!isMobile()" class="taller-row"> | ||||||
|                 <td class="label" i18n="mining.mined-blocks">Mined Blocks</td> |                 <td class="label" i18n="mining.hashrate-24h">Hashrate (24h)</td> | ||||||
|                 <td class="data">{{ formatNumber(poolStats.blockCount, this.locale, '1.0-0') }}</td> |                 <td class="data"> | ||||||
|  |                   <table class="table table-xs table-data"> | ||||||
|  |                     <thead> | ||||||
|  |                       <tr> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 37%" i18n="mining.estimated">Estimated | ||||||
|  |                         </th> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 37%" i18n="mining.reported">Reported | ||||||
|  |                         </th> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 26%" i18n="mining.luck">Luck</th> | ||||||
|                       </tr> |                       </tr> | ||||||
|               <!-- Mined blocks desktop --> |                     </thead> | ||||||
|  |                     <tbody> | ||||||
|  |                       <td>{{ poolStats.estimatedHashrate | amountShortener : 1 : 'H/s' }}</td> | ||||||
|  |                       <ng-template *ngIf="poolStats.luck; else noreported"> | ||||||
|  |                         <td>{{ poolStats.reportedHashrate | amountShortener : 1 : 'H/s' }}</td> | ||||||
|  |                         <td>{{ formatNumber(poolStats.luck, this.locale, '1.2-2') }}%</td> | ||||||
|  |                       </ng-template> | ||||||
|  |                     </tbody> | ||||||
|  |                   </table> | ||||||
|  |                 </td> | ||||||
|  |               </tr> | ||||||
|  |               <!-- Hashrate mobile --> | ||||||
|               <tr *ngIf="isMobile()"> |               <tr *ngIf="isMobile()"> | ||||||
|                 <td colspan=2> |                 <td colspan="2"> | ||||||
|                   <span class="label" i18n="mining.mined-blocks">Mined Blocks</span> |                   <span class="label" i18n="mining.hashrate-24h">Hashrate (24h)</span> | ||||||
|                   <div>{{ formatNumber(poolStats.blockCount, this.locale, '1.0-0') }}</div> |                   <table class="table table-xs table-data"> | ||||||
|  |                     <thead> | ||||||
|  |                       <tr> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 33%" i18n="mining.estimated">Estimated | ||||||
|  |                         </th> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 37%" i18n="mining.reported">Reported | ||||||
|  |                         </th> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 30%" i18n="mining.luck">Luck</th> | ||||||
|  |                       </tr> | ||||||
|  |                     </thead> | ||||||
|  |                     <tbody> | ||||||
|  |                       <td>{{ poolStats.estimatedHashrate | amountShortener : 1 : 'H/s' }}</td> | ||||||
|  |                       <ng-template *ngIf="poolStats.luck; else noreported"> | ||||||
|  |                         <td>{{ poolStats.reportedHashrate | amountShortener : 1 : 'H/s' }}</td> | ||||||
|  |                         <td>{{ formatNumber(poolStats.luck, this.locale, '1.2-2') }}%</td> | ||||||
|  |                       </ng-template> | ||||||
|  |                     </tbody> | ||||||
|  |                   </table> | ||||||
|                 </td> |                 </td> | ||||||
|               </tr> |               </tr> | ||||||
| 
 | 
 | ||||||
|               <!-- Empty blocks desktop --> |               <ng-template #noreported> | ||||||
|               <tr *ngIf="!isMobile()"> |                 <td>~</td> | ||||||
|                 <td class="label" i18n="mining.empty-blocks">Empty Blocks</td> |                 <td>~</td> | ||||||
|                 <td class="data">{{ formatNumber(poolStats.emptyBlocks, this.locale, '1.0-0') }}</td> |               </ng-template> | ||||||
|  | 
 | ||||||
|  |               <!-- Mined blocks desktop --> | ||||||
|  |               <tr *ngIf="!isMobile()" class="taller-row"> | ||||||
|  |                 <td class="label" i18n="mining.mined-blocks">Mined Blocks</td> | ||||||
|  |                 <td class="data"> | ||||||
|  |                   <table class="table table-xs table-data"> | ||||||
|  |                     <thead> | ||||||
|  |                       <tr> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 37%" i18n="24h">24h</th> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 37%" i18n="1w">1w</th> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 26%" i18n="all">All</th> | ||||||
|                       </tr> |                       </tr> | ||||||
|               <!-- Empty blocks mobile --> |                     </thead> | ||||||
|  |                     <tbody> | ||||||
|  |                       <td>{{ formatNumber(poolStats.blockCount['24h'], this.locale, '1.0-0') }} ({{ formatNumber(100 * | ||||||
|  |                         poolStats.blockShare['24h'], this.locale, '1.0-0') }}%)</td> | ||||||
|  |                       <td>{{ formatNumber(poolStats.blockCount['1w'], this.locale, '1.0-0') }} ({{ formatNumber(100 * | ||||||
|  |                         poolStats.blockShare['1w'], this.locale, '1.0-0') }}%)</td> | ||||||
|  |                       <td>{{ formatNumber(poolStats.blockCount['all'], this.locale, '1.0-0') }} ({{ formatNumber(100 * | ||||||
|  |                         poolStats.blockShare['all'], this.locale, '1.0-0') }}%)</td> | ||||||
|  |                     </tbody> | ||||||
|  |                   </table> | ||||||
|  |                 </td> | ||||||
|  |               </tr> | ||||||
|  |               <!-- Mined blocks mobile --> | ||||||
|               <tr *ngIf="isMobile()"> |               <tr *ngIf="isMobile()"> | ||||||
|                 <td colspan="2"> |                 <td colspan=2> | ||||||
|                   <span class="label" i18n="mining.empty-blocks">Empty Blocks</span> |                   <span class="label" i18n="mining.mined-blocks">Mined Blocks</span> | ||||||
|                   <div>{{ formatNumber(poolStats.emptyBlocks, this.locale, '1.0-0') }}</div> |                   <table class="table table-xs table-data"> | ||||||
|  |                     <thead> | ||||||
|  |                       <tr> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 33%" i18n="24h">24h</th> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 37%" i18n="1w">1w</th> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 30%" i18n="all">All</th> | ||||||
|  |                       </tr> | ||||||
|  |                     </thead> | ||||||
|  |                     <tbody> | ||||||
|  |                       <td>{{ formatNumber(poolStats.blockCount['24h'], this.locale, '1.0-0') }} ({{ formatNumber(100 * | ||||||
|  |                         poolStats.blockShare['24h'], this.locale, '1.0-0') }}%)</td> | ||||||
|  |                       <td>{{ formatNumber(poolStats.blockCount['1w'], this.locale, '1.0-0') }} ({{ formatNumber(100 * | ||||||
|  |                         poolStats.blockShare['1w'], this.locale, '1.0-0') }}%)</td> | ||||||
|  |                       <td>{{ formatNumber(poolStats.blockCount['all'], this.locale, '1.0-0') }} ({{ formatNumber(100 * | ||||||
|  |                         poolStats.blockShare['all'], this.locale, '1.0-0') }}%)</td> | ||||||
|  |                     </tbody> | ||||||
|  |                   </table> | ||||||
|                 </td> |                 </td> | ||||||
|               </tr> |               </tr> | ||||||
| 
 | 
 | ||||||
|             </tbody> |             </tbody> | ||||||
|           </table> |           </table> | ||||||
|         </div> |         </div> | ||||||
|  | 
 | ||||||
|       </div> |       </div> | ||||||
|     </div> |     </div> | ||||||
|   </div> |   </div> | ||||||
| 
 | 
 | ||||||
|   <ng-template #nodata> |   <ng-template #nodata> | ||||||
|     <td>~</td> |     <td class="taller-row" style="vertical-align: middle">~</td> | ||||||
|   </ng-template> |   </ng-template> | ||||||
|   <ng-template #nodatamobile> |   <ng-template #nodatamobile> | ||||||
|     <div>~</div> |     <div>~</div> | ||||||
|   </ng-template> |   </ng-template> | ||||||
| 
 | 
 | ||||||
|  |   <!-- Hashrate chart --> | ||||||
|   <div class="chart" echarts [initOpts]="chartInitOptions" [options]="chartOptions"></div> |   <div class="chart" echarts [initOpts]="chartInitOptions" [options]="chartOptions"></div> | ||||||
|   <div class="text-center loadingGraphs" *ngIf="isLoading"> |   <div class="text-center loadingGraphs" *ngIf="isLoading"> | ||||||
|     <div class="spinner-border text-light"></div> |     <div class="spinner-border text-light"></div> | ||||||
|   </div> |   </div> | ||||||
| 
 | 
 | ||||||
|  |   <!-- Blocks list --> | ||||||
|   <table class="table table-borderless" [alwaysCallback]="true" infiniteScroll [infiniteScrollDistance]="1.5" |   <table class="table table-borderless" [alwaysCallback]="true" infiniteScroll [infiniteScrollDistance]="1.5" | ||||||
|     [infiniteScrollUpDistance]="1.5" [infiniteScrollThrottle]="50" (scrolled)="loadMore()"> |     [infiniteScrollUpDistance]="1.5" [infiniteScrollThrottle]="50" (scrolled)="loadMore()"> | ||||||
|     <thead> |     <ng-container *ngIf="blocks$ | async as blocks; else skeleton"> | ||||||
|  |       <thead *ngIf="blocks.length > 0"> | ||||||
|         <th class="height" i18n="latest-blocks.height">Height</th> |         <th class="height" i18n="latest-blocks.height">Height</th> | ||||||
|         <th class="timestamp" i18n="latest-blocks.timestamp">Timestamp</th> |         <th class="timestamp" i18n="latest-blocks.timestamp">Timestamp</th> | ||||||
|         <th class="mined" i18n="latest-blocks.mined">Mined</th> |         <th class="mined" i18n="latest-blocks.mined">Mined</th> | ||||||
| @ -140,7 +222,7 @@ | |||||||
|         <th class="txs text-right" i18n="latest-blocks.transactions">Txs</th> |         <th class="txs text-right" i18n="latest-blocks.transactions">Txs</th> | ||||||
|         <th class="size" i18n="latest-blocks.size">Size</th> |         <th class="size" i18n="latest-blocks.size">Size</th> | ||||||
|       </thead> |       </thead> | ||||||
|     <tbody *ngIf="blocks$ | async as blocks; else skeleton" [style]="isLoading ? 'opacity: 0.75' : ''"> |       <tbody [style]="isLoading ? 'opacity: 0.75' : ''"> | ||||||
|         <tr *ngFor="let block of blocks; let i= index; trackBy: trackByBlock"> |         <tr *ngFor="let block of blocks; let i= index; trackBy: trackByBlock"> | ||||||
|           <td class="height"> |           <td class="height"> | ||||||
|             <a [routerLink]="['/block' | relativeUrl, block.height]">{{ block.height |             <a [routerLink]="['/block' | relativeUrl, block.height]">{{ block.height | ||||||
| @ -175,7 +257,21 @@ | |||||||
|           </td> |           </td> | ||||||
|         </tr> |         </tr> | ||||||
|       </tbody> |       </tbody> | ||||||
|  |     </ng-container> | ||||||
|  | 
 | ||||||
|     <ng-template #skeleton> |     <ng-template #skeleton> | ||||||
|  |       <thead> | ||||||
|  |         <th class="height" i18n="latest-blocks.height">Height</th> | ||||||
|  |         <th class="timestamp" i18n="latest-blocks.timestamp">Timestamp</th> | ||||||
|  |         <th class="mined" i18n="latest-blocks.mined">Mined</th> | ||||||
|  |         <th class="coinbase text-left" i18n="latest-blocks.coinbasetag"> | ||||||
|  |           Coinbase Tag</th> | ||||||
|  |         <th class="reward text-right" i18n="latest-blocks.reward"> | ||||||
|  |           Reward</th> | ||||||
|  |         <th class="fees text-right" i18n="latest-blocks.fees">Fees</th> | ||||||
|  |         <th class="txs text-right" i18n="latest-blocks.transactions">Txs</th> | ||||||
|  |         <th class="size" i18n="latest-blocks.size">Size</th> | ||||||
|  |       </thead> | ||||||
|       <tbody> |       <tbody> | ||||||
|         <tr *ngFor="let item of [1,2,3,4,5]"> |         <tr *ngFor="let item of [1,2,3,4,5]"> | ||||||
|           <td class="height"> |           <td class="height"> | ||||||
| @ -209,6 +305,7 @@ | |||||||
| 
 | 
 | ||||||
| </div> | </div> | ||||||
| 
 | 
 | ||||||
|  | <!-- Main table skeleton --> | ||||||
| <ng-template #loadingMain> | <ng-template #loadingMain> | ||||||
|   <div> |   <div> | ||||||
|     <div class="mb-3" style="display:flex; position: relative"> |     <div class="mb-3" style="display:flex; position: relative"> | ||||||
| @ -220,18 +317,18 @@ | |||||||
| 
 | 
 | ||||||
|     <div class="box"> |     <div class="box"> | ||||||
|       <div class="row"> |       <div class="row"> | ||||||
|         <div class="col-lg-9"> | 
 | ||||||
|           <table class="table table-borderless table-striped"> |         <div class="col-lg-6"> | ||||||
|  |           <table class="table table-borderless table-striped taller" style="table-layout: fixed;"> | ||||||
|             <tbody> |             <tbody> | ||||||
| 
 | 
 | ||||||
|               <!-- Regexes desktop --> |               <!-- Regexes desktop --> | ||||||
|               <tr *ngIf="!isMobile()"> |               <tr *ngIf="!isMobile()" class="taller-row"> | ||||||
|                 <td class="label" i18n="mining.tags">Tags</td> |                 <td class="label" i18n="mining.tags">Tags</td> | ||||||
|                 <td> |                 <td style="vertical-align: middle"> | ||||||
|                   <div class="skeleton-loader"></div> |                   <div class="skeleton-loader"></div> | ||||||
|                 </td> |                 </td> | ||||||
|               </tr> |               </tr> | ||||||
| 
 |  | ||||||
|               <!-- Regexes mobile --> |               <!-- Regexes mobile --> | ||||||
|               <tr *ngIf="isMobile()"> |               <tr *ngIf="isMobile()"> | ||||||
|                 <td colspan=2> |                 <td colspan=2> | ||||||
| @ -243,71 +340,149 @@ | |||||||
|               </tr> |               </tr> | ||||||
| 
 | 
 | ||||||
|               <!-- Addresses desktop --> |               <!-- Addresses desktop --> | ||||||
|               <tr *ngIf="!isMobile()"> |               <tr *ngIf="!isMobile()" class="taller-row"> | ||||||
|                 <td class="label" i18n="mining.addresses">Addresses</td> |                 <td class="label" i18n="mining.addresses">Addresses</td> | ||||||
|                 <td> |                 <td style="vertical-align: middle;"> | ||||||
|                   <div class="skeleton-loader"></div> |                   <div class="skeleton-loader"></div> | ||||||
|  |                   <div #collapse="ngbCollapse" [(ngbCollapse)]="gfg"> | ||||||
|  |                     <div class="skeleton-loader"></div> | ||||||
|  |                   </div> | ||||||
|                 </td> |                 </td> | ||||||
|                 <ng-template #nodata> |  | ||||||
|                   <td>~</td> |  | ||||||
|                 </ng-template> |  | ||||||
|               </tr> |               </tr> | ||||||
| 
 |  | ||||||
|               <!-- Addresses mobile --> |               <!-- Addresses mobile --> | ||||||
|               <tr *ngIf="isMobile()"> |               <tr *ngIf="isMobile()"> | ||||||
|                 <td colspan=2> |                 <td colspan=2> | ||||||
|                   <span class="label" i18n="mining.addresses">Addresses</span> |                   <span class="label" i18n="mining.addresses">Addresses</span> | ||||||
|                   <div> |                   <div> | ||||||
|                     <div class="skeleton-loader"></div> |                     <div class="skeleton-loader"></div> | ||||||
|  |                     <div #collapse="ngbCollapse" [(ngbCollapse)]="gfg" style="width: 100%"> | ||||||
|  |                       <div class="skeleton-loader"></div> | ||||||
|  |                     </div> | ||||||
|                   </div> |                   </div> | ||||||
|                 </td> |                 </td> | ||||||
|               </tr> |               </tr> | ||||||
| 
 |  | ||||||
|             </tbody> |             </tbody> | ||||||
|           </table> |           </table> | ||||||
|         </div> |         </div> | ||||||
| 
 | 
 | ||||||
|         <div class="col-lg-3"> |         <div class="col-lg-6"> | ||||||
|           <table class="table table-borderless table-striped"> |           <table class="table table-borderless table-striped"> | ||||||
|             <tbody> |             <tbody> | ||||||
| 
 | 
 | ||||||
|               <!-- Mined blocks desktop --> |               <!-- Hashrate desktop --> | ||||||
|               <tr *ngIf="!isMobile()"> |               <tr *ngIf="!isMobile()" class="taller-row"> | ||||||
|                 <td class="label" i18n="mining.mined-blocks">Mined Blocks</td> |                 <td class="label" i18n="mining.hashrate-24h">Hashrate (24h)</td> | ||||||
|                 <td class="data"> |                 <td class="data"> | ||||||
|                   <div class="skeleton-loader"></div> |                   <table class="table table-xs table-data text-center"> | ||||||
|  |                     <thead> | ||||||
|  |                       <tr> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 37%" i18n="mining.estimated">Estimated | ||||||
|  |                         </th> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 37%" i18n="mining.reported">Reported | ||||||
|  |                         </th> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 26%" i18n="mining.luck">Luck</th> | ||||||
|  |                       </tr> | ||||||
|  |                     </thead> | ||||||
|  |                     <tbody> | ||||||
|  |                       <td> | ||||||
|  |                         <div class="skeleton-loader data"></div> | ||||||
|  |                       </td> | ||||||
|  |                       <td> | ||||||
|  |                         <div class="skeleton-loader data"></div> | ||||||
|  |                       </td> | ||||||
|  |                       <td> | ||||||
|  |                         <div class="skeleton-loader data"></div> | ||||||
|  |                       </td> | ||||||
|  |                     </tbody> | ||||||
|  |                   </table> | ||||||
|                 </td> |                 </td> | ||||||
|               </tr> |               </tr> | ||||||
|               <!-- Mined blocks desktop --> |               <!-- Hashrate mobile --> | ||||||
|               <tr *ngIf="isMobile()"> |               <tr *ngIf="isMobile()"> | ||||||
|                 <td colspan=2> |                 <td colspan="2"> | ||||||
|                   <span class="label" i18n="mining.mined-blocks">Mined Blocks</span> |                   <span class="label" i18n="mining.hashrate-24h">Hashrate (24h)</span> | ||||||
|                   <div> |                   <table class="table table-xs table-data text-center"> | ||||||
|                     <div class="skeleton-loader"></div> |                     <thead> | ||||||
|                   </div> |                       <tr> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 33%" i18n="mining.estimated">Estimated | ||||||
|  |                         </th> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 37%" i18n="mining.reported">Reported | ||||||
|  |                         </th> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 30%" i18n="mining.luck">Luck</th> | ||||||
|  |                       </tr> | ||||||
|  |                     </thead> | ||||||
|  |                     <tbody> | ||||||
|  |                       <td> | ||||||
|  |                         <div class="skeleton-loader data"></div> | ||||||
|  |                       </td> | ||||||
|  |                       <td> | ||||||
|  |                         <div class="skeleton-loader data"></div> | ||||||
|  |                       </td> | ||||||
|  |                       <td> | ||||||
|  |                         <div class="skeleton-loader data"></div> | ||||||
|  |                       </td> | ||||||
|  |                     </tbody> | ||||||
|  |                   </table> | ||||||
|                 </td> |                 </td> | ||||||
|               </tr> |               </tr> | ||||||
| 
 | 
 | ||||||
|               <!-- Empty blocks desktop --> |               <!-- Mined blocks desktop --> | ||||||
|               <tr *ngIf="!isMobile()"> |               <tr *ngIf="!isMobile()" class="taller-row"> | ||||||
|                 <td class="label" i18n="mining.empty-blocks">Empty Blocks</td> |                 <td class="label" i18n="mining.mined-blocks">Mined Blocks</td> | ||||||
|                 <td class="data"> |                 <td class="data"> | ||||||
|                   <div class="skeleton-loader"></div> |                   <table class="table table-xs table-data text-center"> | ||||||
|  |                     <thead> | ||||||
|  |                       <tr> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 37%" i18n="24h">24h</th> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 37%" i18n="1w">1w</th> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 26%" i18n="all">All</th> | ||||||
|  |                       </tr> | ||||||
|  |                     </thead> | ||||||
|  |                     <tbody> | ||||||
|  |                       <td> | ||||||
|  |                         <div class="skeleton-loader data"></div> | ||||||
|  |                       </td> | ||||||
|  |                       <td> | ||||||
|  |                         <div class="skeleton-loader data"></div> | ||||||
|  |                       </td> | ||||||
|  |                       <td> | ||||||
|  |                         <div class="skeleton-loader data"></div> | ||||||
|  |                       </td> | ||||||
|  |                     </tbody> | ||||||
|  |                   </table> | ||||||
|                 </td> |                 </td> | ||||||
|               </tr> |               </tr> | ||||||
|               <!-- Empty blocks mobile --> |               <!-- Mined blocks mobile --> | ||||||
|               <tr *ngIf="isMobile()"> |               <tr *ngIf="isMobile()"> | ||||||
|                 <td colspan="2"> |                 <td colspan=2> | ||||||
|                   <span class="label" i18n="mining.empty-blocks">Empty Blocks</span> |                   <span class="label" i18n="mining.mined-blocks">Mined Blocks</span> | ||||||
|                   <div> |                   <table class="table table-xs table-data text-center"> | ||||||
|                     <div class="skeleton-loader"></div> |                     <thead> | ||||||
|                   </div> |                       <tr> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 33%" i18n="24h">24h</th> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 37%" i18n="1w">1w</th> | ||||||
|  |                         <th scope="col" class="block-count-title" style="width: 30%" i18n="all">All</th> | ||||||
|  |                       </tr> | ||||||
|  |                     </thead> | ||||||
|  |                     <tbody> | ||||||
|  |                       <td> | ||||||
|  |                         <div class="skeleton-loader data"></div> | ||||||
|  |                       </td> | ||||||
|  |                       <td> | ||||||
|  |                         <div class="skeleton-loader data"></div> | ||||||
|  |                       </td> | ||||||
|  |                       <td> | ||||||
|  |                         <div class="skeleton-loader data"></div> | ||||||
|  |                       </td> | ||||||
|  |                     </tbody> | ||||||
|  |                   </table> | ||||||
|                 </td> |                 </td> | ||||||
|               </tr> |               </tr> | ||||||
| 
 | 
 | ||||||
|             </tbody> |             </tbody> | ||||||
|           </table> |           </table> | ||||||
|         </div> |         </div> | ||||||
|  | 
 | ||||||
|       </div> |       </div> | ||||||
|     </div> |     </div> | ||||||
|   </div> |   </div> | ||||||
|  | |||||||
| @ -36,6 +36,7 @@ | |||||||
|   @media (max-width: 768px) { |   @media (max-width: 768px) { | ||||||
|     margin-bottom: 10px; |     margin-bottom: 10px; | ||||||
|   } |   } | ||||||
|  |   height: 400px; | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| div.scrollable { | div.scrollable { | ||||||
| @ -49,18 +50,28 @@ div.scrollable { | |||||||
| 
 | 
 | ||||||
| .box { | .box { | ||||||
|   padding-bottom: 5px; |   padding-bottom: 5px; | ||||||
|  |   @media (min-width: 767.98px) { | ||||||
|  |     min-height: 187px; | ||||||
|  |   } | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| .label { | .label { | ||||||
|   width: 30%; |   width: 25%; | ||||||
|  |   @media (min-width: 767.98px) { | ||||||
|  |     vertical-align: middle; | ||||||
|  |   } | ||||||
|   @media (max-width: 767.98px) { |   @media (max-width: 767.98px) { | ||||||
|     font-weight: bold; |     font-weight: bold; | ||||||
|   } |   } | ||||||
| } | } | ||||||
|  | .label.addresses { | ||||||
|  |   vertical-align: top; | ||||||
|  |   padding-top: 25px; | ||||||
|  | } | ||||||
| 
 | 
 | ||||||
| .data { | .data { | ||||||
|   text-align: right; |   text-align: right; | ||||||
|   padding-left: 25%; |   padding-left: 5%; | ||||||
|   @media (max-width: 992px) { |   @media (max-width: 992px) { | ||||||
|     text-align: left; |     text-align: left; | ||||||
|     padding-left: 12px; |     padding-left: 12px; | ||||||
| @ -114,10 +125,6 @@ div.scrollable { | |||||||
|   } |   } | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| .fees { |  | ||||||
|   width: 0%;   |  | ||||||
| } |  | ||||||
| 
 |  | ||||||
| .size { | .size { | ||||||
|   width: 12%; |   width: 12%; | ||||||
|   @media (max-width: 1000px) { |   @media (max-width: 1000px) { | ||||||
| @ -146,6 +153,10 @@ div.scrollable { | |||||||
| .skeleton-loader { | .skeleton-loader { | ||||||
|   max-width: 200px; |   max-width: 200px; | ||||||
| } | } | ||||||
|  | .skeleton-loader.data { | ||||||
|  |   max-width: 70px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
| 
 | 
 | ||||||
| .loadingGraphs { | .loadingGraphs { | ||||||
|   position: absolute; |   position: absolute; | ||||||
| @ -159,8 +170,38 @@ div.scrollable { | |||||||
| 
 | 
 | ||||||
| .small-button { | .small-button { | ||||||
|   height: 20px; |   height: 20px; | ||||||
|   transform: translateY(-20px); |  | ||||||
|   font-size: 10px; |   font-size: 10px; | ||||||
|   padding-top: 0; |   padding-top: 0; | ||||||
|   padding-bottom: 0; |   padding-bottom: 0; | ||||||
|  |   outline: none; | ||||||
|  |   box-shadow: none; | ||||||
|  | } | ||||||
|  | .small-button.mobile { | ||||||
|  |   transform: translateY(-20px); | ||||||
|  |   @media (min-width: 767.98px) { | ||||||
|  |     transform: translateY(-17px); | ||||||
|  |   } | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .block-count-title { | ||||||
|  |   color: #4a68b9; | ||||||
|  |   font-size: 14px; | ||||||
|  |   text-align: left; | ||||||
|  |   @media (max-width: 767.98px) { | ||||||
|  |     text-align: center; | ||||||
|  |   } | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .table-data tr { | ||||||
|  |   background-color: transparent; | ||||||
|  | } | ||||||
|  | .table-data td { | ||||||
|  |   text-align: left; | ||||||
|  |   @media (max-width: 767.98px) { | ||||||
|  |     text-align: center; | ||||||
|  |   } | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .taller-row { | ||||||
|  |   height: 75px; | ||||||
| } | } | ||||||
| @ -8,6 +8,7 @@ import { ApiService } from 'src/app/services/api.service'; | |||||||
| import { StateService } from 'src/app/services/state.service'; | import { StateService } from 'src/app/services/state.service'; | ||||||
| import { selectPowerOfTen } from 'src/app/bitcoin.utils'; | import { selectPowerOfTen } from 'src/app/bitcoin.utils'; | ||||||
| import { formatNumber } from '@angular/common'; | import { formatNumber } from '@angular/common'; | ||||||
|  | import { SeoService } from 'src/app/services/seo.service'; | ||||||
| 
 | 
 | ||||||
| @Component({ | @Component({ | ||||||
|   selector: 'app-pool', |   selector: 'app-pool', | ||||||
| @ -41,6 +42,7 @@ export class PoolComponent implements OnInit { | |||||||
|     private apiService: ApiService, |     private apiService: ApiService, | ||||||
|     private route: ActivatedRoute, |     private route: ActivatedRoute, | ||||||
|     public stateService: StateService, |     public stateService: StateService, | ||||||
|  |     private seoService: SeoService, | ||||||
|   ) { |   ) { | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
| @ -66,6 +68,7 @@ export class PoolComponent implements OnInit { | |||||||
|           this.loadMoreSubject.next(this.blocks[this.blocks.length - 1]?.height); |           this.loadMoreSubject.next(this.blocks[this.blocks.length - 1]?.height); | ||||||
|         }), |         }), | ||||||
|         map((poolStats) => { |         map((poolStats) => { | ||||||
|  |           this.seoService.setTitle(poolStats.pool.name); | ||||||
|           let regexes = '"'; |           let regexes = '"'; | ||||||
|           for (const regex of poolStats.pool.regexes) { |           for (const regex of poolStats.pool.regexes) { | ||||||
|             regexes += regex + '", "'; |             regexes += regex + '", "'; | ||||||
| @ -73,6 +76,10 @@ export class PoolComponent implements OnInit { | |||||||
|           poolStats.pool.regexes = regexes.slice(0, -3); |           poolStats.pool.regexes = regexes.slice(0, -3); | ||||||
|           poolStats.pool.addresses = poolStats.pool.addresses; |           poolStats.pool.addresses = poolStats.pool.addresses; | ||||||
| 
 | 
 | ||||||
|  |           if (poolStats.reportedHashrate) { | ||||||
|  |             poolStats.luck = poolStats.estimatedHashrate / poolStats.reportedHashrate * 100; | ||||||
|  |           } | ||||||
|  | 
 | ||||||
|           return Object.assign({ |           return Object.assign({ | ||||||
|             logo: `./resources/mining-pools/` + poolStats.pool.name.toLowerCase().replace(' ', '').replace('.', '') + '.svg' |             logo: `./resources/mining-pools/` + poolStats.pool.name.toLowerCase().replace(' ', '').replace('.', '') + '.svg' | ||||||
|           }, poolStats); |           }, poolStats); | ||||||
| @ -97,7 +104,21 @@ export class PoolComponent implements OnInit { | |||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   prepareChartOptions(data) { |   prepareChartOptions(data) { | ||||||
|  |     let title: object; | ||||||
|  |     if (data.length === 0) { | ||||||
|  |       title = { | ||||||
|  |         textStyle: { | ||||||
|  |           color: 'grey', | ||||||
|  |           fontSize: 15 | ||||||
|  |         }, | ||||||
|  |         text: `No data`, | ||||||
|  |         left: 'center', | ||||||
|  |         top: 'center' | ||||||
|  |       }; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     this.chartOptions = { |     this.chartOptions = { | ||||||
|  |       title: title, | ||||||
|       animation: false, |       animation: false, | ||||||
|       color: [ |       color: [ | ||||||
|         new graphic.LinearGradient(0, 0, 0, 0.65, [ |         new graphic.LinearGradient(0, 0, 0, 0.65, [ | ||||||
| @ -146,6 +167,9 @@ export class PoolComponent implements OnInit { | |||||||
|       xAxis: { |       xAxis: { | ||||||
|         type: 'time', |         type: 'time', | ||||||
|         splitNumber: (this.isMobile()) ? 5 : 10, |         splitNumber: (this.isMobile()) ? 5 : 10, | ||||||
|  |         axisLabel: { | ||||||
|  |           hideOverlap: true, | ||||||
|  |         } | ||||||
|       }, |       }, | ||||||
|       yAxis: [ |       yAxis: [ | ||||||
|         { |         { | ||||||
| @ -168,6 +192,7 @@ export class PoolComponent implements OnInit { | |||||||
|       ], |       ], | ||||||
|       series: [ |       series: [ | ||||||
|         { |         { | ||||||
|  |           zlevel: 0, | ||||||
|           name: 'Hashrate', |           name: 'Hashrate', | ||||||
|           showSymbol: false, |           showSymbol: false, | ||||||
|           symbol: 'none', |           symbol: 'none', | ||||||
| @ -178,7 +203,7 @@ export class PoolComponent implements OnInit { | |||||||
|           }, |           }, | ||||||
|         }, |         }, | ||||||
|       ], |       ], | ||||||
|       dataZoom: [{ |       dataZoom: data.length === 0 ? undefined : [{ | ||||||
|         type: 'inside', |         type: 'inside', | ||||||
|         realtime: true, |         realtime: true, | ||||||
|         zoomLock: true, |         zoomLock: true, | ||||||
|  | |||||||
| @ -11,7 +11,7 @@ | |||||||
| 
 | 
 | ||||||
|     <div class="text-left"> |     <div class="text-left"> | ||||||
| 
 | 
 | ||||||
|       <p *ngIf="officialMempoolSpace">The <a href="https://mempool.space/">mempool.space</a> website, the <a href="https://liquid.network/">liquid.network</a> website, the <a href="https://bisq.markets/">bisq.markets</a> website, their associated API services, and related network and server infrastructure (collectively, the "Website") are operated by Mempool Space K.K. in Japan ("Mempool", "We", or "Us") and self-hosted from <a href="https://wq.apnic.net/static/search.html?query=AS142052">AS142052</a>.</p> |       <p *ngIf="officialMempoolSpace">The <a href="https://mempool.space/">mempool.space</a> website, the <a href="https://liquid.network/">liquid.network</a> website, the <a href="https://bisq.markets/">bisq.markets</a> website, their associated API services, and related network and server infrastructure (collectively, the "Website") are operated by Mempool Space K.K. in Japan ("Mempool", "We", or "Us") and self-hosted from <a href="https://bgp.tools/as/142052#connectivity">AS142052</a>.</p> | ||||||
| 
 | 
 | ||||||
|       <p *ngIf="!officialMempoolSpace">This website and its API service (collectively, the "Website") are operated by a member of the Bitcoin community ("We" or "Us"). Mempool Space K.K. in Japan ("Mempool") has no affiliation with the operator of this Website, and does not sponsor or endorse the information provided herein.</p> |       <p *ngIf="!officialMempoolSpace">This website and its API service (collectively, the "Website") are operated by a member of the Bitcoin community ("We" or "Us"). Mempool Space K.K. in Japan ("Mempool") has no affiliation with the operator of this Website, and does not sponsor or endorse the information provided herein.</p> | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -11,7 +11,7 @@ | |||||||
| 
 | 
 | ||||||
|     <div class="text-left"> |     <div class="text-left"> | ||||||
| 
 | 
 | ||||||
|         <p *ngIf="officialMempoolSpace">The <a href="https://mempool.space/">mempool.space</a> website, the <a href="https://liquid.network/">liquid.network</a> website, the <a href="https://bisq.markets/">bisq.markets</a> website, their associated API services, and related network and server infrastructure (collectively, the "Website") are operated by Mempool Space K.K. in Japan ("Mempool", "We", or "Us") and self-hosted from <a href="https://wq.apnic.net/static/search.html?query=AS142052">AS142052</a>.</p> |         <p *ngIf="officialMempoolSpace">The <a href="https://mempool.space/">mempool.space</a> website, the <a href="https://liquid.network/">liquid.network</a> website, the <a href="https://bisq.markets/">bisq.markets</a> website, their associated API services, and related network and server infrastructure (collectively, the "Website") are operated by Mempool Space K.K. in Japan ("Mempool", "We", or "Us") and self-hosted from <a href="https://bgp.tools/as/142052#connectivity">AS142052</a>.</p> | ||||||
| 
 | 
 | ||||||
|         <p *ngIf="!officialMempoolSpace">This website and its API service (collectively, the "Website") are operated by a member of the Bitcoin community ("We" or "Us"). Mempool Space K.K. in Japan ("Mempool") has no affiliation with the operator of this Website, and does not sponsor or endorse the information provided herein.</p> |         <p *ngIf="!officialMempoolSpace">This website and its API service (collectively, the "Website") are operated by a member of the Bitcoin community ("We" or "Us"). Mempool Space K.K. in Japan ("Mempool") has no affiliation with the operator of this Website, and does not sponsor or endorse the information provided herein.</p> | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -200,7 +200,7 @@ | |||||||
| 
 | 
 | ||||||
|     <app-transactions-list #txList [transactions]="[tx]" [errorUnblinded]="errorUnblinded" [outputIndex]="outputIndex" [transactionPage]="true"></app-transactions-list> |     <app-transactions-list #txList [transactions]="[tx]" [errorUnblinded]="errorUnblinded" [outputIndex]="outputIndex" [transactionPage]="true"></app-transactions-list> | ||||||
| 
 | 
 | ||||||
|     <div class="title"> |     <div class="title text-left"> | ||||||
|       <h2 i18n="transaction.details">Details</h2> |       <h2 i18n="transaction.details">Details</h2> | ||||||
|     </div> |     </div> | ||||||
|     <div class="box"> |     <div class="box"> | ||||||
|  | |||||||
| @ -111,7 +111,10 @@ | |||||||
|                         <td style="text-align: left;" [innerHTML]="vin.inner_redeemscript_asm | asmStyler"></td> |                         <td style="text-align: left;" [innerHTML]="vin.inner_redeemscript_asm | asmStyler"></td> | ||||||
|                       </tr> |                       </tr> | ||||||
|                       <tr *ngIf="vin.inner_witnessscript_asm"> |                       <tr *ngIf="vin.inner_witnessscript_asm"> | ||||||
|  |                         <td *ngIf="vin.prevout && vin.prevout.scriptpubkey_type == 'v1_p2tr'; else p2wsh" i18n="transactions-list.p2tr-tapscript">P2TR tapscript</td> | ||||||
|  |                         <ng-template #p2wsh> | ||||||
|                           <td i18n="transactions-list.p2wsh-witness-script">P2WSH witness script</td> |                           <td i18n="transactions-list.p2wsh-witness-script">P2WSH witness script</td> | ||||||
|  |                         </ng-template> | ||||||
|                         <td style="text-align: left;" [innerHTML]="vin.inner_witnessscript_asm | asmStyler"></td> |                         <td style="text-align: left;" [innerHTML]="vin.inner_witnessscript_asm | asmStyler"></td> | ||||||
|                       </tr> |                       </tr> | ||||||
|                       <tr> |                       <tr> | ||||||
|  | |||||||
| @ -93,8 +93,19 @@ export interface PoolInfo { | |||||||
| } | } | ||||||
| export interface PoolStat { | export interface PoolStat { | ||||||
|   pool: PoolInfo; |   pool: PoolInfo; | ||||||
|   blockCount: number; |   blockCount: { | ||||||
|   emptyBlocks: number; |     all: number, | ||||||
|  |     '24h': number, | ||||||
|  |     '1w': number, | ||||||
|  |   }; | ||||||
|  |   blockShare: { | ||||||
|  |     all: number, | ||||||
|  |     '24h': number, | ||||||
|  |     '1w': number, | ||||||
|  |   }; | ||||||
|  |   estimatedHashrate: number; | ||||||
|  |   reportedHashrate: number; | ||||||
|  |   luck?: number; | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| export interface BlockExtension { | export interface BlockExtension { | ||||||
|  | |||||||
| @ -168,6 +168,20 @@ export class ApiService { | |||||||
|       ); |       ); | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|  |   getHistoricalBlockFees$(interval: string | undefined) : Observable<any> { | ||||||
|  |     return this.httpClient.get<any[]>( | ||||||
|  |       this.apiBaseUrl + this.apiBasePath + `/api/v1/mining/blocks/fees` + | ||||||
|  |       (interval !== undefined ? `/${interval}` : '') | ||||||
|  |     ); | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   getHistoricalBlockRewards$(interval: string | undefined) : Observable<any> { | ||||||
|  |     return this.httpClient.get<any[]>( | ||||||
|  |       this.apiBaseUrl + this.apiBasePath + `/api/v1/mining/blocks/rewards` + | ||||||
|  |       (interval !== undefined ? `/${interval}` : '') | ||||||
|  |     ); | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|   getRewardStats$(blockCount: number = 144): Observable<RewardStats> { |   getRewardStats$(blockCount: number = 144): Observable<RewardStats> { | ||||||
|     return this.httpClient.get<RewardStats>(this.apiBaseUrl + this.apiBasePath + `/api/v1/mining/reward-stats/${blockCount}`); |     return this.httpClient.get<RewardStats>(this.apiBaseUrl + this.apiBasePath + `/api/v1/mining/reward-stats/${blockCount}`); | ||||||
|   } |   } | ||||||
|  | |||||||
| @ -4,6 +4,7 @@ import { map } from 'rxjs/operators'; | |||||||
| import { PoolsStats, SinglePoolStats } from '../interfaces/node-api.interface'; | import { PoolsStats, SinglePoolStats } from '../interfaces/node-api.interface'; | ||||||
| import { ApiService } from '../services/api.service'; | import { ApiService } from '../services/api.service'; | ||||||
| import { StateService } from './state.service'; | import { StateService } from './state.service'; | ||||||
|  | import { StorageService } from './storage.service'; | ||||||
| 
 | 
 | ||||||
| export interface MiningUnits { | export interface MiningUnits { | ||||||
|   hashrateDivider: number; |   hashrateDivider: number; | ||||||
| @ -28,8 +29,12 @@ export class MiningService { | |||||||
|   constructor( |   constructor( | ||||||
|     private stateService: StateService, |     private stateService: StateService, | ||||||
|     private apiService: ApiService, |     private apiService: ApiService, | ||||||
|  |     private storageService: StorageService, | ||||||
|   ) { } |   ) { } | ||||||
| 
 | 
 | ||||||
|  |   /** | ||||||
|  |    * Generate pool ranking stats | ||||||
|  |    */ | ||||||
|   public getMiningStats(interval: string): Observable<MiningStats> { |   public getMiningStats(interval: string): Observable<MiningStats> { | ||||||
|     return this.apiService.listPools$(interval).pipe( |     return this.apiService.listPools$(interval).pipe( | ||||||
|       map(pools => this.generateMiningStats(pools)) |       map(pools => this.generateMiningStats(pools)) | ||||||
| @ -63,6 +68,20 @@ export class MiningService { | |||||||
|     }; |     }; | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|  |   /** | ||||||
|  |    * Get the default selection timespan, cap with `min` | ||||||
|  |    */ | ||||||
|  |   public getDefaultTimespan(min: string): string { | ||||||
|  |     const timespans = [ | ||||||
|  |       '24h', '3d', '1w', '1m', '3m', '6m', '1y', '2y', '3y', 'all' | ||||||
|  |     ]; | ||||||
|  |     const preference = this.storageService.getValue('miningWindowPreference') ?? '1w'; | ||||||
|  |     if (timespans.indexOf(preference) < timespans.indexOf(min)) { | ||||||
|  |       return min; | ||||||
|  |     } | ||||||
|  |     return preference; | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|   private generateMiningStats(stats: PoolsStats): MiningStats { |   private generateMiningStats(stats: PoolsStats): MiningStats { | ||||||
|     const miningUnits = this.getMiningUnits(); |     const miningUnits = this.getMiningUnits(); | ||||||
|     const hashrateDivider = miningUnits.hashrateDivider; |     const hashrateDivider = miningUnits.hashrateDivider; | ||||||
|  | |||||||
| @ -7,21 +7,21 @@ import { Router, ActivatedRoute } from '@angular/router'; | |||||||
| export class StorageService { | export class StorageService { | ||||||
|   constructor(private router: Router, private route: ActivatedRoute) { |   constructor(private router: Router, private route: ActivatedRoute) { | ||||||
|     this.setDefaultValueIfNeeded('graphWindowPreference', '2h'); |     this.setDefaultValueIfNeeded('graphWindowPreference', '2h'); | ||||||
|     this.setDefaultValueIfNeeded('poolsWindowPreference', '1w'); |     this.setDefaultValueIfNeeded('miningWindowPreference', '1w'); | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   setDefaultValueIfNeeded(key: string, defaultValue: string) { |   setDefaultValueIfNeeded(key: string, defaultValue: string) { | ||||||
|     let graphWindowPreference: string = this.getValue(key); |     const graphWindowPreference: string = this.getValue(key); | ||||||
|     if (graphWindowPreference === null) { // First visit to mempool.space
 |     if (graphWindowPreference === null) { // First visit to mempool.space
 | ||||||
|       if (this.router.url.includes('graphs') && key === 'graphWindowPreference' || |       if (this.router.url.includes('graphs') && key === 'graphWindowPreference' || | ||||||
|         this.router.url.includes('pools') && key === 'poolsWindowPreference' |         this.router.url.includes('pools') && key === 'miningWindowPreference' | ||||||
|       ) { |       ) { | ||||||
|         this.setValue(key, this.route.snapshot.fragment ? this.route.snapshot.fragment : defaultValue); |         this.setValue(key, this.route.snapshot.fragment ? this.route.snapshot.fragment : defaultValue); | ||||||
|       } else { |       } else { | ||||||
|         this.setValue(key, defaultValue); |         this.setValue(key, defaultValue); | ||||||
|       } |       } | ||||||
|     } else if (this.router.url.includes('graphs') && key === 'graphWindowPreference' || |     } else if (this.router.url.includes('graphs') && key === 'graphWindowPreference' || | ||||||
|       this.router.url.includes('pools') && key === 'poolsWindowPreference' |       this.router.url.includes('pools') && key === 'miningWindowPreference' | ||||||
|     ) { |     ) { | ||||||
|       // Visit a different graphs#fragment from last visit
 |       // Visit a different graphs#fragment from last visit
 | ||||||
|       if (this.route.snapshot.fragment !== null && graphWindowPreference !== this.route.snapshot.fragment) { |       if (this.route.snapshot.fragment !== null && graphWindowPreference !== this.route.snapshot.fragment) { | ||||||
|  | |||||||
| @ -4,8 +4,9 @@ import { Pipe, PipeTransform } from '@angular/core'; | |||||||
|   name: 'amountShortener' |   name: 'amountShortener' | ||||||
| }) | }) | ||||||
| export class AmountShortenerPipe implements PipeTransform { | export class AmountShortenerPipe implements PipeTransform { | ||||||
|   transform(num: number, ...args: number[]): unknown { |   transform(num: number, ...args: any[]): unknown { | ||||||
|     const digits = args[0] || 1; |     const digits = args[0] || 1; | ||||||
|  |     const unit = args[1] || undefined; | ||||||
| 
 | 
 | ||||||
|     if (num < 1000) { |     if (num < 1000) { | ||||||
|       return num.toFixed(digits); |       return num.toFixed(digits); | ||||||
| @ -21,7 +22,12 @@ export class AmountShortenerPipe implements PipeTransform { | |||||||
|       { value: 1e18, symbol: 'E' } |       { value: 1e18, symbol: 'E' } | ||||||
|     ]; |     ]; | ||||||
|     const rx = /\.0+$|(\.[0-9]*[1-9])0+$/; |     const rx = /\.0+$|(\.[0-9]*[1-9])0+$/; | ||||||
|     var item = lookup.slice().reverse().find((item) => num >= item.value); |     const item = lookup.slice().reverse().find((item) => num >= item.value); | ||||||
|  | 
 | ||||||
|  |     if (unit !== undefined) { | ||||||
|  |       return item ? (num / item.value).toFixed(digits).replace(rx, '$1') + ' ' + item.symbol + unit : '0'; | ||||||
|  |     } else { | ||||||
|       return item ? (num / item.value).toFixed(digits).replace(rx, '$1') + item.symbol : '0'; |       return item ? (num / item.value).toFixed(digits).replace(rx, '$1') + item.symbol : '0'; | ||||||
|     } |     } | ||||||
|  |   } | ||||||
| } | } | ||||||
| @ -281,6 +281,7 @@ export class AsmStylerPipe implements PipeTransform { | |||||||
|       case 'CHECKSIGVERIFY': |       case 'CHECKSIGVERIFY': | ||||||
|       case 'CHECKMULTISIG': |       case 'CHECKMULTISIG': | ||||||
|       case 'CHECKMULTISIGVERIFY': |       case 'CHECKMULTISIGVERIFY': | ||||||
|  |       case 'CHECKSIGADD': | ||||||
|         style = 'crypto'; |         style = 'crypto'; | ||||||
|         break; |         break; | ||||||
| 
 | 
 | ||||||
|  | |||||||
							
								
								
									
										11
									
								
								frontend/src/app/shared/pipes/no-sanitize.pipe.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										11
									
								
								frontend/src/app/shared/pipes/no-sanitize.pipe.ts
									
									
									
									
									
										Normal file
									
								
							| @ -0,0 +1,11 @@ | |||||||
|  | import { Pipe, PipeTransform } from '@angular/core'; | ||||||
|  | import { DomSanitizer, SafeHtml } from '@angular/platform-browser'; | ||||||
|  | 
 | ||||||
|  | @Pipe({ name: 'noSanitize' }) | ||||||
|  | export class NoSanitizePipe implements PipeTransform { | ||||||
|  |   constructor(private domSanitizer: DomSanitizer) { } | ||||||
|  | 
 | ||||||
|  |   transform(html: string): SafeHtml { | ||||||
|  |     return this.domSanitizer.bypassSecurityTrustHtml(html); | ||||||
|  |   } | ||||||
|  | } | ||||||
| @ -698,6 +698,16 @@ th { | |||||||
|     margin-right: 0px; |     margin-right: 0px; | ||||||
|     text-align: right; |     text-align: right; | ||||||
|   } |   } | ||||||
|  | 
 | ||||||
|  |   .nav-pills { | ||||||
|  |     @extend .nav-pills; | ||||||
|  |     display: inline-block; | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   .description { | ||||||
|  |     direction: rtl; | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|   .dropdown { |   .dropdown { | ||||||
|     margin-right: 1rem; |     margin-right: 1rem; | ||||||
|     margin-left: 0; |     margin-left: 0; | ||||||
| @ -712,12 +722,29 @@ th { | |||||||
|     left: 0px; |     left: 0px; | ||||||
|     right: auto; |     right: auto; | ||||||
|   } |   } | ||||||
|   .fa-arrow-alt-circle-right { |   .fa-circle-right { | ||||||
|     @extend .fa-arrow-alt-circle-right; |     @extend .fa-circle-right; | ||||||
|     -webkit-transform: scaleX(-1); |     -webkit-transform: scaleX(-1); | ||||||
|     transform: scaleX(-1); |     transform: scaleX(-1); | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|  |   .btn.ml-2 { | ||||||
|  |     margin-right: 0.5rem !important; | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   .pool-name { | ||||||
|  |     @extend .pool-name; | ||||||
|  |     padding-right: 10px; | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   .endpoint-container { | ||||||
|  |     @extend .endpoint-container; | ||||||
|  |     .section-header { | ||||||
|  |       @extend .section-header; | ||||||
|  |       text-align: left; | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|   .table td { |   .table td { | ||||||
|     text-align: right; |     text-align: right; | ||||||
|     .fiat { |     .fiat { | ||||||
| @ -809,6 +836,14 @@ th { | |||||||
|     } |     } | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|  |   .full-container { | ||||||
|  |     @extend .full-container; | ||||||
|  |     .formRadioGroup { | ||||||
|  |       @extend .formRadioGroup; | ||||||
|  |       direction: ltr; | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|   .mempool-graph { |   .mempool-graph { | ||||||
|     @extend .mempool-graph; |     @extend .mempool-graph; | ||||||
|     direction: ltr; |     direction: ltr; | ||||||
|  | |||||||
| @ -1,2 +1,2 @@ | |||||||
| /var/log/mempool			640  10	   *	168   J | /var/log/mempool			640  10	   *	@T00	C | ||||||
| /var/log/mempool.debug			640  10	   1000	*     J | /var/log/mempool.debug			640  10	   *	@T00	C | ||||||
|  | |||||||
| @ -37,6 +37,26 @@ do for url in / \ | |||||||
| 	'/api/v1/mining/hashrate/pools/all' \ | 	'/api/v1/mining/hashrate/pools/all' \ | ||||||
| 	'/api/v1/mining/reward-stats/144' \ | 	'/api/v1/mining/reward-stats/144' \ | ||||||
| 	'/api/v1/mining/blocks-extras' \ | 	'/api/v1/mining/blocks-extras' \ | ||||||
|  | 	'/api/v1/mining/blocks/fees/24h' \ | ||||||
|  | 	'/api/v1/mining/blocks/fees/3d' \ | ||||||
|  | 	'/api/v1/mining/blocks/fees/1w' \ | ||||||
|  | 	'/api/v1/mining/blocks/fees/1m' \ | ||||||
|  | 	'/api/v1/mining/blocks/fees/3m' \ | ||||||
|  | 	'/api/v1/mining/blocks/fees/6m' \ | ||||||
|  | 	'/api/v1/mining/blocks/fees/1y' \ | ||||||
|  | 	'/api/v1/mining/blocks/fees/2y' \ | ||||||
|  | 	'/api/v1/mining/blocks/fees/3y' \ | ||||||
|  | 	'/api/v1/mining/blocks/fees/all' \ | ||||||
|  | 	'/api/v1/mining/blocks/rewards/24h' \ | ||||||
|  | 	'/api/v1/mining/blocks/rewards/3d' \ | ||||||
|  | 	'/api/v1/mining/blocks/rewards/1w' \ | ||||||
|  | 	'/api/v1/mining/blocks/rewards/1m' \ | ||||||
|  | 	'/api/v1/mining/blocks/rewards/3m' \ | ||||||
|  | 	'/api/v1/mining/blocks/rewards/6m' \ | ||||||
|  | 	'/api/v1/mining/blocks/rewards/1y' \ | ||||||
|  | 	'/api/v1/mining/blocks/rewards/2y' \ | ||||||
|  | 	'/api/v1/mining/blocks/rewards/3y' \ | ||||||
|  | 	'/api/v1/mining/blocks/rewards/all' \ | ||||||
| 
 | 
 | ||||||
| 	do | 	do | ||||||
| 		curl -s "https://${hostname}${url}" >/dev/null | 		curl -s "https://${hostname}${url}" >/dev/null | ||||||
|  | |||||||
		Loading…
	
	
			
			x
			
			
		
	
		Reference in New Issue
	
	Block a user