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/lending/MorphoLendingAdapterFactory.sol": {
"content": "// SPDX-License-Identifier: UNLICENSED
pragma solidity ^0.8.26;
// Dependency imports
import {Id} from "@morpho-blue/interfaces/IMorpho.sol";
import {Clones} from "openzeppelin-contracts/contracts/proxy/Clones.sol";
// Internal imports
import {IMorphoLendingAdapter} from "src/interfaces/IMorphoLendingAdapter.sol";
import {IMorphoLendingAdapterFactory} from "src/interfaces/IMorphoLendingAdapterFactory.sol";
import {MorphoLendingAdapter} from "src/lending/MorphoLendingAdapter.sol";
/**
* @dev The MorphoLendingAdapterFactory is a factory contract for deploying ERC-1167 minimal proxies of the
* MorphoLendingAdapter contract using OpenZeppelin's Clones library.
*
* @custom:contact security@seamlessprotocol.com
*/
contract MorphoLendingAdapterFactory is IMorphoLendingAdapterFactory {
using Clones for address;
/// @inheritdoc IMorphoLendingAdapterFactory
IMorphoLendingAdapter public immutable lendingAdapterLogic;
/// @param _lendingAdapterLogic Logic contract for deploying new MorphoLendingAdapters.
constructor(IMorphoLendingAdapter _lendingAdapterLogic) {
lendingAdapterLogic = _lendingAdapterLogic;
}
/// @inheritdoc IMorphoLendingAdapterFactory
function computeAddress(address sender, bytes32 baseSalt) external view returns (address) {
return Clones.predictDeterministicAddress(address(lendingAdapterLogic), salt(sender, baseSalt), address(this));
}
/// @inheritdoc IMorphoLendingAdapterFactory
function deployAdapter(Id morphoMarketId, address authorizedCreator, bytes32 baseSalt)
public
returns (IMorphoLendingAdapter)
{
IMorphoLendingAdapter lendingAdapter =
IMorphoLendingAdapter(address(lendingAdapterLogic).cloneDeterministic(salt(msg.sender, baseSalt)));
emit MorphoLendingAdapterDeployed(lendingAdapter);
MorphoLendingAdapter(address(lendingAdapter)).initialize(morphoMarketId, authorizedCreator);
return lendingAdapter;
}
/// @notice Given the `sender` and `baseSalt`, return the salt that will be used for deployment.
/// @param sender The address of the sender of the `deployAdapter` call.
/// @param baseSalt The user-provided base salt.
function salt(address sender, bytes32 baseSalt) internal pure returns (bytes32) {
return keccak256(abi.encode(sender, baseSalt));
}
}
"
},
"lib/morpho-blue/src/interfaces/IMorpho.sol": {
"content": "// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.5.0;
type Id is bytes32;
struct MarketParams {
address loanToken;
address collateralToken;
address oracle;
address irm;
uint256 lltv;
}
/// @dev Warning: For `feeRecipient`, `supplyShares` does not contain the accrued shares since the last interest
/// accrual.
struct Position {
uint256 supplyShares;
uint128 borrowShares;
uint128 collateral;
}
/// @dev Warning: `totalSupplyAssets` does not contain the accrued interest since the last interest accrual.
/// @dev Warning: `totalBorrowAssets` does not contain the accrued interest since the last interest accrual.
/// @dev Warning: `totalSupplyShares` does not contain the additional shares accrued by `feeRecipient` since the last
/// interest accrual.
struct Market {
uint128 totalSupplyAssets;
uint128 totalSupplyShares;
uint128 totalBorrowAssets;
uint128 totalBorrowShares;
uint128 lastUpdate;
uint128 fee;
}
struct Authorization {
address authorizer;
address authorized;
bool isAuthorized;
uint256 nonce;
uint256 deadline;
}
struct Signature {
uint8 v;
bytes32 r;
bytes32 s;
}
/// @dev This interface is used for factorizing IMorphoStaticTyping and IMorpho.
/// @dev Consider using the IMorpho interface instead of this one.
interface IMorphoBase {
/// @notice The EIP-712 domain separator.
/// @dev Warning: Every EIP-712 signed message based on this domain separator can be reused on another chain sharing
/// the same chain id because the domain separator would be the same.
function DOMAIN_SEPARATOR() external view returns (bytes32);
/// @notice The owner of the contract.
/// @dev It has the power to change the owner.
/// @dev It has the power to set fees on markets and set the fee recipient.
/// @dev It has the power to enable but not disable IRMs and LLTVs.
function owner() external view returns (address);
/// @notice The fee recipient of all markets.
/// @dev The recipient receives the fees of a given market through a supply position on that market.
function feeRecipient() external view returns (address);
/// @notice Whether the `irm` is enabled.
function isIrmEnabled(address irm) external view returns (bool);
/// @notice Whether the `lltv` is enabled.
function isLltvEnabled(uint256 lltv) external view returns (bool);
/// @notice Whether `authorized` is authorized to modify `authorizer`'s position on all markets.
/// @dev Anyone is authorized to modify their own positions, regardless of this variable.
function isAuthorized(address authorizer, address authorized) external view returns (bool);
/// @notice The `authorizer`'s current nonce. Used to prevent replay attacks with EIP-712 signatures.
function nonce(address authorizer) external view returns (uint256);
/// @notice Sets `newOwner` as `owner` of the contract.
/// @dev Warning: No two-step transfer ownership.
/// @dev Warning: The owner can be set to the zero address.
function setOwner(address newOwner) external;
/// @notice Enables `irm` as a possible IRM for market creation.
/// @dev Warning: It is not possible to disable an IRM.
function enableIrm(address irm) external;
/// @notice Enables `lltv` as a possible LLTV for market creation.
/// @dev Warning: It is not possible to disable a LLTV.
function enableLltv(uint256 lltv) external;
/// @notice Sets the `newFee` for the given market `marketParams`.
/// @param newFee The new fee, scaled by WAD.
/// @dev Warning: The recipient can be the zero address.
function setFee(MarketParams memory marketParams, uint256 newFee) external;
/// @notice Sets `newFeeRecipient` as `feeRecipient` of the fee.
/// @dev Warning: If the fee recipient is set to the zero address, fees will accrue there and will be lost.
/// @dev Modifying the fee recipient will allow the new recipient to claim any pending fees not yet accrued. To
/// ensure that the current recipient receives all due fees, accrue interest manually prior to making any changes.
function setFeeRecipient(address newFeeRecipient) external;
/// @notice Creates the market `marketParams`.
/// @dev Here is the list of assumptions on the market's dependencies (tokens, IRM and oracle) that guarantees
/// Morpho behaves as expected:
/// - The token should be ERC-20 compliant, except that it can omit return values on `transfer` and `transferFrom`.
/// - The token balance of Morpho should only decrease on `transfer` and `transferFrom`. In particular, tokens with
/// burn functions are not supported.
/// - The token should not re-enter Morpho on `transfer` nor `transferFrom`.
/// - The token balance of the sender (resp. receiver) should decrease (resp. increase) by exactly the given amount
/// on `transfer` and `transferFrom`. In particular, tokens with fees on transfer are not supported.
/// - The IRM should not re-enter Morpho.
/// - The oracle should return a price with the correct scaling.
/// @dev Here is a list of properties on the market's dependencies that could break Morpho's liveness properties
/// (funds could get stuck):
/// - The token can revert on `transfer` and `transferFrom` for a reason other than an approval or balance issue.
/// - A very high amount of assets (~1e35) supplied or borrowed can make the computation of `toSharesUp` and
/// `toSharesDown` overflow.
/// - The IRM can revert on `borrowRate`.
/// - A very high borrow rate returned by the IRM can make the computation of `interest` in `_accrueInterest`
/// overflow.
/// - The oracle can revert on `price`. Note that this can be used to prevent `borrow`, `withdrawCollateral` and
/// `liquidate` from being used under certain market conditions.
/// - A very high price returned by the oracle can make the computation of `maxBorrow` in `_isHealthy` overflow, or
/// the computation of `assetsRepaid` in `liquidate` overflow.
/// @dev The borrow share price of a market with less than 1e4 assets borrowed can be decreased by manipulations, to
/// the point where `totalBorrowShares` is very large and borrowing overflows.
function createMarket(MarketParams memory marketParams) external;
/// @notice Supplies `assets` or `shares` on behalf of `onBehalf`, optionally calling back the caller's
/// `onMorphoSupply` function with the given `data`.
/// @dev Either `assets` or `shares` should be zero. Most use cases should rely on `assets` as an input so the
/// caller is guaranteed to have `assets` tokens pulled from their balance, but the possibility to mint a specific
/// amount of shares is given for full compatibility and precision.
/// @dev Supplying a large amount can revert for overflow.
/// @dev Supplying an amount of shares may lead to supply more or fewer assets than expected due to slippage.
/// Consider using the `assets` parameter to avoid this.
/// @param marketParams The market to supply assets to.
/// @param assets The amount of assets to supply.
/// @param shares The amount of shares to mint.
/// @param onBehalf The address that will own the increased supply position.
/// @param data Arbitrary data to pass to the `onMorphoSupply` callback. Pass empty data if not needed.
/// @return assetsSupplied The amount of assets supplied.
/// @return sharesSupplied The amount of shares minted.
function supply(
MarketParams memory marketParams,
uint256 assets,
uint256 shares,
address onBehalf,
bytes memory data
) external returns (uint256 assetsSupplied, uint256 sharesSupplied);
/// @notice Withdraws `assets` or `shares` on behalf of `onBehalf` and sends the assets to `receiver`.
/// @dev Either `assets` or `shares` should be zero. To withdraw max, pass the `shares`'s balance of `onBehalf`.
/// @dev `msg.sender` must be authorized to manage `onBehalf`'s positions.
/// @dev Withdrawing an amount corresponding to more shares than supplied will revert for underflow.
/// @dev It is advised to use the `shares` input when withdrawing the full position to avoid reverts due to
/// conversion roundings between shares and assets.
/// @param marketParams The market to withdraw assets from.
/// @param assets The amount of assets to withdraw.
/// @param shares The amount of shares to burn.
/// @param onBehalf The address of the owner of the supply position.
/// @param receiver The address that will receive the withdrawn assets.
/// @return assetsWithdrawn The amount of assets withdrawn.
/// @return sharesWithdrawn The amount of shares burned.
function withdraw(
MarketParams memory marketParams,
uint256 assets,
uint256 shares,
address onBehalf,
address receiver
) external returns (uint256 assetsWithdrawn, uint256 sharesWithdrawn);
/// @notice Borrows `assets` or `shares` on behalf of `onBehalf` and sends the assets to `receiver`.
/// @dev Either `assets` or `shares` should be zero. Most use cases should rely on `assets` as an input so the
/// caller is guaranteed to borrow `assets` of tokens, but the possibility to mint a specific amount of shares is
/// given for full compatibility and precision.
/// @dev `msg.sender` must be authorized to manage `onBehalf`'s positions.
/// @dev Borrowing a large amount can revert for overflow.
/// @dev Borrowing an amount of shares may lead to borrow fewer assets than expected due to slippage.
/// Consider using the `assets` parameter to avoid this.
/// @param marketParams The market to borrow assets from.
/// @param assets The amount of assets to borrow.
/// @param shares The amount of shares to mint.
/// @param onBehalf The address that will own the increased borrow position.
/// @param receiver The address that will receive the borrowed assets.
/// @return assetsBorrowed The amount of assets borrowed.
/// @return sharesBorrowed The amount of shares minted.
function borrow(
MarketParams memory marketParams,
uint256 assets,
uint256 shares,
address onBehalf,
address receiver
) external returns (uint256 assetsBorrowed, uint256 sharesBorrowed);
/// @notice Repays `assets` or `shares` on behalf of `onBehalf`, optionally calling back the caller's
/// `onMorphoReplay` function with the given `data`.
/// @dev Either `assets` or `shares` should be zero. To repay max, pass the `shares`'s balance of `onBehalf`.
/// @dev Repaying an amount corresponding to more shares than borrowed will revert for underflow.
/// @dev It is advised to use the `shares` input when repaying the full position to avoid reverts due to conversion
/// roundings between shares and assets.
/// @dev An attacker can front-run a repay with a small repay making the transaction revert for underflow.
/// @param marketParams The market to repay assets to.
/// @param assets The amount of assets to repay.
/// @param shares The amount of shares to burn.
/// @param onBehalf The address of the owner of the debt position.
/// @param data Arbitrary data to pass to the `onMorphoRepay` callback. Pass empty data if not needed.
/// @return assetsRepaid The amount of assets repaid.
/// @return sharesRepaid The amount of shares burned.
function repay(
MarketParams memory marketParams,
uint256 assets,
uint256 shares,
address onBehalf,
bytes memory data
) external returns (uint256 assetsRepaid, uint256 sharesRepaid);
/// @notice Supplies `assets` of collateral on behalf of `onBehalf`, optionally calling back the caller's
/// `onMorphoSupplyCollateral` function with the given `data`.
/// @dev Interest are not accrued since it's not required and it saves gas.
/// @dev Supplying a large amount can revert for overflow.
/// @param marketParams The market to supply collateral to.
/// @param assets The amount of collateral to supply.
/// @param onBehalf The address that will own the increased collateral position.
/// @param data Arbitrary data to pass to the `onMorphoSupplyCollateral` callback. Pass empty data if not needed.
function supplyCollateral(MarketParams memory marketParams, uint256 assets, address onBehalf, bytes memory data)
external;
/// @notice Withdraws `assets` of collateral on behalf of `onBehalf` and sends the assets to `receiver`.
/// @dev `msg.sender` must be authorized to manage `onBehalf`'s positions.
/// @dev Withdrawing an amount corresponding to more collateral than supplied will revert for underflow.
/// @param marketParams The market to withdraw collateral from.
/// @param assets The amount of collateral to withdraw.
/// @param onBehalf The address of the owner of the collateral position.
/// @param receiver The address that will receive the collateral assets.
function withdrawCollateral(MarketParams memory marketParams, uint256 assets, address onBehalf, address receiver)
external;
/// @notice Liquidates the given `repaidShares` of debt asset or seize the given `seizedAssets` of collateral on the
/// given market `marketParams` of the given `borrower`'s position, optionally calling back the caller's
/// `onMorphoLiquidate` function with the given `data`.
/// @dev Either `seizedAssets` or `repaidShares` should be zero.
/// @dev Seizing more than the collateral balance will underflow and revert without any error message.
/// @dev Repaying more than the borrow balance will underflow and revert without any error message.
/// @dev An attacker can front-run a liquidation with a small repay making the transaction revert for underflow.
/// @param marketParams The market of the position.
/// @param borrower The owner of the position.
/// @param seizedAssets The amount of collateral to seize.
/// @param repaidShares The amount of shares to repay.
/// @param data Arbitrary data to pass to the `onMorphoLiquidate` callback. Pass empty data if not needed.
/// @return The amount of assets seized.
/// @return The amount of assets repaid.
function liquidate(
MarketParams memory marketParams,
address borrower,
uint256 seizedAssets,
uint256 repaidShares,
bytes memory data
) external returns (uint256, uint256);
/// @notice Executes a flash loan.
/// @dev Flash loans have access to the whole balance of the contract (the liquidity and deposited collateral of all
/// markets combined, plus donations).
/// @dev Warning: Not ERC-3156 compliant but compatibility is easily reached:
/// - `flashFee` is zero.
/// - `maxFlashLoan` is the token's balance of this contract.
/// - The receiver of `assets` is the caller.
/// @param token The token to flash loan.
/// @param assets The amount of assets to flash loan.
/// @param data Arbitrary data to pass to the `onMorphoFlashLoan` callback.
function flashLoan(address token, uint256 assets, bytes calldata data) external;
/// @notice Sets the authorization for `authorized` to manage `msg.sender`'s positions.
/// @param authorized The authorized address.
/// @param newIsAuthorized The new authorization status.
function setAuthorization(address authorized, bool newIsAuthorized) external;
/// @notice Sets the authorization for `authorization.authorized` to manage `authorization.authorizer`'s positions.
/// @dev Warning: Reverts if the signature has already been submitted.
/// @dev The signature is malleable, but it has no impact on the security here.
/// @dev The nonce is passed as argument to be able to revert with a different error message.
/// @param authorization The `Authorization` struct.
/// @param signature The signature.
function setAuthorizationWithSig(Authorization calldata authorization, Signature calldata signature) external;
/// @notice Accrues interest for the given market `marketParams`.
function accrueInterest(MarketParams memory marketParams) external;
/// @notice Returns the data stored on the different `slots`.
function extSloads(bytes32[] memory slots) external view returns (bytes32[] memory);
}
/// @dev This interface is inherited by Morpho so that function signatures are checked by the compiler.
/// @dev Consider using the IMorpho interface instead of this one.
interface IMorphoStaticTyping is IMorphoBase {
/// @notice The state of the position of `user` on the market corresponding to `id`.
/// @dev Warning: For `feeRecipient`, `supplyShares` does not contain the accrued shares since the last interest
/// accrual.
function position(Id id, address user)
external
view
returns (uint256 supplyShares, uint128 borrowShares, uint128 collateral);
/// @notice The state of the market corresponding to `id`.
/// @dev Warning: `totalSupplyAssets` does not contain the accrued interest since the last interest accrual.
/// @dev Warning: `totalBorrowAssets` does not contain the accrued interest since the last interest accrual.
/// @dev Warning: `totalSupplyShares` does not contain the accrued shares by `feeRecipient` since the last interest
/// accrual.
function market(Id id)
external
view
returns (
uint128 totalSupplyAssets,
uint128 totalSupplyShares,
uint128 totalBorrowAssets,
uint128 totalBorrowShares,
uint128 lastUpdate,
uint128 fee
);
/// @notice The market params corresponding to `id`.
/// @dev This mapping is not used in Morpho. It is there to enable reducing the cost associated to calldata on layer
/// 2s by creating a wrapper contract with functions that take `id` as input instead of `marketParams`.
function idToMarketParams(Id id)
external
view
returns (address loanToken, address collateralToken, address oracle, address irm, uint256 lltv);
}
/// @title IMorpho
/// @author Morpho Labs
/// @custom:contact security@morpho.org
/// @dev Use this interface for Morpho to have access to all the functions with the appropriate function signatures.
interface IMorpho is IMorphoBase {
/// @notice The state of the position of `user` on the market corresponding to `id`.
/// @dev Warning: For `feeRecipient`, `p.supplyShares` does not contain the accrued shares since the last interest
/// accrual.
function position(Id id, address user) external view returns (Position memory p);
/// @notice The state of the market corresponding to `id`.
/// @dev Warning: `m.totalSupplyAssets` does not contain the accrued interest since the last interest accrual.
/// @dev Warning: `m.totalBorrowAssets` does not contain the accrued interest since the last interest accrual.
/// @dev Warning: `m.totalSupplyShares` does not contain the accrued shares by `feeRecipient` since the last
/// interest accrual.
function market(Id id) external view returns (Market memory m);
/// @notice The market params corresponding to `id`.
/// @dev This mapping is not used in Morpho. It is there to enable reducing the cost associated to calldata on layer
/// 2s by creating a wrapper contract with functions that take `id` as input instead of `marketParams`.
function idToMarketParams(Id id) external view returns (MarketParams memory);
}
"
},
"lib/openzeppelin-contracts-upgradeable/lib/openzeppelin-contracts/contracts/proxy/Clones.sol": {
"content": "// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.1.0) (proxy/Clones.sol)
pragma solidity ^0.8.20;
import {Errors} from "../utils/Errors.sol";
/**
* @dev https://eips.ethereum.org/EIPS/eip-1167[ERC-1167] is a standard for
* deploying minimal proxy contracts, also known as "clones".
*
* > To simply and cheaply clone contract functionality in an immutable way, this standard specifies
* > a minimal bytecode implementation that delegates all calls to a known, fixed address.
*
* The library includes functions to deploy a proxy using either `create` (traditional deployment) or `create2`
* (salted deterministic deployment). It also includes functions to predict the addresses of clones deployed using the
* deterministic method.
*/
library Clones {
/**
* @dev Deploys and returns the address of a clone that mimics the behaviour of `implementation`.
*
* This function uses the create opcode, which should never revert.
*/
function clone(address implementation) internal returns (address instance) {
return clone(implementation, 0);
}
/**
* @dev Same as {xref-Clones-clone-address-}[clone], but with a `value` parameter to send native currency
* to the new contract.
*
* NOTE: Using a non-zero value at creation will require the contract using this function (e.g. a factory)
* to always have enough balance for new deployments. Consider exposing this function under a payable method.
*/
function clone(address implementation, uint256 value) internal returns (address instance) {
if (address(this).balance < value) {
revert Errors.InsufficientBalance(address(this).balance, value);
}
assembly ("memory-safe") {
// Cleans the upper 96 bits of the `implementation` word, then packs the first 3 bytes
// of the `implementation` address with the bytecode before the address.
mstore(0x00, or(shr(0xe8, shl(0x60, implementation)), 0x3d602d80600a3d3981f3363d3d373d3d3d363d73000000))
// Packs the remaining 17 bytes of `implementation` with the bytecode after the address.
mstore(0x20, or(shl(0x78, implementation), 0x5af43d82803e903d91602b57fd5bf3))
instance := create(value, 0x09, 0x37)
}
if (instance == address(0)) {
revert Errors.FailedDeployment();
}
}
/**
* @dev Deploys and returns the address of a clone that mimics the behaviour of `implementation`.
*
* This function uses the create2 opcode and a `salt` to deterministically deploy
* the clone. Using the same `implementation` and `salt` multiple time will revert, since
* the clones cannot be deployed twice at the same address.
*/
function cloneDeterministic(address implementation, bytes32 salt) internal returns (address instance) {
return cloneDeterministic(implementation, salt, 0);
}
/**
* @dev Same as {xref-Clones-cloneDeterministic-address-bytes32-}[cloneDeterministic], but with
* a `value` parameter to send native currency to the new contract.
*
* NOTE: Using a non-zero value at creation will require the contract using this function (e.g. a factory)
* to always have enough balance for new deployments. Consider exposing this function under a payable method.
*/
function cloneDeterministic(
address implementation,
bytes32 salt,
uint256 value
) internal returns (address instance) {
if (address(this).balance < value) {
revert Errors.InsufficientBalance(address(this).balance, value);
}
assembly ("memory-safe") {
// Cleans the upper 96 bits of the `implementation` word, then packs the first 3 bytes
// of the `implementation` address with the bytecode before the address.
mstore(0x00, or(shr(0xe8, shl(0x60, implementation)), 0x3d602d80600a3d3981f3363d3d373d3d3d363d73000000))
// Packs the remaining 17 bytes of `implementation` with the bytecode after the address.
mstore(0x20, or(shl(0x78, implementation), 0x5af43d82803e903d91602b57fd5bf3))
instance := create2(value, 0x09, 0x37, salt)
}
if (instance == address(0)) {
revert Errors.FailedDeployment();
}
}
/**
* @dev Computes the address of a clone deployed using {Clones-cloneDeterministic}.
*/
function predictDeterministicAddress(
address implementation,
bytes32 salt,
address deployer
) internal pure returns (address predicted) {
assembly ("memory-safe") {
let ptr := mload(0x40)
mstore(add(ptr, 0x38), deployer)
mstore(add(ptr, 0x24), 0x5af43d82803e903d91602b57fd5bf3ff)
mstore(add(ptr, 0x14), implementation)
mstore(ptr, 0x3d602d80600a3d3981f3363d3d373d3d3d363d73)
mstore(add(ptr, 0x58), salt)
mstore(add(ptr, 0x78), keccak256(add(ptr, 0x0c), 0x37))
predicted := and(keccak256(add(ptr, 0x43), 0x55), 0xffffffffffffffffffffffffffffffffffffffff)
}
}
/**
* @dev Computes the address of a clone deployed using {Clones-cloneDeterministic}.
*/
function predictDeterministicAddress(
address implementation,
bytes32 salt
) internal view returns (address predicted) {
return predictDeterministicAddress(implementation, salt, address(this));
}
}
"
},
"src/interfaces/IMorphoLendingAdapter.sol": {
"content": "// SPDX-License-Identifier: MIT
pragma solidity ^0.8.26;
// Dependency imports
import {Id, IMorpho, MarketParams} from "@morpho-blue/interfaces/IMorpho.sol";
// Internal imports
import {IPreLiquidationLendingAdapter} from "./IPreLiquidationLendingAdapter.sol";
import {ILeverageManager} from "./ILeverageManager.sol";
interface IMorphoLendingAdapter is IPreLiquidationLendingAdapter {
/// @notice Event emitted when the MorphoLendingAdapter is initialized
/// @param morphoMarketId The ID of the Morpho market that the MorphoLendingAdapter manages a position in
/// @param marketParams The market parameters of the Morpho market
/// @param authorizedCreator The authorized creator of the MorphoLendingAdapter, allowed to create LeverageTokens using this adapter
event MorphoLendingAdapterInitialized(
Id indexed morphoMarketId, MarketParams marketParams, address indexed authorizedCreator
);
/// @notice Event emitted when the MorphoLendingAdapter is flagged as used
event MorphoLendingAdapterUsed();
/// @notice Thrown when someone tries to create a LeverageToken with this MorphoLendingAdapter but it is already in use
error LendingAdapterAlreadyInUse();
/// @notice The authorized creator of the MorphoLendingAdapter
/// @return _authorizedCreator The authorized creator of the MorphoLendingAdapter
/// @dev Only the authorized creator can create a new LeverageToken using this adapter on the LeverageManager
function authorizedCreator() external view returns (address _authorizedCreator);
/// @notice Whether the MorphoLendingAdapter is in use
/// @return _isUsed Whether the MorphoLendingAdapter is in use
/// @dev If this is true, the MorphoLendingAdapter cannot be used to create a new LeverageToken
function isUsed() external view returns (bool _isUsed);
/// @notice The LeverageManager contract
/// @return _leverageManager The LeverageManager contract
function leverageManager() external view returns (ILeverageManager _leverageManager);
/// @notice The ID of the Morpho market that the MorphoLendingAdapter manages a position in
/// @return _morphoMarketId The ID of the Morpho market that the MorphoLendingAdapter manages a position in
function morphoMarketId() external view returns (Id _morphoMarketId);
/// @notice The market parameters of the Morpho lending pool
/// @return loanToken The loan token of the Morpho lending pool
/// @return collateralToken The collateral token of the Morpho lending pool
/// @return oracle The oracle of the Morpho lending pool
/// @return irm The IRM of the Morpho lending pool
/// @return lltv The LLTV of the Morpho lending pool
function marketParams()
external
view
returns (address loanToken, address collateralToken, address oracle, address irm, uint256 lltv);
/// @notice The Morpho core protocol contract
/// @return _morpho The Morpho core protocol contract
function morpho() external view returns (IMorpho _morpho);
}
"
},
"src/interfaces/IMorphoLendingAdapterFactory.sol": {
"content": "// SPDX-License-Identifier: UNLICENSED
pragma solidity ^0.8.26;
// Dependency imports
import {Id} from "@morpho-blue/interfaces/IMorpho.sol";
// Internal imports
import {IMorphoLendingAdapter} from "src/interfaces/IMorphoLendingAdapter.sol";
interface IMorphoLendingAdapterFactory {
/// @notice Emitted when a new MorphoLendingAdapter is deployed.
/// @param lendingAdapter The deployed MorphoLendingAdapter
event MorphoLendingAdapterDeployed(IMorphoLendingAdapter lendingAdapter);
/// @notice Given the `sender` and `baseSalt` compute and return the address that MorphoLendingAdapter will be deployed to
/// using the `IMorphoLendingAdapterFactory.deployAdapter` function.
/// @param sender The address of the sender of the `IMorphoLendingAdapterFactory.deployAdapter` call.
/// @param baseSalt The user-provided salt.
/// @dev MorphoLendingAdapter addresses are uniquely determined by their salt because the deployer is always the factory,
/// and the use of minimal proxies means they all have identical bytecode and therefore an identical bytecode hash.
/// @dev The `baseSalt` is the user-provided salt, not the final salt after hashing with the sender's address.
function computeAddress(address sender, bytes32 baseSalt) external view returns (address);
/// @notice Returns the address of the MorphoLendingAdapter logic contract used to deploy minimal proxies.
function lendingAdapterLogic() external view returns (IMorphoLendingAdapter);
/// @notice Deploys a new MorphoLendingAdapter contract with the specified configuration.
/// @param morphoMarketId The Morpho market ID
/// @param authorizedCreator The authorized creator of the deployed MorphoLendingAdapter. The authorized creator can create a
/// new LeverageToken using this adapter on the LeverageManager
/// @param baseSalt Used to compute the resulting address of the MorphoLendingAdapter.
/// @dev MorphoLendingAdapters deployed by this factory are minimal proxies.
function deployAdapter(Id morphoMarketId, address authorizedCreator, bytes32 baseSalt)
external
returns (IMorphoLendingAdapter lendingAdapter);
}
"
},
"src/lending/MorphoLendingAdapter.sol": {
"content": "// SPDX-License-Identifier: MIT
pragma solidity ^0.8.26;
// Dependency imports
import {Id, IMorpho, MarketParams, Market, Position} from "@morpho-blue/interfaces/IMorpho.sol";
import {MAX_LIQUIDATION_INCENTIVE_FACTOR, LIQUIDATION_CURSOR} from "@morpho-blue/libraries/ConstantsLib.sol";
import {MathLib as MorphoMathLib} from "@morpho-blue/libraries/MathLib.sol";
import {UtilsLib as MorphoUtilsLib} from "@morpho-blue/libraries/UtilsLib.sol";
import {SharesMathLib} from "@morpho-blue/libraries/SharesMathLib.sol";
import {IOracle} from "@morpho-blue/interfaces/IOracle.sol";
import {ORACLE_PRICE_SCALE} from "@morpho-blue/libraries/ConstantsLib.sol";
import {MorphoBalancesLib} from "@morpho-blue/libraries/periphery/MorphoBalancesLib.sol";
import {MorphoLib} from "@morpho-blue/libraries/periphery/MorphoLib.sol";
import {Math} from "@openzeppelin/contracts/utils/math/Math.sol";
import {IERC20} from "@openzeppelin/contracts/token/ERC20/IERC20.sol";
import {Initializable} from "@openzeppelin/contracts-upgradeable/proxy/utils/Initializable.sol";
import {SafeERC20} from "@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol";
// Internal imports
import {ILendingAdapter} from "src/interfaces/ILendingAdapter.sol";
import {ILeverageManager} from "src/interfaces/ILeverageManager.sol";
import {IMorphoLendingAdapter} from "src/interfaces/IMorphoLendingAdapter.sol";
import {IPreLiquidationLendingAdapter} from "src/interfaces/IPreLiquidationLendingAdapter.sol";
/**
* @dev The MorphoLendingAdapter is an adapter to interface with Morpho markets. LeverageToken creators can configure their LeverageToken
* to use a MorphoLendingAdapter to use Morpho as the lending protocol for their LeverageToken.
*
* The MorphoLendingAdapter uses the underlying oracle of the Morpho market to convert between the collateral and debt asset. It also
* uses Morpho's libraries to calculate the collateral and debt held by the adapter, including any accrued interest.
*
* Note: `getDebt` uses `MorphoBalancesLib.expectedBorrowAssets` which calculates the total debt of the adapter based on the Morpho
* market's borrow shares owned by the adapter. This logic rounds up, so it is possible that `getDebt` returns a value that is
* greater than the actual debt owed to the Morpho market.
*
* @custom:contact security@seamlessprotocol.com
*/
contract MorphoLendingAdapter is IMorphoLendingAdapter, Initializable {
uint256 internal constant WAD = 1e18;
/// @inheritdoc IMorphoLendingAdapter
ILeverageManager public immutable leverageManager;
/// @inheritdoc IMorphoLendingAdapter
IMorpho public immutable morpho;
/// @inheritdoc IMorphoLendingAdapter
Id public morphoMarketId;
/// @inheritdoc IMorphoLendingAdapter
MarketParams public marketParams;
/// @inheritdoc IMorphoLendingAdapter
address public authorizedCreator;
/// @inheritdoc IMorphoLendingAdapter
bool public isUsed;
/// @dev Reverts if the caller is not the stored LeverageManager address
modifier onlyLeverageManager() {
if (msg.sender != address(leverageManager)) revert Unauthorized();
_;
}
/// @notice Creates a new MorphoLendingAdapter
/// @param _leverageManager The LeverageManager contract
/// @param _morpho The Morpho core protocol contract
constructor(ILeverageManager _leverageManager, IMorpho _morpho) {
leverageManager = _leverageManager;
morpho = _morpho;
}
/// @notice Initializes the MorphoLendingAdapter
/// @param _morphoMarketId The Morpho market ID
/// @param _authorizedCreator The authorized creator of this MorphoLendingAdapter. The authorized creator can create a
/// new LeverageToken using this adapter on the LeverageManager
function initialize(Id _morphoMarketId, address _authorizedCreator) external initializer {
morphoMarketId = _morphoMarketId;
marketParams = morpho.idToMarketParams(_morphoMarketId);
// slither-disable-next-line missing-zero-check
authorizedCreator = _authorizedCreator;
emit MorphoLendingAdapterInitialized(_morphoMarketId, marketParams, _authorizedCreator);
}
/// @inheritdoc ILendingAdapter
function postLeverageTokenCreation(address creator, address) external onlyLeverageManager {
if (creator != authorizedCreator) revert Unauthorized();
if (isUsed) revert LendingAdapterAlreadyInUse();
isUsed = true;
emit MorphoLendingAdapterUsed();
}
/// @inheritdoc ILendingAdapter
function getCollateralAsset() external view returns (IERC20) {
return IERC20(marketParams.collateralToken);
}
/// @inheritdoc ILendingAdapter
function getDebtAsset() external view returns (IERC20) {
return IERC20(marketParams.loanToken);
}
/// @inheritdoc ILendingAdapter
function convertCollateralToDebtAsset(uint256 collateral) public view returns (uint256) {
// Morpho oracles return the price of 1 asset of collateral token quoted in 1 asset of loan token, scaled by ORACLE_PRICE_SCALE.
// More specifically, the price is quoted in `ORACLE_PRICE_SCALE + loan token decimals - collateral token decimals` decimals of precision.
uint256 collateralAssetPriceInDebtAsset = IOracle(marketParams.oracle).price();
// The result is scaled down by ORACLE_PRICE_SCALE to accommodate the oracle's decimals of precision
return Math.mulDiv(collateral, collateralAssetPriceInDebtAsset, ORACLE_PRICE_SCALE, Math.Rounding.Floor);
}
/// @inheritdoc ILendingAdapter
function convertDebtToCollateralAsset(uint256 debt) public view returns (uint256) {
// Morpho oracles return the price of 1 asset of collateral token quoted in 1 asset of loan token, scaled by ORACLE_PRICE_SCALE.
// More specifically, the price is quoted in `ORACLE_PRICE_SCALE + loan token decimals - collateral token decimals` decimals of precision.
uint256 collateralAssetPriceInDebtAsset = IOracle(marketParams.oracle).price();
// The result is scaled up by ORACLE_PRICE_SCALE to accommodate the oracle's decimals of precision
return Math.mulDiv(debt, ORACLE_PRICE_SCALE, collateralAssetPriceInDebtAsset, Math.Rounding.Ceil);
}
/// @inheritdoc ILendingAdapter
function getCollateral() public view returns (uint256) {
return MorphoLib.collateral(morpho, morphoMarketId, address(this));
}
/// @inheritdoc ILendingAdapter
function getCollateralInDebtAsset() public view returns (uint256) {
return convertCollateralToDebtAsset(getCollateral());
}
/// @inheritdoc ILendingAdapter
function getDebt() public view returns (uint256) {
return MorphoBalancesLib.expectedBorrowAssets(morpho, marketParams, address(this));
}
/// @inheritdoc ILendingAdapter
function getEquityInCollateralAsset() external view returns (uint256) {
uint256 collateral = getCollateral();
uint256 debtInCollateralAsset = convertDebtToCollateralAsset(getDebt());
return collateral > debtInCollateralAsset ? collateral - debtInCollateralAsset : 0;
}
/// @inheritdoc ILendingAdapter
function getEquityInDebtAsset() external view returns (uint256) {
uint256 collateralInDebtAsset = getCollateralInDebtAsset();
uint256 debt = getDebt();
return collateralInDebtAsset > debt ? collateralInDebtAsset - debt : 0;
}
/// @inheritdoc IPreLiquidationLendingAdapter
function getLiquidationPenalty() external view returns (uint256) {
uint256 liquidationIncentiveFactor = MorphoUtilsLib.min(
MAX_LIQUIDATION_INCENTIVE_FACTOR,
MorphoMathLib.wDivDown(WAD, WAD - MorphoMathLib.wMulDown(LIQUIDATION_CURSOR, WAD - marketParams.lltv))
);
return liquidationIncentiveFactor - WAD;
}
/// @inheritdoc ILendingAdapter
function addCollateral(uint256 amount) external {
if (amount == 0) return;
MarketParams memory _marketParams = marketParams;
// Transfer the collateral from msg.sender to this contract
SafeERC20.safeTransferFrom(IERC20(_marketParams.collateralToken), msg.sender, address(this), amount);
// Supply the collateral to the Morpho market
SafeERC20.forceApprove(IERC20(_marketParams.collateralToken), address(morpho), amount);
morpho.supplyCollateral(_marketParams, amount, address(this), hex"");
}
/// @inheritdoc ILendingAdapter
function removeCollateral(uint256 amount) external onlyLeverageManager {
if (amount == 0) return;
// Withdraw the collateral from the Morpho market and send it to msg.sender
morpho.withdrawCollateral(marketParams, amount, address(this), msg.sender);
}
/// @inheritdoc ILendingAdapter
function borrow(uint256 amount) external onlyLeverageManager {
if (amount == 0) return;
// Borrow the debt asset from the Morpho market and send it to the caller
// slither-disable-next-line unused-return
morpho.borrow(marketParams, amount, 0, address(this), msg.sender);
}
/// @inheritdoc ILendingAdapter
function repay(uint256 amount) external {
if (amount == 0) return;
MarketParams memory _marketParams = marketParams;
// Transfer the debt asset from msg.sender to this contract
SafeERC20.safeTransferFrom(IERC20(_marketParams.loanToken), msg.sender, address(this), amount);
// Accrue interest before repaying to make sure interest is included in calculation
morpho.accrueInterest(marketParams);
// Fetch total borrow assets and total borrow shares. This data is updated because we accrued interest in previous step
Market memory market = morpho.market(morphoMarketId);
uint256 totalBorrowAssets = market.totalBorrowAssets;
uint256 totalBorrowShares = market.totalBorrowShares;
// Fetch how much borrow shares do we owe
Position memory position = morpho.position(morphoMarketId, address(this));
uint256 maxSharesToRepay = position.borrowShares;
uint256 maxAssetsToRepay = SharesMathLib.toAssetsUp(maxSharesToRepay, totalBorrowAssets, totalBorrowShares);
SafeERC20.forceApprove(IERC20(_marketParams.loanToken), address(morpho), amount);
// Repay all shares if we are trying to repay more assets than we owe
if (amount >= maxAssetsToRepay) {
// slither-disable-next-line unused-return
morpho.repay(_marketParams, 0, maxSharesToRepay, address(this), hex"");
} else {
// slither-disable-next-line unused-return
morpho.repay(_marketParams, amount, 0, address(this), hex"");
}
}
}
"
},
"lib/openzeppelin-contracts-upgradeable/lib/openzeppelin-contracts/contracts/utils/Errors.sol": {
"content": "// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.1.0) (utils/Errors.sol)
pragma solidity ^0.8.20;
/**
* @dev Collection of common custom errors used in multiple contracts
*
* IMPORTANT: Backwards compatibility is not guaranteed in future versions of the library.
* It is recommended to avoid relying on the error API for critical functionality.
*
* _Available since v5.1._
*/
library Errors {
/**
* @dev The ETH balance of the account is not enough to perform the operation.
*/
error InsufficientBalance(uint256 balance, uint256 needed);
/**
* @dev A call to an address target failed. The target may have reverted.
*/
error FailedCall();
/**
* @dev The deployment failed.
*/
error FailedDeployment();
/**
* @dev A necessary precompile is missing.
*/
error MissingPrecompile(address);
}
"
},
"src/interfaces/IPreLiquidationLendingAdapter.sol": {
"content": "// SPDX-License-Identifier: MIT
pragma solidity ^0.8.26;
import {ILendingAdapter} from "./ILendingAdapter.sol";
interface IPreLiquidationLendingAdapter is ILendingAdapter {
/// @notice Returns the liquidation penalty of the position held by the lending adapter
/// @return liquidationPenalty Liquidation penalty of the position held by the lending adapter, scaled by 1e18
/// @dev 1e18 means that the liquidation penalty is 100%
function getLiquidationPenalty() external view returns (uint256 liquidationPenalty);
}
"
},
"src/interfaces/ILeverageManager.sol": {
"content": "// SPDX-License-Identifier: MIT
pragma solidity ^0.8.26;
// Dependency imports
import {IERC20} from "@openzeppelin/contracts/token/ERC20/IERC20.sol";
import {Math} from "@openzeppelin/contracts/utils/math/Math.sol";
// Internal imports
import {IFeeManager} from "./IFeeManager.sol";
import {IRebalanceAdapterBase} from "./IRebalanceAdapterBase.sol";
import {ILeverageToken} from "./ILeverageToken.sol";
import {IBeaconProxyFactory} from "./IBeaconProxyFactory.sol";
import {ILendingAdapter} from "./ILendingAdapter.sol";
import {ActionData, LeverageTokenState, RebalanceAction, LeverageTokenConfig} from "src/types/DataTypes.sol";
interface ILeverageManager is IFeeManager {
/// @notice Error thrown when someone tries to set zero address for collateral or debt asset when creating a LeverageToken
error InvalidLeverageTokenAssets();
/// @notice Error thrown when collateral ratios are invalid for an action
error InvalidCollateralRatios();
/// @notice Error thrown when slippage is too high during mint/redeem
/// @param actual The actual amount of tokens received
/// @param expected The expected amount of tokens to receive
error SlippageTooHigh(uint256 actual, uint256 expected);
/// @notice Error thrown when caller is not authorized to rebalance
/// @param token The LeverageToken to rebalance
/// @param caller The caller of the rebalance function
error NotRebalancer(ILeverageToken token, address caller);
/// @notice Error thrown when a LeverageToken's initial collateral ratio is invalid (must be greater than the base ratio)
/// @param initialCollateralRatio The initial collateral ratio that is invalid
error InvalidLeverageTokenInitialCollateralRatio(uint256 initialCollateralRatio);
/// @notice Error thrown when a LeverageToken's state after rebalance is invalid
/// @param token The LeverageToken that has invalid state after rebalance
error InvalidLeverageTokenStateAfterRebalance(ILeverageToken token);
/// @notice Event emitted when the LeverageManager is initialized
/// @param leverageTokenFactory The factory for creating new LeverageTokens
event LeverageManagerInitialized(IBeaconProxyFactory leverageTokenFactory);
/// @notice Error thrown when attempting to rebalance a LeverageToken that is not eligible for rebalance
error LeverageTokenNotEligibleForRebalance();
/// @notice Event emitted when a new LeverageToken is created
/// @param token The new LeverageToken
/// @param collateralAsset The collateral asset of the LeverageToken
/// @param debtAsset The debt asset of the LeverageToken
/// @param config The config of the LeverageToken
event LeverageTokenCreated(
ILeverageToken indexed token, IERC20 collateralAsset, IERC20 debtAsset, LeverageTokenConfig config
);
/// @notice Event emitted when a user mints LeverageToken shares
/// @param token The LeverageToken
/// @param sender The sender of the mint
/// @param actionData The action data of the mint
event Mint(ILeverageToken indexed token, address indexed sender, ActionData actionData);
/// @notice Event emitted when a user rebalances a LeverageToken
/// @param token The LeverageToken
/// @param sender The sender of the rebalance
/// @param stateBefore The state of the LeverageToken before the rebalance
/// @param stateAfter The state of the LeverageToken after the rebalance
/// @param actions The actions that were taken
event Rebalance(
ILeverageToken indexed token,
address indexed sender,
LeverageTokenState stateBefore,
LeverageTokenState stateAfter,
RebalanceAction[] actions
);
/// @notice Event emitted when a user redeems LeverageToken shares
/// @param token The LeverageToken
/// @param sender The sender of the redeem
/// @param actionData The action data of the redeem
event Redeem(ILeverageToken indexed token, address indexed sender, ActionData actionData);
/// @notice Returns the base collateral ratio
/// @return baseRatio Base collateral ratio
function BASE_RATIO() external view returns (uint256);
/// @notice Converts an amount of collateral to an amount of debt for a LeverageToken, based on the current
/// collateral ratio of the LeverageToken
/// @param token LeverageToken to convert collateral to debt for
/// @param collateral Amount of collateral to convert to debt
/// @param rounding Rounding mode to use for the conversion
/// @return debt Amount of debt that correspond to the collateral
/// @dev For deposits/mints, Math.Rounding.Floor should be used. For withdraws/redeems, Math.Rounding.Ceil should be used.
function convertCollateralToDebt(ILeverageToken token, uint256 collateral, Math.Rounding rounding)
external
view
returns (uint256 debt);
/// @notice Converts an amount of collateral to an amount of shares for a LeverageToken, based on the current
/// collateral ratio of the LeverageToken
/// @param token LeverageToken to convert collateral to shares for
/// @param collateral Amount of collateral to convert to shares
/// @param rounding Rounding mode to use for the conversion
/// @return shares Amount of shares that correspond to the collateral
/// @dev For deposits/mints, Math.Rounding.Floor should be used. For withdraws/redeems, Math.Rounding.Ceil should be used.
function convertCollateralToShares(ILeverageToken token, uint256 collateral, Math.Rounding rounding)
external
view
returns (uint256 shares);
/// @notice Converts an amount of debt to an amount of collateral for a LeverageToken, based on the current
/// collateral ratio of the LeverageToken
/// @param token LeverageToken to convert debt to collateral for
/// @param debt Amount of debt to convert to collateral
/// @param rounding Rounding mode to use for the conversion
/// @return collateral Amount of collateral that correspond to the debt amount
/// @dev For deposits/mints, Math.Rounding.Ceil should be used. For withdraws/redeems, Math.Rounding.Floor should be used.
function convertDebtToCollateral(ILeverageToken token, uint256 debt, Math.Rounding rounding)
external
view
returns (uint256 collateral);
/// @notice Converts an amount of shares to an amount of collateral for a LeverageToken, based on the current
/// collateral ratio of the LeverageToken
/// @param token LeverageToken to convert shares to collateral for
/// @param shares Amount of shares to convert to collateral
/// @param rounding Rounding mode to use for the conversion
/// @return collateral Amount of collateral that correspond to the shares
/// @dev For deposits/mints, Math.Rounding.Ceil should be used. For withdraws/redeems, Math.Rounding.Floor should be used.
function convertSharesToCollateral(ILeverageToken token, uint256 shares, Math.Rounding rounding)
external
view
returns (uint256 collateral);
/// @notice Converts an amount of shares to an amount of debt for a LeverageToken, based on the current
/// collateral ratio of the LeverageToken
/// @param token LeverageToken to convert shares to debt for
/// @param shares Amount of shares to convert to debt
/// @param rounding Rounding mode to use for the conversion
/// @return debt Amount of debt that correspond to the shares
/// @dev For deposits/mints, Math.Rounding.Floor should be used. For withdraws/redeems, Math.Rounding.Ceil should be used.
function convertSharesToDebt(ILeverageToken token, uint256 shares, Math.Rounding rounding)
external
view
returns (uint256 debt);
/// @notice Converts an amount of shares to an amount of equity in collateral asset for a LeverageToken, based on the
/// price oracle used by the underlying lending adapter and state of the LeverageToken
/// @param token LeverageToken to convert shares to equity in collateral asset for
/// @param shares Amount of shares to convert to equity in collateral asset
/// @return equityInCollateralAsset Amount of equity in collateral asset that correspond to the shares
function convertToAssets(ILeverageToken token, uint256 shares)
external
view
returns (uint256 equityInCollateralAsset);
/// @notice Converts an amount of equity in collateral asset to an amount of shares for a LeverageToken, based on the
/// price oracle used by the underlying lending adapter and state of the LeverageToken
/// @param token LeverageToken to convert equity in collateral asset to shares for
/// @param equityInCollateralAsset Amount of equity in collateral asset to convert to shares
/// @return shares Amount of shares that correspond to the equity in collateral asset
function convertToShares(ILeverageToken token, uint256 equityInCollateralAsset)
external
view
returns (uint256 shares);
/// @notice Returns the factory for creating new LeverageTokens
/// @return factory Factory for creating new LeverageTokens
function getLeverageTokenFactory() external view returns (IBeaconProxyFactory factory);
/// @notice Returns the lending adapter for a LeverageToken
/// @param token LeverageToken to get lending adapter for
/// @return adapter Lending adapter for the LeverageToken
function getLeverageTokenLendingAdapter(ILeverageToken token) external view returns (ILendingAdapter adapter);
/// @notice Returns the collateral asset for a LeverageToken
/// @param token LeverageToken to get collateral asset for
/// @return collateralAsset Collateral asset for the LeverageToken
function getLeverageTokenCollateralAsset(ILeverageToken token) external view returns (IERC20 collateralAsset);
/// @notice Returns the debt asset for a LeverageToken
/// @param token LeverageToken to get debt asset for
/// @return debtAsset Debt asset for the LeverageToken
function getLeverageTokenDebtAsset(ILeverageToken token) external view returns (IERC20 debtAsset);
/// @notice Returns the rebalance adapter for a LeverageToken
/// @param token LeverageToken to get the rebalance adapter for
/// @return adapter Rebalance adapter for the LeverageToken
function getLeverageTokenRebalanceAdapter(ILeverageToken token)
external
view
returns (IRebalanceAdapterBase adapter);
/// @notice Returns the entire configuration for a LeverageToken
/// @param token LeverageToken to get config for
/// @return config LeverageToken configuration
function getLeverageTokenConfig(ILeverageToken token) external view returns (LeverageTokenConfig memory config);
/// @notice Returns the initial collateral ratio for a LeverageToken
/// @param token LeverageToken to get initial collateral ratio for
/// @return initialCollateralRatio Initial collateral ratio for the LeverageToken
/// @dev Initial collateral ratio is followed when the LeverageToken has no shares and on mints when debt is 0.
function getLeverageTokenInitialCollateralRatio(ILeverageToken token)
external
view
returns (uint256 initialCollateralRatio);
/// @notice Returns all data required to describe current LeverageToken state - collateral, debt, equity and collateral ratio
/// @param token LeverageToken to query state for
/// @return state LeverageToken state
function getLeverageTokenState(ILeverageToken token) external view returns (LeverageTokenState memory state);
/// @notice Previews deposit function call and returns all required data
/// @param token LeverageToken to preview deposit for
/// @param collateral Amount of collateral to deposit
/// @return previewData Preview data for deposit
/// - collateral Amount of collateral that will be added to the LeverageToken and sent to the receiver
/// - debt Amount of debt that will be borrowed and sent to the receiver
/// - shares Amount of shares that will be minted to the receiver
/// - tokenFee Amount of shares that will be charged for the deposit that are given to the LeverageToken
/// - treasuryFee Amount of shares that will be charged for the deposit that are given to the treasury
/// @dev Sender should approve leverage manager to spend collateral amount of collateral asset
function previewDeposit(ILeverageToken token, uint256 collateral) external view returns (ActionData memory);
/// @notice Previews mint function call and returns all required data
/// @param token LeverageToken to preview mint for
/// @param shares Amount of shares to mint
/// @return previewData Preview data for mint
/// - collateral Amount of collateral that will be added to the LeverageToken and sent to the receiver
/// - debt Amount of debt that will be borrowed and sent to the receiver
/// - shares Amount of shares that will be minted to the receiver
/// - tokenFee Amount of shares that will be charged for the mint that are given to the LeverageToken
/// - treasuryFee Amount of shares that will be charged for the mint that are given to the treasury
/// @dev Sender should approve leverage manager to spend collateral amount of collateral asset
function previewMint(ILeverageToken token, uint256 shares) external view returns (ActionData memory);
/// @notice Previews redeem function call and returns all required data
/// @param token LeverageToken to preview redeem for
/// @param shares Amount of shares to redeem
/// @return previewData Preview data for redeem
/// - collateral Amount of collateral that will be removed from the LeverageToken and sent to the sender
/// - debt Amount of debt that will be taken from sender and repaid to the LeverageToken
/// - shares Amount of shares that will be burned from sender
/// - tokenFee Amount of shares that will be charged for the redeem that are given to the LeverageToken
/// - treasuryFee Amount of shares that will be charged for the redeem that are given to the treasury
/// @dev Sender should approve LeverageManager to spend debt amount of debt asset
function previewRedeem(ILeverageToken token, uint256 shares) external view returns (ActionData memory);
/// @notice Previews withdraw function call and returns all required data
/// @param token LeverageToken to preview withdraw for
/// @param collateral Amount of collateral to withdraw
/// @return previewData Preview data for withdraw
/// - collateral Amount of collateral that will be removed from the LeverageToken and sent to the sender
/// - debt Amount of debt that will be taken from sender and repaid to the LeverageToken
/// - shares Amount of shares that will be burned from sender
/// - tokenFee Amount of shares that will be charged for the redeem that are given to the LeverageToken
/// - treasuryFee Amount of shares that will be charged for the redeem that are given to the treasury
/// @dev Sender should approve LeverageManager to spend debt amount of debt asset
function previewWithdraw(ILeverageToken token, uint256 collateral) external view returns (ActionData memory);
/// @notice Creates a new LeverageToken with the given config
/// @param config Configuration of the LeverageToken
/// @param name Name of the LeverageToken
/// @param symbol Symbol of the LeverageToken
/// @return token Address of the new LeverageToken
function createNewLeverageToken(LeverageTokenConfig memory config, string memory name, string memory symbol)
external
returns (ILeverageToken token);
/// @notice Deposits collateral into a LeverageToken and mints shares to the sender
/// @param token LeverageToken to deposit into
/// @param collateral Amount of collateral to deposit
/// @param minShares Minimum number of shares to mint
/// @return depositData Action data for the deposit
/// - collateral Amount of collateral that was added, including any fees
/// - debt Amount of debt that was added
/// - shares Amount of shares minted to the sender
/// - tokenFee Amount of shares that was charged for the deposit that are given to the LeverageToken
/// - treasuryFee Amount of shares that was charged for the deposit that are given to the treasury
/// @dev Sender should approve leverage manager to spend collateral amount of collateral asset
function deposit(ILeverageToken token, uint256 collateral, uint256 minShares)
external
returns (ActionData memory);
/// @notice Mints shares of a LeverageToken to the sender
/// @param token LeverageToken to mint shares for
/// @param shares Amount of shares to mint
/// @param maxCollateral Maximum amount of collateral to use for minting
/// @return mintData Action data for the mint
/// - collateral Amount of collateral that was added, including any fees
/// - debt Amount of debt that was added
/// - shares Amount of shares minted to the sender
/// - tokenFee Amount of shares that was charged for the mint that are given to the LeverageToken
/// - treasuryFee Amount of shares that was charged for the mint that are given to the treasury
/// @dev Sender should approve leverage manager to spend collateral amount of collateral asset, which can be
/// previewed with previewMint
function mint(ILeverageToken token, uint256 shares, uint256 maxCollateral) external returns (ActionData memory);
/// @notice Redeems equity from a LeverageToken and burns shares from sender
/// @param token The LeverageToken to redeem from
/// @param shares The amount of shares to redeem
/// @param minCollateral The minimum amount of collateral to receive
/// @return actionData Data about the redeem
/// - collateral Amount of collateral that was removed from LeverageToken and sent to sender
/// - debt Amount of debt that was repaid to LeverageToken, taken from
Submitted on: 2025-09-30 10:13:22
Comments
Log in to comment.
No comments yet.