ret2basic
    • Create new note
    • Create a note from template
      • Sharing URL Link copied
      • /edit
      • View mode
        • Edit mode
        • View mode
        • Book mode
        • Slide mode
        Edit mode View mode Book mode Slide mode
      • Customize slides
      • Note Permission
      • Read
        • Only me
        • Signed-in users
        • Everyone
        Only me Signed-in users Everyone
      • Write
        • Only me
        • Signed-in users
        • Everyone
        Only me Signed-in users Everyone
      • Engagement control Commenting, Suggest edit, Emoji Reply
    • Invite by email
      Invitee

      This note has no invitees

    • Publish Note

      Share your work with the world Congratulations! 🎉 Your note is out in the world Publish Note

      Your note will be visible on your profile and discoverable by anyone.
      Your note is now live.
      This note is visible on your profile and discoverable online.
      Everyone on the web can find and read all notes of this public team.
      See published notes
      Unpublish note
      Please check the box to agree to the Community Guidelines.
      View profile
    • Commenting
      Permission
      Disabled Forbidden Owners Signed-in users Everyone
    • Enable
    • Permission
      • Forbidden
      • Owners
      • Signed-in users
      • Everyone
    • Suggest edit
      Permission
      Disabled Forbidden Owners Signed-in users Everyone
    • Enable
    • Permission
      • Forbidden
      • Owners
      • Signed-in users
    • Emoji Reply
    • Enable
    • Versions and GitHub Sync
    • Note settings
    • Note Insights
    • Engagement control
    • Transfer ownership
    • Delete this note
    • Save as template
    • Insert from template
    • Import from
      • Dropbox
      • Google Drive
      • Gist
      • Clipboard
    • Export to
      • Dropbox
      • Google Drive
      • Gist
    • Download
      • Markdown
      • HTML
      • Raw HTML
Menu Note settings Versions and GitHub Sync Note Insights Sharing URL Create Help
Create Create new note Create a note from template
Menu
Options
Engagement control Transfer ownership Delete this note
Import from
Dropbox Google Drive Gist Clipboard
Export to
Dropbox Google Drive Gist
Download
Markdown HTML Raw HTML
Back
Sharing URL Link copied
/edit
View mode
  • Edit mode
  • View mode
  • Book mode
  • Slide mode
Edit mode View mode Book mode Slide mode
Customize slides
Note Permission
Read
Only me
  • Only me
  • Signed-in users
  • Everyone
Only me Signed-in users Everyone
Write
Only me
  • Only me
  • Signed-in users
  • Everyone
Only me Signed-in users Everyone
Engagement control Commenting, Suggest edit, Emoji Reply
  • Invite by email
    Invitee

    This note has no invitees

  • Publish Note

    Share your work with the world Congratulations! 🎉 Your note is out in the world Publish Note

    Your note will be visible on your profile and discoverable by anyone.
    Your note is now live.
    This note is visible on your profile and discoverable online.
    Everyone on the web can find and read all notes of this public team.
    See published notes
    Unpublish note
    Please check the box to agree to the Community Guidelines.
    View profile
    Engagement control
    Commenting
    Permission
    Disabled Forbidden Owners Signed-in users Everyone
    Enable
    Permission
    • Forbidden
    • Owners
    • Signed-in users
    • Everyone
    Suggest edit
    Permission
    Disabled Forbidden Owners Signed-in users Everyone
    Enable
    Permission
    • Forbidden
    • Owners
    • Signed-in users
    Emoji Reply
    Enable
    Import from Dropbox Google Drive Gist Clipboard
       owned this note    owned this note      
    Published Linked with GitHub
    Subscribed
    • Any changes
      Be notified of any changes
    • Mention me
      Be notified of mention me
    • Unsubscribe
    Subscribe
    # Lazyotter Audit Report ## Scope Commit hash: b2c87185f8fb95c01b211459d55efab843198a13 Scope: every contracts under `src/`: https://github.com/lazyotter-finance/lazyotter-contract/tree/develop/src SLOC: ```plaintext $ cloc src/ 13 text files. 13 unique files. 0 files ignored. github.com/AlDanial/cloc v 2.00 T=0.03 s (471.4 files/s, 38292.6 lines/s) ------------------------------------------------------------------------------- Language files blank comment code ------------------------------------------------------------------------------- Solidity 13 166 326 564 ------------------------------------------------------------------------------- SUM: 13 166 326 564 ------------------------------------------------------------------------------- ``` ## Audit Summary The audit work was conducted in the time frame June 12th, 2024 to June 19th, 2024. Two engineers participated in the audit: - [@icebear](https://x.com/iamicebear168) - [@ret2basic](https://x.com/ret2basic) We uncovered 19 bugs in total. Specifically: - 1 High - 9 Medium - 6 Low - 3 Informational ## 1. :heavy_check_mark: [High] Wrong rounding directions in Vault.sol ### Code https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L145-L147 https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L181-L183 https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L190-L192 ### Description There are 3 instances where rounding direction deviates from EIP-4626: - `maxWithdraw()` should round down (now it is rounding up) - `previewWithdraw()` should round up (now it is rounding down) - `previewRedeem()` should round down (now it is rounding up) Quoted from EIP-4626: > EIP-4626 Vault implementers should be aware of the need for specific, opposing rounding directions across the different mutable and view methods, as it is considered most secure to favor the Vault itself during calculations over its users: > > If (1) it's calculating how many shares to issue to a user for a certain amount of the underlying tokens they provide or (2) it's determining the amount of the underlying tokens to transfer to them for returning a certain amount of shares, it should round down. > > If (1) it's calculating the amount of shares a user has to supply to receive a given amount of the underlying tokens or (2) it's calculating the amount of underlying tokens a user has to provide to receive a certain amount of shares, it should round up. For example, currently `previewRedeem()` rounds up, which means user can get slightly more assets when redeeming. Although the impact seems low for a single redeem, it can be dangerous when vault operates for a long time or arbitrager deliberately exploits it when gas fee is low. This issue is more serious when decimal is low (such as USDC - 6 decimals), since `1/10**6` is a lot larger than `1/10**18`. ### Recommendation Fix rounding directions according to EIP-4626. For a reference of actual implementation: https://github.com/OpenZeppelin/openzeppelin-contracts/blob/master/contracts/token/ERC20/extensions/ERC4626.sol ## 2. :heavy_check_mark: [Medium] Admin can adjust fee rate to harm fee recipients and vault users ### Code https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L429 ### Description Consider the following scenario: - After a user deposits or mints, the admin can arbitrarily call setFeeInfo to reset `FeeInfo`. The admin can set `withdrawalFeeRate` to 100%. - Admin can arbitrarily call `setFeeInfo()` to reset `FeeInfo`. The admin can set `withdrawalFeeRate` to 0, the recipients are unable to receive the withdrawal fee. ### Recommendation Consider only allowing `setFeeInfo()` in constructor. ## 3. :heavy_check_mark: [Low] USDC/USDT blacklisted fee recipients can brick `Vault.withdraw()` and `Vault.redeem()` ### Code https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L287 https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L323 ### Description When the token implements a blacklist, which is common for tokens (e.g. USDC/USDT implementing blacklist/blocklist; See: https://github.com/d-xo/weird-erc20). Currently `Vault.withdraw()` and `Vault.redeem()` implement a for loop that transfers withdrawal fee to a list of recipients. If any of the recipients is blacklisted by USDC/USDT, the entire `Vault.withdraw()` / `Vault.redeem()` function will be bricked. In other words, even users can't withdraw their funds, the vault will be DoSed permanently. We understand that fee recipients can be updated by admin calling `setFeeInfo()`, therefore the impact is small. The following steps describe this issue, consider this scenario: 1. Fee recipients was set via `setFeeInfo()` when it was not on the token blacklist. 2. A fee recipient was blacklisted before user calls `withdraw()` or `redeem()`. 3. User calls `withdraw()` or `redeem()`, but because the fee recipient was blacklisted, the `safeTransfer()` to recipient would revert, and user is unable to retrieve assets from the vault. ### Recommendation In `withdraw()` and `redeem()`, consider checking if the fee recipient is blacklisted. If so, send that fee to a temporary place and let admin extract the fee later. Or even better, refactor the code using the "pull over push" pattern: set up accounting and let fee recipients claim the fee at a later time, instead of sending tokens to them. ## :heavy_check_mark: 4. [Low] Uniswap V3 fee tiers ### Code https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/helper/UniswapHelper.sol#L21-L24 ### Description Uniswap V3 has 0.01% fee tier. What if the only existent pool is of 0.01% fee tier, in other words, what if 0.05%/0.3%/1% pools don't exist? In that case, `getBestFee()` will return 0, rendering this function unless. Reference: https://support.uniswap.org/hc/en-us/articles/20904283758349-What-are-fee-tiers ### Recommendation Add another fee tier 0.01% in `getBestFee()`. ## 5. :heavy_check_mark: [Low] Uniswap V3 fee calculation ### Code https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/helper/UniswapHelper.sol#L20 ### Description The function `getBestFee()` only selects a pool with largest liquidity, but does not consider maximum payout for LP. Consider a toy example: - Pool 1: 0.05% fee, 1001 liquidity - Pool 2: 1% fee, 1000 liquidity The current implementation will select Pool 1, but obviously Pool 2 benefits LP more. In our understanding, this function should select a pool with highest expected profit for LP. ### Recommendation In `getBestFee()`, consider simulating profit computation and select a pool with highest expectetd profit. ## :heavy_check_mark: 6. [Medium] No slippage control for deposit/mint/withdraw/redeem ### Code https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L228 https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L246 https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L264 https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L304 ### Description Currently there is no slippage protection in deposit/mint/withdraw/redeem. Quoted from EIP-4626 security considerations: > If implementors intend to support EOA account access directly, they should consider adding an additional function call for deposit/mint/withdraw/redeem with the means to accommodate slippage loss or unexpected deposit/withdrawal limits, since they have no other means to revert the transaction if the exact output amount is not achieved. This issue is only impactful when share price can go down. In current setting it seems the share price will never go down, but this can change in the future when more external integrations are used. ### Recommendation Implement slippage control (as function input) for deposit/mint/withdraw/redeem. ## :heavy_check_mark: 7. [Informational] Redundant `_setRoleAdmin()` call ### Code https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L80 ### Description This line of code is redundant. Code for `_setRoleAdmin`: https://github.com/OpenZeppelin/openzeppelin-contracts/blob/83c7e45092dac350b070c421cd2bf7105616cf1a/contracts/access/AccessControl.sol#L170-L174 ```solidity=170 function _setRoleAdmin(bytes32 role, bytes32 adminRole) internal virtual { bytes32 previousAdminRole = getRoleAdmin(role); _roles[role].adminRole = adminRole; emit RoleAdminChanged(role, previousAdminRole, adminRole); } ``` Here it is setting `_roles[keccak256("KEEPER_ROLE")].adminRole = 0x00;`, but `_roles[role].adminRole` defaults to 0x00 already, so calling `_setRoleAdmin(KEEPER_ROLE, DEFAULT_ADMIN_ROLE);` does nothing. In other words, `DEFAULT_ADMIN_ROLE` is the default admin for every single role, therefore it is unnecessary to set it again. ### Recommendation Remove call to `_setRoleAdmin()` in Vault.sol constructor: ```solidity constructor( IERC20 _asset, string memory name, string memory symbol, FeeInfo memory _feeInfo, address _keeper ) ERC20(name, symbol) { asset = _asset; // role _grantRole(DEFAULT_ADMIN_ROLE, msg.sender); _grantRole(KEEPER_ROLE, _keeper); setFeeInfo(_feeInfo); } ``` ## :heavy_check_mark: 8. [Informational] Use AccessControlDefaultAdminRules instead AccessControl to reduce centralization risk ### Code https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L5 ### Description In OpenZeppelin AccessControl.sol, The role `DEFAULT_ADMIN_ROLE` has almost root authority, which increases the centralization risk of the system. There is also an extension called [AccessControlDefaultAdminRules.sol](https://github.com/OpenZeppelin/openzeppelin-contracts/blob/master/contracts/access/extensions/AccessControlDefaultAdminRules.sol), which adds some restrictions to this root role. Quoted from [OpenZeppelin doc](https://docs.openzeppelin.com/contracts/5.x/access-control0): > This mechanism can be used to create complex permissioning structures resembling organizational charts, but it also provides an easy way to manage simpler applications. AccessControl includes a special role, called DEFAULT_ADMIN_ROLE, which acts as the default admin role for all roles. An account with this role will be able to manage any other role, unless _setRoleAdmin is used to select a new admin role. > > Since it is the admin for all roles by default, and in fact it is also its own admin, this role carries significant risk. To mitigate this risk we provide AccessControlDefaultAdminRules, a recommended extension of AccessControl that adds a number of enforced security measures for this role: the admin is restricted to a single account, with a 2-step transfer procedure with a delay in between steps. ### Recommendation Use AccessControlDefaultAdminRules.sol instead of AccessControl.sol. ## 9. :heavy_check_mark: [Medium] Some tokens might not have `decimals()` implemented ### Code https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L107 ### Description Quoted from [EIP-20](https://eips.ethereum.org/EIPS/eip-20): > Returns the number of decimals the token uses - e.g. 8, means to divide the token amount by 100000000 to get its user representation. > >OPTIONAL - This method can be used to improve usability, but interfaces and other contracts MUST NOT expect these values to be present. In `Vault.decimals()`: ```solidity=106 function decimals() public view override returns (uint8) { return ERC20(address(asset)).decimals() + _decimalsOffset(); } ``` `ERC20(address(asset)).decimals()` might not return expected decimals for some ERC20 without `decimals()` method implemented. ### Recommendation Implement a try-catch function to query ERC20 token decimals, for example, like what OpenZeppelin implemented: https://github.com/OpenZeppelin/openzeppelin-contracts/blob/442886ed5ff8a0b9ab477b191f5238541ee6d772/contracts/token/ERC20/extensions/ERC4626.sol#L86-L97 ```solidity function _tryGetAssetDecimals(IERC20 asset_) private view returns (bool, uint8) { (bool success, bytes memory encodedDecimals) = address(asset_).staticcall( abi.encodeCall(IERC20Metadata.decimals, ()) ); if (success && encodedDecimals.length >= 32) { uint256 returnedDecimals = abi.decode(encodedDecimals, (uint256)); if (returnedDecimals <= type(uint8).max) { return (true, uint8(returnedDecimals)); } } return (false, 0); } ``` ## 10. :heavy_check_mark: [Medium] `Vault.execute()`: Unchecked return value from low-level `call()` ### Code https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L482 ### Description Unchecked return value of low-level `call()/delegatecall()` The call/delegatecall function returns a boolean value indicating whether the call was successful. However, it is important to note that this return value is not being checked in the current implementation. As a result, there is a possibility that the call wasn't successful, while the transaction continues without reverting. ### Recommendation Update the code to: ```solidity function execute( address _to, uint256 _value, bytes calldata _data ) external onlyOwner returns (bool, bytes memory) { (bool success, bytes memory result) = _to.call{value: _value}(_data); require(success, "execute() failed") return (success, result); } ``` ## :heavy_check_mark: 11. [Medium] Vault.sol is not compatible with EIP-4626 There are multiple locations in the Vault.sol that do not conform to ERC-4626 specifications: ### 1. maxMint(), maxDeposit should return the value 0 when mint(), deposit() is paused. **Description** The whenTokenNotPaused modifier is used for deposit() and mint() functions to ensure that these functionalities cannot be used when the vault is paused. According to EIP-4626 specifications: maxDeposit ``` MUST factor in both global and user-specific limits, like if deposits are entirely disabled (even temporarily) it MUST return 0. ``` maxMint ``` MUST factor in both global and user-specific limits, like if mints are entirely disabled (even temporarily) it MUST return 0. ``` maxDeposit(), maxMint()should return the 0 during deposit(), mint() is paused. **Code Snippet** https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L123 https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L132 ### 2. previewWithdraw(), previewRedeem() does not include withdrawal fees. **Description** According to EIP-4626 specifications: previewWithdraw ``` MUST be inclusive of withdrawal fees. Integrators should be aware of the existence of withdrawal fees. ``` previewRedeem ``` MUST be inclusive of withdrawal fees. Integrators should be aware of the existence of withdrawal fees. ``` **Code Snippet** https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L181 https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L190 ### Recommendation Fix functions mentioned above according to EIP-4626. For a reference, here is a similar issue reported by OpenZeppelin: https://blog.openzeppelin.com/pods-finance-ethereum-volatility-vault-audit-2#non-standard-erc-4626-vault-functionality ## 12. :heavy_check_mark: [Medium] `Vault.execute()` gives unnecessary power to the admin ### Code https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L477-L484 ### Description There are two "emergency withdrawal" type of admin functions in the vault: - `emergencyWithdraw()`: withdraw all or a portion of assets from Aave or Layerbank - `execute()`: arbitrary low-level call by admin The intention behind `execute()` is to let admin withdraw user funds when upgrading / vault is under attack. However, arbitrary low-level call is a lot more "powerful" (whilst dangerous) and it does not follow least privilege principle. ### Recommendation Implement `sweep()` instead of `execute()`. A typical sweep() admin function will allow admin to withdraw a certain type of asset only. ## :heavy_check_mark: 13. [Medium] Users can still withdraw / redeem when vault is paused ### Code https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L264 https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L304 ### Description Among `deposit()`, `mint()`, `withdraw()` and `redeem()`, only `deposit()` and `mint()` are guarded by `whenNotPaused` modifier. In other words, Attacker can withdraw even if vault is paused. When admins spot something wrong in the vault and try to pause, attacker could already own a portion of the shares in the vault. If `withdraw()` and `redeem()` are not guarded by `whenNotPaused`, attacker can still get away with whatever profit he already made. Therefore it is better to pause all functionalities of the vault and unpause when issues are resolved. ### Recommendation Add `whenNotPaused` modifier to both `withdraw()` and `redeem()`. ## 14. :heavy_check_mark: [Low] Can steal ETH from the ETHVaultHelper.sol ### Code https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/helper/ETHVaultHelper.sol ### Description Consider the following two scenarios: 1. Honey pot fake vault: - ETHVaultHelper.sol lacks verification of the vault address. - A malicious user can create a fake honey pot vault. - When users call mintETH() or depositETH(), they can pass in the malicious vault address. - Because the vault is fake, the ETH sent by users cannot be retrieved using withdrawETH() or redeemETH(). 2. User accidentally sends ETH: - In mintETH(), when if ``` (balance > 0)```, the contract sends all ETH in the contract to the caller. - User A accidentally sends ETH to ETHVaultHelper.sol. - User B then calls mintETH(), and due to ```uint256 balance = WETH.balanceOf(address(this))```, B withdraws the ETH accidentally sent by A. ## :heavy_check_mark: 15 [Low] Potential DoS in withdraw() and redeem() ### Code https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L429 ### Description The current implementation of the `setFeeInfo()` does not have a length limit on the array. This can lead to potential DoS in `withdraw()` and `redeem()`. If a large number of fee info are set, the for loop in the `withdraw()`, `redeem()` which distributes the withdrawal fee, can consume excessive gas, potentially making the transaction fail. ### Recommendation Implement length checks in `setFeeInfo()`. ## :heavy_check_mark: 16. [Low] Small withdrawals can evade `withdrawalFee` due to precision loss ### Code Snippet https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L281 https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L317 ### Description The current implementation of the `withdraw()` calculates withdrawalFee based on the amount of assets being withdrawn. However, when the withdrawal assets is very small, the precision loss in the fee calculation can result in the fee being rounded down to zero. This allows users to perform multiple small withdrawals, effectively evading the `withdrawalFee`. ### Recommendation Add 1 when calculating `withdrawalFee`: ```solidity uint256 withdrawalFee = (assets * feeInfo.withdrawalFeeRate) / MAX_FEE_RATE + 1; ``` ## :heavy_check_mark: 17. [Medium] Harvest functionalities are unuseable ### Code https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L389-L391 https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/AaveVault.sol#L90-L114 ### Description At this moment there is no implementation for `_harvest()`. In Vault.sol, `_harvest()` always returns 0: ```solidity=389 function _harvest() internal virtual returns (uint256) { return 0; } ``` In AaveVault.sol, `_harvest()` is commented out: ```solidity=90 // function _harvest() internal override returns (uint256) { // address self = address(this); // uint256 beforeAssets = asset.balanceOf(self); // address[] memory aTokens = new address[](1); // aTokens[0] = address(aToken); // (address[] memory rewardsList,) = rewardsController.claimAllRewardsToSelf(aTokens); // uint256 rewardsListLength = rewardsList.length; // if (rewardsListLength == 0) { // return 0; // } // for (uint256 i = 0; i < rewardsListLength; i++) { // // This function will swap the reward token for the asset token. // // However, we haven't yet decided which DEX to use. // // _processReward(rewardsList[i]); // } // uint256 afterAssets = asset.balanceOf(self); // uint256 harvestAssets = afterAssets - beforeAssets; // return harvestAssets; // } ``` The result is that `harvest()` does nothing since `harvestAssets` is always 0, rendering the harvest functionalities useless. ### Recommendation Either implement `_harvest()` in AaveVault.sol or remove this functionality all together. ## :heavy_check_mark: 18. [Medium] Vault.mint() returns wrong value ### Code https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L254 ### Description Current implementation of `Vault.mint()` returns numbers of shares as return value: ```solidity=252 function mint(uint256 shares, address receiver) external nonReentrant whenNotPaused returns (uint256) { uint256 assets = previewMint(shares); _mint(receiver, shares); asset.safeTransferFrom(msg.sender, address(this), assets); _deposit(receiver, assets); emit Deposit(msg.sender, receiver, assets, shares); return shares; // @audit-issue should return assets } ``` Per EIP-4626, `mint()` function should return numbers of assets: ![EIP-4626 mint](https://hackmd.io/_uploads/rk4pwq6rA.png) This is problematic if further computations done by users / frontend utilize the return value of `mint()`. ### Recommendation Change the code to: ```solidity function mint(uint256 shares, address receiver) external nonReentrant whenNotPaused returns (uint256) { uint256 assets = previewMint(shares); _mint(receiver, shares); asset.safeTransferFrom(msg.sender, address(this), assets); _deposit(receiver, assets); emit Deposit(msg.sender, receiver, assets, shares); return assets; } ``` ## :heavy_check_mark: 19. [Informational] Vault.mint() lacks maxMint() check ### Code https://github.com/lazyotter-finance/lazyotter-contract/blob/b2c87185f8fb95c01b211459d55efab843198a13/src/vaults/Vault.sol#L246-L255 ### Description There is no maxMint check in `Vault.mint()` although maxMint() is implemented. There is no impact at this moment since maxDeposit() always returns `type(uint256).max`, but if it changes in the future then Vault.mint() needs to check maxMint(). Just for completeness, here is the code for maxDeposit() and maxMint(): ```solidity=123 function maxDeposit(address account) public view virtual returns (uint256) { return type(uint256).max; } ``` ```solidity=132 function maxMint(address receiver) public view returns (uint256) { uint256 _maxDeposit = maxDeposit(receiver); if (_maxDeposit == type(uint256).max) { return type(uint256).max; } return _convertToShares(_maxDeposit, Math.Rounding.Floor); } ``` Currently `return _convertToShares(_maxDeposit, Math.Rounding.Floor);` is unreachable, because maxDeposit() always returns type(uint256).max. However, since maxDeposit() is a virtual function, new vaults might override it to much smaller value, so Vault.mint() will need to check maxMint(). ### Recommendation Add maxMint() check inside Vault.mint(): ```solidity uint256 maxShares = maxMint(receiver); if (shares > maxShares) { revert("exceed maxMint limit"); } ``` # Appendix: Technical doc ## Centralization risk In the Lazy Otter project, there are two types of centralized roles: - Admin: Admins have the authority to reset vault fees, pause the vault, unpause the vault, perform emergency withdrawals, and withdraw any remaining balance from the vault. - Keeper: Keepers have the authority to pause the vault, unpause the vault, and perform emergency withdrawals. Please check the main report for related findings. ## Classic vault attacks ### Inflation attack Lazyotter utilizes "virtual decimals" `_decimalsOffset=6` to mitigate the famous inflation attack / first depositor frontrunning attack, similar to OpenZeppelin's implementation of [ERC4626](https://github.com/OpenZeppelin/openzeppelin-contracts/blob/master/contracts/token/ERC20/extensions/ERC4626.sol). This decimals offset significantly increases the cost of "donation" by the attacker, therefore mitigates the inflation attack. ### Vault reset attack Vault reset attack was described in [Kankodu's tweet](https://x.com/kankodu/status/1685320718870032384). This attack is mitigated by virtual decimal offset too. ### Rounding directions Rounding direction should always be in favor of the protocol. In other words, a correct implementation of ERC4626 should let users suffer a tiny bit of loss in exchange of protocol security. There are a few cases in Vault.sol where ERC4626 standard isn't strictly followed. Please check the main report for that finding. ### Slippage The idea of slippage is similar to that of AMM. You can think of `Vault.mint()` as a type of "swap()" as in AMM. In a secure implementation of ERC-4626 vault, it is neccessary to consider slippage to protect users' asset. Currently there is no slippage protection in Lazyotter, and we already addressed this issue in the main report. ### Reentrancy All user-level external functions are guarded by `nonReentrant` modifier, therefore simple reentrancy attacks are impossible. ## Vault functionalities analysis ### Fees Compared to standard EIP-4626 vault, Lazyotter implements withdrawal fee (no deposit fee). The fee is computed in both `Vault.withdraw()` and `Vault.redeem()`. ### Emergency withdrawal Emergency withdrawl gives admin the authority to pause the vault and withdraw all funds in it. Beyond emergencyWithdraw() function, there is also an execute() admin function that can withdraw all funds without pausing the vault. ### Harvest User deposits will be sent to Aave / Layerbank as LP, therefore the vault will generate yields and users should be able to harvest their profit. But currently harvest functionality is not implemented. ### Types of vaults There are two types of vaults in the scope: - AaveVault - LayerBankVault In both vaults, user deposit is sent to Aave / Layerbank pool as LP in order to generate profit. However, LayerBankVault has a caveat: the underlying asset USDC has 6 decimals but the LP token iUSDC has 18 decimals. This creates complication in further computation. # Appendix: 4nalyzer report https://gist.github.com/ret2basic/fa0e98eadc552a2c80faeaabe94fb324

    Import from clipboard

    Paste your markdown or webpage here...

    Advanced permission required

    Your current role can only read. Ask the system administrator to acquire write and comment permission.

    This team is disabled

    Sorry, this team is disabled. You can't edit this note.

    This note is locked

    Sorry, only owner can edit this note.

    Reach the limit

    Sorry, you've reached the max length this note can be.
    Please reduce the content or divide it to more notes, thank you!

    Import from Gist

    Import from Snippet

    or

    Export to Snippet

    Are you sure?

    Do you really want to delete this note?
    All users will lose their connection.

    Create a note from template

    Create a note from template

    Oops...
    This template has been removed or transferred.
    Upgrade
    All
    • All
    • Team
    No template.

    Create a template

    Upgrade

    Delete template

    Do you really want to delete this template?
    Turn this template into a regular note and keep its content, versions, and comments.

    This page need refresh

    You have an incompatible client version.
    Refresh to update.
    New version available!
    See releases notes here
    Refresh to enjoy new features.
    Your user state has changed.
    Refresh to load new user state.

    Sign in

    Forgot password

    or

    By clicking below, you agree to our terms of service.

    Sign in via Facebook Sign in via Twitter Sign in via GitHub Sign in via Dropbox Sign in with Wallet
    Wallet ( )
    Connect another wallet

    New to HackMD? Sign up

    Help

    • English
    • 中文
    • Français
    • Deutsch
    • 日本語
    • Español
    • Català
    • Ελληνικά
    • Português
    • italiano
    • Türkçe
    • Русский
    • Nederlands
    • hrvatski jezik
    • język polski
    • Українська
    • हिन्दी
    • svenska
    • Esperanto
    • dansk

    Documents

    Help & Tutorial

    How to use Book mode

    Slide Example

    API Docs

    Edit in VSCode

    Install browser extension

    Contacts

    Feedback

    Discord

    Send us email

    Resources

    Releases

    Pricing

    Blog

    Policy

    Terms

    Privacy

    Cheatsheet

    Syntax Example Reference
    # Header Header 基本排版
    - Unordered List
    • Unordered List
    1. Ordered List
    1. Ordered List
    - [ ] Todo List
    • Todo List
    > Blockquote
    Blockquote
    **Bold font** Bold font
    *Italics font* Italics font
    ~~Strikethrough~~ Strikethrough
    19^th^ 19th
    H~2~O H2O
    ++Inserted text++ Inserted text
    ==Marked text== Marked text
    [link text](https:// "title") Link
    ![image alt](https:// "title") Image
    `Code` Code 在筆記中貼入程式碼
    ```javascript
    var i = 0;
    ```
    var i = 0;
    :smile: :smile: Emoji list
    {%youtube youtube_id %} Externals
    $L^aT_eX$ LaTeX
    :::info
    This is a alert area.
    :::

    This is a alert area.

    Versions and GitHub Sync
    Get Full History Access

    • Edit version name
    • Delete

    revision author avatar     named on  

    More Less

    Note content is identical to the latest version.
    Compare
      Choose a version
      No search result
      Version not found
    Sign in to link this note to GitHub
    Learn more
    This note is not linked with GitHub
     

    Feedback

    Submission failed, please try again

    Thanks for your support.

    On a scale of 0-10, how likely is it that you would recommend HackMD to your friends, family or business associates?

    Please give us some advice and help us improve HackMD.

     

    Thanks for your feedback

    Remove version name

    Do you want to remove this version name and description?

    Transfer ownership

    Transfer to
      Warning: is a public team. If you transfer note to this team, everyone on the web can find and read this note.

        Link with GitHub

        Please authorize HackMD on GitHub
        • Please sign in to GitHub and install the HackMD app on your GitHub repo.
        • HackMD links with GitHub through a GitHub App. You can choose which repo to install our App.
        Learn more  Sign in to GitHub

        Push the note to GitHub Push to GitHub Pull a file from GitHub

          Authorize again
         

        Choose which file to push to

        Select repo
        Refresh Authorize more repos
        Select branch
        Select file
        Select branch
        Choose version(s) to push
        • Save a new version and push
        • Choose from existing versions
        Include title and tags
        Available push count

        Pull from GitHub

         
        File from GitHub
        File from HackMD

        GitHub Link Settings

        File linked

        Linked by
        File path
        Last synced branch
        Available push count

        Danger Zone

        Unlink
        You will no longer receive notification when GitHub file changes after unlink.

        Syncing

        Push failed

        Push successfully