区块链python演示

# -*- coding: utf-8 -*-
"""
Created on Tue Jan 30 08:46:36 2018
block:每个区块包含属性:索引(index),Unix时间戳(timestamp),交易列表(transactions),工作量证明(稍后解释)以及前一个区块的Hash值。
@author: Administrator
"""
import hashlib
import json
import requests
from time import time
from uuid import uuid4
from flask import Flask, jsonify, request
from textwrap import dedent
from urllib.parse import urlparse

class Blockchain(object):
     #初始化变量
    def __init__(self):
        self.chain = [] #当前链长度为0
        self.current_transactions = [] #当前交易量为空
        self.nodes = set()
         # Create the genesis block
        self.new_block(previous_hash=1, proof=100)
    #注册新节点
    def register_node(self, address):
        """
        Add a new node to the list of nodes
        :param address: <str> Address of node. Eg. ‘http://192.168.0.5:5000‘
        :return: None
        """
        parsed_url = urlparse(address)
        self.nodes.add(parsed_url.netloc)
      #创建新块
    def new_block(self, proof, previous_hash=None):
        block = {
            ‘index‘: len(self.chain) + 1,
            ‘timestamp‘: time(),
            ‘transactions‘: self.current_transactions,
            ‘proof‘: proof,
            ‘previous_hash‘: previous_hash or self.hash(self.chain[-1]),
        }

        # Reset the current list of transactions
        self.current_transactions = []

        self.chain.append(block)
        return block
     #创建新交易 并返回该记录将被添加到的区块(下一个待挖掘的区块)的索引
    def new_transaction(self, sender, recipient, amount):
        self.current_transactions.append({
            ‘sender‘: sender,
            ‘recipient‘: recipient,
            ‘amount‘: amount,
        })

        return self.last_block[‘index‘] + 1
     #静态哈希方法
    @staticmethod
    def hash(block):
        block_string = json.dumps(block, sort_keys=True).encode()
        return hashlib.sha256(block_string).hexdigest()
    #上一区块
    @property
    def last_block(self):
        return self.chain[-1]
    """
        简单的工作量证明:
         - 查找一个 p‘ 使得 hash(pp‘) 以4个0开头
         - p 是上一个块的证明,  p‘ 是当前的证明
        :param last_proof: <int>
        :return: <int>
    """
   #工作量验证工作
    def proof_of_work(self, last_proof):

        proof = 0
        while self.valid_proof(last_proof, proof) is False:
            proof += 1

        return proof

    @staticmethod
    def valid_proof(last_proof, proof):
        """
        验证证明: 是否hash(last_proof, proof)以4个0开头?
        :param last_proof: <int> Previous Proof
        :param proof: <int> Current Proof
        :return: <bool> True if correct, False if not.
        """
        #F-string  提高效率
        guess = f‘{last_proof}{proof}‘.encode()
        guess_hash = hashlib.sha256(guess).hexdigest()
        return guess_hash[:4] == "0000"
     def valid_chain(self, chain):
        """
        Determine if a given blockchain is valid
        :param chain: <list> A blockchain
        :return: <bool> True if valid, False if not
        """

        last_block = chain[0]
        current_index = 1

        while current_index < len(chain):
            block = chain[current_index]
            print(f‘{last_block}‘)
            print(f‘{block}‘)
            print("\n-----------\n")
            # Check that the hash of the block is correct
            if block[‘previous_hash‘] != self.hash(last_block):
                return False

            # Check that the Proof of Work is correct
            if not self.valid_proof(last_block[‘proof‘], block[‘proof‘]):
                return False

            last_block = block
            current_index += 1

        return True

     def resolve_conflicts(self):
        """
        共识算法解决冲突
        使用网络中最长的链.
        :return: <bool> True 如果链被取代, 否则为False
        """

        neighbours = self.nodes
        new_chain = None

        # We‘re only looking for chains longer than ours
        max_length = len(self.chain)

        # Grab and verify the chains from all the nodes in our network
        for node in neighbours:
            response = requests.get(f‘http://{node}/chain‘)

            if response.status_code == 200:
                length = response.json()[‘length‘]
                chain = response.json()[‘chain‘]

                # Check if the length is longer and the chain is valid
                if length > max_length and self.valid_chain(chain):
                    max_length = length
                    new_chain = chain

        # Replace our chain if we discovered a new, valid chain longer than ours
        if new_chain:
            self.chain = new_chain
            return True

        return False

# Instantiate our Node
#s实例化Flask
app = Flask(__name__)

# Generate a globally unique address for this node
#创建地址
node_identifier = str(uuid4()).replace(‘-‘, ‘‘)

# 初始化区块链 创建创世快
blockchain = Blockchain()

#开始挖矿
@app.route(‘/mine‘, methods=[‘GET‘])
def mine():
     # 获取上一个区块 的proof 得到下一个区块的proof
    last_block = blockchain.last_block
    #上一个证明
    last_proof = last_block[‘proof‘]
    #工作量证明
    proof = blockchain.proof_of_work(last_proof)
    #添加交易
    # 给工作量证明的节点提供奖励.
    # 发送者为 "0" 表明是新挖出的币
    blockchain.new_transaction(
        sender="0",
        recipient=node_identifier,
        amount=1,
    )

    # 创建一个新块 并添加到新的区块链中  并重置交易
    block = blockchain.new_block(proof)

    response = {
        ‘message‘: "New Block Forged",
        ‘index‘: block[‘index‘],
        ‘transactions‘: block[‘transactions‘],
        ‘proof‘: block[‘proof‘],
        ‘previous_hash‘: block[‘previous_hash‘],
    }
    return jsonify(response), 200

@app.route(‘/transactions/new‘, methods=[‘POST‘])
def new_transaction():
     #获取传送过来的json参数
    values = request.get_json()

    # Check that the required fields are in the POST‘ed data
    required = [‘sender‘, ‘recipient‘, ‘amount‘]
    if not all(k in values for k in required):
        return ‘Missing values‘, 400

    #创建一个新交易 返回当前交易所引  (发送方 接收方 数量..)
    index = blockchain.new_transaction(values[‘sender‘], values[‘recipient‘], values[‘amount‘])

    response = {‘message‘: f‘Transaction will be added to Block {index}‘}
    return jsonify(response), 201

@app.route(‘/chain‘, methods=[‘GET‘])
def full_chain():
     #返回全部区块链
    response = {
        ‘chain‘: blockchain.chain,
        ‘length‘: len(blockchain.chain), #链长度
    }
    return jsonify(response), 200
@app.route(‘/nodes/register‘, methods=[‘POST‘])
def register_nodes():
    values = request.get_json()

    nodes = values.get(‘nodes‘)
    if nodes is None:
        return "Error: Please supply a valid list of nodes", 400

    for node in nodes:
        blockchain.register_node(node)

    response = {
        ‘message‘: ‘New nodes have been added‘,
        ‘total_nodes‘: list(blockchain.nodes),
    }
    return jsonify(response), 201

@app.route(‘/nodes/resolve‘, methods=[‘GET‘])
def consensus():
    replaced = blockchain.resolve_conflicts()

    if replaced:
        response = {
            ‘message‘: ‘Our chain was replaced‘,
            ‘new_chain‘: blockchain.chain
        }
    else:
        response = {
            ‘message‘: ‘Our chain is authoritative‘,
            ‘chain‘: blockchain.chain
        }

    return jsonify(response), 200

if __name__ == ‘__main__‘:
    app.run(host=‘0.0.0.0‘, port=5000)

原文地址:https://www.cnblogs.com/x0216u/p/8386166.html

时间: 2024-10-07 18:31:20

区块链python演示的相关文章

用Python从零开始创建区块链

本文主要内容翻译自Learn Blockchains by Building One本文原始链接,转载请注明出处.作者认为最快的学习区块链的方式是自己创建一个,本文就跟随作者用Python来创建一个区块链. 对数字货币的崛起感到新奇的我们,并且想知道其背后的技术--区块链是怎样实现的. 但是完全搞懂区块链并非易事,我喜欢在实践中学习,通过写代码来学习技术会掌握得更牢固.通过构建一个区块链可以加深对区块链的理解. 准备工作 本文要求读者对Python有基本的理解,能读写基本的Python,并且需要

用 Python 撸一个区块链

本文翻译自 Daniel van Flymen 的文章 Learn Blockchains by Building One 略有删改.原文地址:https://hackernoon.com/learn-blockchains-by-building-one-117428612f46 相信你和我一样对数字货币的崛起感到新奇,并且想知道其背后的技术——区块链是怎样实现的. 但是理解区块链并非易事,至少对于我来说是如此.晦涩难懂的视频.漏洞百出的教程以及示例的匮乏令我倍受挫折. 我喜欢在实践中学习,通

50行Python代码构建小型区块链

本文介绍了如何使用python构建一个小型的区块链技术,使用Python2实现,代码不到50行. Although some think blockchain is a solution waiting for problems, there's no doubt that this novel technology is a marvel of computing. But, what exactly is a blockchain?虽然有人认为区块链本身仍有很多问题需要解决,但毫无疑问,这种

逻辑烧脑:python 区块链的简易实现

区块链技术因为比特币的火爆而广受关注,我们这里用 python 代码来聊一下区块链技术: 区块链实现原理的简易描述 区块链技术做为一种数字记账技术,其核心是将保存了交易数据的区块,以加密的方式,按时间的顺序链式记录.区块链本身就是一个公共的数据库,系统将新诞生的业务数据存储在被称为区块的容器之中,并将该区块添加到已有区块组成的链条之中.有点像贪吃蛇,吃的区块越多,蛇的身体越长:在比特币的应用场景下,这些数据是一组转账交易记录.在共享单车的应用场景下,这些数据就可以是借车还车的交易记录. 区块链的

用不到 50 行的 Python 代码构建最小的区块链

引用 译者注:随着比特币的不断发展,它的底层技术区块链也逐步走进公众视野,引起大众注意.本文用不到50行的Python代码构建最小的数据区块链,简单介绍了区块链去中心化的结构与其实现原理. 尽管一些人认为区块链是一个等待问题的解决方案,但毫无疑问,这种新技术是计算机的奇迹.但是,区块链到底是什么呢? 区块链 它是比特币或其他加密货币进行交易的数字账本,账本按时间顺序记录并对外公开. 在更一般的术语中,它是一个公共数据库,新数据存储在一个名为块的容器中,并被添加到一个不可变链(后来的区块链)中添加

40多行python代码开发一个区块链。

40多行python代码开发一个区块链?可信吗?我们将通过Python 2动手开发实现一个迷你区块链来帮你真正理解区块链技术的核心原理.python开发区块链的源代码保存在Github. 尽管有人认为区块链目前还是不成熟的解决方案,但它无疑是计算机发展史上的一个奇迹.但是,到底区块链是什么呢? 区块链 区块链是一个公开的数字账本,它按时间顺序记录比特币或其他加密货币发生的交易. 更一般的讲,区块链是一个公共数据库,新的数据将存储在一个被称为"块"的容器中,然后块会被添加到一个不可篡改的

大数据、java、Python、区块链、人工智能哪个发展前景刚好?

在这个信息时代高速发展的情况下,很多人会对自己该往哪个方向发展感到迷茫,下面我就浅显的给大家介绍一下五大流行区域的发展前景. 大数据的发展前景: 当前大数据行业真的是人才稀缺吗? 学了几年后,大数据行业会不会产能过剩? 大数据行业最终需要什么样的人才? 接下来就带你们看看分析结果: 当前大数据行业真的是人才稀缺吗? 对!未来人才缺口150万,数据分析人才最稀缺. 先看大数据人才缺口有多大? 根据LinkedIn(领英)发布的<2016年中国互联网最热职位人才报告>显示,研发工程师.产品经理.人

用 Python 构建一个极小的区块链

虽然有些人认为区块链是一个早晚会出现问题的解决方案,但是毫无疑问,这个创新技术是一个计算机技术上的奇迹.那么,究竟什么是区块链呢? 区块链 以比特币(Bitcoin)或其它加密货币按时间顺序公开地记录交易的数字账本. 更通俗的说,它是一个公开的数据库,新的数据存储在被称之为区块(block)的容器中,并被添加到一个不可变的链(chain)中(因此被称为区块链(blockchain)),之前添加的数据也在该链中.对于比特币或其它加密货币来说,这些数据就是一组组交易,不过,也可以是其它任何类型的数据

通过7个python函数理解区块链

我想对于那里的很多人来说,区块链就是这种现象,很难不让你头脑发热.我开始观看视频和阅读文章,但对我个人而言,直到我编写自己的简单区块链,我才真正理解它是什么以及它的潜在应用价值. 我对区块链的看法是它是一个公开的加密数据库.如果你是亚马逊并且你想使用该技术来跟踪库存水平,那么使用区块链是否有意义?可能没有,因为你的客户不想花费资源来验证你的区块链,因为他们只顾看着网站说Only 1 left!. 我会让你考虑未来的应用.所以不用多说,让我们看看我们的7个函数! def hash_function