区块链买卖业务

一给  金牌会员 | 2025-3-22 17:52:08 | 显示全部楼层 | 阅读模式
打印 上一主题 下一主题

主题 946|帖子 946|积分 2838

买卖业务

项目来自https://github.com/Dapp-Learning-DAO/Dapp-Learning/blob/main/basic/02-web3js-transaction/README-cn.md
本项目包罗对买卖业务进行署名,发送,接收买卖业务回执,验证买卖业务执行结果。也提供了事件监听的逻辑代码。
准备

需要安装web3.js
其他和上一个项目环境一样,需要准备私钥和项目id。参考 上一篇。
合约和代码逻辑

合约

  1. pragma solidity ^0.8.0;
  2. contract Incrementer {
  3.     uint256 public number;
  4.     event Increment(uint256 value);
  5.     event Reset();
  6.     constructor(uint256 _initialNumber) {
  7.         number = _initialNumber;
  8.     }
  9.     function increment(uint256 _value) public {
  10.         require(_value > 0, "increment value should be positive number");
  11.         number = number + _value;
  12.         emit Increment(_value);
  13.     }
  14.     function reset() public {
  15.         number = 0;
  16.         emit Reset();
  17.     }
  18.     function getNumber() public view returns (uint256) {
  19.         return number;
  20.     }
  21. }
复制代码
compile.js

  1. const fs = require('fs');
  2. const solc = require('solc');
  3. // 以 utf8 方式加载合约
  4. const source = fs.readFileSync('Incrementer.sol', 'utf8');
  5. // 编译合约
  6. const input = {
  7.   language: 'Solidity',
  8.   sources: {
  9.     'Incrementer.sol': {
  10.       content: source,
  11.     },
  12.   },
  13.   settings: {
  14.     outputSelection: {
  15.       '*': {
  16.         '*': ['*'],
  17.       },
  18.     },
  19.   },
  20. };
  21. const tempFile = JSON.parse(solc.compile(JSON.stringify(input)));
  22. const contractOfIncrementer =
  23.   tempFile.contracts['Incrementer.sol']['Incrementer'];
  24. // 导出合约数据,可以使用 console 打印 contractFile 中的具体内容信息
  25. module.exports = contractOfIncrementer;
复制代码
index.js

  1. const Web3 = require('web3');
  2. const fs = require('fs');
  3. const contractOfIncrementer = require('./compile');
  4. require('dotenv').config();
  5. const privatekey = process.env.PRIVATE_KEY;
  6. function sleep(ms) {
  7.   return new Promise((resolve) => setTimeout(resolve, ms));
  8. }
  9. /*
  10.    -- Define Provider --
  11. */
  12. // Provider
  13. const providerRPC = {
  14.   development: 'https://sepolia.infura.io/v3/' + process.env.INFURA_ID,
  15.   moonbase: 'https://rpc.testnet.moonbeam.network',
  16. };
  17. const web3 = new Web3(providerRPC.development); //Change to correct network
  18. // Create account with privatekey
  19. const account = web3.eth.accounts.privateKeyToAccount(privatekey);
  20. const account_from = {
  21.   privateKey: privatekey,
  22.   accountAddress: account.address,
  23. };
  24. // Get abi & bin
  25. const bytecode = contractOfIncrementer.evm.bytecode.object;
  26. const abi = contractOfIncrementer.abi;
  27. /*
  28. *
  29. *
  30. *   -- Verify Deployment --
  31. *
  32. */
  33. const Trans = async () => {
  34.   console.log('============================ 1. Deploy Contract');
  35.   console.log(`Attempting to deploy from account ${account.address}`);
  36.   // Create Contract Instance
  37.   const deployContract = new web3.eth.Contract(abi);
  38.   // Create Deployment Tx
  39.   const deployTx = deployContract.deploy({
  40.     data: bytecode,
  41.     arguments: [5],
  42.   });
  43.   
  44.   // Sign Tx
  45.   const createTransaction = await web3.eth.accounts.signTransaction(
  46.     {
  47.       data: deployTx.encodeABI(),
  48.       gas: 8000000,
  49.     },
  50.     account_from.privateKey
  51.   );
  52.   // Get Transaction Receipt
  53.   const createReceipt = await web3.eth.sendSignedTransaction(
  54.     createTransaction.rawTransaction
  55.   );
  56.   console.log(`Contract deployed at address: ${createReceipt.contractAddress}`);
  57.   const deployedBlockNumber = createReceipt.blockNumber;
  58.   /*
  59.    *
  60.    *
  61.    *
  62.    * -- Verify Interface of Increment --
  63.    *
  64.    *
  65.    */
  66.   // Create the contract with contract address
  67.   console.log();
  68.   console.log(
  69.     '============================ 2. Call Contract Interface getNumber'
  70.   );
  71.   let incrementer = new web3.eth.Contract(abi, createReceipt.contractAddress);
  72.   console.log(
  73.     `Making a call to contract at address: ${createReceipt.contractAddress}`
  74.   );
  75.   let number = await incrementer.methods.getNumber().call();
  76.   console.log(`The current number stored is: ${number}`);
  77.   // Add 3 to Contract Public Variable
  78.   console.log();
  79.   console.log(
  80.     '============================ 3. Call Contract Interface increment'
  81.   );
  82.   const _value = 3;
  83.   let incrementTx = incrementer.methods.increment(_value);
  84.   // Sign with Pk
  85.   let incrementTransaction = await web3.eth.accounts.signTransaction(
  86.     {
  87.       to: createReceipt.contractAddress,
  88.       data: incrementTx.encodeABI(),
  89.       gas: 8000000,
  90.     },
  91.     account_from.privateKey
  92.   );
  93.   // Send Transactoin and Get TransactionHash
  94.   const incrementReceipt = await web3.eth.sendSignedTransaction(
  95.     incrementTransaction.rawTransaction
  96.   );
  97.   console.log(`Tx successful with hash: ${incrementReceipt.transactionHash}`);
  98.   number = await incrementer.methods.getNumber().call();
  99.   console.log(`After increment, the current number stored is: ${number}`);
  100.   /*
  101.    *
  102.    *
  103.    *
  104.    * -- Verify Interface of Reset --
  105.    *
  106.    *
  107.    */
  108.   console.log();
  109.   console.log('============================ 4. Call Contract Interface reset');
  110.   const resetTx = incrementer.methods.reset();
  111.   const resetTransaction = await web3.eth.accounts.signTransaction(
  112.     {
  113.       to: createReceipt.contractAddress,
  114.       data: resetTx.encodeABI(),
  115.       gas: 8000000,
  116.     },
  117.     account_from.privateKey
  118.   );
  119.   const resetcReceipt = await web3.eth.sendSignedTransaction(
  120.     resetTransaction.rawTransaction
  121.   );
  122.   console.log(`Tx successful with hash: ${resetcReceipt.transactionHash}`);
  123.   number = await incrementer.methods.getNumber().call();
  124.   console.log(`After reset, the current number stored is: ${number}`);
  125.   /*
  126.    *
  127.    *
  128.    *
  129.    * -- Listen to Event Increment --
  130.    *
  131.    *
  132.    */
  133.   console.log();
  134.   console.log('============================ 5. Listen to Events');
  135.   console.log(' Listen to Increment Event only once && continuouslly');
  136.   // sepolia don't support http protocol to event listen, need to use websocket
  137.   // more details , please refer to  https://medium.com/blockcentric/listening-for-smart-contract-events-on-public-blockchains-fdb5a8ac8b9a
  138.   const web3Socket = new Web3(
  139.       'wss://sepolia.infura.io/ws/v3/' + process.env.INFURA_ID
  140.   );
  141.   // listen to  Increment event only once
  142.   incrementer.once('Increment', (error, event) => {
  143.     console.log('I am a onetime event listner, I am going to die now');
  144.   });
  145.   // listen to Increment event continuously
  146.   web3Socket.eth.subscribe('logs',{
  147.     address: createReceipt.contractAddress,
  148.     topics: []
  149.   },(error,result) => {
  150.     if(error){
  151.       console.error(error)
  152.     }
  153.   }
  154.   ).on("data", (event) => {
  155.       console.log("New event: ", event);
  156.     })
  157.     .on("error", (error) => {
  158.       console.error("Error: ", error);
  159.     });
  160.   for (let step = 0; step < 3; step++) {
  161.     incrementTransaction = await web3.eth.accounts.signTransaction(
  162.       {
  163.         to: createReceipt.contractAddress,
  164.         data: incrementTx.encodeABI(),
  165.         gas: 8000000,
  166.       },
  167.       account_from.privateKey
  168.     );
  169.     await web3.eth.sendSignedTransaction(incrementTransaction.rawTransaction);
  170.     console.log("Waiting for events")
  171.     await sleep(3000);
  172.    
  173.     if (step == 2) {
  174.       // clear all the listeners
  175.       web3Socket.eth.clearSubscriptions();
  176.       console.log('Clearing all the events listeners !!!!');
  177.     }
  178.   }
  179.   /*
  180.    *
  181.    *
  182.    *
  183.    * -- Get past events --
  184.    *
  185.    *
  186.    */
  187.   console.log();
  188.   console.log('============================ 6. Going to get past events');
  189.   const pastEvents = await incrementer.getPastEvents('Increment', {
  190.     fromBlock: deployedBlockNumber,
  191.     toBlock: 'latest',
  192.   });
  193.   pastEvents.map((event) => {
  194.     console.log(event);
  195.   });
  196.   /*
  197.    *
  198.    *
  199.    *
  200.    * -- Check Transaction Error --
  201.    *
  202.    *
  203.    */
  204.   console.log();
  205.   console.log('============================ 7. Check the transaction error');
  206.   incrementTx = incrementer.methods.increment(0);
  207.   incrementTransaction = await web3.eth.accounts.signTransaction(
  208.     {
  209.       to: createReceipt.contractAddress,
  210.       data: incrementTx.encodeABI(),
  211.       gas: 8000000,
  212.     },
  213.     account_from.privateKey
  214.   );
  215.   await web3.eth
  216.     .sendSignedTransaction(incrementTransaction.rawTransaction)
  217.     .on('error', console.error);
  218. };
  219. Trans()
  220.   .then(() => process.exit(0))
  221.   .catch((error) => {
  222.     console.error(error);
  223.     process.exit(1);
  224.   });
复制代码
运行

  1. ============================ 1. Deploy Contract
  2. Attempting to deploy from account 0x953bAac08Cad29A4E354F0833c404Ed528775B68
  3. Contract deployed at address: 0xadD95f6bD6A0Fbd1423Bde9272dB999946A09369
  4. ============================ 2. Call Contract Interface getNumber
  5. Making a call to contract at address: 0xadD95f6bD6A0Fbd1423Bde9272dB999946A09369
  6. The current number stored is: 5
  7. ============================ 3. Call Contract Interface increment
  8. Tx successful with hash: 0xf9121315472943c6c316c600072798813317563ee3994cfc2334ba20a453a4a1
  9. After increment, the current number stored is: 8
  10. ============================ 4. Call Contract Interface reset
  11. Tx successful with hash: 0xda76d0a839a40acfb654a37b7afe133c44cd81873f91d51ddfcff2b6052c2e0b
  12. After reset, the current number stored is: 0
  13. ============================ 5. Listen to Events
  14. Listen to Increment Event only once && continuouslly
  15. I am a onetime event listner, I am going to die now
  16. New event:  {
  17.   address: '0xadD95f6bD6A0Fbd1423Bde9272dB999946A09369',
  18.   blockHash: '0x9e8d04cff3f2236eed7bf662036657963cf7475b0e350f77a396e89a4935de2c',
  19.   blockNumber: 7947790,
  20.   data: '0x0000000000000000000000000000000000000000000000000000000000000003',
  21.   logIndex: 353,
  22.   removed: false,
  23.   topics: [
  24.     '0x51af157c2eee40f68107a47a49c32fbbeb0a3c9e5cd37aa56e88e6be92368a81'
  25.   ],
  26.   transactionHash: '0xdc7dfda876800b365e70374b8f8f9f39d8603bebe89f961109f65229b93524d6',
  27.   transactionIndex: 189,
  28.   id: 'log_7432a4a4'
  29. }
  30. Waiting for events
  31. New event:  {
  32.   address: '0xadD95f6bD6A0Fbd1423Bde9272dB999946A09369',
  33.   blockHash: '0x9ec619f890cdd8e0ab6a3e0bae4846351f81f6b81125fddd444c8e7a2598d970',
  34.   blockNumber: 7947792,
  35.   data: '0x0000000000000000000000000000000000000000000000000000000000000003',
  36.   logIndex: 343,
  37.   removed: false,
  38.   topics: [
  39.     '0x51af157c2eee40f68107a47a49c32fbbeb0a3c9e5cd37aa56e88e6be92368a81'
  40.   ],
  41.   transactionHash: '0x4956140582e6e0d62885e0646ad0642b6ae060fd4658d0374cd555799fa3a843',
  42.   transactionIndex: 181,
  43.   id: 'log_a193869e'
  44. }
  45. Waiting for events
  46. New event:  {
  47.   address: '0xadD95f6bD6A0Fbd1423Bde9272dB999946A09369',
  48.   blockHash: '0xd8967836b9d85763611be4489042896b149b45b82f3404d530ad60a2cb8ca378',
  49.   blockNumber: 7947793,
  50.   blockTimestamp: '0x67dd0eb8',
  51.   data: '0x0000000000000000000000000000000000000000000000000000000000000003',
  52.   logIndex: 248,
  53.   removed: false,
  54.   topics: [
  55.     '0x51af157c2eee40f68107a47a49c32fbbeb0a3c9e5cd37aa56e88e6be92368a81'
  56.   ],
  57.   transactionHash: '0x35163a22db0cffeeab3e2c4f6ca6f6a3f5e622982514ea98a6f99b3abc0e5d74',
  58.   transactionIndex: 169,
  59.   id: 'log_97159c2a'
  60. }
  61. Waiting for events
  62. Clearing all the events listeners !!!!
  63. ============================ 6. Going to get past events
  64. {
  65.   removed: false,
  66.   logIndex: 413,
  67.   transactionIndex: 214,
  68.   transactionHash: '0xf9121315472943c6c316c600072798813317563ee3994cfc2334ba20a453a4a1',
  69.   blockHash: '0xdc82eb994a9884606ad817309a509f923aa4c9eb1444e1fdf0531f29919d67ca',
  70.   blockNumber: 7947788,
  71.   address: '0xadD95f6bD6A0Fbd1423Bde9272dB999946A09369',
  72.   id: 'log_95b8ba97',
  73.   returnValues: Result { '0': '3', value: '3' },
  74.   event: 'Increment',
  75.   signature: '0x51af157c2eee40f68107a47a49c32fbbeb0a3c9e5cd37aa56e88e6be92368a81',
  76.   raw: {
  77.     data: '0x0000000000000000000000000000000000000000000000000000000000000003',
  78.     topics: [
  79.       '0x51af157c2eee40f68107a47a49c32fbbeb0a3c9e5cd37aa56e88e6be92368a81'
  80.     ]
  81.   }
  82. }
  83. {
  84.   removed: false,
  85.   logIndex: 353,
  86.   transactionIndex: 189,
  87.   transactionHash: '0xdc7dfda876800b365e70374b8f8f9f39d8603bebe89f961109f65229b93524d6',
  88.   blockHash: '0x9e8d04cff3f2236eed7bf662036657963cf7475b0e350f77a396e89a4935de2c',
  89.   blockNumber: 7947790,
  90.   address: '0xadD95f6bD6A0Fbd1423Bde9272dB999946A09369',
  91.   id: 'log_7432a4a4',
  92.   returnValues: Result { '0': '3', value: '3' },
  93.   event: 'Increment',
  94.   signature: '0x51af157c2eee40f68107a47a49c32fbbeb0a3c9e5cd37aa56e88e6be92368a81',
  95.   raw: {
  96.     data: '0x0000000000000000000000000000000000000000000000000000000000000003',
  97.     topics: [
  98.       '0x51af157c2eee40f68107a47a49c32fbbeb0a3c9e5cd37aa56e88e6be92368a81'
  99.     ]
  100.   }
  101. }
  102. {
  103.   removed: false,
  104.   logIndex: 343,
  105.   transactionIndex: 181,
  106.   transactionHash: '0x4956140582e6e0d62885e0646ad0642b6ae060fd4658d0374cd555799fa3a843',
  107.   blockHash: '0x9ec619f890cdd8e0ab6a3e0bae4846351f81f6b81125fddd444c8e7a2598d970',
  108.   blockNumber: 7947792,
  109.   address: '0xadD95f6bD6A0Fbd1423Bde9272dB999946A09369',
  110.   id: 'log_a193869e',
  111.   returnValues: Result { '0': '3', value: '3' },
  112.   event: 'Increment',
  113.   signature: '0x51af157c2eee40f68107a47a49c32fbbeb0a3c9e5cd37aa56e88e6be92368a81',
  114.   raw: {
  115.     data: '0x0000000000000000000000000000000000000000000000000000000000000003',
  116.     topics: [
  117.       '0x51af157c2eee40f68107a47a49c32fbbeb0a3c9e5cd37aa56e88e6be92368a81'
  118.     ]
  119.   }
  120. }
  121. {
  122.   removed: false,
  123.   logIndex: 248,
  124.   transactionIndex: 169,
  125.   transactionHash: '0x35163a22db0cffeeab3e2c4f6ca6f6a3f5e622982514ea98a6f99b3abc0e5d74',
  126.   blockHash: '0xd8967836b9d85763611be4489042896b149b45b82f3404d530ad60a2cb8ca378',
  127.   blockNumber: 7947793,
  128.   address: '0xadD95f6bD6A0Fbd1423Bde9272dB999946A09369',
  129.   id: 'log_97159c2a',
  130.   returnValues: Result { '0': '3', value: '3' },
  131.   event: 'Increment',
  132.   signature: '0x51af157c2eee40f68107a47a49c32fbbeb0a3c9e5cd37aa56e88e6be92368a81',
  133.   raw: {
  134.     data: '0x0000000000000000000000000000000000000000000000000000000000000003',
  135.     topics: [
  136.       '0x51af157c2eee40f68107a47a49c32fbbeb0a3c9e5cd37aa56e88e6be92368a81'
  137.     ]
  138.   }
  139. }
  140. ============================ 7. Check the transaction error
  141. Error: Transaction has been reverted by the EVM:
  142. {
  143.   "blockHash": "0x676c1930d40386e4011ae277099d0b0113fc9cddaff445c1ea529445f1a15d5f",
  144.   "blockNumber": 7947794,
  145.   "contractAddress": null,
  146.   "cumulativeGasUsed": 20244362,
  147.   "effectiveGasPrice": 7643386,
  148.   "from": "0x953baac08cad29a4e354f0833c404ed528775b68",
  149.   "gasUsed": 21875,
  150.   "logs": [],
  151.   "logsBloom": "0x00000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000",
  152.   "status": false,
  153.   "to": "0xadd95f6bd6a0fbd1423bde9272db999946a09369",
  154.   "transactionHash": "0x655d2b7ce84608cec8bbc09b6092bf1aa1cf9199496152e953517e51775be7ca",
  155.   "transactionIndex": 143,
  156.   "type": "0x0"
  157. }
  158.     at Object.TransactionError (C:\Users\26643\Downloads\Dapp-Learning-main\Dapp-Learning-main\basic\02-web3js-transaction\node_modules\web3-core-helpers\lib\errors.js:90:21)  
  159.     at Object.TransactionRevertedWithoutReasonError (C:\Users\26643\Downloads\Dapp-Learning-main\Dapp-Learning-main\basic\02-web3js-transaction\node_modules\web3-core-helpers\lib\errors.js:101:21)
  160.     at C:\Users\26643\Downloads\Dapp-Learning-main\Dapp-Learning-main\basic\02-web3js-transaction\node_modules\web3-core-method\lib\index.js:396:57
  161.     at process.processTicksAndRejections (node:internal/process/task_queues:95:5) {
  162.   receipt: {
  163.     blockHash: '0x676c1930d40386e4011ae277099d0b0113fc9cddaff445c1ea529445f1a15d5f',
  164.     blockNumber: 7947794,
  165.     contractAddress: null,
  166.     cumulativeGasUsed: 20244362,
  167.     effectiveGasPrice: 7643386,
  168. ============================ 7. Check the transaction error
  169. Error: Transaction has been reverted by the EVM:
  170. {
  171.   "blockHash": "0x676c1930d40386e4011ae277099d0b0113fc9cddaff445c1ea529445f1a15d5f",
  172.   "blockNumber": 7947794,
  173.   "contractAddress": null,
  174.   "cumulativeGasUsed": 20244362,
  175.   "effectiveGasPrice": 7643386,
  176.   "from": "0x953baac08cad29a4e354f0833c404ed528775b68",
  177.   "gasUsed": 21875,
  178.   "logs": [],
  179.   "logsBloom": "0x00000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000",
  180.   "status": false,
  181.   "to": "0xadd95f6bd6a0fbd1423bde9272db999946a09369",
  182.   "transactionHash": "0x655d2b7ce84608cec8bbc09b6092bf1aa1cf9199496152e953517e51775be7ca",
  183.   "transactionIndex": 143,
  184.   "type": "0x0"
  185. }
  186.     at Object.TransactionError (C:\Users\26643\Downloads\Dapp-Learning-main\Dapp-Learning-main\basic\02-web3js-transaction\node_modules\web3-core-helpers\lib\errors.js:90:21)  
  187.     at Object.TransactionRevertedWithoutReasonError (C:\Users\26643\Downloads\Dapp-Learning-main\Dapp-Learning-main\basic\02-web3js-transaction\node_modules\web3-core-helpers\lib\errors.js:101:21)
  188.     at C:\Users\26643\Downloads\Dapp-Learning-main\Dapp-Learning-main\basic\02-web3js-transaction\node_modules\web3-core-method\lib\index.js:396:57
  189.     at process.processTicksAndRejections (node:internal/process/task_queues:95:5) {
  190.   receipt: {
  191.     blockHash: '0x676c1930d40386e4011ae277099d0b0113fc9cddaff445c1ea529445f1a15d5f',
  192.     blockNumber: 7947794,
  193.     contractAddress: null,
  194.     cumulativeGasUsed: 20244362,
  195.     effectiveGasPrice: 7643386,
  196.   "from": "0x953baac08cad29a4e354f0833c404ed528775b68",
  197.   "gasUsed": 21875,
  198.   "logs": [],
  199.   "logsBloom": "0x00000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000",
  200.   "status": false,
  201.   "to": "0xadd95f6bd6a0fbd1423bde9272db999946a09369",
  202.   "transactionHash": "0x655d2b7ce84608cec8bbc09b6092bf1aa1cf9199496152e953517e51775be7ca",
  203.   "transactionIndex": 143,
  204.   "type": "0x0"
  205. }
  206.     at Object.TransactionError (C:\Users\26643\Downloads\Dapp-Learning-main\Dapp-Learning-main\basic\02-web3js-transaction\node_modules\web3-core-helpers\lib\errors.js:90:21)  
  207.     at Object.TransactionRevertedWithoutReasonError (C:\Users\26643\Downloads\Dapp-Learning-main\Dapp-Learning-main\basic\02-web3js-transaction\node_modules\web3-core-helpers\lib\errors.js:101:21)
  208.     at C:\Users\26643\Downloads\Dapp-Learning-main\Dapp-Learning-main\basic\02-web3js-transaction\node_modules\web3-core-method\lib\index.js:396:57
  209.     at process.processTicksAndRejections (node:internal/process/task_queues:95:5) {
  210.   receipt: {
  211.     blockHash: '0x676c1930d40386e4011ae277099d0b0113fc9cddaff445c1ea529445f1a15d5f',
  212.     blockNumber: 7947794,
  213.     contractAddress: null,
  214.     cumulativeGasUsed: 20244362,
  215.     effectiveGasPrice: 7643386,
  216.   "type": "0x0"
  217. }
  218.     at Object.TransactionError (C:\Users\26643\Downloads\Dapp-Learning-main\Dapp-Learning-main\basic\02-web3js-transaction\node_modules\web3-core-helpers\lib\errors.js:90:21)  
  219.     at Object.TransactionRevertedWithoutReasonError (C:\Users\26643\Downloads\Dapp-Learning-main\Dapp-Learning-main\basic\02-web3js-transaction\node_modules\web3-core-helpers\lib\errors.js:101:21)
  220.     at C:\Users\26643\Downloads\Dapp-Learning-main\Dapp-Learning-main\basic\02-web3js-transaction\node_modules\web3-core-method\lib\index.js:396:57
  221.     at process.processTicksAndRejections (node:internal/process/task_queues:95:5) {
  222.   receipt: {
  223.     blockHash: '0x676c1930d40386e4011ae277099d0b0113fc9cddaff445c1ea529445f1a15d5f',
  224.     blockNumber: 7947794,
  225.     contractAddress: null,
  226.     cumulativeGasUsed: 20244362,
  227.     effectiveGasPrice: 7643386,
  228.     at process.processTicksAndRejections (node:internal/process/task_queues:95:5) {
  229.   receipt: {
  230.     blockHash: '0x676c1930d40386e4011ae277099d0b0113fc9cddaff445c1ea529445f1a15d5f',
  231.     blockNumber: 7947794,
  232.     contractAddress: null,
  233.     cumulativeGasUsed: 20244362,
  234.     effectiveGasPrice: 7643386,
  235.     blockNumber: 7947794,
  236.     contractAddress: null,
  237.     cumulativeGasUsed: 20244362,
  238.     effectiveGasPrice: 7643386,
  239.     cumulativeGasUsed: 20244362,
  240.     effectiveGasPrice: 7643386,
  241.     effectiveGasPrice: 7643386,
  242.     from: '0x953baac08cad29a4e354f0833c404ed528775b68',
  243.     gasUsed: 21875,
  244.     logs: [],
  245.     logs: [],
  246.     logsBloom: '0x0000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000    logsBloom: '0x00000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000',
  247. 00',
  248.     status: false,
  249.     status: false,
  250.     to: '0xadd95f6bd6a0fbd1423bde9272db999946a09369',
  251.     transactionHash: '0x655d2b7ce84608cec8bbc09b6092bf1aa1cf9199496152e953517e51775be7ca',
  252.     transactionIndex: 143,
  253.     type: '0x0'
  254.   }
  255. }
复制代码
免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。
回复

使用道具 举报

0 个回复

倒序浏览

快速回复

您需要登录后才可以回帖 登录 or 立即注册

本版积分规则

一给

金牌会员
这个人很懒什么都没写!
快速回复 返回顶部 返回列表