- Organization 
- @kinetiq
- Engagement Type 
- Spearbit Web3 
- Period 
- - 
- Researchers 
Findings
High Risk
2 findings
2 fixed
0 acknowledged
Medium Risk
7 findings
5 fixed
2 acknowledged
Low Risk
5 findings
3 fixed
2 acknowledged
Informational
16 findings
10 fixed
6 acknowledged
Gas Optimizations
8 findings
7 fixed
1 acknowledged
High Risk2 findings
- Initialization upon declaration will not work for "proxied" contracts- Severity 
- Severity: High
- Submitted by 
- Optimum 
 - Description- OracleManagerand- StakingManagerare designed to operate behind a delegation proxy, meaning their code will be executed, but their storage will not be directly used. However, both contracts declare and initialize storage variables upon declaration, causing these values to be written to the implementation contract's storage instead of the proxy's. As a result, these variables will remain uninitialized in the proxy storage, defaulting to- 0. A critical consequence is that the unstake fee will not be applied.- // OracleManager.soluint256 public MIN_UPDATE_INTERVAL = 1 hours; // Minimum time between updates...uint256 public MAX_ORACLE_STALENESS = 1 hours;- // StakingManager.soluint256 public unstakeFeeRate = 10;- Recommendation- Initialize these variables inside the - initialize()function to ensure they are properly set in the proxy's storage. For the long term, consider using a plugin for safe upgrades as well as use capital case letters only for constant/immutable variables.- Cantina- Fixed in e2bac5c by implementing the reviewer's recommendation. 
- Precision Truncation on Stake May Lead to Improper Accounting and Protocol Insolvency- Severity 
- Severity: High
- Submitted by 
- slowfi 
 - Description- In the - StakingManagercontract,- _distributeStakesends HYPE to the L1 via:- (bool success,) = payable(L1_HYPE_CONTRACT).call{value: truncatedAmount}("");- The - truncatedAmountis derived from user input but may not be divisible by- 1e10, which is required by HyperCore’s 8-decimal format. Any residual amount (less than- 1e10) is lost during the transfer. This leads to a permanent accounting mismatch: more- kHYPEis minted than the amount effectively deposited to L1, creating latent insolvency.- This situation often arises after a withdrawal operation leaves the internal - hypeBufferin a non-aligned state. A subsequent deposit will adjust for the buffer, leaving a remainder (- amountToStake) that is no longer- 1e10-divisible — leading to precision loss and drift.- How it affects the system: - Silent loss of HYPEon every unaligned stake.
- Incorrect totalStaked accounting in both StakingManagerandStakingAccountant.
- Minted kHYPEcannot be fully redeemed, resulting in user withdrawals reverting.
- If unstake fees are enabled, protocol treasury may absorb the discrepancy since part of the kHYPEis not redeemed.
 - Although the problem may not surface immediately when fees are active, it ultimately dilutes protocol revenue by over-minting - kHYPErelative to real funds.- The total protocol or user-facing loss in - HYPEdue to misaligned buffer truncation can be expressed as:- $n$ be the number of deposit operations following a buffer misalignment.
- $a_i$ be the intended amount to stake for deposit $i$.
- $t_i$ be the truncated amount actually sent to L1 for deposit $i$.
- $\Delta_i = a_i - t_i$ be the unrecoverable loss from deposit $i$ due to precision truncation.
 - Then, the total accumulated loss $L_{\text{total}}$ is: - Each $\Delta_i$ represents the portion of HYPE (in wei) that is silently dropped due to the 8-decimal constraint on HyperCore, and cannot be recovered via unstake or withdrawal mechanisms. - This value accumulates in the contract and cannot be redeemed via withdrawal or unstaking. - Proof Of Concept- The following test demonstrates the exact scenario: - function test_simple_bufferLeadsToInsolvency() public { vm.prank(manager); stakingManager.setUnstakeFeeRate(0); _stake(user, 1 ether / 2); _unstake(user, 997); // leaves non-aligned buffer _stake(user, 0.5 ether); // triggers truncated send deal(address(stakingManager), sentToL1 * 1e10 + address(stakingManager).balance); _unstake(user, kHYPE.balanceOf(user)); _passTimeAndWithdraw(user, 0); _passTimeAndWithdraw(user, 1); // Reverts — balance not recoverable}- Truncated amounts are not retained by the contract or recoverable from HyperCore. - Recommendation- Change recordStake()to operate on the actualtruncatedAmountthat was sent to L1, not the original input amount.
- Consider adding logic to enforce amountToStake % 1e10 == 0or normalize the buffer post-withdrawal.
- Track unredeemable “dust” explicitly and separate it from _cancelledWithdrawalAmountto allow intentional recovery.
- Warn integrators and users to always interact with a consistent StakingManagerinstance, as buffer state is isolated and loss is local to each instance.
 - Cantina- Fixed in e2bac5c. The fix calculates the amount that was lost previously and stores it in the - bufferto add liquidity for withdrawals. This effectively solves the issue by expanding the buffer potentially over the maximum- targetdefined on the global state variable. This fix works if and only if only one- StakingManageris used per- Khypetoken contract or if users withdraw from the same exact- StakingManagerthey used for staking. Added event for the fix in- 3c1ec31commit.
Medium Risk7 findings
- Sentinel can block core operations for any validator chosen due to missing input control in requestEmergencyWithdrawal()- Description- generatePerformance(targetValidator),- reactivateValidator(targetValidator),- requestEmergencyWithdrawal(..., targetValidator,...)and- rebalanceWithdrawal(..., [..., targetValidator, ...], ...)operations for any- targetValidatorchosen can be blocked permanently by any sentinel.- For that end a holder of - SENTINEL_ROLEcan call- requestEmergencyWithdrawal(fakeStakingManager, targetValidator, amount)with- amount > 0when it's- block.timestamp >= lastEmergencyTime + EMERGENCY_COOLDOWNwith- fakeStakingManagerbeing a tailor-made contract such that- IStakingManager(fakeStakingManager).processValidatorWithdrawals(validators, amounts)is a noop, while- IStakingManager(fakeStakingManager).processValidatorRedelegation(...)reverts. The latter will make- closeRebalanceRequests(fakeStakingManager, ...)also reverting permanently, making the removal of- targetValidatorfrom- _validatorsWithPendingRebalanceimpossible due to- request.staking == stakingManagercontrol there:- ValidatorManager.sol#L270-L305 - function closeRebalanceRequests(address stakingManager, address[] calldata validators) external whenNotPaused nonReentrant onlyRole(MANAGER_ROLE) { ... uint256 totalAmount = 0; for (uint256 i = 0; i < validators.length;) { address validator = validators[i]; require(_validatorsWithPendingRebalance.contains(validator), "No pending request"); // Add amount to total for redelegation RebalanceRequest memory request = validatorRebalanceRequests[validator];>> require(request.staking == stakingManager, "Invalid staking manager for rebalance"); // @audit if `request.staking` is hoax totalAmount += request.amount; // Clear the rebalance request delete validatorRebalanceRequests[validator]; _validatorsWithPendingRebalance.remove(validator); emit RebalanceRequestClosed(validator, request.amount); unchecked { ++i; } } // Trigger redelegation through StakingManager if there's an amount to delegate if (totalAmount > 0) {>> IStakingManager(stakingManager).processValidatorRedelegation(totalAmount); // @audit then `closeRebalanceRequests()` can be blocked }- Then, - generatePerformance(targetValidator)will be failing due to L204- !validatorManager.hasPendingRebalance(targetValidator)check as- validatorManager.hasPendingRebalance(targetValidator) == _validatorsWithPendingRebalance.contains(validator) == true.- reactivateValidator(targetValidator)will be failing due to- !_validatorsWithPendingRebalance.contains(validator)L206 check.- requestEmergencyWithdrawal(..., targetValidator,...)and- rebalanceWithdrawal(..., [..., targetValidator, ...], ...)will be failing due to- _addRebalanceRequest(...)call reverting on the same- !_validatorsWithPendingRebalance.contains(validator)check.- Recommendation- Consider adding - stakingManagerwhitelist as an input control in- requestEmergencyWithdrawal().
- Any decrease in slashed or rewarded amounts reported will make validatorManager accounting permanently corrupted- Severity 
- Severity: Medium≈ Likelihood: Low× Impact: High
- Submitted by 
- hyh 
 - Description- If there be a reverse slashing or rewarding, i.e. oracle reported slashed or rewarded amounts decrease for any reason, then the corresponding ValidatorManager accounting corrupts permanently since it's ignored there ( - reportRewardEvent()and- reportSlashingEvent()aren't invoked), but not by oracle.- This way when it is - avgSlashAmount < previousSlashingor- avgRewardAmount < previousRewardsthere will be no update in validatorManager accounting, which will become off: validatorManager's- totalRewards,- validatorRewardsand- totalSlashing,- validatorSlashingwill permanently diverge from Oracle readings:- ValidatorManager.sol#L469-L503 - /// @notice Report a reward event for a validator /// @param validator Address of the validator to be rewarded /// @param amount Amount of rewards for the validator function reportRewardEvent(address validator, uint256 amount) external onlyRole(ORACLE_ROLE) validatorActive(validator) { require(amount > 0, "Invalid reward amount"); // Update reward amounts totalRewards += amount; // @audit has to follow Oracle updates validatorRewards[validator] += amount; emit RewardEventReported(validator, amount); } /* ========== SLASHING ========== */ /// @notice Report a slashing event for a validator /// @param validator Address of the validator to be slashed /// @param amount Amount to slash from the validator function reportSlashingEvent(address validator, uint256 amount) external onlyRole(ORACLE_ROLE) validatorActive(validator) { require(amount > 0, "Invalid slash amount"); // Update slashing amounts totalSlashing += amount; // @audit has to follow Oracle updates validatorSlashing[validator] += amount; emit SlashingEventReported(validator, amount); }- In a simple scenario of going back and forth between some old value, e.g. - 900, and some new one, e.g.- 1000, only upticks to be recorded in validatorManager's accumulators, which can become unlimitedly bloated this way.- Recommendation- Since it's implicitly assumed that there will be no decrease in slashed or rewarded amounts reported by Oracles consider directly controlling for that. 
- _checkValidatorBehavior() is mistakenly using the current validator balance- State 
- Acknowledged
- Severity 
- Severity: Medium
- Submitted by 
- Optimum 
 - Description- _checkValidatorBehavior()is a function that implements checks to make sure the changes in slashed amount and rewards amount are reasonable. To achieve it, tolerance levels are defined for both variables. In practice, these tolerance levels are represented as percentages of the- avgBalanceparameter, which is the current balance of the validator (after the change). To better understand the issue let's consider a simple example:- SlashingTolerence = 10% - current balance of validator A is 100 (already stored inside the - ValidatorManagercontract)- At this point, there is a slashing of 10 - For simplicity, assuming all oracles submit the same values, in the call to - generatePerformance()we will have:- avgBalance = 90 avgSlashAmount = 10 - The issue here is that the call to - _checkValidatorBehavior()will return false (instead of true) since the computation will be:- slashingBps ((10/90)%) > SlashingTolerence (10%) - Recommendation- Consider fetching the balance before the change by calling - ValidatorManager.validatorPerformance()and using it for- _checkValidatorBehavior()instead.
- Non whitelisted caller can queue withdrawal- Severity 
- Severity: Medium
- Submitted by 
- rvierdiiev 
 - Description- There is a theoretical possibility of having several - StakingManagercontracts for the same- kHYPEtoken with some of them being deployed for institutions, and some of them being public. This possibility was not driven out as of time of this review.- Only whitelisted addresses should be allowed to stake and withdraw from the institution's - StakingManager. It's possible to configure whitelisted addresses through- _whitelistvariable. The issue is that it's only checked in the- stake()function that caller is whitelisted, but there is no such check in the- queueWithdrawal().- Thus a non-allowed actor can interact with - StakingManagerof the institution if there be a deployment of- kHYPEtoken shared between public and institutional- StakingManagerinstances.- Recommendation- It's recommended to check that caller is whitelisted in the - queueWithdrawal()function.- Cantina- Fixed in e306672 by implementing the reviewer's recommendation. - Also, protocol team decided that the current version will not support having institutional and public - StakeManagercontracts deployed for the same- kHYPEtoken instance.
- The possibility of lack of liquidity for StakingManager- State 
- Acknowledged
- Severity 
- Severity: Medium≈ Likelihood: Low× Impact: High
- Submitted by 
- rvierdiiev 
 - Description- The exchange rate of - kHYPEis calculated based on total amounts of all- StakingManagersin the system.- // uint256 rewardsAmount = validatorManager.totalRewards(); uint256 slashingAmount = validatorManager.totalSlashing();>> uint256 totalHYPE = totalStaked + rewardsAmount - totalClaimed - slashingAmount; // Calculate ratio with 18 decimals precision return Math.mulDiv(totalHYPE, 1e18, kHYPESupply);- Those - StakingManagercontracts may delegate funds to different validators. As there is no way to move liquidity between the- StakingManagers, there could be lack of liquidity in case users want to exit- StakingManageras they don't have enough funds on their validator's balance.- To explain the problem an example is given: Suppose that - StakingManager1staked 100 Hype to validator1 and earned 5 Hype in rewards, but- StakingManager2staked 100 Hype to validator2 and earned 15 Hype as rewards, thus according to exchange ratio formula, both StakingManagers should have 110 Hype to withdraw, but- StakingManager1won't be able to withdraw 110 from the validator as it has only 105 on balance of validator1. In case the stakers of- StakingManager1want to withdraw all funds there would be a shortage of 5 Hype.- While withdrawing from - StakingManager2and staking to- StakingManager1by any user or protocol admin is generally possible, in case when- StakinManager2is created for institution it won't be possible to simply interact with it as it has a whitelist enabled that controls the participating actors.- This way the issue is material for the theoretically possible case of having several - StakingManagercontracts for the same- kHYPEtoken with some of them being deployed for institutions, and some of them being public. This possibility was not driven out as of time of this review.- Recommendation- Consider ensuring and documenting that institutional usage of the protocol takes place via separate instance of it, so all the StakingManagers' - MANAGER_ROLEand ValidatorManager's- MANAGER_ROLEbelongs to the same party, the institution, who was instructed to maintain enough stakes in each StakingManager, monitor the liquidity and perform the necessary rebalancing between StakingManagers.- Cantina- Protocol team decided that the current version will not support having institutional and public - StakeManagercontracts deployed for the same- kHYPEtoken instance. This way the only remaining case is for the lack of liquidity within public and institutional- kHYPEtoken instances independently. This can be mitigated by providing and managing special liquidity stakes in all the- StakeManagercontracts separately within each- kHYPEtoken instance. This can be done for public instances either by the protocol team directly or by contracting some third party for that matter, and for institutional instances either by the protocol team or by the owner institution.- We keep the issue as acknowledged since it's not mitigated fully on the contract level. As described, it can be mitigated fully by properly running these stakes, keeping the corresponding liquidity buffers in each - StakeManagercontract.
- Withdrawal cooldown can be bypassed by token transfer and can be overly restrictive- Severity 
- Severity: Medium
- Submitted by 
- slowfi 
 - Description- In the - StakingManagercontract, the- queueWithdrawalfunction enforces a cooldown using- lastStakeTimestamp[msg.sender]. While this aims to prevent immediate withdrawals after staking, there are a couple of edge cases worth noting:- The restriction can be bypassed by transferring kHYPEto another EOA controlled by the user. That account would not be subject to the cooldown and could proceed with withdrawal immediately.
- The cooldown is applied to the entire kHYPEbalance, not just the portion staked most recently. For example, if a user stakes 100 HYPE, waits for the cooldown period, and then stakes an additional 10 HYPE, they would be blocked from withdrawing the full 110 HYPE until the cooldown resets — even though the original 100 HYPE is technically eligible.
 - These behaviors may unintentionally limit user flexibility or encourage workarounds via multiple addresses. - Recommendation- Consider refining the cooldown logic to track cooldowns per deposit or per - kHYPEtranche, or revisiting whether the restriction provides meaningful protection in its current form. Also, be aware that users can bypass the cooldown entirely by redistributing their- kHYPEto a fresh EOA.- Cantina- Fixed in e2bac5c by removing the cooldown withdrawal mechanism from the protocol. 
- ValidatorSanityChecker storage variables can be set by anyone, causing the rejection of oracles reports- Severity 
- Severity: Medium
- Submitted by 
- Optimum 
 - Description- This issue was found during the fixes review period in commit hash e2bac5c. - As part of mitigating the issues found during the review, the Kinetiq team introduced a new contract named - ValidatorSanityCheckerwhich is used for validity checks on oracles reports. The contract has one main function named- checkValidatorSanitywhich among other checks, validates that given values (such as- avgUptimeScore,- avgSpeedScore, etc) are inside bounds which are based on storage variables that can be set. The issue here is that these storage variables can be set by anyone which can be used by attackers to cause the rejection of oracles reports. The full list of unprotected functions:- setSlashingTolerance()
- setRewardsTolerance()
- setScoreTolerance()
- setMaxScoreBound()
 - Recommendation- Consider restricting the access to these functions to privileged accounts only. 
Low Risk5 findings
- Admin will pay fee while withdrawing collected fees- Severity 
- Severity: Low
- Submitted by 
- rvierdiiev 
 - Description- When kHYPE is unstaked through - queueWithdrawal()function, then fee is collected by the protocol. It is sent in form of kHYPE token to the treasury.- As there is no other function to redeem fees, in order to do that protocol will use - queueWithdrawal()function as well. The problem is that this function will charge fee on collected fees, thus not all amount will be redeemed.- Recommendation- It's recommended to create additional function that allows redeeming fees without applying fee on them. - Cantina- Fixed in e2bac5c by setting fee to 0 when caller is a treasury. 
- StakingManager.confirmWithdrawal()/batchConfirmWithdrawals() are using .transfer() limiting the call gas to 2300- Severity 
- Severity: Low≈ Likelihood: Low× Impact: High
- Submitted by 
- Optimum 
 - Description- Using - .transfer()to transfer native assets is compiled to a low level- CALLopcode with a gas limitation of 2300 during compilation. In case the recipient is a smart contract with a fallback function that consumes more than 2300, the call will fail and the entire call to- confirmWithdrawal()/batchConfirmWithdrawals()will revert, denying the service for these kind of recipients.- function confirmWithdrawal(uint256 withdrawalId) external nonReentrant whenNotPaused { uint256 amount = _processConfirmation(msg.sender, withdrawalId); require(amount > 0, "No valid withdrawal request"); require(address(this).balance >= amount, "Insufficient contract balance"); // Process withdrawal payable(msg.sender).transfer(amount); stakingAccountant.recordClaim(amount);}- function batchConfirmWithdrawals(uint256[] calldata withdrawalIds) external nonReentrant whenNotPaused { uint256 totalAmount = 0; for (uint256 i = 0; i < withdrawalIds.length; i++) { totalAmount += _processConfirmation(msg.sender, withdrawalIds[i]); } // Process total withdrawal if any valid requests were found if (totalAmount > 0) { require(address(this).balance >= totalAmount, "Insufficient contract balance"); payable(msg.sender).transfer(totalAmount); } stakingAccountant.recordClaim(totalAmount);}- Recommendation- Consider replacing - .transfer()with- .call()instead, keep in mind that it will require placing the- .call()after the call to- stakingAccountant.recordClaim(amount);(a writing operation).- Cantina- Fixed in e2bac5c by implementing the reviewer's recommendation. 
- StakingManager.setWithdrawalDelay(): withdrawalDelay should not be less than 7 days- State 
- Acknowledged
- Severity 
- Severity: Low
- Submitted by 
- Optimum 
 - Description- withdrawalDelayis a storage variable used to set the minimum time from which withdrawals can be made by users. The withdrawal process for users includes the following steps:- StakingManager.queueWithdrawal()(called by the staker)
- StakingManager.processL1Operations()(called by the operator)
- StakingManager.withdrawFromSpot()(called by the operator, after 7 days - the withdrawal time of HyperLiquid)
- confirmWithdrawal()/batchConfirmWithdrawals()(called by the staker)
 - _processConfirmation()is called as part of- confirmWithdrawal()/batchConfirmWithdrawals()and is setting the minimum time which from the staker can finalize the withdrawal:- function _processConfirmation(address user, uint256 withdrawalId) internal returns (uint256) { WithdrawalRequest memory request = _withdrawalRequests[user][withdrawalId]; // Skip if request doesn't exist or delay period not met if (request.hypeAmount == 0 || block.timestamp < request.timestamp + withdrawalDelay) { return 0; } ...- In the current version of the code, - withdrawalDelaycan be set to any value as we can see in:- function setWithdrawalDelay(uint256 newDelay) external onlyRole(MANAGER_ROLE) { withdrawalDelay = newDelay; emit WithdrawalDelayUpdated(newDelay);}- The issue here is that in case - withdrawalDelayis less than 7 days, it allows stakers to launch the last step of the withdrawal before his funds are waiting in the contract. In this case stakers might be able to withdraw funds that belong to other stakers that asked for a withdrawal but have not claimed it yet, causing these users to wait additional 7 days in the worst case.- Recommendation- Consider reverting calls to - setWithdrawalDelay()in case- newDelayis less than 7 days.
- Staking limit calculation is not accurate- State 
- Acknowledged
- Severity 
- Severity: Low≈ Likelihood: Low× Impact: Medium
- Submitted by 
- rvierdiiev 
 - Description- Currently staking limit calculation depends on: - total staked amount of StakingManager
- total claimed amount of StakingManager
- global rewards amount that was earned by all StakingManagers in the system
 - uint256 rewardsAmount = validatorManager.totalRewards();uint256 netStaked = totalStaked + rewardsAmount - totalClaimed;require(netStaked + msg.value <= stakingLimit, "Staking limit reached");- There are several points to note here: - slashed amount is not accounted(only slashed amount for current StakingManager should be used)
- rewards amount is a global value and not reflect amount that was earned by current StakingManager
 - Because of that, the calculation is not accurate, thus protocol can't limit staking precisely. - Also it's possible that when new StakingManager is added to the system then staking will be blocked, if total rewards amount is bigger than staking limit. E.g. for a very old system and fresh StakingManager its capacity can be filled by old rewards earned and claimed before the addition of this StakingManager as the currently used - totalStaked + rewardsAmount - totalClaimed = 0 + bigNumber - 0figure isn't represent netStaked, but merely total rewards earned overall. So, if- stakingLimitbe naively set to some amount for net staking only for this manager disregarding overall rewards then no new staking be effectively allowed.- Recommendation- In order to do accurate calculations protocol needs to track rewards and slashing amounts per StakingManager, which is not easy to do with current implementation. 
- Lack of Validator Address Validation in queueL1Operations function- Severity 
- Severity: Low
- Submitted by 
- slowfi 
 - Description- In the - StakingManagercontract, the- queueL1Operationsfunction allows a trusted role (- OPERATOR_ROLE) to enqueue a list of validator-related operations. However, it does not validate that the provided- validators[i]addresses are legitimate or currently active validators.- This contrasts with other functions in the contract that explicitly check validator status using - ValidatorManager, e.g., via- validatorActiveState()or- getDelegation().- While - queueL1Operationsis restricted to operator-only access, the absence of a validation step leaves room for accidental queuing of invalid or inactive validator addresses. This may result in wasted queue entries, failed execution attempts, or the need for manual correction/reset of the queue.- Recommendation- Consider validating each validator address against - ValidatorManagerduring- queueL1Operations, such as by checking:- require(validatorManager.validatorActiveState(validators[i]), "Invalid validator");- This would bring consistency with other validator-related operations and help reduce the potential for operational mistakes, even under trusted roles. - Cantina- Fixed in e2bac5c by implementing the validator check. Moreover the Kinetiq team add a flow control to perform the check just for deposit operations. Thus making the function robust consistent and secure. 
Informational16 findings
- Notes about knowledge-bank/staking_flow- Severity 
- Severity: Informational
- Submitted by 
- Optimum 
 - Description- During the review, the team has provided us a file named staking_flow which is part of the documentation. This file is inaccurate and inconsistent with the current implementation. Below a list of things that should be fixed: - The diagram should include an explanation of which steps are direct EVM calls and which are cross-chain communication. For example, "Step 1: Send to L1" is a direct call while "Step 2: Move to staking account" relies on cross-chain communication.
- The functionality that is described to be part of the kHYPE contract mostly resides in StakingManagerinstead.
- The "Unstaking Workflow Implementation" is not updated:
 - StakingManagercontract does not have an- unstakefunction but rather has- queueWithdrawal()instead.
- initiateTransferToSpot,- initiateWithdrawaldoes not appear in the repo at all.
 
- Trust assumptions on oracles in the system- State 
- Acknowledged
- Severity 
- Severity: Informational
- Submitted by 
- Optimum 
 - Description- 
generatePerformance()implements a few input checks, some are per oracle and some are per the average values of all reporting oracles. In case the checks of an oracle fail, it is skipped and not being accounted as part of the calculated average values. However, in case the checks of_checkValidatorBehavior()are invalid (valid=false), then the entire call togeneratePerformance()will return false which will keep the system outdated. malicious oracles can use it to report values (such as slashing or rewards amounts above the accepted threshold) to cause the entire call togeneratePerformance()to fail, potentially causing a denial of service.
- 
generatePerformance()loops through all authorized oracles to get average values. In case the oracle data is stale or call to the oracle reverts, then such oracle is just skipped. Because of that, only1oracle out of X may provide data and such report will be considered valid. It's recommended to introduce valid oracle threshold and in case if it's not met then report should be considered invalid. There is a trade off between making this threshold too low, e.g. it is now being effectively equal to1, which makes the reported value prone to manipulations, and making it too high, e.g.10out of15active Oracles, when some honest updates can be missed because of threshold not being reached. For reference, protocols like Lido and Kiln which implement LSTs as well have chosen a different approach to handle oracles consensus, not relying on averaging the numbers provided but rather require the exact same report from a majority of oracles with minimum participation required.
- 
Since an Oracle running by a third party cannot be fully trusted, e.g. even it was honest for a long time it can collide with an attacker for the each next report. When dealing with such setups, a smoothing approach can be recommended, a some way to remove the extremes, e.g. require at least 5distinct entries, remove min and max entries by some aggregate score, say the by the average of the validator performance scores (assuming that they are equally scaled), then proceed with the remaining ones.
 - Recommendation
- withdrawalDelay is not set during initialization- Severity 
- Severity: Informational
- Submitted by 
- Optimum 
 - Description- The - withdrawalDelaystorage variable is used in both- _processConfirmation()and- cancelWithdrawal(), but it is not initialized in the- initialize()function. Instead, it is set via- setWithdrawalDelay(). If the manager role forgets to call this function,- withdrawalDelayremains- 0, potentially affecting the execution of dependent functions.- Recommendation- Consider initializing - withdrawalDelayin the- initialize()function to ensure a default value or removing it if it is unnecessary.- Cantina- Fixed in e2bac5c by implementing the reviewer's recommendation. 
- removeFromWhitelist() is missing a return value check for EnumerableSet.remove()- Severity 
- Severity: Informational
- Submitted by 
- Optimum 
 - Description- The - removeFromWhitelist()function allows the- MANAGER_ROLEto remove accounts from the whitelist and emits the- AddressRemovedFromWhitelistevent to reflect the removed accounts. However, since the return value of- .remove()is not checked, an account may fail to be removed while still being emitted as removed, leading to potential inconsistencies.- function removeFromWhitelist(address[] calldata accounts) external onlyRole(MANAGER_ROLE) { for (uint256 i = 0; i < accounts.length; i++) { _whitelist.remove(accounts[i]); emit AddressRemovedFromWhitelist(accounts[i]); } }- Recommendation- Validate the return value of - .remove(), and make sure the- WhitelistRemovedevent is emitted only in case the return value of- .remove()is true.- Cantina- Fixed in e2bac5c by implementing the reviewer's recommendation. 
- StakingManager.rescueToken(): The non-zero address check for token is redundant- Severity 
- Severity: Informational
- Submitted by 
- Optimum 
 - Description- The - rescueToken()function allows the- TREASURY_ROLEto recover tokens sent to- StakingManager. It includes a check to prevent withdrawing- kHYPEtokens and tokens with- address(0), aiming to disallow the withdrawal of- HYPE. However, this restriction is unnecessary because- HYPEis the native currency of HyperLiquid, meaning- rescueToken()cannot be used to withdraw it.- require(token != address(kHYPE) && token != address(0), "Cannot withdraw kHYPE or HYPE"); // For ERC20 tokensIERC20(token).transfer(treasury, amount);- Recommendation- Consider removing the - && token != address(0)condition, as it does not impact the security of the function.- Cantina- Fixed in e2bac5c by implementing the reviewer's recommendation. 
- OracleManager._checkValidatorBehavior() can be simplified- Severity 
- Severity: Informational
- Submitted by 
- Optimum 
 - Description- _checkValidatorBehavior()implements threshold checks against- SlashingTolerenceand- PerformanceTolerence. however, it uses redundant conditions around- previousSlashingand- previousRewardsas we can see:- // Check for slashing anomaliesif (previousSlashing > 0) { uint256 slashingDiff = avgSlashAmount > previousSlashing ? avgSlashAmount - previousSlashing : previousSlashing - avgSlashAmount; uint256 slashingBps = Math.mulDiv(slashingDiff, 10000, avgBalance); if (slashingBps > SlashingTolerence) { return (false, "Slashing change exceeds tolerance"); }} else if (avgSlashAmount > 0) { uint256 slashingBps = Math.mulDiv(avgSlashAmount, 10000, avgBalance); if (slashingBps > SlashingTolerence) { return (false, "New slashing exceeds tolerance"); }} // Check for performance anomaliesif (previousRewards > 0) { uint256 rewardDiff = avgRewardAmount > previousRewards ? avgRewardAmount - previousRewards : previousRewards - avgRewardAmount; uint256 rewardBps = Math.mulDiv(rewardDiff, 10000, avgBalance); if (rewardBps > PerformanceTolerence) { return (false, "Performance change exceeds tolerance"); }} else if (avgRewardAmount > 0) { uint256 rewardBps = Math.mulDiv(avgRewardAmount, 10000, avgBalance); if (rewardBps > PerformanceTolerence) { return (false, "Initial rewards exceed tolerance"); }}- Recommendation- Consider simplifying the function by removing these redundant conditions: - function _checkValidatorBehavior( address, /* validator */ uint256 previousSlashing, uint256 previousRewards, uint256 avgSlashAmount, uint256 avgRewardAmount, uint256 avgBalance) internal view returns (bool isValid, string memory reason) { // Ensure we have a balance to compare against if (avgBalance == 0) { return (false, "Zero balance"); } uint256 slashingDiff = avgSlashAmount > previousSlashing ? avgSlashAmount - previousSlashing : previousSlashing - avgSlashAmount; uint256 slashingBps = Math.mulDiv(slashingDiff, 10000, avgBalance); if (slashingBps > SlashingTolerence) { return (false, "Slashing change exceeds tolerance"); } uint256 rewardDiff = avgRewardAmount > previousRewards ? avgRewardAmount - previousRewards : previousRewards - avgRewardAmount; uint256 rewardBps = Math.mulDiv(rewardDiff, 10000, avgBalance); if (rewardBps > PerformanceTolerence) { return (false, "Performance change exceeds tolerance"); } return (true, "Valid behavior");}- Cantina- Fixed in e2bac5c by introducing a new contract named - ValidatorSanityCheckerused for validation of the input provided by validators.
- Rewards reporting can be frontrunned- State 
- Acknowledged
- Severity 
- Severity: Informational
- Submitted by 
- rvierdiiev 
 - Description- When oracle reports new rewards, it increases exchange rate of kHYPE. It is possible to frontrun this action in order to earn part of rewards without staking to much. - User stakes right before oracle reports new rewards.
- User sends kHYPE to another account to pass last stake cooldown.
- User queues withdrawal and waits 7 days.
 - This attack can only be profitable if rewards are reported rarely with big amounts of new rewards coming and also if user controls a huge amount of HYPE tokens. Even though frontrunning is currently impossible on HL, this attack can be executed without it by staking funds ahead of reporting. - Recommendation- Make sure you do oracle updates often, so the attack is not attractive. 
- ValidatorManager.requestEmergencyWithdrawal(): The emergency cool down check is inaccurate- Severity 
- Severity: Informational
- Submitted by 
- Optimum 
 - Description- function requestEmergencyWithdrawal(address stakingManager, address validator, uint256 amount) external onlyRole(SENTINEL_ROLE) whenNotPaused{ require(block.timestamp >= lastEmergencyTime + EMERGENCY_COOLDOWN, "Cooldown period");...- As we can see, the require statement above is inaccurate since it will be executed even in case - lastEmergencyTime == 0- Recommendation- Consider only executing this - requirestatement in case- lastEmergencyTime > 0.- Cantina- The issue is no longer relevant since - requestEmergencyWithdrawal()was removed from- ValidatorManager.
- ValidatorManager.deactivateValidator(): Discrepancy between documentation and implementation- Severity 
- Severity: Informational
- Submitted by 
- Optimum 
 - Description- In the current version of the code, - ValidatorManager.deactivateValidator()only deactivates a validator, but the natspec documentation states it is also withdrawing all stake.- Recommendation- Consider fixing this code comment. - Cantina- Fixed in e2bac5c by implementing the reviewer's recommendation. 
- ValidatorManager: ORACLE_ROLE should be renamed to ORACLE_MANAGER_ROLE- Severity 
- Severity: Informational
- Submitted by 
- Optimum 
 - Description- ORACLE_ROLEis an access control role meant to be assigned to the- OracleManagercontract but is currently called- ORACLE_ROLEwhich might be misleading.- Recommendation- Consider renaming this variable to - ORACLE_MANAGER_ROLEinstead.- Cantina- Fixed in e2bac5c by implementing the reviewer's recommendation. 
- StakingManager.rescueToken() function won't work with tokens that don't fully support erc20 tokens- Severity 
- Severity: Informational
- Submitted by 
- rvierdiiev 
 - Description- StakingManager.rescueToken()function assumes that all tokens that are passed into it are fully compatible with erc20 standard. However, some tokens don't fully support erc20, so they don't return boolean on transfer. Because token address is converted to- IERC20, rescuing of such tokens would fail during the transfer call.- function rescueToken(address token, uint256 amount) external onlyRole(TREASURY_ROLE) whenNotPaused { require(amount > 0, "Invalid amount"); // Prevent withdrawing HYPE & kHYPE tokens which are needed for the protocol require(token != address(kHYPE) && token != address(0), "Cannot withdraw kHYPE or HYPE"); // For ERC20 tokens IERC20(token).transfer(treasury, amount); emit TokenRescued(token, amount, treasury); }- Recommendation- It's recommended to use - SafeERC20library by OpenZeppelin.- Cantina- Fixed in 2c53a32 by applying the recommendation. 
- TODO Comments Pending- State 
- Acknowledged
- Severity 
- Severity: Informational
- Submitted by 
- slowfi 
 - Description- In the - KHYPEcontract, there are two TODO comments left in the- _mintand- _burnoperations indicating that additional logic related to a "mirror token" is yet to be implemented:- _mint(to, amount); // TODO update the logic with mirror token_burn(from, amount); // TODO update the logic with mirror token- These serve as internal reminders, but it's helpful to track them as informational flags to ensure they are either resolved or intentionally deferred before deployment. - Recommendation- Consider reviewing and either implementing the intended mirror token logic or removing the TODOs if no further changes are needed. - Cantina- Acknowledged by Kinetiq team. 
- Unverified potential risks in HyperLiquid interactions- State 
- Acknowledged
- Severity 
- Severity: Informational
- Submitted by 
- Optimum 
 - Description- During our review, we identified dependencies on HyperLiquid L1 and HyperEVM. However, the full implementation of these components in HyperLiquid's code was not within the official scope of this review. Despite this, incorrect interactions could still lead to issues in the Kinetiq smart contracts. - To assess these dependencies, we referred to HyperLiquid's documentation, but it did not fully address some critical questions. We believe these should be highlighted to raise awareness. While we were able to partially verify some aspects, we recommend further investigation: - 1. Interactions with the- L1WriteContract- How is the L1Writecontract configured for HyperEVM?
- How does HyperEVM dispatch events from L1Write?
- Is event execution order guaranteed?
- Since L1Writedoes not return values, how does HyperEVM handle errors triggered by its events?
 - 2. HyperLiquid Staking System- Kinetiq verifies oracle inputs to prevent extreme variable changes. Is this behavior aligned with the actual mechanics of the HyperLiquid staking system?
- Unlike Ethereum’s deposit contract, where the depositor explicitly sets the withdrawal address (as seen in LST platforms), HyperLiquid abstracts this logic. During our review, we found the access control mechanism for staked funds unclear.
 
- Zero-Fee Withdrawals May Be Possible via Small Amounts- State 
- Acknowledged
- Severity 
- Severity: Informational
- Submitted by 
- slowfi 
 - Description- In the - StakingManagercontract, the unstake fee is calculated as:- uint256 kHYPEFee = Math.mulDiv(kHYPEAmount, unstakeFeeRate, 10000);- Due to integer division, very small - kHYPEAmountvalues may result in a computed fee of zero. This allows a user to withdraw without paying any protocol fee, effectively bypassing the intended fee logic.- This behavior was demonstrated in a PoC where a user withdraws - 3wei of- kHYPEand receives the full amount without any fee being transferred to the treasury. The protocol treats this as valid and completes the withdrawal.- While this may not be economically beneficial under typical conditions, there are considerations worth highlighting: - The profitability depends on the kHYPEtoHYPEexchange ratio, which in extreme scenarios could make the bypass worthwhile.
- Fee-free transactions may be more attractive in environments where users do not pay gas fees directly (e.g., meta-transactions).
- This is currently the only fee collected by the protocol, so even minor bypasses affect its intended revenue stream.
 - Proof Of Concept- The following test simulates a user staking and then withdrawing a small amount of - kHYPE(3 wei). It verifies that the user receives the full amount, no fee is deducted, and the treasury receives zero tokens.- function test_wrongMultipleBuffer_feeBypass() public { _stake(user, 1 ether / 2); _unstake(user, 3); IStakingManager.WithdrawalRequest memory wr = stakingManager.withdrawalRequests(user, 0); assertEq(wr.kHYPEAmount + wr.kHYPEFee, kHYPE.balanceOf(address(stakingManager))); _passTimeAndWithdraw(user, 0); assertEq(stakingManager.unstakeFeeRate(), 10); assertEq(address(user).balance, 3); assertEq(kHYPE.balanceOf(treasury), 0); // Treasury didn’t get any fees}- Recommendation- Consider enforcing a minimum fee or disallowing withdrawals that result in a zero fee. This could be done by clamping the fee to a minimum of 1 wei if - kHYPEAmountis nonzero, or by introducing a minimum withdrawal threshold.- Cantina- Acknowledged by Kinetiq team, as gas cost is bigger than benefit obtained from this transaction. 
- Consider Setting an Upper Bound for bufferTarget- State 
- Acknowledged
- Severity 
- Severity: Informational
- Submitted by 
- slowfi 
 - Description- In the - StakingManagercontract, the- bufferTargetvalue determines how much HYPE is kept unallocated in the staking buffer. This value is configurable and governs how much is withheld from delegation to validators.- While flexibility is useful, there is currently no upper bound enforced on - bufferTarget. Setting this value excessively high could result in the protocol holding all HYPE in the buffer and staking nothing. In that case, the protocol would not generate any staking yield, which may not be desirable behavior.- Recommendation- Consider introducing a reasonable upper limit to - bufferTargetto ensure that the protocol always maintains some level of active staking. This can help avoid accidental misconfiguration that might prevent validator delegation entirely.- Kinetiq- Currently, we don't know how many will be set by the institution. I suggest not setting an upper bound and leaving space for customization. - Cantina- Acknowledged by Kinetiq team. 
- minStakeAmount Should Align With Divisibility Constraint- Severity 
- Severity: Informational
- Submitted by 
- slowfi 
 - Description- In the - StakingManagercontract, line 455 enforces that all stake amounts must be divisible by- 1e10:- require(amount % 1e10 == 0, "Amount must be divisible by 1e10");- However, the - minStakeAmountvariable — which governs the minimum amount a user can stake — is only checked to be greater than zero during initialization. This allows- minStakeAmountto be set to a value that violates the divisibility constraint, which could cause revert when users attempt to stake exactly the minimum.- Recommendation- Consider enforcing - minStakeAmount % 1e10 == 0in the initialization logic to ensure consistency with the runtime check applied during staking. This can help avoid misconfiguration.- Cantina- Partially fixed in commit 5d9e97b by enforcing the restriction on - setMinStakeAmountfunction. However- initializefunction does not enforce it.
Gas Optimizations8 findings
- redelegateWithdrawnHYPE: _cancelledWithdrawalAmount can be cached earlier in the function- State 
- Acknowledged
- Severity 
- Severity: Gas optimization
- Submitted by 
- Optimum 
 - Description- function redelegateWithdrawnHYPE() external onlyRole(MANAGER_ROLE) whenNotPaused { require(_cancelledWithdrawalAmount > 0, "No cancelled withdrawals"); require(address(this).balance >= _cancelledWithdrawalAmount, "Insufficient HYPE balance"); uint256 amount = _cancelledWithdrawalAmount; _cancelledWithdrawalAmount = 0; // Delegate to current validator _distributeStake(amount, OperationType.RebalanceDeposit); emit WithdrawalRedelegated(amount);}- As we can see, - _cancelledWithdrawalAmountis stored locally in- amount, but this should be the first line of the function.
- ValidatorManager.requestEmergencyWithdrawal(): validator existence check is executed twice- Severity 
- Severity: Gas optimization
- Submitted by 
- Optimum 
 - Description- // requestEmergencyWithdrawal(bool exists, /* uint256 index */ ) = _validatorIndexes.tryGet(validator);require(exists, "Validator does not exist"); // Create rebalance request_addRebalanceRequest(stakingManager, validator, amount);- function _addRebalanceRequest(address staking, address validator, uint256 withdrawalAmount) internal { require(!_validatorsWithPendingRebalance.contains(validator), "Validator has pending rebalance"); require(withdrawalAmount > 0, "Invalid withdrawal amount"); (bool exists, /* uint256 index */ ) = _validatorIndexes.tryGet(validator); require(exists, "Validator does not exist"); ...- As we can see, during the execution of - requestEmergencyWithdrawalthe existence check happens twice.- Recommendation- Consider removing the first check while keeping the existence check that's inside - _addRebalanceRequest()
- Remove redundant modifiers from StakingManager.processL1Operations() function- Severity 
- Severity: Gas optimization
- Submitted by 
- rvierdiiev 
 - Description- Modifiers - onlyRole(OPERATOR_ROLE)and- whenNotPausedfrom- StakingManager.processL1Operations()function are redundant as they are executed in overloaded version of function, in the next call in the stack.- Recommendation- It's recommended to remove those modifiers to save gas. - Cantina- Fixed in 821c985f by applying the recommendation. 
- Remove redundant operations inside StakingManager.initialize() function- Severity 
- Severity: Gas optimization
- Submitted by 
- rvierdiiev 
 - Description- As - DEFAULT_ADMIN_ROLEis set as admin role for each new role by default, you can remove operations to manually set the role admin.- _setRoleAdmin(OPERATOR_ROLE, DEFAULT_ADMIN_ROLE);_setRoleAdmin(MANAGER_ROLE, DEFAULT_ADMIN_ROLE);_setRoleAdmin(TREASURY_ROLE, DEFAULT_ADMIN_ROLE);- Recommendation- It's recommended to remove those operations to save gas. - Cantina- Fixed in e2bac5c5 by applying the recommendation. 
- Redundant Storage Assignment in authorizeOracleAdapter- Severity 
- Severity: Gas optimization
- Submitted by 
- slowfi 
 - Description- In the - OracleManagercontract, the- authorizeOracleAdapterfunction sets- activeOracles[adapter] = false;when revoking an adapter. Since- falseis the default value for a- boolmapping in Solidity, this storage write is redundant and results in unnecessary gas usage.- Recommendation- Consider removing the assignment to avoid redundant storage operations and reduce gas costs. - Cantina- Fixed in e2bac5c by removing the redundant assingment. 
- Unnecessary Use of memory for Immutable String Parameters- Severity 
- Severity: Gas optimization
- Submitted by 
- slowfi 
 - Description- In the - KHYPEcontract, the- initializefunction accepts- nameand- symbolparameters as- string memory. Since the function is- externaland these parameters are not modified within the function, they can be declared as- calldatainstead of- memory.- Using - calldataavoids an unnecessary copy operation from calldata to memory, resulting in lower gas usage.- Recommendation- Consider changing the parameter declarations from - string memoryto- string calldatain the- initializefunction to reduce gas costs:- function initialize( string calldata name, string calldata symbol, ...)- This is a minor but effective optimization for external functions that do not modify their string parameters. - Cantina- Fixed in e2bac5c by implementing the reviewer's recommendation. 
- Redundant validator != address(0) Check in _distributeStake function- Severity 
- Severity: Gas optimization
- Submitted by 
- slowfi 
 - Description- In the - StakingManagercontract, the- _distributeStakefunction performs an explicit- require(validator != address(0))check after calling- validatorManager.getDelegation(address(this)). However, the- getDelegationfunction in- ValidatorManageralready includes this check internally, along with an additional check for validator activity.- Rechecking - validator != address(0)in- _distributeStakeis therefore redundant and introduces unnecessary bytecode and gas consumption.- Recommendation- Consider removing validation line from - _distributeStakein- StakingManager. This check is already enforced by the- ValidatorManager.getDelegationfunction and can be safely omitted to reduce gas usage.- Cantina- Fixed in e2bac5c by implementing the reviewer's recommendation. 
- Single Operation Queue Limit Privileged Granular Control And Efficiency- Severity 
- Severity: Gas optimization
- Submitted by 
- slowfi 
 - Description- In the - StakingManagercontract,- queueL1Operationsallows an operator to queue various types of operations — including user withdrawals, rebalances, and deposits — using a single unified array. This array is later processed in- _distributeStake, which iterates through all entries and performs actions based on their- OperationType.- This structure introduces potential inefficiencies and reduces flexibility: - All operation types are stored in the same queue, so even when only a specific type (e.g., operator-driven rebalances) needs to be executed, the system must iterate through unrelated entries.
- There is no built-in mechanism to prioritize or isolate operator-managed actions from user-initiated ones.
- Since any user can call stake()orqueueWithdrawal(), they may continuously append to the shared queue. This can interfere with time-sensitive or critical operator-driven actions, especially if the protocol depends on central roles to stabilize or rebalance validator allocations.
- The presence of queueL1Operations(restricted toOPERATOR_ROLE) suggests that operator-level management is an expected control flow, but the shared queue design makes it difficult to guarantee clean separation from public activity.
 - These constraints could cause delays or require repeated queue resets, undermining the goal of centralized administrative control in contingency or exception scenarios. - Recommendation- Consider splitting the operation queue into multiple dedicated queues — e.g., one for user-triggered deposits, another for user withdrawals, and a separate queue for operator-initiated rebalances or administrative flows. This would allow: - More efficient execution by minimizing unnecessary branching.
- Clearer operational separation between user activity and protocol control actions.
- Greater reliability for admin-managed situations, where unexpected user actions would otherwise interfere with intended validator reconfiguration or fund movement.
 - Cantina- Fixed in 833f07c6 by implementing the reviewer's recommendation.