Published on August 22, 2024By DeveloperBreeze

Writing an ERC-20 Token Contract with OpenZeppelin

Creating your own ERC-20 token is one of the most common tasks in Ethereum smart contract development. The ERC-20 standard defines a set of rules that all Ethereum tokens must follow, ensuring compatibility with existing applications like wallets, exchanges, and more. OpenZeppelin provides a robust, secure, and widely-used library of smart contract components that simplify the process of creating an ERC-20 token. In this tutorial, we will guide you through the steps to create and deploy your own ERC-20 token using OpenZeppelin.

Prerequisites

Before you begin, make sure you have the following:

  • Node.js and npm: Node.js is required to run the development environment, and npm is used to manage packages.

  • Truffle or Hardhat: These are development frameworks for Ethereum. You can use either one, but for this tutorial, we will use Hardhat.

  • MetaMask: A browser extension wallet to interact with your smart contract.

  • OpenZeppelin Contracts: A library of secure smart contract components.

Step 1: Setting Up the Development Environment

    • Install Node.js: Download and install Node.js from the [official website](https://nodejs.org/).

    • Initialize a Hardhat Project:

- Open a terminal and create a new directory for your project:

mkdir my-token
     cd my-token
     

- Initialize a new Hardhat project:

npx hardhat
     

- Follow the prompts to create a basic Hardhat sample project.

    • Install OpenZeppelin Contracts:

- Install the OpenZeppelin Contracts library:

npm install @openzeppelin/contracts
     

Step 2: Writing the ERC-20 Token Contract

Now that your environment is set up, you can create the ERC-20 token contract.

    • Create the Token Contract:

- In the contracts directory, create a new file called MyToken.sol:

touch contracts/MyToken.sol
     

- Open MyToken.sol in your code editor and add the following code:

// SPDX-License-Identifier: MIT
     pragma solidity ^0.8.0;

     import "@openzeppelin/contracts/token/ERC20/ERC20.sol";
     import "@openzeppelin/contracts/access/Ownable.sol";

     contract MyToken is ERC20, Ownable {
         constructor(string memory name, string memory symbol, uint256 initialSupply) ERC20(name, symbol) {
             _mint(msg.sender, initialSupply);
         }

         function mint(address to, uint256 amount) public onlyOwner {
             _mint(to, amount);
         }

         function burn(uint256 amount) public {
             _burn(msg.sender, amount);
         }
     }
     

    • Explanation of the Code:

- ERC20: Inherits from the OpenZeppelin ERC20 contract, which implements the standard ERC-20 functions and events.

- Ownable: Provides basic authorization control, allowing the contract owner to perform restricted actions.

- Constructor: Initializes the token with a name, symbol, and initial supply, which is minted to the contract creator’s address.

- Mint Function: Allows the contract owner to mint new tokens to a specified address.

- Burn Function: Allows token holders to destroy (burn) their tokens, reducing the total supply.

Step 3: Compiling the Contract

Next, you need to compile your contract to ensure there are no errors.

    • Compile the Contract:

- Run the following command in your terminal:

npx hardhat compile
     

- Hardhat will compile your contract and generate the necessary artifacts in the artifacts directory.

Step 4: Writing Deployment Script

To deploy the ERC-20 token contract, you need to write a deployment script.

    • Create the Deployment Script:

- In the scripts directory, create a new file called deploy.js:

touch scripts/deploy.js
     

- Open deploy.js and add the following code:

async function main() {
         const [deployer] = await ethers.getSigners();

         console.log("Deploying contracts with the account:", deployer.address);

         const MyToken = await ethers.getContractFactory("MyToken");
         const myToken = await MyToken.deploy("MyToken", "MTK", ethers.utils.parseUnits("1000000", 18));

         console.log("MyToken deployed to:", myToken.address);
     }

     main()
         .then(() => process.exit(0))
         .catch((error) => {
             console.error(error);
             process.exit(1);
         });
     

    • Explanation of the Deployment Script:

- getSigners: Retrieves the list of accounts provided by the Ethereum node, with the first account used as the deployer.

- getContractFactory: Gets the contract to deploy.

- deploy: Deploys the contract with the specified parameters (name, symbol, and initial supply).

- parseUnits: Converts the initial supply to the correct units, considering the token’s decimals.

Step 5: Deploying the Contract

With the deployment script in place, you can now deploy your contract to a local blockchain or a testnet.

    • Deploy to Local Network:

- Start a local Ethereum node using Hardhat:

npx hardhat node
     

- Deploy the contract:

npx hardhat run scripts/deploy.js --network localhost
     

- You should see the deployment address of your token contract.

    • Deploy to a Test Network:

- If you want to deploy to a public testnet like Ropsten or Kovan, configure the network in your hardhat.config.js file:

require("@nomiclabs/hardhat-waffle");

     module.exports = {
         solidity: "0.8.0",
         networks: {
             ropsten: {
                 url: "https://ropsten.infura.io/v3/YOUR_INFURA_PROJECT_ID",
                 accounts: [`0x${YOUR_PRIVATE_KEY}`]
             }
         }
     };
     

- Deploy the contract to the testnet:

npx hardhat run scripts/deploy.js --network ropsten
     

Step 6: Interacting with the Contract

Once your contract is deployed, you can interact with it using Hardhat or a front-end interface.

    • Interacting via Hardhat Console:

- Open the Hardhat console:

npx hardhat console --network localhost
     

- Interact with your contract:

const MyToken = await ethers.getContractAt("MyToken", "YOUR_DEPLOYED_CONTRACT_ADDRESS");
     await MyToken.mint("0xRecipientAddress", ethers.utils.parseUnits("1000", 18));
     

    • Interacting via a Front-End:

- Use libraries like Web3.js or Ethers.js to build a front-end that interacts with your token contract. Connect the front-end to MetaMask to allow users to interact with the contract.

Step 7: Verifying the Contract (Optional)

If you’ve deployed your contract to a public testnet or the mainnet, you might want to verify the contract on Etherscan.

    • Install Etherscan Plugin:

npm install --save-dev @nomiclabs/hardhat-etherscan
   

    • Add Etherscan Configuration:

- Update hardhat.config.js with your Etherscan API key:

require("@nomiclabs/hardhat-waffle");
     require("@nomiclabs/hardhat-etherscan");

     module.exports = {
         solidity: "0.8.0",
         networks: {
             ropsten: {
                 url: "https://ropsten.infura.io/v3/YOUR_INFURA_PROJECT_ID",
                 accounts: [`0x${YOUR_PRIVATE_KEY}`]
             }
         },
         etherscan: {
             apiKey: "YOUR_ETHERSCAN_API_KEY"
         }
     };
     

    • Verify the Contract:

npx hardhat verify --network ropsten YOUR_DEPLOYED_CONTRACT_ADDRESS "MyToken" "MTK" "1000000000000000000000000"
   

Conclusion

You’ve now created and deployed your own ERC-20 token using OpenZeppelin. This token adheres to the ERC-20 standard, making it compatible with wallets, exchanges, and other Ethereum-based applications. OpenZeppelin simplifies the process, ensuring that your token is secure and follows best practices. From here, you can further customize your token, add additional features, or integrate it into decentralized applications.

ERC-20 tokens are the foundation of many decentralized finance (DeFi) applications, and by mastering this process, you’re well on your way to becoming a proficient blockchain developer.

Comments

Please log in to leave a comment.

Continue Reading:

Installing Solana on Ubuntu

Published on August 09, 2024

bashrust

Creating a Token on Solana

Published on August 09, 2024

bashrust

Fetching Address Details from Solana

Published on August 09, 2024

javascriptjson

Tracking Newly Created Tokens on Ethereum

Published on August 09, 2024

javascriptnodejs

Tracking Newly Created Tokens on Solana

Published on August 09, 2024

javascriptnodejs

Tracking Solana Address for New Trades and Amounts

Published on August 09, 2024

javascriptnodejs

Introduction to Smart Contracts on Ethereum

Published on August 22, 2024

solidity

Understanding Gas and Optimization in Smart Contracts

Published on August 22, 2024

solidity