Description:
Multi-signature wallet contract requiring multiple confirmations for transaction execution.
Blockchain: Ethereum
Source Code: View Code On The Blockchain
Solidity Source Code:
{{
"language": "Solidity",
"sources": {
"src/core/VaultV6.sol": {
"content": "// SPDX-License-Identifier: MIT
pragma solidity ^0.8.23;
import "../interfaces/IVault.sol";
import "../interfaces/IController.sol";
import "../interfaces/IRegistry.sol";
import "../interfaces/IStrategyAdapter.sol";
import {IERC20 as IERC20OZ} from "@openzeppelin/contracts/token/ERC20/IERC20.sol";
import {IERC20} from "lib/forge-std/src/interfaces/IERC20.sol";
import {ReentrancyGuard} from "@openzeppelin/contracts/utils/ReentrancyGuard.sol";
import {SafeERC20} from "@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol";
interface IERC20MetadataV6 is IERC20 {
function decimals() external view returns (uint8);
}
/**
* @title VaultV6
* @notice Production-ready vault with all optimizations and slippage protection
* @dev Standalone implementation combining V5 optimizations with V6 security
*
* FEATURES:
* 1. Idle Reserve Buffer: 90% of withdrawals served instantly (10k gas vs 200k)
* 2. Cached Balances: Single loop for strategy withdrawals (50% gas reduction)
* 3. Cached Strategy Names: Eliminates redundant name lookups
* 4. Smart Rebalancing: Maintains optimal idle buffer after deposits
* 5. SLIPPAGE PROTECTION: Prevents frontrunning and sandwich attacks
* 6. First Depositor Protection: Minimum deposit prevents inflation attacks
*/
contract VaultV6 is IVault, ReentrancyGuard {
using SafeERC20 for IERC20OZ;
mapping(address => uint256) private _balances;
mapping(address => mapping(address => uint256)) private _allowances;
string public name;
string public symbol;
uint8 public immutable decimals;
uint256 private _totalSupply;
IERC20OZ private immutable _asset;
IController private _controller;
// ============ Cache System ============
address[] private _cachedStrategyAddresses;
string[] private _cachedStrategyNames;
uint256[] private _cachedBalances;
address private _cachedController;
bool private _cacheValid;
// ============ Idle Reserve Management ============
uint256 public idleReserveRatio = 500; // 5% = 500/10000 (basis points)
uint256 public minIdleReserve = 100; // 1% minimum
uint256 public maxIdleReserve = 1000; // 10% maximum
uint256 private constant IDLE_PRECISION = 10000;
// ============ Decimal-Aware Thresholds ============
// Cache decimal multiplier for gas efficiency
uint256 private immutable DECIMAL_MULTIPLIER;
// Configurable thresholds (can be updated by owner)
uint256 public minRebalanceAmountUSD = 10_000; // $10,000 USD equivalent default
uint256 public initialDepositMinimumBasisPoints = 1000000; // 100 units default ($100 for USDC)
// Bounds for threshold updates
uint256 private constant MIN_REBALANCE_LOWER_BOUND = 100; // $100 minimum
uint256 private constant MIN_REBALANCE_UPPER_BOUND = 100_000; // $100,000 maximum
uint256 private constant INITIAL_DEPOSIT_MIN_BP = 1; // 0.0001 units minimum
uint256 private constant INITIAL_DEPOSIT_MAX_BP = 100000000; // 10,000 units maximum ($10,000 for USDC)
// First depositor protection: dead shares permanently locked to prevent inflation attacks
uint256 private constant DEAD_SHARES = 10000; // 10,000 shares permanently locked
// Supported tokens whitelist (no fee-on-transfer tokens)
address private constant USDC_ADDRESS = 0xA0b86991c6218b36c1d19D4a2e9Eb0cE3606eB48; // Mainnet USDC
address private constant DAI_ADDRESS = 0x6B175474E89094C44Da98b954EedeAC495271d0F; // Mainnet DAI
address private constant WETH_ADDRESS = 0xC02aaA39b223FE8D0A0e5C4F27eAD9083C756Cc2; // Mainnet WETH
// Tracking for analytics
uint256 public totalIdleWithdrawals;
uint256 public totalStrategyWithdrawals;
uint256 public lastIdleRebalance;
bool public paused;
address public owner;
address public pendingOwner;
address public feeRecipient;
uint256 public performanceFee;
uint256 public accruedFees;
uint256 public lastTotalAssets;
uint256 private constant MAX_PERFORMANCE_FEE = 3000;
uint256 private constant FEE_PRECISION = 10000;
uint256 private constant MAX_DEPOSIT_FEE = 200;
uint256 private constant MAX_WITHDRAWAL_FEE = 200;
uint256 public depositFee = 100;
uint256 public withdrawalFee = 100;
uint256 public totalFeesCollected;
uint256 public feesCollected24h;
uint256 public lastFeeCollectionTime;
uint256 public accruedDepositFees;
uint256 public accruedWithdrawalFees;
// Events
event ControllerUpdated(address indexed oldController, address indexed newController);
event PerformanceFeeUpdated(uint256 oldFee, uint256 newFee);
event FeesCollected(address indexed collector, uint256 amount);
event FeeRecipientUpdated(address indexed oldRecipient, address indexed newRecipient);
event DepositFeeCharged(address indexed user, uint256 feeAmount);
event WithdrawalFeeCharged(address indexed user, uint256 feeAmount);
event DepositFeeUpdated(uint256 oldFee, uint256 newFee);
event WithdrawalFeeUpdated(uint256 oldFee, uint256 newFee);
event Paused(address account);
event Unpaused(address account);
event OwnershipTransferInitiated(address indexed currentOwner, address indexed pendingOwner);
event OwnershipTransferred(address indexed previousOwner, address indexed newOwner);
event StrategyCacheUpdated(uint256 strategyCount);
event IdleReserveUpdated(uint256 oldRatio, uint256 newRatio);
event IdleReserveRebalanced(uint256 deployed, uint256 kept);
event WithdrawalServedFromIdle(uint256 amount);
event WithdrawalServedFromStrategies(uint256 amount);
event SlippageProtectionTriggered(address indexed user, string operation);
event MinRebalanceAmountUpdated(uint256 newAmountUSD);
event InitialDepositMinimumUpdated(uint256 newBasisPoints);
event DeadSharesCreated(uint256 amount);
modifier onlyOwner() {
require(msg.sender == owner, "Vault: not owner");
_;
}
modifier whenNotPaused() {
require(!paused, "Vault: paused");
_;
}
constructor(
address assetAddress,
string memory _name,
string memory _symbol
) {
// Whitelist check: Only allow known non-fee-on-transfer tokens
// Currently only USDC is supported as all adapters are USDC-specific
require(
assetAddress == USDC_ADDRESS,
"Vault: Only USDC supported - token not whitelisted or may be fee-on-transfer"
);
// Note: DAI and WETH addresses are defined for future expansion
// To support them, adapters would need to be updated first
_asset = IERC20OZ(assetAddress);
name = _name;
symbol = _symbol;
uint8 assetDecimals = IERC20MetadataV6(assetAddress).decimals();
decimals = assetDecimals;
// Cache the decimal multiplier for gas efficiency
DECIMAL_MULTIPLIER = 10 ** assetDecimals;
owner = msg.sender;
feeRecipient = msg.sender;
performanceFee = 1000; // Default 10% performance fee
_cacheValid = false;
}
// ============ Cache Management Functions ============
function _updateStrategyCache() private {
if (address(_controller) == address(0)) {
delete _cachedStrategyAddresses;
delete _cachedStrategyNames;
_cacheValid = false;
return;
}
(string[] memory names, address[] memory adapters) = _controller.getAllStrategies();
_cachedStrategyAddresses = adapters;
_cachedStrategyNames = names;
_cachedController = address(_controller);
_cacheValid = true;
emit StrategyCacheUpdated(adapters.length);
}
function _ensureCacheValid() private {
if (!_cacheValid || _cachedController != address(_controller)) {
_updateStrategyCache();
} else if (address(_controller) != address(0)) {
uint256 currentCount = IRegistry(address(_controller)).strategyCount();
if (currentCount != _cachedStrategyAddresses.length) {
_updateStrategyCache();
}
}
}
function refreshStrategyCache() external {
_updateStrategyCache();
}
// ============ Idle Reserve Management Functions ============
function setIdleReserveRatio(uint256 newRatio) external onlyOwner {
require(newRatio >= minIdleReserve && newRatio <= maxIdleReserve, "Vault: invalid ratio");
uint256 oldRatio = idleReserveRatio;
idleReserveRatio = newRatio;
emit IdleReserveUpdated(oldRatio, newRatio);
}
/**
* @notice Set minimum rebalance amount in USD terms
* @param amountUSD The minimum amount in USD for rebalancing to occur
* @dev This value is automatically scaled by token decimals
*/
function setMinRebalanceAmountUSD(uint256 amountUSD) external onlyOwner {
require(
amountUSD >= MIN_REBALANCE_LOWER_BOUND && amountUSD <= MIN_REBALANCE_UPPER_BOUND,
"Vault: amount out of bounds"
);
minRebalanceAmountUSD = amountUSD;
emit MinRebalanceAmountUpdated(amountUSD);
}
/**
* @notice Set initial deposit minimum in basis points
* @param basisPoints The minimum initial deposit in basis points (100 = 0.01 units)
* @dev This protects against first depositor attacks while being decimal-agnostic
*/
function setInitialDepositMinimumBasisPoints(uint256 basisPoints) external onlyOwner {
require(
basisPoints >= INITIAL_DEPOSIT_MIN_BP && basisPoints <= INITIAL_DEPOSIT_MAX_BP,
"Vault: basis points out of bounds"
);
initialDepositMinimumBasisPoints = basisPoints;
emit InitialDepositMinimumUpdated(basisPoints);
}
/**
* @notice Get the minimum rebalance amount scaled to the asset's decimals
* @return The minimum amount for rebalancing in asset units
*/
function getMinRebalanceAmount() public view returns (uint256) {
return minRebalanceAmountUSD * DECIMAL_MULTIPLIER;
}
/**
* @notice Get the initial deposit minimum scaled to the asset's decimals
* @return The minimum initial deposit in asset units
*/
function getInitialDepositMinimum() public view returns (uint256) {
return (DECIMAL_MULTIPLIER * initialDepositMinimumBasisPoints) / 10000;
}
function getIdleFunds() public view returns (uint256) {
uint256 balance = _asset.balanceOf(address(this));
return balance > accruedFees ? balance - accruedFees : 0;
}
function getTargetIdleReserve() public view returns (uint256) {
uint256 total = totalAssets();
return (total * idleReserveRatio) / IDLE_PRECISION;
}
function getIdleReserveStatus() external view returns (
uint256 currentIdle,
uint256 targetIdle,
uint256 totalWithdrawalsFromIdle,
uint256 totalWithdrawalsFromStrategies
) {
currentIdle = getIdleFunds();
targetIdle = getTargetIdleReserve();
totalWithdrawalsFromIdle = totalIdleWithdrawals;
totalWithdrawalsFromStrategies = totalStrategyWithdrawals;
}
function _rebalanceIdleFunds() private {
if (address(_controller) == address(0)) return;
uint256 currentIdle = getIdleFunds();
uint256 targetIdle = getTargetIdleReserve();
if (currentIdle > targetIdle + getMinRebalanceAmount()) {
uint256 toDeploy = currentIdle - targetIdle;
uint256 availableForDeploy = _getAvailableBalance();
if (availableForDeploy >= toDeploy) {
_asset.safeTransfer(address(_controller), toDeploy);
lastIdleRebalance = block.timestamp;
emit IdleReserveRebalanced(toDeploy, targetIdle);
}
}
}
// ============ Ownership Functions ============
function transferOwnership(address newOwner) external onlyOwner {
require(newOwner != address(0), "Vault: new owner is zero address");
require(newOwner != owner, "Vault: new owner is current owner");
pendingOwner = newOwner;
emit OwnershipTransferInitiated(owner, newOwner);
}
function acceptOwnership() external {
require(msg.sender == pendingOwner, "Vault: not pending owner");
address oldOwner = owner;
owner = pendingOwner;
pendingOwner = address(0);
emit OwnershipTransferred(oldOwner, owner);
}
function cancelOwnershipTransfer() external onlyOwner {
require(pendingOwner != address(0), "Vault: no pending owner");
pendingOwner = address(0);
emit OwnershipTransferInitiated(owner, address(0));
}
// ============ Core View Functions ============
function asset() public view override returns (address) {
return address(_asset);
}
function controller() public view override returns (address) {
return address(_controller);
}
function totalSupply() public view override returns (uint256) {
return _totalSupply;
}
function balanceOf(address account) public view override returns (uint256) {
return _balances[account];
}
function transfer(address to, uint256 amount) public override returns (bool) {
_transfer(msg.sender, to, amount);
return true;
}
function allowance(address tokenOwner, address spender) public view override returns (uint256) {
return _allowances[tokenOwner][spender];
}
function approve(address spender, uint256 amount) public override returns (bool) {
_approve(msg.sender, spender, amount);
return true;
}
function transferFrom(address from, address to, uint256 amount) public override returns (bool) {
uint256 currentAllowance = _allowances[from][msg.sender];
if (currentAllowance != type(uint256).max) {
require(currentAllowance >= amount, "ERC20: insufficient allowance");
unchecked {
_approve(from, msg.sender, currentAllowance - amount);
}
}
_transfer(from, to, amount);
return true;
}
function totalAssets() public view override returns (uint256) {
if (address(_controller) == address(0)) {
return _asset.balanceOf(address(this));
}
uint256 totalInStrategies = 0;
if (_cacheValid && _cachedController == address(_controller)) {
for (uint256 i = 0; i < _cachedStrategyAddresses.length; i++) {
IStrategyAdapter strategy = IStrategyAdapter(_cachedStrategyAddresses[i]);
totalInStrategies += strategy.balanceOf(address(_controller));
}
} else {
(, address[] memory adapters) = _controller.getAllStrategies();
for (uint256 i = 0; i < adapters.length; i++) {
IStrategyAdapter strategy = IStrategyAdapter(adapters[i]);
totalInStrategies += strategy.balanceOf(address(_controller));
}
}
return _asset.balanceOf(address(this)) + _asset.balanceOf(address(_controller)) + totalInStrategies;
}
function _convertToSharesCached(uint256 assets, uint256 cachedTotalAssets) internal view returns (uint256) {
uint256 supply = totalSupply();
uint256 assetsAfterFees = cachedTotalAssets > accruedFees ? cachedTotalAssets - accruedFees : cachedTotalAssets;
return supply == 0 || assetsAfterFees == 0 ? assets : assets * supply / assetsAfterFees;
}
function _convertToAssetsCached(uint256 shares, uint256 cachedTotalAssets) internal view returns (uint256) {
uint256 supply = totalSupply();
if (supply == 0) return shares;
uint256 assetsAfterFees = cachedTotalAssets > accruedFees ? cachedTotalAssets - accruedFees : cachedTotalAssets;
return shares * assetsAfterFees / supply;
}
function convertToShares(uint256 assets) public view override returns (uint256) {
return _convertToSharesCached(assets, totalAssets());
}
function convertToAssets(uint256 shares) public view override returns (uint256) {
return _convertToAssetsCached(shares, totalAssets());
}
function maxDeposit(address) public view override returns (uint256) {
return paused ? 0 : type(uint256).max;
}
function maxMint(address) public view override returns (uint256) {
return paused ? 0 : type(uint256).max;
}
function maxWithdraw(address tokenOwner) public view override returns (uint256) {
return convertToAssets(balanceOf(tokenOwner));
}
function maxRedeem(address tokenOwner) public view override returns (uint256) {
return balanceOf(tokenOwner);
}
function previewDeposit(uint256 assets) public view override returns (uint256) {
return convertToShares(assets);
}
function previewMint(uint256 shares) public view override returns (uint256) {
uint256 supply = totalSupply();
if (supply == 0) return shares;
uint256 _totalAssets = totalAssets();
return (shares * _totalAssets + supply - 1) / supply;
}
function previewWithdraw(uint256 assets) public view override returns (uint256) {
uint256 supply = totalSupply();
if (supply == 0) return assets;
// EIP-4626 COMPLIANCE FIX: Calculate shares needed for gross amount
uint256 grossAmount = assets;
if (withdrawalFee > 0) {
// Calculate fee on top of requested assets
uint256 feeAmount = (assets * withdrawalFee) / (FEE_PRECISION - withdrawalFee);
grossAmount = assets + feeAmount;
}
uint256 _totalAssets = totalAssets();
// Return shares needed for gross amount (assets + fee)
return (grossAmount * supply + _totalAssets - 1) / _totalAssets;
}
function previewRedeem(uint256 shares) public view override returns (uint256) {
return convertToAssets(shares);
}
// ============ STANDARD DEPOSIT/WITHDRAW (with first depositor protection) ============
function deposit(uint256 assets, address receiver) public virtual override whenNotPaused nonReentrant returns (uint256 shares) {
require(assets > 0, "Vault: zero assets");
require(receiver != address(0), "Vault: zero receiver");
// First depositor attack protection
bool isFirstDeposit = totalSupply() == 0;
if (isFirstDeposit) {
require(assets >= getInitialDepositMinimum(), "Vault: initial deposit too small");
// Mint dead shares to address(1) to permanently lock value and prevent inflation attacks
_mint(address(1), DEAD_SHARES);
emit DeadSharesCreated(DEAD_SHARES);
}
_ensureCacheValid();
uint256 cachedTotalAssets = totalAssets();
if (totalSupply() > 0) {
_accruePerformanceFeesCached(cachedTotalAssets);
}
uint256 feeAmount = (assets * depositFee) / FEE_PRECISION;
uint256 assetsAfterFee = assets - feeAmount;
accruedDepositFees += feeAmount;
accruedFees += feeAmount;
shares = _convertToSharesCached(assetsAfterFee, cachedTotalAssets);
require(shares > 0, "Vault: zero shares");
_asset.safeTransferFrom(msg.sender, address(this), assets);
_mint(receiver, shares);
if (feeAmount > 0) {
emit DepositFeeCharged(msg.sender, feeAmount);
}
// Update lastTotalAssets with net assets (excluding fees)
uint256 netAssetsAfter = cachedTotalAssets + assetsAfterFee;
lastTotalAssets = netAssetsAfter > accruedFees ?
netAssetsAfter - accruedFees : netAssetsAfter;
_rebalanceIdleFunds();
emit Deposit(msg.sender, receiver, assets, shares);
}
function mint(uint256 shares, address receiver) public virtual override whenNotPaused nonReentrant returns (uint256 assets) {
require(shares > 0, "Vault: zero shares");
require(receiver != address(0), "Vault: zero receiver");
// First depositor attack protection
bool isFirstDeposit = totalSupply() == 0;
_ensureCacheValid();
uint256 cachedTotalAssets = totalAssets();
uint256 supply = totalSupply();
if (supply > 0) {
_accruePerformanceFeesCached(cachedTotalAssets);
}
uint256 assetsBeforeFee = supply == 0 ? shares : (shares * cachedTotalAssets + supply - 1) / supply;
// First depositor protection with dead shares
if (isFirstDeposit) {
require(assetsBeforeFee >= getInitialDepositMinimum(), "Vault: initial deposit too small");
// Mint dead shares first
_mint(address(1), DEAD_SHARES);
emit DeadSharesCreated(DEAD_SHARES);
}
assets = (assetsBeforeFee * FEE_PRECISION) / (FEE_PRECISION - depositFee);
require(assets > 0, "Vault: zero assets");
uint256 feeAmount = assets - assetsBeforeFee;
accruedDepositFees += feeAmount;
accruedFees += feeAmount;
_asset.safeTransferFrom(msg.sender, address(this), assets);
_mint(receiver, shares);
if (feeAmount > 0) {
emit DepositFeeCharged(msg.sender, feeAmount);
}
// Update lastTotalAssets with net assets (excluding fees)
uint256 netAssetsAfter = cachedTotalAssets + assetsBeforeFee;
lastTotalAssets = netAssetsAfter > accruedFees ?
netAssetsAfter - accruedFees : netAssetsAfter;
_rebalanceIdleFunds();
emit Deposit(msg.sender, receiver, assets, shares);
}
function withdraw(
uint256 assets,
address receiver,
address tokenOwner
) public virtual override nonReentrant returns (uint256 shares) {
require(assets > 0, "Vault: zero assets");
require(receiver != address(0), "Vault: zero receiver");
require(tokenOwner != address(0), "Vault: zero owner");
_ensureCacheValid();
uint256 cachedTotalAssets = totalAssets();
uint256 supply = totalSupply();
_accruePerformanceFeesCached(cachedTotalAssets);
// EIP-4626 COMPLIANCE FIX: Calculate fee on top of requested assets
// This ensures user receives exactly 'assets' amount
uint256 feeAmount = 0;
uint256 grossAmount = assets;
if (withdrawalFee > 0) {
// Fee calculation: fee = assets * rate / (precision - rate)
// This ensures: assets + fee = grossAmount
feeAmount = (assets * withdrawalFee) / (FEE_PRECISION - withdrawalFee);
grossAmount = assets + feeAmount;
}
// Calculate shares to burn based on gross amount (assets + fee)
if (supply == 0) {
shares = grossAmount;
} else {
shares = (grossAmount * supply + cachedTotalAssets - 1) / cachedTotalAssets;
}
if (msg.sender != tokenOwner) {
uint256 currentAllowance = _allowances[tokenOwner][msg.sender];
if (currentAllowance != type(uint256).max) {
require(currentAllowance >= shares, "Vault: insufficient allowance");
unchecked {
_approve(tokenOwner, msg.sender, currentAllowance - shares);
}
}
}
_burn(tokenOwner, shares);
accruedWithdrawalFees += feeAmount;
accruedFees += feeAmount;
if (feeAmount > 0) {
emit WithdrawalFeeCharged(tokenOwner, feeAmount);
}
// Withdraw the gross amount (assets + fee) from strategies
_withdrawOptimized(grossAmount);
// Transfer EXACTLY the requested assets to receiver (EIP-4626 compliant)
_asset.safeTransfer(receiver, assets);
emit Withdraw(msg.sender, receiver, tokenOwner, assets, shares);
}
function redeem(
uint256 shares,
address receiver,
address tokenOwner
) public virtual override nonReentrant returns (uint256 assets) {
require(shares > 0, "Vault: zero shares");
require(receiver != address(0), "Vault: zero receiver");
require(tokenOwner != address(0), "Vault: zero owner");
_ensureCacheValid();
uint256 cachedTotalAssets = totalAssets();
_accruePerformanceFeesCached(cachedTotalAssets);
uint256 assetsBeforeFee = _convertToAssetsCached(shares, cachedTotalAssets);
require(assetsBeforeFee > 0, "Vault: zero assets");
uint256 feeAmount = (assetsBeforeFee * withdrawalFee) / FEE_PRECISION;
assets = assetsBeforeFee - feeAmount;
if (msg.sender != tokenOwner) {
uint256 currentAllowance = _allowances[tokenOwner][msg.sender];
if (currentAllowance != type(uint256).max) {
require(currentAllowance >= shares, "Vault: insufficient allowance");
unchecked {
_approve(tokenOwner, msg.sender, currentAllowance - shares);
}
}
}
_burn(tokenOwner, shares);
accruedWithdrawalFees += feeAmount;
accruedFees += feeAmount;
if (feeAmount > 0) {
emit WithdrawalFeeCharged(tokenOwner, feeAmount);
}
_withdrawOptimized(assetsBeforeFee);
_asset.safeTransfer(receiver, assets);
emit Withdraw(msg.sender, receiver, tokenOwner, assets, shares);
}
// ============ SLIPPAGE PROTECTED FUNCTIONS ============
/**
* @dev Slippage protection wrapper functions
* Note: These functions do not use nonReentrant modifier because they call
* the base functions (deposit, mint, withdraw, redeem) which already have
* reentrancy protection. Adding nonReentrant here would cause a revert due to
* nested reentrancy guards.
*/
/**
* @notice Deposit with slippage protection
* @param assets Amount of assets to deposit
* @param receiver Address to receive shares
* @param minSharesOut Minimum acceptable shares (slippage protection)
*/
function depositWithSlippage(
uint256 assets,
address receiver,
uint256 minSharesOut
) external whenNotPaused returns (uint256 shares) {
require(minSharesOut > 0, "Vault: zero minSharesOut");
uint256 expectedShares = previewDeposit(assets);
require(expectedShares >= minSharesOut, "Vault: slippage exceeded");
shares = deposit(assets, receiver);
require(shares >= minSharesOut, "Vault: shares less than minimum");
return shares;
}
/**
* @notice Mint with slippage protection
* @param shares Amount of shares to mint
* @param receiver Address to receive shares
* @param maxAssetsIn Maximum acceptable assets to pay
*/
function mintWithSlippage(
uint256 shares,
address receiver,
uint256 maxAssetsIn
) external whenNotPaused returns (uint256 assets) {
require(maxAssetsIn > 0, "Vault: zero maxAssetsIn");
uint256 expectedAssets = previewMint(shares);
require(expectedAssets <= maxAssetsIn, "Vault: slippage exceeded");
assets = mint(shares, receiver);
require(assets <= maxAssetsIn, "Vault: assets exceed maximum");
return assets;
}
/**
* @notice Withdraw with slippage protection
* @param assets Amount of assets to withdraw
* @param receiver Address to receive assets
* @param tokenOwner Address whose shares to burn
* @param maxSharesIn Maximum acceptable shares to burn
*/
function withdrawWithSlippage(
uint256 assets,
address receiver,
address tokenOwner,
uint256 maxSharesIn
) external returns (uint256 shares) {
require(maxSharesIn > 0, "Vault: zero maxSharesIn");
uint256 expectedShares = previewWithdraw(assets);
require(expectedShares <= maxSharesIn, "Vault: slippage exceeded");
shares = withdraw(assets, receiver, tokenOwner);
require(shares <= maxSharesIn, "Vault: shares exceed maximum");
return shares;
}
/**
* @notice Redeem with slippage protection
* @param shares Amount of shares to redeem
* @param receiver Address to receive assets
* @param tokenOwner Address whose shares to burn
* @param minAssetsOut Minimum acceptable assets to receive
*/
function redeemWithSlippage(
uint256 shares,
address receiver,
address tokenOwner,
uint256 minAssetsOut
) external returns (uint256 assets) {
require(minAssetsOut > 0, "Vault: zero minAssetsOut");
uint256 expectedAssets = previewRedeem(shares);
require(expectedAssets >= minAssetsOut, "Vault: slippage exceeded");
assets = redeem(shares, receiver, tokenOwner);
require(assets >= minAssetsOut, "Vault: assets less than minimum");
return assets;
}
// ============ Optimized Withdrawal Logic ============
function _withdrawOptimized(uint256 amount) private {
uint256 idleFunds = getIdleFunds();
if (idleFunds >= amount) {
totalIdleWithdrawals++;
emit WithdrawalServedFromIdle(amount);
return;
}
uint256 fromIdle = idleFunds;
uint256 fromStrategies = amount - fromIdle;
totalStrategyWithdrawals++;
emit WithdrawalServedFromStrategies(fromStrategies);
_withdrawFromStrategiesOptimized(fromStrategies);
}
function _withdrawFromStrategiesOptimized(uint256 amount) private {
require(address(_controller) != address(0), "Vault: no controller");
uint256 remaining = amount;
uint256 controllerBalance = _asset.balanceOf(address(_controller));
if (controllerBalance > 0) {
uint256 toTransfer = controllerBalance >= remaining ? remaining : controllerBalance;
_controller.withdrawFromStrategy("", toTransfer);
remaining -= toTransfer;
if (remaining == 0) return;
}
_ensureCacheValid();
uint256 strategyCount = _cachedStrategyAddresses.length;
require(strategyCount > 0, "Vault: no strategies");
uint256[] memory balances = new uint256[](strategyCount);
uint256 totalInStrategies = 0;
for (uint256 i = 0; i < strategyCount; i++) {
uint256 balance = IStrategyAdapter(_cachedStrategyAddresses[i]).balanceOf(address(_controller));
balances[i] = balance;
totalInStrategies += balance;
}
require(totalInStrategies + strategyCount >= remaining, "Vault: insufficient funds");
uint256 amountFromStrategies = remaining;
for (uint256 i = 0; i < strategyCount && remaining > 0; i++) {
if (balances[i] > 0) {
uint256 toWithdraw = (amountFromStrategies * balances[i]) / totalInStrategies;
if (toWithdraw > remaining) {
toWithdraw = remaining;
}
if (i == strategyCount - 1 && remaining > 0) {
toWithdraw = remaining;
}
if (toWithdraw > 0) {
uint256 balanceBefore = _asset.balanceOf(address(this));
_controller.withdrawFromStrategy(_cachedStrategyNames[i], toWithdraw);
uint256 balanceAfter = _asset.balanceOf(address(this));
uint256 received = balanceAfter - balanceBefore;
remaining = remaining > received ? remaining - received : 0;
}
}
}
if (remaining > 0 && remaining <= strategyCount * 2) {
uint256 maxBalance = 0;
uint256 maxIndex = 0;
for (uint256 i = 0; i < strategyCount; i++) {
uint256 balance = IStrategyAdapter(_cachedStrategyAddresses[i]).balanceOf(address(_controller));
if (balance > maxBalance) {
maxBalance = balance;
maxIndex = i;
}
}
if (maxBalance >= remaining) {
uint256 balanceBefore = _asset.balanceOf(address(this));
_controller.withdrawFromStrategy(_cachedStrategyNames[maxIndex], remaining);
uint256 balanceAfter = _asset.balanceOf(address(this));
uint256 received = balanceAfter - balanceBefore;
remaining = remaining > received ? remaining - received : 0;
}
}
require(remaining <= 1, "Vault: withdrawal failed due to rounding");
}
// ============ Admin Functions ============
function pause() external override onlyOwner {
paused = true;
emit Paused(msg.sender);
}
function unpause() external override onlyOwner {
paused = false;
emit Unpaused(msg.sender);
}
function setController(address newController) external override onlyOwner {
address oldController = address(_controller);
_controller = IController(newController);
_cacheValid = false;
emit ControllerUpdated(oldController, newController);
}
function setPerformanceFee(uint256 fee) external override onlyOwner {
require(fee <= MAX_PERFORMANCE_FEE, "Vault: fee too high");
uint256 oldFee = performanceFee;
performanceFee = fee;
emit PerformanceFeeUpdated(oldFee, fee);
}
function setFeeRecipient(address newRecipient) external onlyOwner {
require(newRecipient != address(0), "Vault: zero address");
address oldRecipient = feeRecipient;
feeRecipient = newRecipient;
emit FeeRecipientUpdated(oldRecipient, newRecipient);
}
function setDepositFee(uint256 fee) external onlyOwner {
require(fee <= MAX_DEPOSIT_FEE, "Vault: fee too high");
uint256 oldFee = depositFee;
depositFee = fee;
emit DepositFeeUpdated(oldFee, fee);
}
function setWithdrawalFee(uint256 fee) external onlyOwner {
require(fee <= MAX_WITHDRAWAL_FEE, "Vault: fee too high");
uint256 oldFee = withdrawalFee;
withdrawalFee = fee;
emit WithdrawalFeeUpdated(oldFee, fee);
}
function claimFees() external override nonReentrant {
require(msg.sender == owner || msg.sender == feeRecipient, "Vault: not authorized");
uint256 fees = accruedFees;
require(fees > 0, "Vault: no fees to claim");
uint256 vaultBalance = _asset.balanceOf(address(this));
if (vaultBalance < fees) {
uint256 needed = fees - vaultBalance;
_withdrawFromStrategiesOptimized(needed);
}
uint256 actualBalance = _asset.balanceOf(address(this));
uint256 feesToTransfer = fees;
if (actualBalance < fees && fees - actualBalance == 1) {
feesToTransfer = actualBalance;
accruedFees = 1;
} else {
accruedFees = 0;
}
_asset.safeTransfer(feeRecipient, feesToTransfer);
emit FeesCollected(feeRecipient, feesToTransfer);
}
// ============ Internal Functions ============
function _getAvailableBalance() internal view returns (uint256) {
uint256 balance = _asset.balanceOf(address(this));
return balance > accruedFees ? balance - accruedFees : 0;
}
function _transfer(address from, address to, uint256 amount) internal {
require(from != address(0), "ERC20: transfer from zero");
require(to != address(0), "ERC20: transfer to zero");
uint256 fromBalance = _balances[from];
require(fromBalance >= amount, "ERC20: insufficient balance");
unchecked {
_balances[from] = fromBalance - amount;
_balances[to] += amount;
}
emit Transfer(from, to, amount);
}
function _mint(address account, uint256 amount) internal {
require(account != address(0), "ERC20: mint to zero");
_totalSupply += amount;
unchecked {
_balances[account] += amount;
}
emit Transfer(address(0), account, amount);
}
function _burn(address account, uint256 amount) internal {
require(account != address(0), "ERC20: burn from zero");
uint256 accountBalance = _balances[account];
require(accountBalance >= amount, "ERC20: insufficient balance");
unchecked {
_balances[account] = accountBalance - amount;
_totalSupply -= amount;
}
emit Transfer(account, address(0), amount);
}
function _approve(address tokenOwner, address spender, uint256 amount) internal {
require(tokenOwner != address(0), "ERC20: approve from zero");
require(spender != address(0), "ERC20: approve to zero");
_allowances[tokenOwner][spender] = amount;
emit Approval(tokenOwner, spender, amount);
}
function _accruePerformanceFeesCached(uint256 cachedTotalAssets) internal {
if (totalSupply() > 0) {
// Calculate net assets by subtracting accrued fees
// This prevents fees from being calculated on fees (compounding issue)
uint256 netAssets = cachedTotalAssets > accruedFees ?
cachedTotalAssets - accruedFees : cachedTotalAssets;
if (netAssets > lastTotalAssets) {
uint256 yield = netAssets - lastTotalAssets;
uint256 fee = (yield * performanceFee) / FEE_PRECISION;
accruedFees += fee;
totalFeesCollected += fee;
if (block.timestamp - lastFeeCollectionTime > 1 days) {
feesCollected24h = 0;
lastFeeCollectionTime = block.timestamp;
}
feesCollected24h += fee;
// Track net assets, not gross assets
lastTotalAssets = netAssets;
}
}
}
// ============ View Functions ============
function getFeeAnalytics() external view returns (
uint256 _accruedFees,
uint256 _feesCollected24h,
uint256 _totalFeesCollected,
uint256 _accruedDepositFees,
uint256 _accruedWithdrawalFees
) {
_accruedFees = accruedFees;
_feesCollected24h = feesCollected24h;
_totalFeesCollected = totalFeesCollected;
_accruedDepositFees = accruedDepositFees;
_accruedWithdrawalFees = accruedWithdrawalFees;
}
function getFeeRates() external view returns (
uint256 depositFeeRate,
uint256 withdrawalFeeRate,
uint256 performanceFeeRate
) {
depositFeeRate = depositFee;
withdrawalFeeRate = withdrawalFee;
performanceFeeRate = performanceFee;
}
}"
},
"src/interfaces/IVault.sol": {
"content": "// SPDX-License-Identifier: MIT
pragma solidity ^0.8.23;
import {IERC20} from "lib/forge-std/src/interfaces/IERC20.sol";
import {IERC4626} from "lib/forge-std/src/interfaces/IERC4626.sol";
interface IVault is IERC4626 {
function pause() external;
function unpause() external;
function setController(address newController) external;
function controller() external view returns (address);
function performanceFee() external view returns (uint256);
function setPerformanceFee(uint256 fee) external;
function claimFees() external;
function accruedFees() external view returns (uint256);
}"
},
"src/interfaces/IController.sol": {
"content": "// SPDX-License-Identifier: MIT
pragma solidity ^0.8.23;
interface IController {
function rebalance() external;
function addStrategy(string memory name, address adapter) external;
function removeStrategy(string memory name) external;
function getStrategy(string memory name) external view returns (address);
function getAllStrategies() external view returns (string[] memory names, address[] memory adapters);
function pause() external;
function unpause() external;
function emergencyWithdraw(string memory strategyName) external;
function withdrawFromStrategy(string memory strategyName, uint256 amount) external;
function deployToStrategy(string memory strategyName, uint256 amount) external;
}"
},
"src/interfaces/IRegistry.sol": {
"content": "// SPDX-License-Identifier: MIT
pragma solidity ^0.8.23;
interface IRegistry {
event StrategyAdded(string indexed name, address indexed adapter);
event StrategyRemoved(string indexed name, address indexed adapter);
function registerStrategy(string memory name, address adapter) external;
function unregisterStrategy(string memory name) external;
function getStrategyAddress(string memory name) external view returns (address);
function isRegisteredStrategy(string memory name) external view returns (bool);
function getAllStrategies() external view returns (string[] memory names, address[] memory adapters);
function strategyCount() external view returns (uint256);
}"
},
"src/interfaces/IStrategyAdapter.sol": {
"content": "// SPDX-License-Identifier: MIT
pragma solidity ^0.8.23;
interface IStrategyAdapter {
function deposit(uint256 amount) external returns (uint256 shares);
function withdraw(uint256 amount) external returns (uint256 withdrawn);
function balanceOf(address account) external view returns (uint256);
function getCurrentAPY() external view returns (uint256);
// APY tracking functions
function updateMetrics() external;
function getLastUpdateTime() external view returns (uint256);
function isAPYStale() external view returns (bool);
}"
},
"lib/openzeppelin-contracts/contracts/token/ERC20/IERC20.sol": {
"content": "// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.4.0) (token/ERC20/IERC20.sol)
pragma solidity >=0.4.16;
/**
* @dev Interface of the ERC-20 standard as defined in the ERC.
*/
interface IERC20 {
/**
* @dev Emitted when `value` tokens are moved from one account (`from`) to
* another (`to`).
*
* Note that `value` may be zero.
*/
event Transfer(address indexed from, address indexed to, uint256 value);
/**
* @dev Emitted when the allowance of a `spender` for an `owner` is set by
* a call to {approve}. `value` is the new allowance.
*/
event Approval(address indexed owner, address indexed spender, uint256 value);
/**
* @dev Returns the value of tokens in existence.
*/
function totalSupply() external view returns (uint256);
/**
* @dev Returns the value of tokens owned by `account`.
*/
function balanceOf(address account) external view returns (uint256);
/**
* @dev Moves a `value` amount of tokens from the caller's account to `to`.
*
* Returns a boolean value indicating whether the operation succeeded.
*
* Emits a {Transfer} event.
*/
function transfer(address to, uint256 value) external returns (bool);
/**
* @dev Returns the remaining number of tokens that `spender` will be
* allowed to spend on behalf of `owner` through {transferFrom}. This is
* zero by default.
*
* This value changes when {approve} or {transferFrom} are called.
*/
function allowance(address owner, address spender) external view returns (uint256);
/**
* @dev Sets a `value` amount of tokens as the allowance of `spender` over the
* caller's tokens.
*
* Returns a boolean value indicating whether the operation succeeded.
*
* IMPORTANT: Beware that changing an allowance with this method brings the risk
* that someone may use both the old and the new allowance by unfortunate
* transaction ordering. One possible solution to mitigate this race
* condition is to first reduce the spender's allowance to 0 and set the
* desired value afterwards:
* https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729
*
* Emits an {Approval} event.
*/
function approve(address spender, uint256 value) external returns (bool);
/**
* @dev Moves a `value` amount of tokens from `from` to `to` using the
* allowance mechanism. `value` is then deducted from the caller's
* allowance.
*
* Returns a boolean value indicating whether the operation succeeded.
*
* Emits a {Transfer} event.
*/
function transferFrom(address from, address to, uint256 value) external returns (bool);
}
"
},
"lib/forge-std/src/interfaces/IERC20.sol": {
"content": "// SPDX-License-Identifier: MIT
pragma solidity >=0.6.2;
/// @dev Interface of the ERC20 standard as defined in the EIP.
/// @dev This includes the optional name, symbol, and decimals metadata.
interface IERC20 {
/// @dev Emitted when `value` tokens are moved from one account (`from`) to another (`to`).
event Transfer(address indexed from, address indexed to, uint256 value);
/// @dev Emitted when the allowance of a `spender` for an `owner` is set, where `value`
/// is the new allowance.
event Approval(address indexed owner, address indexed spender, uint256 value);
/// @notice Returns the amount of tokens in existence.
function totalSupply() external view returns (uint256);
/// @notice Returns the amount of tokens owned by `account`.
function balanceOf(address account) external view returns (uint256);
/// @notice Moves `amount` tokens from the caller's account to `to`.
function transfer(address to, uint256 amount) external returns (bool);
/// @notice Returns the remaining number of tokens that `spender` is allowed
/// to spend on behalf of `owner`
function allowance(address owner, address spender) external view returns (uint256);
/// @notice Sets `amount` as the allowance of `spender` over the caller's tokens.
/// @dev Be aware of front-running risks: https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729
function approve(address spender, uint256 amount) external returns (bool);
/// @notice Moves `amount` tokens from `from` to `to` using the allowance mechanism.
/// `amount` is then deducted from the caller's allowance.
function transferFrom(address from, address to, uint256 amount) external returns (bool);
/// @notice Returns the name of the token.
function name() external view returns (string memory);
/// @notice Returns the symbol of the token.
function symbol() external view returns (string memory);
/// @notice Returns the decimals places of the token.
function decimals() external view returns (uint8);
}
"
},
"lib/openzeppelin-contracts/contracts/utils/ReentrancyGuard.sol": {
"content": "// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.1.0) (utils/ReentrancyGuard.sol)
pragma solidity ^0.8.20;
/**
* @dev Contract module that helps prevent reentrant calls to a function.
*
* Inheriting from `ReentrancyGuard` will make the {nonReentrant} modifier
* available, which can be applied to functions to make sure there are no nested
* (reentrant) calls to them.
*
* Note that because there is a single `nonReentrant` guard, functions marked as
* `nonReentrant` may not call one another. This can be worked around by making
* those functions `private`, and then adding `external` `nonReentrant` entry
* points to them.
*
* TIP: If EIP-1153 (transient storage) is available on the chain you're deploying at,
* consider using {ReentrancyGuardTransient} instead.
*
* TIP: If you would like to learn more about reentrancy and alternative ways
* to protect against it, check out our blog post
* https://blog.openzeppelin.com/reentrancy-after-istanbul/[Reentrancy After Istanbul].
*/
abstract contract ReentrancyGuard {
// Booleans are more expensive than uint256 or any type that takes up a full
// word because each write operation emits an extra SLOAD to first read the
// slot's contents, replace the bits taken up by the boolean, and then write
// back. This is the compiler's defense against contract upgrades and
// pointer aliasing, and it cannot be disabled.
// The values being non-zero value makes deployment a bit more expensive,
// but in exchange the refund on every call to nonReentrant will be lower in
// amount. Since refunds are capped to a percentage of the total
// transaction's gas, it is best to keep them low in cases like this one, to
// increase the likelihood of the full refund coming into effect.
uint256 private constant NOT_ENTERED = 1;
uint256 private constant ENTERED = 2;
uint256 private _status;
/**
* @dev Unauthorized reentrant call.
*/
error ReentrancyGuardReentrantCall();
constructor() {
_status = NOT_ENTERED;
}
/**
* @dev Prevents a contract from calling itself, directly or indirectly.
* Calling a `nonReentrant` function from another `nonReentrant`
* function is not supported. It is possible to prevent this from happening
* by making the `nonReentrant` function external, and making it call a
* `private` function that does the actual work.
*/
modifier nonReentrant() {
_nonReentrantBefore();
_;
_nonReentrantAfter();
}
function _nonReentrantBefore() private {
// On the first call to nonReentrant, _status will be NOT_ENTERED
if (_status == ENTERED) {
revert ReentrancyGuardReentrantCall();
}
// Any calls to nonReentrant after this point will fail
_status = ENTERED;
}
function _nonReentrantAfter() private {
// By storing the original value once again, a refund is triggered (see
// https://eips.ethereum.org/EIPS/eip-2200)
_status = NOT_ENTERED;
}
/**
* @dev Returns true if the reentrancy guard is currently set to "entered", which indicates there is a
* `nonReentrant` function in the call stack.
*/
function _reentrancyGuardEntered() internal view returns (bool) {
return _status == ENTERED;
}
}
"
},
"lib/openzeppelin-contracts/contracts/token/ERC20/utils/SafeERC20.sol": {
"content": "// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.3.0) (token/ERC20/utils/SafeERC20.sol)
pragma solidity ^0.8.20;
import {IERC20} from "../IERC20.sol";
import {IERC1363} from "../../../interfaces/IERC1363.sol";
/**
* @title SafeERC20
* @dev Wrappers around ERC-20 operations that throw on failure (when the token
* contract returns false). Tokens that return no value (and instead revert or
* throw on failure) are also supported, non-reverting calls are assumed to be
* successful.
* To use this library you can add a `using SafeERC20 for IERC20;` statement to your contract,
* which allows you to call the safe operations as `token.safeTransfer(...)`, etc.
*/
library SafeERC20 {
/**
* @dev An operation with an ERC-20 token failed.
*/
error SafeERC20FailedOperation(address token);
/**
* @dev Indicates a failed `decreaseAllowance` request.
*/
error SafeERC20FailedDecreaseAllowance(address spender, uint256 currentAllowance, uint256 requestedDecrease);
/**
* @dev Transfer `value` amount of `token` from the calling contract to `to`. If `token` returns no value,
* non-reverting calls are assumed to be successful.
*/
function safeTransfer(IERC20 token, address to, uint256 value) internal {
_callOptionalReturn(token, abi.encodeCall(token.transfer, (to, value)));
}
/**
* @dev Transfer `value` amount of `token` from `from` to `to`, spending the approval given by `from` to the
* calling contract. If `token` returns no value, non-reverting calls are assumed to be successful.
*/
function safeTransferFrom(IERC20 token, address from, address to, uint256 value) internal {
_callOptionalReturn(token, abi.encodeCall(token.transferFrom, (from, to, value)));
}
/**
* @dev Variant of {safeTransfer} that returns a bool instead of reverting if the operation is not successful.
*/
function trySafeTransfer(IERC20 token, address to, uint256 value) internal returns (bool) {
return _callOptionalReturnBool(token, abi.encodeCall(token.transfer, (to, value)));
}
/**
* @dev Variant of {safeTransferFrom} that returns a bool instead of reverting if the operation is not successful.
*/
function trySafeTransferFrom(IERC20 token, address from, address to, uint256 value) internal returns (bool) {
return _callOptionalReturnBool(token, abi.encodeCall(token.transferFrom, (from, to, value)));
}
/**
* @dev Increase the calling contract's allowance toward `spender` by `value`. If `token` returns no value,
* non-reverting calls are assumed to be successful.
*
* IMPORTANT: If the token implements ERC-7674 (ERC-20 with temporary allowance), and if the "client"
* smart contract uses ERC-7674 to set temporary allowances, then the "client" smart contract should avoid using
* this function. Performing a {safeIncreaseAllowance} or {safeDecreaseAllowance} operation on a token contract
* that has a non-zero temporary allowance (for that particular owner-spender) will result in unexpected behavior.
*/
function safeIncreaseAllowance(IERC20 token, address spender, uint256 value) internal {
uint256 oldAllowance = token.allowance(address(this), spender);
forceApprove(token, spender, oldAllowance + value);
}
/**
* @dev Decrease the calling contract's allowance toward `spender` by `requestedDecrease`. If `token` returns no
* value, non-reverting calls are assumed to be successful.
*
* IMPORTANT: If the token implements ERC-7674 (ERC-20 with temporary allowance), and if the "client"
* smart contract uses ERC-7674 to set temporary allowances, then the "client" smart contract should avoid using
* this function. Performing a {safeIncreaseAllowance} or {safeDecreaseAllowance} operation on a token contract
* that has a non-zero temporary allowance (for that particular owner-spender) will result in unexpected behavior.
*/
function safeDecreaseAllowance(IERC20 token, address spender, uint256 requestedDecrease) internal {
unchecked {
uint256 currentAllowance = token.allowance(address(this), spender);
if (currentAllowance < requestedDecrease) {
revert SafeERC20FailedDecreaseAllowance(spender, currentAllowance, requestedDecrease);
}
forceApprove(token, spender, currentAllowance - requestedDecrease);
}
}
/**
* @dev Set the calling contract's allowance toward `spender` to `value`. If `token` returns no value,
* non-reverting calls are assumed to be successful. Meant to be used with tokens that require the approval
* to be set to zero before setting it to a non-zero value, such as USDT.
*
* NOTE: If the token implements ERC-7674, this function will not modify any temporary allowance. This function
* only sets the "standard" allowance. Any temporary allowance will remain active, in addition to the value being
* set here.
*/
function forceApprove(IERC20 token, address spender, uint256 value) internal {
bytes memory approvalCall = abi.encodeCall(token.approve, (spender, value));
if (!_callOptionalReturnBool(token, approvalCall)) {
_callOptionalReturn(token, abi.encodeCall(token.approve, (spender, 0)));
_callOptionalReturn(token, approvalCall);
}
}
/**
* @dev Performs an {ERC1363} transferAndCall, with a fallback to the simple {ERC20} transfer if the target has no
* code. This can be used to implement an {ERC721}-like safe transfer that rely on {ERC1363} checks when
* targeting contracts.
*
* Reverts if the returned value is other than `true`.
*/
function transferAndCallRelaxed(IERC1363 token, address to, uint256 value, bytes memory data) internal {
if (to.code.length == 0) {
safeTransfer(token, to, value);
} else if (!token.transferAndCall(to, value, data)) {
revert SafeERC20FailedOperation(address(token));
}
}
/**
* @dev Performs an {ERC1363} transferFromAndCall, with a fallback to the simple {ERC20} transferFrom if the target
* has no code. This can be used to implement an {ERC721}-like safe transfer that rely on {ERC1363} checks when
* targeting contracts.
*
* Reverts if the returned value is other than `true`.
*/
function transferFromAndCallRelaxed(
IERC1363 token,
address from,
address to,
uint256 value,
bytes memory data
) internal {
if (to.code.length == 0) {
safeTransferFrom(token, from, to, value);
} else if (!token.transferFromAndCall(from, to, value, data)) {
revert SafeERC20FailedOperation(address(token));
}
}
/**
* @dev Performs an {ERC1363} approveAndCall, with a fallback to the simple {ERC20} approve if the target has no
* code. This can be used to implement an {ERC721}-like safe transfer that rely on {ERC1363} checks when
* targeting contracts.
*
* NOTE: When the recipient address (`to`) has no code (i.e. is an EOA), this function behaves as {forceApprove}.
* Opposedly, when the recipient address (`to`) has code, this function only attempts to call {ERC1363-approveAndCall}
* once without retrying, and relies on the returned value to be true.
*
* Reverts if the returned value is other than `true`.
*/
function approveAndCallRelaxed(IERC1363 token, address to, uint256 value, bytes memory data) internal {
if (to.code.length == 0) {
forceApprove(token, to, value);
} else if (!token.approveAndCall(to, value, data)) {
revert SafeERC20FailedOperation(address(token));
}
}
/**
* @dev Imitates a Solidity high-level call (i.e. a regular function call to a contract), relaxing the requirement
* on the return value: the return value is optional (but if data is returned, it must not be false).
* @param token The token targeted by the call.
* @param data The call data (encoded using abi.encode or one of its variants).
*
* This is a variant of {_callOptionalReturnBool} that reverts if call fails to meet the requirements.
*/
function _callOptionalReturn(IERC20 token, bytes memory data) private {
uint256 returnSize;
uint256 returnValue;
assembly ("memory-safe") {
let success := call(gas(), token, 0, add(data, 0x20), mload(data), 0, 0x20)
// bubble errors
if iszero(success) {
let ptr := mload(0x40)
returndatacopy(ptr, 0, returndatasize())
revert(ptr, returndatasize())
}
returnSize := returndatasize()
returnValue := mload(0)
}
if (returnSize == 0 ? address(token).code.length == 0 : returnValue != 1) {
revert SafeERC20FailedOperation(address(token));
}
}
/**
* @dev Imitates a Solidity high-level call (i.e. a regular function call to a contract), relaxing the requirement
* on the return value: the return value is optional (but if data is returned, it must not be false).
* @param token The token targeted by the call.
* @param data The call data (encoded using abi.encode or one of its variants).
*
* This is a variant of {_callOptionalReturn} that silently catches all reverts and returns a bool instead.
*/
function _callOptionalReturnBool(IERC20 token, bytes memory data) private returns (bool) {
bool success;
uint256 returnSize;
uint256 returnValue;
assembly ("memory-safe") {
success := call(gas(), token, 0, add(data, 0x20), mload(data), 0, 0x20)
returnSize := returndatasize()
returnValue := mload(0)
}
return success && (returnSize == 0 ? address(token).code.length > 0 : returnValue == 1);
}
}
"
},
"lib/forge-std/src/interfaces/IERC4626.sol": {
"content": "// SPDX-License-Identifier: MIT
pragma solidity >=0.6.2;
import {IERC20} from "./IERC20.sol";
/// @dev Interface of the ERC4626 "Tokenized Vault Standard", as defined in
/// https://eips.ethereum.org/EIPS/eip-4626
interface IERC4626 is IERC20 {
event Deposit(address indexed sender, address indexed owner, uint256 assets, uint256 shares);
event Withdraw(
address indexed sender, address indexed receiver, address indexed owner, uint256 assets, uint256 shares
);
/// @notice Returns the address of the underlying token used for the Vault for accounting, depositing, and withdrawing.
/// @dev
/// - MUST be an ERC-20 token contract.
/// - MUST NOT revert.
function asset() external view returns (address assetTokenAddress);
/// @notice Returns the total amount of the underlying asset that is “managed” by Vault.
/// @dev
/// - SHOULD include any compounding that occurs from yield.
/// - MUST be inclusive of any fees that are charged against assets in the Vault.
/// - MUST NOT revert.
function totalAssets() external view returns (uint256 totalManagedAssets);
/// @notice Returns the amount of shares that the Vault would exchange for the amount of assets provided, in an ideal
/// scenario where all the conditions are met.
/// @dev
/// - MUST NOT be inclusive of any fees that are charged against assets in the Vault.
/// - MUST NOT show any variations depending on the caller.
/// - MUST NOT reflect slippage or other on-chain conditions, when performing the actual exchange.
/// - MUST NOT revert.
///
/// NOTE: This calculation MAY NOT reflect the “per-user” price-per-share, and instead should reflect the
/// “average-user’s” price-per-share, meaning what the average user should expect to see whe
Submitted on: 2025-10-18 21:10:13
Comments
Log in to comment.
No comments yet.