brownie部署与测试智能合约

2023-10-30 11:58

本文主要是介绍brownie部署与测试智能合约,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

    brownie是一种Python语言的开发与测试框架,它可以部署.sol、.py格式的智能合约。

  • 完全支持Solidity和Vyper
  • 通过pytest进行智能合约测试,包括基于跟踪的覆盖率评估
  • 通过hypothesis进行基于属性和状态的测试
  • 强大的调试工具,包括python风格的跟踪和自定义错误字符串
  • 内置控制台,用于快速项目互动
  • 支持ethPM软件包

    下面,介绍brownie的安装、部署智能合约、测试智能合约。

1、准备环境

1.1 安装nodejs、python3

    安装nodejs,请参考这篇文章的第1节
    安装Python3,请参考这篇文章的第9节

1.2 安装brownie

    这里选择brownie==1.12.3版本,进行安装

pip3 install eth-brownie==1.12.3

1.3 安装ganache-cli

npm install -g ganache-cli

2、创建工程browthree

2.1 创建文件与文件夹

    a) 打开控制台终端,依次输入如下命令:

mkdir browthree
cd browthree
brownie init
touch brownie-config.yaml
touch .env

    b) 填写brownie的配置文件:brownie-config.yaml
    // brownthree/brownie-config.yaml

dependencies:- OpenZeppelin/openzeppelin-contracts@3.4.0
compiler:solc:remappings:- '@openzeppelin=OpenZeppelin/openzeppelin-contracts@3.4.0'
dotenv: .env
networks:networks:# any settings given here will replace the defaultsdevelopment:host: http://127.0.0.1gas_price: 0persist: falsereverting_tx_gas_limit: 6721975test_rpc:cmd: ganache-cliport: 8545gas_limit: 6721975accounts: 10# set your Infura API token to the environment variable ${WEB3_INFURA_PROJECT_ID}mainnet:host: https://mainnet.infura.io/v3/${WEB3_INFURA_PROJECT_ID}goerli:host: https://goerli.infura.io/v3/${WEB3_INFURA_PROJECT_ID}kovan:host: https://kovan.infura.io/v3/${WEB3_INFURA_PROJECT_ID}rinkeby:host: https://rinkeby.infura.io/v3/${WEB3_INFURA_PROJECT_ID}ropsten:host: https://ropsten.infura.io/v3/${WEB3_INFURA_PROJECT_ID}classic:host: https://www.ethercluster.com/etckotti:host: https://www.ethercluster.com/kotti
wallets:from_key: ${PRIVATE_KEY}

    c) 填写环境变量文件: .env
    // brownthree/.env

export WEB3_INFURA_PROJECT_ID='59...b6'
export PRIVATE_KEY='85...84'

    d) browthree工程的目录结构

图(1) browthree工程的目录结构

2.2 编写智能合约

    在browthree/contracts目录,创建一个智能合约文件: HelloERC20.sol

cd browthree/contracts
touch HelloERC20.sol

    // HelloERC20.sol

pragma solidity >=0.4.22 <0.6.0;interface tokenRecipient { function receiveApproval(address _from, uint256 _value, address _token, bytes calldata _extraData) external; 
}contract HelloERC20 {// Public variables of the tokenstring public name;string public symbol;uint8 public decimals = 18;// 18 decimals is the strongly suggested default, avoid changing ituint256 public totalSupply;// This creates an array with all balancesmapping (address => uint256) public balanceOf;mapping (address => mapping (address => uint256)) public allowance;// This generates a public event on the blockchain that will notify clientsevent Transfer(address indexed from, address indexed to, uint256 value);// This generates a public event on the blockchain that will notify clientsevent Approval(address indexed _owner, address indexed _spender, uint256 _value);// This notifies clients about the amount burntevent Burn(address indexed from, uint256 value);constructor(uint256 initialSupply,string memory tokenName,string memory tokenSymbol) public {totalSupply = initialSupply * 10 ** uint256(decimals);  // Update total supply with the decimal amountbalanceOf[msg.sender] = totalSupply;                // Give the creator all initial tokensname = tokenName;                                   // Set the name for display purposessymbol = tokenSymbol;                               // Set the symbol for display purposes}/*** Internal transfer, only can be called by this contract*/function _transfer(address _from, address _to, uint _value) internal {// Prevent transfer to 0x0 address. Use burn() insteadrequire(_to != address(0x0));// Check if the sender has enoughrequire(balanceOf[_from] >= _value);// Check for overflowsrequire(balanceOf[_to] + _value >= balanceOf[_to]);// Save this for an assertion in the futureuint previousBalances = balanceOf[_from] + balanceOf[_to];// Subtract from the senderbalanceOf[_from] -= _value;// Add the same to the recipientbalanceOf[_to] += _value;emit Transfer(_from, _to, _value);// Asserts are used to use static analysis to find bugs in your code. They should never failassert(balanceOf[_from] + balanceOf[_to] == previousBalances);}function transfer(address _to, uint256 _value) public returns (bool success) {_transfer(msg.sender, _to, _value);return true;}function transferFrom(address _from, address _to, uint256 _value) public returns (bool success) {require(_value <= allowance[_from][msg.sender]);     // Check allowanceallowance[_from][msg.sender] -= _value;_transfer(_from, _to, _value);return true;}function approve(address _spender, uint256 _value) publicreturns (bool success) {allowance[msg.sender][_spender] = _value;emit Approval(msg.sender, _spender, _value);return true;}function approveAndCall(address _spender, uint256 _value, bytes memory _extraData)publicreturns (bool success) {tokenRecipient spender = tokenRecipient(_spender);if (approve(_spender, _value)) {spender.receiveApproval(msg.sender, _value, address(this), _extraData);return true;}}function burn(uint256 _value) public returns (bool success) {require(balanceOf[msg.sender] >= _value);   // Check if the sender has enoughbalanceOf[msg.sender] -= _value;            // Subtract from the sendertotalSupply -= _value;                      // Updates totalSupplyemit Burn(msg.sender, _value);return true;}function burnFrom(address _from, uint256 _value) public returns (bool success) {require(balanceOf[_from] >= _value);                // Check if the targeted balance is enoughrequire(_value <= allowance[_from][msg.sender]);    // Check allowancebalanceOf[_from] -= _value;                         // Subtract from the targeted balanceallowance[_from][msg.sender] -= _value;             // Subtract from the sender's allowancetotalSupply -= _value;                              // Update totalSupplyemit Burn(_from, _value);return true;}
}

2.3 编写测试脚本

    在browthree/tests目录,创建一个测试脚本文件: 1_func_test.py

cd browthree/tests
touch 1_func_test.py

    // 1_func_test.py

import pytest
from brownie import HelloERC20, accounts@pytest.fixture
def token():return accounts[0].deploy(HelloERC20, 1000,"AppleToken", "APT")def test_transfer(token):token.transfer(accounts[1], "100 ether", {'from': accounts[0]})assert token.balanceOf(accounts[0]) == "900 ether"def test_name(token):assert token.name() == "AppleToken"def test_symbol(token):assert token.symbol() == "APT"def test_totalSupply(token):assert token.totalSupply() == "1000 ether"def test_approve(token):token.approve(accounts[1],"100 ether",{'from':accounts[0]})assert token.allowance(accounts[0],accounts[1]) == "100 ether"def test_burn(token):token.burn("100 ether",{'from':accounts[0]})print("addr=",token.address)assert token.totalSupply() == "900 ether"def test_transferFrom(token):token.approve(accounts[1],"100 ether",{'from':accounts[0]})token.transferFrom(accounts[0],accounts[1],"100 ether",{'from':accounts[1]})assert token.balanceOf(accounts[1]) == "100 ether"def test_burnFrom(token):token.approve(accounts[1],"100 ether",{'from':accounts[0]})token.burnFrom(accounts[0],"100 ether",{'from':accounts[1]})assert token.totalSupply() == "900 ether"

2.4 编写部署脚本

    在browthree/tests目录,创建一个部署脚本文件: 1_deploy_token.py

cd browthree/scripts
touch 1_deploy_token.py

    // 1_deploy_token.py

import os
from brownie import accounts,HelloERC20initial_supply = 1000000  # 1000000
token_name =   "AppleToken"
token_symbol = "APT"def get_account():accAddr = accounts.add(os.getenv('PRIVATE_KEY'))return accAddrdef main():account = get_account()print('account=',account)erc20 = HelloERC20.deploy(initial_supply, token_name, token_symbol, {"from": account})

2.5 进行部署与测试

    a) 部署合约到Rinkeby

## 使能.env环境
source .env## 部署到Rinkeby
brownie run scripts/1_deploy_token --network rinkeby

    效果如下:

图(2) 部署合约到Rinkeby

    得到HelloERC20.sol的合约地址为: 0x7000A28DCF57883286bd568CCa4733baF91e62ef

    b) 测试HelloERC20合约

  • 先启动ganache-cli

    在黑框框终端里,输入如下命令即可

ganache-cli
  • 再运行测试脚本
## 方法一:禁用print
brownie test tests/1_func_test.py## 方法二:启用print
brownie test tests/1_func_test.py -s

    效果如下:

图(3) 在ganache-cli里,测试合约

参考文献

brownie 单元测试

这篇关于brownie部署与测试智能合约的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



http://www.chinasem.cn/article/307765

相关文章

centos7基于keepalived+nginx部署k8s1.26.0高可用集群

《centos7基于keepalived+nginx部署k8s1.26.0高可用集群》Kubernetes是一个开源的容器编排平台,用于自动化地部署、扩展和管理容器化应用程序,在生产环境中,为了确保集... 目录一、初始化(所有节点都执行)二、安装containerd(所有节点都执行)三、安装docker-

在Ubuntu上部署SpringBoot应用的操作步骤

《在Ubuntu上部署SpringBoot应用的操作步骤》随着云计算和容器化技术的普及,Linux服务器已成为部署Web应用程序的主流平台之一,Java作为一种跨平台的编程语言,具有广泛的应用场景,本... 目录一、部署准备二、安装 Java 环境1. 安装 JDK2. 验证 Java 安装三、安装 mys

Jenkins中自动化部署Spring Boot项目的全过程

《Jenkins中自动化部署SpringBoot项目的全过程》:本文主要介绍如何使用Jenkins从Git仓库拉取SpringBoot项目并进行自动化部署,通过配置Jenkins任务,实现项目的... 目录准备工作启动 Jenkins配置 Jenkins创建及配置任务源码管理构建触发器构建构建后操作构建任务

如何测试计算机的内存是否存在问题? 判断电脑内存故障的多种方法

《如何测试计算机的内存是否存在问题?判断电脑内存故障的多种方法》内存是电脑中非常重要的组件之一,如果内存出现故障,可能会导致电脑出现各种问题,如蓝屏、死机、程序崩溃等,如何判断内存是否出现故障呢?下... 如果你的电脑是崩溃、冻结还是不稳定,那么它的内存可能有问题。要进行检查,你可以使用Windows 11

若依部署Nginx和Tomcat全过程

《若依部署Nginx和Tomcat全过程》文章总结了两种部署方法:Nginx部署和Tomcat部署,Nginx部署包括打包、将dist文件拉到指定目录、配置nginx.conf等步骤,Tomcat部署... 目录Nginx部署后端部署Tomcat部署出现问题:点击刷新404总结Nginx部署第一步:打包

Nginx、Tomcat等项目部署问题以及解决流程

《Nginx、Tomcat等项目部署问题以及解决流程》本文总结了项目部署中常见的four类问题及其解决方法:Nginx未按预期显示结果、端口未开启、日志分析的重要性以及开发环境与生产环境运行结果不一致... 目录前言1. Nginx部署后未按预期显示结果1.1 查看Nginx的启动情况1.2 解决启动失败的

闲置电脑也能活出第二春?鲁大师AiNAS让你动动手指就能轻松部署

对于大多数人而言,在这个“数据爆炸”的时代或多或少都遇到过存储告急的情况,这使得“存储焦虑”不再是个别现象,而将会是随着软件的不断臃肿而越来越普遍的情况。从不少手机厂商都开始将存储上限提升至1TB可以见得,我们似乎正处在互联网信息飞速增长的阶段,对于存储的需求也将会不断扩大。对于苹果用户而言,这一问题愈发严峻,毕竟512GB和1TB版本的iPhone可不是人人都消费得起的,因此成熟的外置存储方案开

性能测试介绍

性能测试是一种测试方法,旨在评估系统、应用程序或组件在现实场景中的性能表现和可靠性。它通常用于衡量系统在不同负载条件下的响应时间、吞吐量、资源利用率、稳定性和可扩展性等关键指标。 为什么要进行性能测试 通过性能测试,可以确定系统是否能够满足预期的性能要求,找出性能瓶颈和潜在的问题,并进行优化和调整。 发现性能瓶颈:性能测试可以帮助发现系统的性能瓶颈,即系统在高负载或高并发情况下可能出现的问题

字节面试 | 如何测试RocketMQ、RocketMQ?

字节面试:RocketMQ是怎么测试的呢? 答: 首先保证消息的消费正确、设计逆向用例,在验证消息内容为空等情况时的消费正确性; 推送大批量MQ,通过Admin控制台查看MQ消费的情况,是否出现消费假死、TPS是否正常等等问题。(上述都是临场发挥,但是RocketMQ真正的测试点,还真的需要探讨) 01 先了解RocketMQ 作为测试也是要简单了解RocketMQ。简单来说,就是一个分

嵌入式QT开发:构建高效智能的嵌入式系统

摘要: 本文深入探讨了嵌入式 QT 相关的各个方面。从 QT 框架的基础架构和核心概念出发,详细阐述了其在嵌入式环境中的优势与特点。文中分析了嵌入式 QT 的开发环境搭建过程,包括交叉编译工具链的配置等关键步骤。进一步探讨了嵌入式 QT 的界面设计与开发,涵盖了从基本控件的使用到复杂界面布局的构建。同时也深入研究了信号与槽机制在嵌入式系统中的应用,以及嵌入式 QT 与硬件设备的交互,包括输入输出设