python 区块链程序
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 没有生效,后来改为修改文件,重写文件,然后启动两次;
源文件:
- import hashlib
- import json
- from time import time
- from uuid import uuid4
- from flask import Flask, jsonify, request
- from urllib.parse import urlparse
- import requests
- class Blockchain(object):
- def __init__(self):
- self.chain = []
- self.current_transactions = []
- self.new_block(previous_hash=1, proof=None)
- self.nodes = set()
- def register_node(self, address):
- parsed_url = urlparse(address)
- self.nodes.add(parsed_url.netloc)
- def valid_chain(self, chain):
- 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')
- if block['previous_hash'] != self.hash(last_block):
- return False
- if not self.valid_proof(last_block['proof'], block['proof']):
- return False
- last_block = block
- current_index += 1
- return True
- def resolve_conflicts(self):
- neighbours = self.nodes
- new_chain = None
- max_length = len(self.chain)
- for node in neighbours:
- response = requests.get(f'http://{node}/chain')
- if response.status_code == 200:
- length = response.json()['length']
- chain = response.json()['chain']
- if length > max_length and self.valid_chain(chain):
- max_length = length
- new_chain = chain
- if new_chain:
- self.chain = new_chain
- return True
- return False
- 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])
- }
- 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]
- 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):
- guess = f'{last_proof}{proof}'.encode()
- guess_hash = hashlib.sha256(guess).hexdigest()
- return guess_hash[:4] == ""
- app = Flask(__name__)
- node_identifier = str(uuid4()).replace('-', '')
- blockchain = Blockchain()
- @app.route('/mine', methods=['GET'])
- def mine():
- last_block = blockchain.last_block
- last_proof = last_block['proof']
- proof = blockchain.proof_of_work(last_proof)
- blockchain.new_transaction(
- sender="",
- 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_transactions():
- values = request.get_json()
- print('*' * 20, values)
- 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('0.0.0.0', port=5001)
python 区块链程序的更多相关文章
- 区块链火爆,再不知道Golang就晚了
Golang,也叫Go语言,是2009年刚刚被发发布的一门新语言. 区块链,是2019年我国提出的新战略. 一个不争的事实就是,大多数从事区块链开发的小伙伴都是用Golang,大多数招聘区块链技术工作 ...
- 区块链技术(一):Truffle开发入门
以太坊是区块链开发领域最好的编程平台,而truffle是以太坊(Ethereum)最受欢迎的一个开发框架,这是我们第一篇区块链技术文章介绍truffle的原因,实战是最重要的事情,这篇文章不讲原理,只 ...
- 50行ruby代码开发一个区块链
区块链是什么?作为一个Ruby开发者,理解区块链的最好办法,就是亲自动手实现一个.只需要50行Ruby代码你就能彻底理解区块链的核心原理! 区块链 = 区块组成的链表? blockchain.ruby ...
- golang区块链开发的视频教程推荐
目前网上关于golang区块链开发的资源很少,以太坊智能合约相关的课程倒是很多,可能是由于前者的难度比后者难度大,课程开发需要投入更多精力.搜了一圈之后没结果,我就直接去之前没覆盖的视频网站找资源,包 ...
- Python实现一条基于POS算法的区块链
区块链中的共识算法 在比特币公链架构解析中,就曾提到过为了实现去中介化的设计,比特币设计了一套共识协议,并通过此协议来保证系统的稳定性和防攻击性. 并且我们知道,截止目前使用最广泛,也是最被大家接受的 ...
- python如何与以太坊交互并将区块链信息写入SQLite
关于区块链介绍性的研讨会通常以易于理解的点对点网络和银行分类账这类故事开头,然后直接跳到编写智能合约,这显得非常突兀.因此,想象自己走进丛林,想象以太坊区块链是一个你即将研究的奇怪生物.今天我们将观察 ...
- Python 模拟简单区块链
首先这是说明一下这是Tiny熊老师的教程https://www.cnblogs.com/tinyxiong 另外还要说明一下,暑假指导老师让我们做一些关于区块链的应用.这里只是涉及极其简单的模拟,主要 ...
- 50行Python代码构建小型区块链
本文介绍了如何使用python构建一个小型的区块链技术,使用Python2实现,代码不到50行. Although some think blockchain is a solution waitin ...
- 用 Python 撸一个区块链
本文翻译自 Daniel van Flymen 的文章 Learn Blockchains by Building One 略有删改.原文地址:https://hackernoon.com/learn ...
随机推荐
- 【C++】模板简述(三):类模板
上文简述了C++模板中的函数模板的格式.实例.形参.重载.特化及参数推演,本文主要介绍类模板. 一.类模板格式 类模板也是C++中模板的一种,其格式如下: template<class 形参名1 ...
- Spring启动执行流程梳理
注:本文梳理启动流程使用的Spring版本:4.0.2.RELEASE 使用spring配置,都需要在web.xml中配置一个spring的监听器和启动参数(context-param),如下: &l ...
- Flask框架 之数据库扩展Flask-SQLAlchemy
一.安装扩展 pip install flask-sqlalchemy pip install flask-mysqldb 二.SQLAlchemy 常用的SQLAlchemy字段类型 类型名 pyt ...
- C++运行外部exe并判断exe返回值
有三个API函数可以运行可执行文件WinExec.ShellExecute和CreateProcess.CreateProcess因为使用复杂,比较少用. WinExec主要运行EXE文件. ⑴ 函数 ...
- vc++实现控制USB设备启用与否
#include <WINDOWS.H> #include <TCHAR.H> #include <SETUPAPI.H> //#in ...
- C# html table转excel
1. protected void ebtDC_Click(object sender, EventArgs e) { string elxStr = "<table><t ...
- B2. Concurrent 线程池(Executor)
[概述] 与数据库连接管理类似,线程的创建和销毁会耗费较大的开销,使用 “池化技术” 来更好地利用当前线程资源,减少因线程创建和销毁带来的开销,这就是线程池产生的原因. [无限创建线程的不足] 在生产 ...
- 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 ...
- Android图像处理之BitMap(2)
Bitmap 相关 1. Bitmap比较特别 因为其不可创建 而只能借助于BitmapFactory 而根据图像来源又可分以下几种情况: * png图片 如:R.drawable.tianjin J ...
- 小程序input自动聚焦拉起键盘
微信官方提供了两种自动聚焦的方法 1,auto-focus 接受boolean值:默认为false:只需设置为true即可 自动聚焦,拉起键盘:不过官方的提示即将废弃,所以能不用还是不要用 2,foc ...