```html
区块链是一种分布式数据库,由称为区块的记录组成,每个区块包含一批交易数据,以及与上一个区块的链接,形成一个不断增长的链条。下面是一个简单的区块链程序的示例源码:
// 区块结构定义
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();
}
}
// 区块链结构定义
class Blockchain{
constructor() {
this.chain = [this.createGenesisBlock()];
}
createGenesisBlock() {
return new Block(0, "01/01/2020", "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;
}
}
// 创建区块链实例
let myBlockchain = new Blockchain();
myBlockchain.addBlock(new Block(1, "10/02/2020", { amount: 4 }));
myBlockchain.addBlock(new Block(2, "12/02/2020", { amount: 10 }));
console.log('Is blockchain valid? ' myBlockchain.isChainValid());
console.log(JSON.stringify(myBlockchain, null, 4));
以上是一个简单的JavaScript实现的区块链程序。在这个程序中,我们定义了两个类:Block和Blockchain。Block类表示一个区块,包含索引、时间戳、数据、前一个区块的哈希值和自身的哈希值。Blockchain类表示整个区块链,包含一个区块数组,并提供了添加新区块和验证区块链的方法。
该程序使用SHA256哈希算法来计算区块的哈希值,并通过比较相邻区块的哈希值来验证区块链的完整性。在示例中,我们创建了一个区块链实例,并添加了两个区块,然后验证了区块链的有效性。
当然,这只是一个简单的示例,实际的区块链程序可能包含更多的功能和复杂性,如共识算法、网络通信、智能合约等。