python 区块链程序

学习了:https://mp.weixin.qq.com/s?__biz=MzAxODcyNjEzNQ==&mid=2247484921&idx=1&sn=fd7a0b10fce7b5d78c477438a0c7040e&pass_ticket=VRQ4Gl2qVWVdx9L7zKnwzmZ%2F3afkWrOb1mO8UAgklOnyOh1LnDAzTkLvyduPgzWb

进行postman的post方法提交的时候,注意选择Body > raw 选择JSON(application/json)

pip 进行install的时候选择国内的源;

测试的时候使用pipenv 没有生效,后来改为修改文件,重写文件,然后启动两次;

源文件:

  1. import hashlib
  2. import json
  3. from time import time
  4. from uuid import uuid4
  5. from flask import Flask, jsonify, request
  6. from urllib.parse import urlparse
  7. import requests
  8.  
  9. class Blockchain(object):
  10. def __init__(self):
  11. self.chain = []
  12. self.current_transactions = []
  13. self.new_block(previous_hash=1, proof=None)
  14. self.nodes = set()
  15.  
  16. def register_node(self, address):
  17. parsed_url = urlparse(address)
  18. self.nodes.add(parsed_url.netloc)
  19.  
  20. def valid_chain(self, chain):
  21. last_block = chain[0]
  22. current_index = 1
  23. while current_index < len(chain):
  24. block = chain[current_index]
  25. print(f'{last_block}')
  26. print(f'{block}')
  27. print('\n---------------\n')
  28. if block['previous_hash'] != self.hash(last_block):
  29. return False
  30. if not self.valid_proof(last_block['proof'], block['proof']):
  31. return False
  32. last_block = block
  33. current_index += 1
  34. return True
  35.  
  36. def resolve_conflicts(self):
  37. neighbours = self.nodes
  38. new_chain = None
  39. max_length = len(self.chain)
  40. for node in neighbours:
  41. response = requests.get(f'http://{node}/chain')
  42. if response.status_code == 200:
  43. length = response.json()['length']
  44. chain = response.json()['chain']
  45. if length > max_length and self.valid_chain(chain):
  46. max_length = length
  47. new_chain = chain
  48. if new_chain:
  49. self.chain = new_chain
  50. return True
  51. return False
  52.  
  53. def new_block(self, proof, previous_hash=None):
  54. block = {
  55. 'index': len(self.chain) + 1,
  56. 'timestamp': time(),
  57. 'transactions': self.current_transactions,
  58. 'proof': proof,
  59. 'previous_hash': previous_hash or self.hash(self.chain[-1])
  60. }
  61. self.current_transactions = []
  62. self.chain.append(block)
  63. return block
  64.  
  65. def new_transaction(self, sender, recipient, amount):
  66. self.current_transactions.append({
  67. 'sender': sender,
  68. 'recipient': recipient,
  69. 'amount': amount
  70. })
  71. return self.last_block['index'] + 1
  72.  
  73. @staticmethod
  74. def hash(block):
  75. block_string = json.dumps(block, sort_keys=True).encode()
  76. return hashlib.sha256(block_string).hexdigest()
  77.  
  78. @property
  79. def last_block(self):
  80. return self.chain[-1]
  81.  
  82. def proof_of_work(self, last_proof):
  83. proof = 0
  84. while self.valid_proof(last_proof, proof) is False:
  85. proof += 1
  86. return proof
  87.  
  88. @staticmethod
  89. def valid_proof(last_proof, proof):
  90. guess = f'{last_proof}{proof}'.encode()
  91. guess_hash = hashlib.sha256(guess).hexdigest()
  92. return guess_hash[:4] == ""
  93.  
  94. app = Flask(__name__)
  95. node_identifier = str(uuid4()).replace('-', '')
  96. blockchain = Blockchain()
  97.  
  98. @app.route('/mine', methods=['GET'])
  99. def mine():
  100. last_block = blockchain.last_block
  101. last_proof = last_block['proof']
  102. proof = blockchain.proof_of_work(last_proof)
  103. blockchain.new_transaction(
  104. sender="",
  105. recipient=node_identifier,
  106. amount=1
  107. )
  108. block = blockchain.new_block(proof)
  109. response = {
  110. 'message': "New Block Forged",
  111. 'index': block['index'],
  112. 'transactions': block['transactions'],
  113. 'proof': block['proof'],
  114. 'previous_hash': block['previous_hash']
  115. }
  116. return jsonify(response), 200
  117.  
  118. @app.route('/transactions/new', methods=['POST'])
  119. def new_transactions():
  120. values = request.get_json()
  121. print('*' * 20, values)
  122. required = ['sender', 'recipient', 'amount']
  123. if not all(k in values for k in required):
  124. return "Missing Values", 400
  125. index = blockchain.new_transaction(values['sender'], values['recipient'], values['amount'])
  126. response = {'message': f'Transaction will be added to Block{index}'}
  127. return jsonify(response), 201
  128.  
  129. @app.route('/chain', methods=['GET'])
  130. def full_chain():
  131. response = {
  132. 'chain': blockchain.chain,
  133. 'length': len(blockchain.chain)
  134. }
  135. return jsonify(response), 200
  136.  
  137. @app.route('/nodes/register', methods=['POST'])
  138. def register_nodes():
  139. values = request.get_json()
  140. nodes = values.get('nodes')
  141. if nodes is None:
  142. return "Error: Please supply a valid list of nodes", 400
  143. for node in nodes:
  144. blockchain.register_node(node)
  145. response = {
  146. 'message': 'New nodes have been added',
  147. 'total_nodes': list(blockchain.nodes)
  148. }
  149. return jsonify(response), 201
  150.  
  151. @app.route('/nodes/resolve', methods=['GET'])
  152. def consensus():
  153. replaced = blockchain.resolve_conflicts()
  154. if replaced:
  155. response = {
  156. 'message': 'Our chain was replaced',
  157. 'new_chain': blockchain.chain
  158. }
  159. else:
  160. response = {
  161. 'message': 'Our chain is authoritative',
  162. 'chain': blockchain.chain
  163. }
  164. return jsonify(response), 200
  165.  
  166. if __name__ == '__main__':
  167. app.run('0.0.0.0', port=5001)

python 区块链程序的更多相关文章

  1. 区块链火爆,再不知道Golang就晚了

    Golang,也叫Go语言,是2009年刚刚被发发布的一门新语言. 区块链,是2019年我国提出的新战略. 一个不争的事实就是,大多数从事区块链开发的小伙伴都是用Golang,大多数招聘区块链技术工作 ...

  2. 区块链技术(一):Truffle开发入门

    以太坊是区块链开发领域最好的编程平台,而truffle是以太坊(Ethereum)最受欢迎的一个开发框架,这是我们第一篇区块链技术文章介绍truffle的原因,实战是最重要的事情,这篇文章不讲原理,只 ...

  3. 50行ruby代码开发一个区块链

    区块链是什么?作为一个Ruby开发者,理解区块链的最好办法,就是亲自动手实现一个.只需要50行Ruby代码你就能彻底理解区块链的核心原理! 区块链 = 区块组成的链表? blockchain.ruby ...

  4. golang区块链开发的视频教程推荐

    目前网上关于golang区块链开发的资源很少,以太坊智能合约相关的课程倒是很多,可能是由于前者的难度比后者难度大,课程开发需要投入更多精力.搜了一圈之后没结果,我就直接去之前没覆盖的视频网站找资源,包 ...

  5. Python实现一条基于POS算法的区块链

    区块链中的共识算法 在比特币公链架构解析中,就曾提到过为了实现去中介化的设计,比特币设计了一套共识协议,并通过此协议来保证系统的稳定性和防攻击性. 并且我们知道,截止目前使用最广泛,也是最被大家接受的 ...

  6. python如何与以太坊交互并将区块链信息写入SQLite

    关于区块链介绍性的研讨会通常以易于理解的点对点网络和银行分类账这类故事开头,然后直接跳到编写智能合约,这显得非常突兀.因此,想象自己走进丛林,想象以太坊区块链是一个你即将研究的奇怪生物.今天我们将观察 ...

  7. Python 模拟简单区块链

    首先这是说明一下这是Tiny熊老师的教程https://www.cnblogs.com/tinyxiong 另外还要说明一下,暑假指导老师让我们做一些关于区块链的应用.这里只是涉及极其简单的模拟,主要 ...

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

    本文介绍了如何使用python构建一个小型的区块链技术,使用Python2实现,代码不到50行. Although some think blockchain is a solution waitin ...

  9. 用 Python 撸一个区块链

    本文翻译自 Daniel van Flymen 的文章 Learn Blockchains by Building One 略有删改.原文地址:https://hackernoon.com/learn ...

随机推荐

  1. 【C++】模板简述(三):类模板

    上文简述了C++模板中的函数模板的格式.实例.形参.重载.特化及参数推演,本文主要介绍类模板. 一.类模板格式 类模板也是C++中模板的一种,其格式如下: template<class 形参名1 ...

  2. Spring启动执行流程梳理

    注:本文梳理启动流程使用的Spring版本:4.0.2.RELEASE 使用spring配置,都需要在web.xml中配置一个spring的监听器和启动参数(context-param),如下: &l ...

  3. Flask框架 之数据库扩展Flask-SQLAlchemy

    一.安装扩展 pip install flask-sqlalchemy pip install flask-mysqldb 二.SQLAlchemy 常用的SQLAlchemy字段类型 类型名 pyt ...

  4. C++运行外部exe并判断exe返回值

    有三个API函数可以运行可执行文件WinExec.ShellExecute和CreateProcess.CreateProcess因为使用复杂,比较少用. WinExec主要运行EXE文件. ⑴ 函数 ...

  5. vc++实现控制USB设备启用与否

    #include <WINDOWS.H>      #include <TCHAR.H>      #include <SETUPAPI.H>      //#in ...

  6. C# html table转excel

    1. protected void ebtDC_Click(object sender, EventArgs e) { string elxStr = "<table><t ...

  7. B2. Concurrent 线程池(Executor)

    [概述] 与数据库连接管理类似,线程的创建和销毁会耗费较大的开销,使用 “池化技术” 来更好地利用当前线程资源,减少因线程创建和销毁带来的开销,这就是线程池产生的原因. [无限创建线程的不足] 在生产 ...

  8. Getting start with dbus in systemd (02) - How to create a private dbus-daemon

    Getting start with dbus in systemd (02) 创建一个私有的dbus-daemon (session) 环境 这里我们会有两个app: app1(client),ap ...

  9. Android图像处理之BitMap(2)

    Bitmap 相关 1. Bitmap比较特别 因为其不可创建 而只能借助于BitmapFactory 而根据图像来源又可分以下几种情况: * png图片 如:R.drawable.tianjin J ...

  10. 小程序input自动聚焦拉起键盘

    微信官方提供了两种自动聚焦的方法 1,auto-focus 接受boolean值:默认为false:只需设置为true即可 自动聚焦,拉起键盘:不过官方的提示即将废弃,所以能不用还是不要用 2,foc ...