用solidity写一个简单的投票系统
时间: 2023-10-24 16:06:31 浏览: 96
区块链实战(3):用Solidity实现投票智能合约
以下是一个基本的投票系统合约,它允许投票人在给定的选项列表中投票,每个选项都有一个计数器来记录它们的得票数。
```
pragma solidity ^0.8.0;
contract VotingSystem {
// 投票选项
struct Option {
string name;
uint256 voteCount;
}
// 投票人
struct Voter {
bool hasVoted;
uint256 voteIndex;
}
// 合约拥有者
address public owner;
// 投票选项列表
Option[] public options;
// 投票人列表
mapping(address => Voter) public voters;
// 合约构造函数
constructor(string[] memory optionNames) {
owner = msg.sender;
for (uint256 i = 0; i < optionNames.length; i++) {
options.push(Option({
name: optionNames[i],
voteCount: 0
}));
}
}
// 投票函数
function vote(uint256 optionIndex) public {
Voter storage sender = voters[msg.sender];
require(!sender.hasVoted, "已投票。");
sender.hasVoted = true;
sender.voteIndex = optionIndex;
options[optionIndex].voteCount += 1;
}
// 获取投票结果
function getResults() public view returns (string[] memory, uint256[] memory) {
string[] memory optionNames = new string[](options.length);
uint256[] memory voteCounts = new uint256[](options.length);
for (uint256 i = 0; i < options.length; i++) {
optionNames[i] = options[i].name;
voteCounts[i] = options[i].voteCount;
}
return (optionNames, voteCounts);
}
// 结束投票
function endVoting() public {
require(msg.sender == owner, "只有合约拥有者可以结束投票。");
selfdestruct(payable(msg.sender));
}
}
```
该合约中有三个主要函数:
- `vote`:投票函数,用于将投票人的选票计入选项的得票数中。
- `getResults`:获取投票结果,返回一个选项名称和得票数的数组。
- `endVoting`:结束投票,只有合约拥有者可以调用此函数,并销毁合约。
阅读全文