import hashlib as hasher
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.hash = self.hash_block()
def hash_block(self):
sha = hasher.sha256()
sha.update(str(self.index) +
str(self.timestamp) +
str(self.data) +
str(self.previous_hash))
return sha.hexdigest()
太棒了!我们有自己的区块结构了,但我们需要创建一个区块链啊。我们需要开始把区块附加到实际的链条上。前面提到过,每个区块需要前面区块的信息,那么问题来了:区块链里的第一个区块是怎么来的?好吧,第一个区块,或者说创世区块,是一个特殊的区块,在许多情况下,这是通过手工或者一个唯一的逻辑添加上去的。
这里我们创建一个函数,为了简化起见,简单地返回一个创世区块。这个区块的索引是0,它的数据值和previous hash参数是任意指定的。
import datetime as date
def create_genesis_block():
# Manually construct a block with
# index zero and arbitrary previous hash
return Block(0, date.datetime.now(), "Genesis Block", "0")
现在,我们能够创建一个创世区块了,接下来我们需要一个函数来生成区块链里的后续区块,这个函数将链条中的前一个区块作为参数,为新的区块创建数据,并返回带有一个带有合适的数据的新区块。当新的区块哈希来自前面的区块的信息,伴随着新区块的加入,区块链的完整性也得以增强。如果我们不这么做的话,那么外界就很容易用他们的新区块来替换我们的链条里的区块,以达到“篡改历史”的目的。
def next_block(last_block):
this_index = last_block.index + 1
this_timestamp = date.datetime.now()
this_data = "Hey! I'm block " + str(this_index)
this_hash = last_block.hash
return Block(this_index, this_timestamp, this_data, this_hash)
这就是主要的工作了,现在我们可以创建我们的区块链了。在我们这个例子里,区块链本身是一个简单的Python list。list的第一个元素就是创世区块,当然,我们需要继续添加区块。因为SnakeCoin是一个最简区块链,只有20个新的区块,我们可以在一个for循环里搞定。
# Create the blockchain and add the genesis block
blockchain = [create_genesis_block()]
previous_block = blockchain[0]
# How many blocks should we add to the chain
# after the genesis block
num_of_blocks_to_add = 20
# Add blocks to the chain
for i in range(0, num_of_blocks_to_add):
block_to_add = next_block(previous_block)
blockchain.append(block_to_add)
previous_block = block_to_add
# Tell everyone about it!
print "Block #{} has been added to the blockchain!".format(block_to_add.index)
print "Hash: {}\n".format(block_to_add.hash)
让我们测试一下目前的成果: