James Bachini

Tokenomics Boilerplate | Governance Tokens, Uniswap Buy-Backs and Staking in Solidity

TOKENOMICS

In DeFi a projects success is greatly tied to the effectiveness of the tokenomics. Governance tokens can be distributed to the users to incentivise growth and fees can be used to buy these back on exchange. In this Solidity tutorial we are going to deploy a governance token, a Uniswap v3 liquidity pool, a buy back mechanism and a staking pool. The aim is to provide you with a tokenomics boilerplate which can act as a starting point for your next DeFi project.

  1. How The Tokenomics Work
  2. The ERC20 Governance Token
  3. Creating A Liquidity Pool In Hardhat
  4. The Contract Owner & True Decentralization
  5. Distribution Of The Governance Token
  6. Buy Back Mechanism Using Fees
  7. Testing & Modelling A Distribution Schedule
  8. Staking & Tokenomic Initiatives
  9. A Tokenomics Boilerplate

Disclaimer: Please note the code provided is for educational purposes. It has not been audited by a external security company and should be thoroughly checked before being used on anything other than a testnet.

How The Tokenomics Work

There are a number of moving parts in this boilerplate. Let’s look at how they work together to form a competitive ecosystem for a DeFi product.

Tokenomics Boilerplate

So first we have the main contract which needs to do something useful and generate revenues. This could be a exchange, lending protocol or any other DeFi product that provides a useful service.

A governance token is issued by the main contract to users to incentivise use and provide voting rights on the governance of the protocol. The distribution could be in the form of an airdrop or ongoing liquidity incentives to promote growth.

A Uniswap v3 liquidity pool is set up during migration so that the token can be traded against the networks base asset i.e. ETH for Ethereum. This allows investors to buy the token on exchange and also the contract has the ability to use fees to buy back and burn the governance token.

A staking pool encourages holders of the governance token to stake their assets to receive rewards paid out in the governance token itself. This will provide a simple way for investors to generate a yield on their holdings.


The ERC20 Governance Token

Full source code for the governance token: https://github.com/jamesbachini/Tokenomics-Boilerplate/blob/main/contracts/GovToken.sol

This is a fairly straight forward ERC20 using OpenZeppelin libraries.

We are using the ERC20-Votes library as well to provide a mechanism for voting and delegating votes.

A constructor function mints a initial one million tokens during migration. These will be split 50/50 between the Uniswap liquidity pool and the staking contract.

constructor() ERC20("GovToken", "GOVTKN") ERC20Permit("GovToken") {
  _mint(msg.sender, 1000000 ether);
}

Finally we have some ownerOnly functions for minting and burning tokens. The owner will be the main contract enabling it to mint tokens as they are distributed and burn those bought back on exchange.

function mint(address _to, uint256 _amount) public onlyOwner {
  _mint(_to, _amount);
}

Creating A Liquidity Pool In Hardhat

Deployment code here: https://github.com/jamesbachini/Tokenomics-Boilerplate/blob/405776c7d7c5d98b92a90139ee01681de85a096d/scripts/deploy.js#L48

The liquidity pool is set up using Uniswap v3. Note most clones on other networks use v2 so the function names and parameters are slightly different.

We are interacting with Uniswap’s NonfungiblePositionManager to setup a liquidity pool for WETH-GOVTOKEN where wEth can be whatever the wrapped native token for the network is. I deployed this on Polygon so used MATIC. Then GovToken is our governance token address we created above.

Uniswap keeps a list of contract addresses and wrapped native tokens here: https://docs.uniswap.org/protocol/reference/deployments


The Contract Owner & True Decentralization

As part of OpenZeppelin’s Ownable library you have a function to update the contract owner. We want to transfer ownership of the governance token to the main contract. This will allow the contract to mint and burn tokens in line with our code.

await govToken.transferOwnership(mainContract.address);

The key thing here is that we are removing the developer wallet used to deploy the contracts as a single point of centralized failure for the protocol.

I recently read through the excellent resource on Smart Contract Security by Consensys. However I strongly disagree with the general philosophy of having pausable, upgradable smart contracts. The general idea is that smart contract bugs will inevitably be found and you need a way to mitigate that risk.

I would argue that this moves away from the ideals of what decentralized finance should be where all parties have equal rights and the protocol is managed by code not people. Where possible I think developers should be striving to create truly decentralized products and survivorship bias will determine which protocols survive from a security perspective.

If we accept a need to own a contract, manage the data and be able to pause execution why are we using Ethereum in the first place?


Distribution Of The Governance Token

Back to Solidity and we want to give out some governance tokens to users of the protocol to incentivise growth and decentralize the governance.

function distributeRewards(uint256 _commission) internal {
  uint256 govTokenSupply = IERC20Token(govToken).totalSupply();
  if (govTokenSupply < govTokenMaxSupply - 1 ether) {
    uint256 remaininggovTokens = govTokenMaxSupply - govTokenSupply;
    uint256 diminishingSupplyFactor =  remaininggovTokens * 100 / govTokenMaxSupply;
    uint256 govTokenDistro = _commission * diminishingSupplyFactor ;
    require(govTokenDistro >= 0, "govTokenDistro below zero");
    IERC20Token(govToken).mint( msg.sender, govTokenDistro);
  }
}

First we get the total supply and check if it’s below the maximum supply.

Then we use a simple algorithm to calculate a diminishing supply factor so that the tokens are distributed fast to start with and then slow down as we get closer to the max supply.

This does a number of things it increases the longevity of the incentives and it also allows room for price appreciation as the governance token becomes harder to obtain.


Buy Back Mechanism Using Fees

From within the main contract we can trade MATIC or ETH for GovToken and then use the burn function to destroy those governance tokens we just purchased.

function buyBackAndBurn(uint256 _amountIn) internal {
  uint24 poolFee = 3000;
  ISwapRouter.ExactInputSingleParams memory params =
    ISwapRouter.ExactInputSingleParams({
      tokenIn: wEth,
      tokenOut: govToken,
      fee: poolFee,
      recipient: address(this),
      deadline: block.timestamp,
      amountIn: _amountIn,
      amountOutMinimum: 0,
      sqrtPriceLimitX96: 0
    });
  uint256 amountOut = ISwapRouter(uniRouter).exactInputSingle{value: _amountIn}(params);
  IERC20Token(govToken).burn(amountOut);
}

This decreases the supply and increases the price on exchange.


Testing & Modelling A Distribution Schedule

We have a dynamic model here where governance tokens are being minted if the supply is below maxSupply and a varying rate. Then tokens are also being purchased back and burnt reducing the supply.

This potentially could see the maxSupply reached and then a few blocks later become active again as tokens are burnt.

The kind of distribution schedule we are looking to create is something like this.

Governance Token Distribution Schedule

To model this we can use a script to run simulations based on a lot of assumptions which are best guesses.

https://github.com/jamesbachini/Tokenomics-Boilerplate/blob/main/scripts/tokenomics-tests.js

Token Distribution modelling
A very basic and overly simplified simulation of token distribution

Staking & Tokenomic Initiatives

Finally we want holders of the governance token to become long term investors in the project and not sell the token on exchange as this would cause negative price impact.

To incentivise hodling we can create a staking contract which is based upon Sushi’s MasterChef contract.

Full source code to the staking contract here: https://github.com/jamesbachini/Tokenomics-Boilerplate/blob/main/contracts/Staking.sol

This contract allows us to create a token pool where a specific token can be staked. The staker will then accumulate reward tokens over a period of time which they can withdraw alongside their original staked tokens.

In practice we are using the same token for staking and rewards. So users can stake our governance token to earn a yield paid out in more governance tokens.

If we were using Uniswap v2, Pancake Swap, Sushi or any other v2 clone we could also create a second pool for liquidity provider tokens but in this example we are using Uniswap v3 which uses NFT liquidity positions making that much harder.

There are other tokenomic models we could add as well such as:

  • Olympus DAO rebasing (3,3) tokenomics
  • Curve veToken value escrowed tokenomics

While these would add too much complexity to a standard boilerplate integrating the latest en vogue model could be beneficial to governance token demand from investors.


A Tokenomics Boilerplate

To set this tokenomics boilerplate up we need to first clone the repository, then fork a testnet because we are using external contracts and then deply/test and build on top of our code. This assumes you have NodeJS installed already. You’ll also need an Alchemy API Key and a test wallet address to put in the .env file. If you want to deploy the contracts load the wallet with some funds from here: https://faucet.polygon.technology/

git clone https://github.com/jamesbachini/Tokenomics-Boilerplate.git
cd Tokenomics-Boilerplate
npm install
npx hardhat node --fork https://polygon-mumbai.g.alchemy.com/v2/ALCHEMYAPIKEYHERE

Then in a second console

npx hardhat test
npx hardhat run --network mumbai .\scripts\deploy.js
Solidity Hardhat Token Tests
Test suite could and should be expanded

I hope you have found this useful and the tokenomics boilerplate comes in handy when designing or thinking about creating economic incentives around DeFi products.


Get The Blockchain Sector Newsletter, binge the YouTube channel and connect with me on Twitter

The Blockchain Sector newsletter goes out a few times a month when there is breaking news or interesting developments to discuss. All the content I produce is free, if you’d like to help please share this content on social media.

Thank you.

James Bachini

Disclaimer: Not a financial advisor, not financial advice. The content I create is to document my journey and for educational and entertainment purposes only. It is not under any circumstances investment advice. I am not an investment or trading professional and am learning myself while still making plenty of mistakes along the way. Any code published is experimental and not production ready to be used for financial transactions. Do your own research and do not play with funds you do not want to lose.