用python生成一个虚拟货币链
首先,我们需要定义一个区块类,来表示区块链中的每个区块。每个区块包含以下信息:
- Index:该区块在整个区块链中的位置。
- Timestamp:该区块的创建时间。
- Data:该区块存储的数据。
- Previous Hash:前一个区块的哈希值。
- Nonce:随机数,用于挖矿。
下面是一个简单的区块类的实现:
import hashlib
import time
class Block:
def __init__(self, index, timestamp, data, previous_hash):
self.index = index
self.timestamp = timestamp
self.data = data
self.previous_hash = previous_hash
self.nonce = 0
self.hash = self.calculate_hash()
def calculate_hash(self):
sha = hashlib.sha256()
sha.update(str(self.index).encode('utf-8') +
str(self.timestamp).encode('utf-8') +
str(self.data).encode('utf-8') +
str(self.previous_hash).encode('utf-8') +
str(self.nonce).encode('utf-8'))
return sha.hexdigest()
def mine_block(self, difficulty):
while self.hash[:difficulty] != '0' * difficulty:
self.nonce += 1
self.hash = self.calculate_hash()
print('Block mined: ', self.hash)
接下来,我们需要定义一个区块链类,来管理整个区块链。该类应该包含以下功能:
- 添加新区块。
- 验证整个区块链的有效性。
- 查找最新的区块。
- 设置难度系数。
下面是一个简单的区块链类的实现:
class Blockchain:
def __init__(self):
self.chain = [self.create_genesis_block()]
self.difficulty = 4
def create_genesis_block(self):
return Block(0, time.time(), 'Genesis Block', '0')
def get_latest_block(self):
return self.chain[-1]
def add_block(self, new_block):
new_block.previous_hash = self.get_latest_block().hash
new_block.mine_block(self.difficulty)
self.chain.append(new_block)
def is_chain_valid(self):
for i in range(1, len(self.chain)):
current_block = self.chain[i]
previous_block = self.chain[i-1]
if current_block.hash != current_block.calculate_hash():
return False
if current_block.previous_hash != previous_block.hash:
return False
return True
现在,我们可以使用上述代码来创建一个虚拟货币链。首先,我们需要创建一个区块链对象:
coin = Blockchain()
然后,我们可以添加一些新的区块:
coin.add_block(Block(1, time.time(), {'amount': 10, 'sender': 'A', 'receiver': 'B'}, ''))
coin.add_block(Block(2, time.time(), {'amount': 5, 'sender': 'B', 'receiver': 'C'}, ''))
coin.add_block(Block(3, time.time(), {'amount': 2, 'sender': 'C', 'receiver': 'D'}, ''))
最后,我们可以验证整个区块链的有效性:
print('Is chain valid? ', coin.is_chain_valid())
完整代码如下:
原文地址: https://www.cveoy.top/t/topic/uMv 著作权归作者所有。请勿转载和采集!