Understanding Solidity's Data Types: A Beginner's Guide
𧱠Why Data Types Matter
Solidity is a statically-typed language, meaning you must declare variable types explicitly. This:
- π§ Helps prevent errors
- ⛽ Optimizes gas costs
- π Enhances security
π¦ Basic Value Types
1. Integers
int8 public temperature = -25; // Signed (-128 to 127) uint256 public balance = 1000; // Unsigned (0 to 2²⁵⁶-1)
Type | Range |
---|---|
int8/int16/.../int256 | -2^(n-1) to 2^(n-1)-1 |
uint8/uint16/.../uint256 | 0 to 2^n-1 |
Best Practice: Use uint256 unless you need smaller sizes
2. Address Type
address public user = 0x742d35Cc6634C0532925a3b844Bc454e4438f44e; address payable public recipient = payable(user);
- Regular address: 20-byte Ethereum address
- Payable address: Can receive ETH
𧩠Reference Types
1. Arrays
uint256[5] public fixedArray; // Fixed size uint256[] public dynamicArray; // Dynamic size string[] public names = ["Alice", "Bob"];
Memory Arrays
function createArray() pure public { uint256[] memory temp = new uint256[](3); }
Storage Arrays
uint256[] public storedArray; function addElement(uint256 value) public { storedArray.push(value); }
2. Structs
struct User { address wallet; uint256 balance; bool isActive; } User public newUser = User(msg.sender, 100, true);
π Special Types
1. Mappings
mapping(address => uint256) public balances; function updateBalance(uint256 amount) public { balances[msg.sender] = amount; }
Note: No iteration support - use with external libraries
2. Bytes & Strings
bytes32 public hash = keccak256(abi.encode("Hello")); string public greeting = "Welcome!";
Type | Best For |
---|---|
bytes1-bytes32 | Fixed-size binary data |
bytes | Dynamic binary data |
string | UTF-8 text |
π‘ Pro Tips for Beginners
- Always initialize variables explicitly
- Use
memory
for temporary reference types - Prefer
bytes32
overstring
for fixed data - Validate addresses with
address(0)
checks
π§ͺ Practice Challenge
Create a UserRegistry
contract that:
- Stores user addresses in an array
- Tracks balances with a mapping
- Uses a struct to store user details
- Implements basic CRUD operations
// Starter code contract UserRegistry { struct User { address wallet; uint256 balance; bool active; } // Add your implementation here }
Comments
Post a Comment