Skip to content

Commit ed7d9ae

Browse files
authored
Merge pull request #57 from hokunet/avichalp/audit-feedback
fix: address audit feedback
2 parents a1e2391 + 5ecdb97 commit ed7d9ae

10 files changed

+116
-98
lines changed

.github/workflows/coverage-check.yaml

+8-2
Original file line numberDiff line numberDiff line change
@@ -21,7 +21,7 @@ jobs:
2121
- name: Set up Node.js
2222
uses: actions/setup-node@v2
2323
with:
24-
node-version: '18'
24+
node-version: "18"
2525

2626
- name: Install Dependencies
2727
run: pnpm install
@@ -43,9 +43,15 @@ jobs:
4343
- name: Install forge-coverage
4444
run: forge install
4545

46+
# Add build step before coverage
47+
- name: Build contracts
48+
run: |
49+
forge build --extra-output-files abi --extra-output-files storageLayout
50+
4651
- name: Run Coverage
4752
run: forge coverage --skip "*FFI.t.sol" --report lcov
48-
# Check fails if coverage percentage falls under 80%
53+
54+
# Check fails if coverage percentage falls under 80%
4955
- name: Check Coverage Threshold
5056
run: |
5157
COVERAGE=$(forge coverage --skip "*FFI.t.sol"--report summary | grep 'Total coverage:' | awk '{print $3}' | cut -d'%' -f1)

foundry.toml

+1-1
Original file line numberDiff line numberDiff line change
@@ -8,7 +8,7 @@ extra_output = ["storageLayout"]
88
gas_reports = ["Hoku"]
99
solc_version = "0.8.26"
1010
optimizer = true
11-
optimizer_runs = 200
11+
optimizer_runs = 1000000
1212
ffi = true
1313
ast = true
1414
via_ir = true

remappings.txt

+2-1
Original file line numberDiff line numberDiff line change
@@ -6,4 +6,5 @@ forge-std/=lib/forge-std/src/
66
@openzeppelin/foundry-upgrades/=lib/openzeppelin-foundry-upgrades/src/
77
@axelar-network/interchain-token-service/=lib/interchain-token-service/
88
@axelar-network/axelar-gmp-sdk-solidity/=lib/axelar-gmp-sdk-solidity/
9-
@prb/math/=lib/prb-math/src/
9+
@prb/math/=lib/prb-math/src/
10+
solidity-cborutils/=lib/filecoin-solidity/lib/solidity-cborutils/

src/token/Faucet.sol

+19-10
Original file line numberDiff line numberDiff line change
@@ -20,14 +20,18 @@ error InvalidFunding(address from, uint256 value);
2020
/// @param value The amount of tokens funded
2121
event Funding(address indexed from, uint256 value);
2222

23+
/// @dev Error thrown when a transfer fails
24+
/// @param recipient The address of the recipient
25+
error TransferFailed(address recipient);
26+
2327
/// @title Faucet Contract
2428
/// @dev A simple faucet contract for distributing tokens
2529
contract Faucet is Ownable {
2630
/// @dev Mapping to store the next allowed request time for each key
2731
mapping(string => uint256) internal _nextRequestAt;
2832

2933
/// @dev Amount of tokens to drip per request
30-
uint256 internal _dripAmount = 18;
34+
uint256 internal _dripAmount = 5 ether;
3135

3236
/// @dev Initializes the Faucet contract
3337
/// @dev Sets the contract deployer as the initial owner
@@ -48,7 +52,7 @@ contract Faucet is Ownable {
4852
/// @dev Allows users to fund the faucet
4953
/// @dev Reverts if the funding amount is 0 or less
5054
function fund() external payable {
51-
if (msg.value <= 0) {
55+
if (msg.value == 0) {
5256
revert InvalidFunding(msg.sender, msg.value);
5357
}
5458

@@ -60,20 +64,25 @@ contract Faucet is Ownable {
6064
/// @param recipient The address to receive the tokens
6165
/// @param keys Array of keys to identify the recipient used in the _nextRequestAt mapping
6266
function drip(address payable recipient, string[] calldata keys) external onlyOwner {
63-
uint256 keysLength = keys.length;
6467
uint256 amount = _dripAmount;
65-
for (uint256 i = 0; i < keysLength; i++) {
66-
if (_nextRequestAt[keys[i]] > block.timestamp) {
67-
revert TryLater();
68-
}
69-
}
68+
7069
if (address(this).balance < amount) {
7170
revert FaucetEmpty();
7271
}
73-
for (uint256 i = 0; i < keysLength; i++) {
72+
73+
uint256 keysLength = keys.length;
74+
for (uint256 i; i < keysLength; ++i) {
75+
if (_nextRequestAt[keys[i]] > block.timestamp) {
76+
revert TryLater();
77+
}
7478
_nextRequestAt[keys[i]] = block.timestamp + (12 hours);
7579
}
76-
recipient.transfer(amount);
80+
81+
// Handle transfer result
82+
(bool success,) = recipient.call{value: amount}("");
83+
if (!success) {
84+
revert TransferFailed(recipient);
85+
}
7786
}
7887

7988
/// @dev Sets the amount of tokens to distribute per request

src/token/Hoku.sol

+2-6
Original file line numberDiff line numberDiff line change
@@ -30,8 +30,8 @@ contract Hoku is
3030
address internal _interchainTokenService;
3131
bytes32 internal _itsSalt;
3232

33-
bytes32 public ADMIN_ROLE; // solhint-disable-line var-name-mixedcase
34-
bytes32 public MINTER_ROLE; // solhint-disable-line var-name-mixedcase
33+
bytes32 public constant ADMIN_ROLE = keccak256("ADMIN_ROLE"); // solhint-disable-line var-name-mixedcase
34+
bytes32 public constant MINTER_ROLE = keccak256("MINTER_ROLE"); // solhint-disable-line var-name-mixedcase
3535

3636
/// @custom:oz-upgrades-unsafe-allow constructor
3737
constructor() {
@@ -53,10 +53,6 @@ contract Hoku is
5353
_itsSalt = itsSalt;
5454
deployer = msg.sender;
5555

56-
// Initialize roles
57-
ADMIN_ROLE = keccak256("ADMIN_ROLE");
58-
MINTER_ROLE = keccak256("MINTER_ROLE");
59-
6056
_grantRole(ADMIN_ROLE, msg.sender);
6157
_grantRole(MINTER_ROLE, msg.sender);
6258
_setRoleAdmin(MINTER_ROLE, ADMIN_ROLE);

src/token/ValidatorGater.sol

+20-5
Original file line numberDiff line numberDiff line change
@@ -10,9 +10,10 @@ import {OwnableUpgradeable} from "@openzeppelin/contracts-upgradeable/contracts/
1010
import {UUPSUpgradeable} from "@openzeppelin/contracts-upgradeable/contracts/proxy/utils/UUPSUpgradeable.sol";
1111

1212
/// The power range that an approved validator can have.
13+
/// @dev Using uint128 for min/max to pack them into a single storage slot
1314
struct PowerRange {
14-
uint256 min;
15-
uint256 max;
15+
uint128 min;
16+
uint128 max;
1617
}
1718

1819
/// This is a simple implementation of `IValidatorGater`. It makes sure the exact power change
@@ -28,6 +29,10 @@ contract ValidatorGater is IValidatorGater, UUPSUpgradeable, OwnableUpgradeable
2829

2930
event ActiveStateChange(bool active, address account);
3031

32+
error InvalidRouteLength();
33+
error InvalidRouteAddress(address invalidAddress);
34+
error ContractNotActive();
35+
3136
function initialize() public initializer {
3237
__Ownable_init(msg.sender);
3338
_active = true;
@@ -47,12 +52,22 @@ contract ValidatorGater is IValidatorGater, UUPSUpgradeable, OwnableUpgradeable
4752

4853
modifier whenActive() {
4954
if (!_active) {
50-
return; // Skip execution if not active
55+
revert ContractNotActive();
5156
}
52-
_; // Continue with function execution if active
57+
_;
5358
}
5459

5560
function setSubnet(SubnetID calldata id) external onlyOwner whenActive {
61+
if (id.route.length == 0) {
62+
revert InvalidRouteLength();
63+
}
64+
65+
for (uint256 i = 0; i < id.route.length; i++) {
66+
if (id.route[i] == address(0)) {
67+
revert InvalidRouteAddress(address(0));
68+
}
69+
}
70+
5671
subnet = id;
5772
}
5873

@@ -63,7 +78,7 @@ contract ValidatorGater is IValidatorGater, UUPSUpgradeable, OwnableUpgradeable
6378

6479
/// Only owner can approve the validator join request
6580
function approve(address validator, uint256 minPower, uint256 maxPower) external onlyOwner whenActive {
66-
allowed[validator] = PowerRange({min: minPower, max: maxPower});
81+
allowed[validator] = PowerRange({min: uint128(minPower), max: uint128(maxPower)});
6782
}
6883

6984
/// Revoke approved power range

src/token/ValidatorRewarder.sol

+36-26
Original file line numberDiff line numberDiff line change
@@ -9,6 +9,8 @@ import {Hoku} from "./Hoku.sol";
99

1010
import {OwnableUpgradeable} from "@openzeppelin/contracts-upgradeable/contracts/access/OwnableUpgradeable.sol";
1111
import {UUPSUpgradeable} from "@openzeppelin/contracts-upgradeable/contracts/proxy/utils/UUPSUpgradeable.sol";
12+
13+
import {SafeERC20} from "@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol";
1214
import {UD60x18, ud} from "@prb/math/UD60x18.sol";
1315

1416
/// @title ValidatorRewarder
@@ -17,6 +19,7 @@ import {UD60x18, ud} from "@prb/math/UD60x18.sol";
1719
/// @dev The rewarder is called by the subnet actor when a validator claims rewards.
1820
contract ValidatorRewarder is IValidatorRewarder, UUPSUpgradeable, OwnableUpgradeable {
1921
using SubnetIDHelper for SubnetID;
22+
using SafeERC20 for Hoku;
2023

2124
// ========== STATE VARIABLES ==========
2225

@@ -30,35 +33,44 @@ contract ValidatorRewarder is IValidatorRewarder, UUPSUpgradeable, OwnableUpgrad
3033
Hoku public token;
3134

3235
/// @notice The latest checkpoint height that rewards can be claimed for
36+
/// @dev Using uint64 to match Filecoin's epoch height type and save gas when interacting with the network
3337
uint64 public latestClaimedCheckpoint;
3438

35-
/// @notice The inflation rate for the subnet
36-
/// @dev The rate is expressed as a decimal*1e18.
37-
/// @dev For example 5% APY is 0.0000928276004952% yield per checkpoint period.
38-
/// @dev This is expressed as 928_276_004_952 or 0.000000928276004952*1e18.
39-
uint256 public inflationRate;
40-
4139
/// @notice The bottomup checkpoint period for the subnet.
4240
/// @dev The checkpoint period is set when the subnet is created.
4341
uint256 public checkpointPeriod;
4442

4543
/// @notice The supply of HOKU tokens at each checkpoint
46-
mapping(uint64 => uint256) public checkpointToSupply;
44+
mapping(uint64 checkpointHeight => uint256 totalSupply) public checkpointToSupply;
45+
46+
/// @notice The inflation rate for the subnet
47+
/// @dev The rate is expressed as a decimal*1e18.
48+
/// @dev For example 5% APY is 0.0000928276004952% yield per checkpoint period.
49+
/// @dev This is expressed as 928_276_004_952 or 0.000000928276004952*1e18.
50+
uint256 public constant INFLATION_RATE = 928_276_004_952;
4751

4852
// ========== EVENTS & ERRORS ==========
4953

5054
event ActiveStateChange(bool active, address account);
55+
event SubnetUpdated(SubnetID subnet, uint256 checkpointPeriod);
56+
event CheckpointClaimed(uint64 indexed checkpointHeight, address indexed validator, uint256 amount);
5157

5258
error SubnetMismatch(SubnetID id);
5359
error InvalidClaimNotifier(address notifier);
5460
error InvalidCheckpointHeight(uint64 claimedCheckpointHeight);
5561
error InvalidCheckpointPeriod(uint256 period);
62+
error InvalidTokenAddress(address token);
63+
error InvalidValidatorAddress(address validator);
64+
error ContractNotActive();
5665

5766
// ========== INITIALIZER ==========
5867

5968
/// @notice Initializes the rewarder
6069
/// @param hokuToken The address of the HOKU token contract
6170
function initialize(address hokuToken) public initializer {
71+
if (hokuToken == address(0)) {
72+
revert InvalidTokenAddress(hokuToken);
73+
}
6274
__Ownable_init(msg.sender);
6375
__UUPSUpgradeable_init();
6476
_active = true;
@@ -75,16 +87,17 @@ contract ValidatorRewarder is IValidatorRewarder, UUPSUpgradeable, OwnableUpgrad
7587
}
7688
subnet = subnetId;
7789
checkpointPeriod = period;
90+
emit SubnetUpdated(subnetId, period);
7891
}
7992

8093
// ========== PUBLIC FUNCTIONS ==========
8194

8295
/// @notice Modifier to ensure the contract is active
8396
modifier whenActive() {
8497
if (!_active) {
85-
return; // Skip execution if not active
98+
revert ContractNotActive();
8699
}
87-
_; // Continue with function execution if active
100+
_;
88101
}
89102

90103
/// @notice Indicates whether the gate is active or not
@@ -100,13 +113,6 @@ contract ValidatorRewarder is IValidatorRewarder, UUPSUpgradeable, OwnableUpgrad
100113
emit ActiveStateChange(active, msg.sender);
101114
}
102115

103-
/// @notice Sets the inflation rate for the subnet.
104-
/// @dev Only the owner can set the inflation rate, and only when the contract is active
105-
/// @param rate The new inflation rate
106-
function setInflationRate(uint256 rate) external onlyOwner whenActive {
107-
inflationRate = rate;
108-
}
109-
110116
/// @notice Notifies the rewarder that a validator has claimed a reward.
111117
/// @dev Only the subnet actor can notify the rewarder, and only when the contract is active.
112118
/// @param id The subnet that the validator belongs to
@@ -117,6 +123,9 @@ contract ValidatorRewarder is IValidatorRewarder, UUPSUpgradeable, OwnableUpgrad
117123
uint64 claimedCheckpointHeight,
118124
Consensus.ValidatorData calldata data
119125
) external override whenActive {
126+
if (data.validator == address(0)) {
127+
revert InvalidValidatorAddress(data.validator);
128+
}
120129
// Check that the rewarder is responsible for the subnet that the validator is claiming rewards for
121130
if (keccak256(abi.encode(id)) != keccak256(abi.encode(subnet))) {
122131
revert SubnetMismatch(id);
@@ -143,25 +152,26 @@ contract ValidatorRewarder is IValidatorRewarder, UUPSUpgradeable, OwnableUpgrad
143152
// Get the current supply of HOKU tokens
144153
uint256 currentSupply = token.totalSupply();
145154

146-
// Set the supply for the checkpoint
155+
// Set the supply for the checkpoint and update latest claimed checkpoint
147156
checkpointToSupply[claimedCheckpointHeight] = currentSupply;
148-
// Calculate the inflation amount for __this__ checkpoint
157+
latestClaimedCheckpoint = claimedCheckpointHeight;
158+
159+
// Calculate rewards
149160
uint256 supplyDelta = calculateInflationForCheckpoint(currentSupply);
150-
// Calculate the validator's share of the inflation for __this__ checkpoint
151161
uint256 validatorShare = calculateValidatorShare(data.blocksCommitted, supplyDelta);
152-
// Mint the supply delta minus current validator's share to the Rewarder
162+
163+
// Perform external interactions after state updates
153164
token.mint(address(this), supplyDelta - validatorShare);
154-
// Mint the validator's share to the validator
155165
token.mint(data.validator, validatorShare);
156-
// Update the latest claimable checkpoint.
157-
latestClaimedCheckpoint = claimedCheckpointHeight;
166+
emit CheckpointClaimed(claimedCheckpointHeight, data.validator, validatorShare);
158167
} else {
159168
// Calculate the supply delta for the checkpoint
160169
uint256 supplyDelta = calculateInflationForCheckpoint(supplyAtCheckpoint);
161170
// Calculate the validator's share of the supply delta
162171
uint256 validatorShare = calculateValidatorShare(data.blocksCommitted, supplyDelta);
163172
// Transfer the validator's share of the supply delta to the validator
164-
token.transfer(data.validator, validatorShare);
173+
token.safeTransfer(data.validator, validatorShare);
174+
emit CheckpointClaimed(claimedCheckpointHeight, data.validator, validatorShare);
165175
}
166176
}
167177

@@ -170,9 +180,9 @@ contract ValidatorRewarder is IValidatorRewarder, UUPSUpgradeable, OwnableUpgrad
170180
/// @notice The internal method to calculate the supply delta for a checkpoint
171181
/// @param supply The token supply at the checkpoint
172182
/// @return The supply delta, i.e. the amount of new tokens minted for the checkpoint
173-
function calculateInflationForCheckpoint(uint256 supply) internal view returns (uint256) {
183+
function calculateInflationForCheckpoint(uint256 supply) internal pure returns (uint256) {
174184
UD60x18 supplyFixed = ud(supply);
175-
UD60x18 inflationRateFixed = ud(inflationRate);
185+
UD60x18 inflationRateFixed = ud(INFLATION_RATE);
176186
UD60x18 result = supplyFixed.mul(inflationRateFixed);
177187
return result.unwrap();
178188
}

test/ValidatorGater.t.sol

+25-6
Original file line numberDiff line numberDiff line change
@@ -112,8 +112,7 @@ contract ValidatorGaterTest is Test {
112112
}
113113

114114
function testUnactiveGater() public {
115-
address validator = address(4);
116-
// Must be possible to desactivate the gater
115+
// Must be possible to deactivate the gater
117116
vm.expectRevert();
118117
gater.setActive(false); // Not the owner
119118
assertEq(gater.isActive(), true);
@@ -122,15 +121,35 @@ contract ValidatorGaterTest is Test {
122121
gater.setActive(false);
123122
assertEq(gater.isActive(), false);
124123

125-
// Must not execute functions if inactive
124+
// Test all functions with whenActive modifier
126125
vm.startPrank(owner);
126+
127+
// Test approve
128+
vm.expectRevert(ValidatorGater.ContractNotActive.selector);
127129
gater.approve(validator1, 10, 10);
128130

129-
(uint256 min, uint256 max) = gater.allowed(validator);
130-
assertEq(min, 0);
131-
assertEq(max, 0);
131+
// Test revoke
132+
vm.expectRevert(ValidatorGater.ContractNotActive.selector);
133+
gater.revoke(validator1);
134+
135+
// Test setSubnet
136+
vm.expectRevert(ValidatorGater.ContractNotActive.selector);
137+
gater.setSubnet(subnet);
138+
139+
// Test isAllow
140+
vm.expectRevert(ValidatorGater.ContractNotActive.selector);
141+
gater.isAllow(validator1, 100);
142+
143+
// Test interceptPowerDelta
144+
vm.expectRevert(ValidatorGater.ContractNotActive.selector);
145+
gater.interceptPowerDelta(subnet, validator1, 0, 100);
132146

133147
vm.stopPrank();
148+
149+
// Verify storage state remains unchanged
150+
(uint256 min, uint256 max) = gater.allowed(validator1);
151+
assertEq(min, 0);
152+
assertEq(max, 0);
134153
}
135154

136155
function testSubnetManagerIntegration() public {

0 commit comments

Comments
 (0)