Smart Contracts
Key Features
Example Smart Contract
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;
contract R5Token {
string public name = "R5Token";
string public symbol = "R5T";
uint8 public decimals = 18;
uint256 public totalSupply;
// Mapping from addresses to balances.
mapping(address => uint256) public balanceOf;
// Mapping from addresses to allowances.
mapping(address => mapping(address => uint256)) public allowance;
// Events for logging transfers and approvals.
event Transfer(address indexed from, address indexed to, uint256 value);
event Approval(address indexed owner, address indexed spender, uint256 value);
// Constructor sets the total supply and assigns it to the deployer.
constructor(uint256 _initialSupply) {
totalSupply = _initialSupply * 10 ** uint256(decimals);
balanceOf[msg.sender] = totalSupply;
emit Transfer(address(0), msg.sender, totalSupply);
}
// Transfer tokens from the sender to another address.
function transfer(address _to, uint256 _value) public returns (bool success) {
require(_to != address(0), "Invalid recipient");
require(balanceOf[msg.sender] >= _value, "Insufficient balance");
balanceOf[msg.sender] -= _value;
balanceOf[_to] += _value;
emit Transfer(msg.sender, _to, _value);
return true;
}
// Approve an address to spend tokens on your behalf.
function approve(address _spender, uint256 _value) public returns (bool success) {
allowance[msg.sender][_spender] = _value;
emit Approval(msg.sender, _spender, _value);
return true;
}
// Transfer tokens using the approved allowance.
function transferFrom(address _from, address _to, uint256 _value) public returns (bool success) {
require(_to != address(0), "Invalid recipient");
require(balanceOf[_from] >= _value, "Insufficient balance");
require(allowance[_from][msg.sender] >= _value, "Allowance exceeded");
balanceOf[_from] -= _value;
balanceOf[_to] += _value;
allowance[_from][msg.sender] -= _value;
emit Transfer(_from, _to, _value);
return true;
}
}Explanation
Getting Started
Last updated