登录
首页 >  文章 >  前端

用JS构建简易区块链教程

时间:2025-10-14 08:45:30 495浏览 收藏

偷偷努力,悄无声息地变强,然后惊艳所有人!哈哈,小伙伴们又来学习啦~今天我将给大家介绍《用JavaScript打造简易区块链模型》,这篇文章主要会讲到等等知识点,不知道大家对其都有多少了解,下面我们就一起来看一吧!当然,非常希望大家能多多评论,给出合理的建议,我们一起学习,一起进步!

答案:用JavaScript构建简单区块链需定义区块结构和链式连接逻辑。1. 创建含索引、时间戳、数据、前后哈希的Block类,用SHA-256计算哈希;2. 实现Blockchain类,包含创世块、添加区块及验证链有效性方法;3. 示例中添加区块并验证完整性,篡改数据后链失效,体现不可篡改性。

如何用JavaScript构建一个简单的区块链模拟?

用JavaScript构建一个简单的区块链模拟并不复杂。核心是理解区块链的基本结构:每个区块包含数据、时间戳、自身哈希和前一个区块的哈希。通过哈希连接,形成不可篡改的链式结构。

1. 定义区块结构

每个区块应包含索引、时间戳、数据、前一个区块的哈希值和当前区块的哈希值。使用SHA-256算法生成哈希。

安装crypto-js库来处理哈希计算:

npm install crypto-js

创建一个Block类:

// 引入SHA256
const SHA256 = require('crypto-js/sha256');

class Block {
  constructor(index, timestamp, data, previousHash = '') {
    this.index = index;
    this.timestamp = timestamp;
    this.data = data;
    this.previousHash = previousHash;
    this.hash = this.calculateHash();
  }

  calculateHash() {
    return SHA256(this.index + this.previousHash + this.timestamp + JSON.stringify(this.data)).toString();
  }
}

2. 创建区块链类

区块链是一个区块的集合,从创世区块开始。添加新区块时需验证其有效性。

class Blockchain {
  constructor() {
    this.chain = [this.createGenesisBlock()];
  }

  createGenesisBlock() {
    return new Block(0, "01/01/2024", "Genesis Block", "0");
  }

  getLatestBlock() {
    return this.chain[this.chain.length - 1];
  }

  addBlock(newBlock) {
    newBlock.previousHash = this.getLatestBlock().hash;
    newBlock.hash = newBlock.calculateHash();
    this.chain.push(newBlock);
  }

  isChainValid() {
    for (let i = 1; i < this.chain.length; i++) {
      const currentBlock = this.chain[i];
      const previousBlock = this.chain[i - 1];

      if (currentBlock.hash !== currentBlock.calculateHash()) {
        return false;
      }

      if (currentBlock.previousHash !== previousBlock.hash) {
        return false;
      }
    }
    return true;
  }
}

3. 使用示例

创建实例并添加几个区块测试功能。

let myBlockchain = new Blockchain();
myBlockchain.addBlock(new Block(1, Date.now(), { amount: 4 }));
myBlockchain.addBlock(new Block(2, Date.now(), { amount: 8 }));

console.log(JSON.stringify(myBlockchain, null, 2));
console.log("区块链有效吗?", myBlockchain.isChainValid());

4. 模拟篡改检测

尝试修改某个区块的数据,再验证链的有效性。

// 篡改第二个区块
myBlockchain.chain[1].data = { amount: 100 };
myBlockchain.chain[1].hash = myBlockchain.chain[1].calculateHash(); // 手动更新哈希

console.log("篡改后有效吗?", myBlockchain.isChainValid()); // 输出 false

基本上就这些。这个简单模拟展示了区块链的核心原理:链式结构、哈希关联和完整性校验。不复杂但容易忽略细节,比如哈希重新计算和前后连接逻辑。

今天带大家了解了的相关知识,希望对你有所帮助;关于文章的技术知识我们会一点点深入介绍,欢迎大家关注golang学习网公众号,一起学习编程~

相关阅读
更多>
最新阅读
更多>
课程推荐
更多>