Feature Tip: Add private address tag to any address under My Name Tag !
Source Code
Overview
ETH Balance
0 ETH
Eth Value
$0.00Loading...
Loading
Loading...
Loading
Cross-Chain Transactions
Loading...
Loading
Contract Name:
AmmPoolsLensBaseV1
Compiler Version
v0.8.26+commit.8a97fa7a
Contract Source Code (Solidity Standard Json-Input format)
// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.26;
import {IAmmPoolsLensBaseV1} from "../../interfaces/IAmmPoolsLensBaseV1.sol";
import {StorageLibBaseV1} from "../../libraries/StorageLibBaseV1.sol";
import {AmmLib} from "../../../libraries/AmmLib.sol";
import {IporContractValidator} from "../../../libraries/IporContractValidator.sol";
import "../../../interfaces/types/AmmTypes.sol";
import "../../../base/interfaces/IAmmTreasuryBaseV1.sol";
/// @dev It is not recommended to use lens contract directly, should be used only through IporProtocolRouter.
contract AmmPoolsLensBaseV1 is IAmmPoolsLensBaseV1 {
using IporContractValidator for address;
using AmmLib for AmmTypes.AmmPoolCoreModel;
address public immutable iporOracle;
constructor(address iporOracle_) {
iporOracle = iporOracle_.checkAddress();
}
function getIpTokenExchangeRate(address asset_) external view returns (uint256) {
StorageLibBaseV1.AssetLensDataValue memory assetLensData = StorageLibBaseV1.getAssetLensDataStorage().value[
asset_
];
AmmTypes.AmmPoolCoreModel memory model = AmmTypes.AmmPoolCoreModel({
asset: asset_,
assetDecimals: assetLensData.decimals,
ipToken: assetLensData.ipToken,
ammStorage: assetLensData.ammStorage,
ammTreasury: assetLensData.ammTreasury,
assetManagement: assetLensData.ammVault,
iporOracle: iporOracle
});
uint256 liquidityPoolBalance = IAmmTreasuryBaseV1(assetLensData.ammTreasury).getLiquidityPoolBalance();
return model.getExchangeRate(liquidityPoolBalance);
}
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.26;
interface IAmmPoolsLensBaseV1 {
function getIpTokenExchangeRate(address asset) external view returns (uint256);
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.26;
/// @title Storage ID's associated with the IPOR Protocol Router.
library StorageLibBaseV1 {
uint256 constant STORAGE_SLOT_BASE = 1_000_000;
// append only
enum StorageId {
/// @dev The address of the contract owner.
Owner,
AppointedOwner,
Paused,
PauseGuardian,
ReentrancyStatus,
RouterFunctionPaused,
AmmSwapsLiquidators,
AmmPoolsAppointedToRebalance,
AmmPoolsParams,
MessageSigner, /// @dev The address of the IPOR Message Signer.
AssetLensData, /// @dev Mapping of asset address to asset lens data.
AssetGovernancePoolConfig, /// @dev Mapping of asset address to asset governance data.
AssetServices /// @dev Mapping of asset address to set of services per pool.
}
/// @notice Struct for one asset which contains services for a specific asset pool.
struct AssetServicesValue {
address ammPoolsService;
address ammOpenSwapService;
address ammCloseSwapService;
}
/// @notice Struct which contains services for a specific asset pool.
struct AssetServicesStorage {
mapping(address asset => AssetServicesValue) value;
}
/// @notice Struct for one asset combining all data required for lens services related to a specific asset pool.
struct AssetLensDataValue {
uint8 decimals;
address ipToken;
address ammStorage;
address ammTreasury;
address ammVault;
address spread;
}
/// @notice Struct combining all data required for lens services related to a specific asset pool.
struct AssetLensDataStorage {
mapping(address asset => AssetLensDataValue) value;
}
/// @notice Struct which contains governance configuration for a specific asset pool.
struct AssetGovernancePoolConfigValue {
uint8 decimals;
address ammStorage;
address ammTreasury;
address ammVault;
address ammPoolsTreasury;
address ammPoolsTreasuryManager;
address ammCharlieTreasury;
address ammCharlieTreasuryManager;
}
/// @notice Struct which contains governance configuration for a specific asset pool.
struct AssetGovernancePoolConfigStorage {
mapping(address asset => AssetGovernancePoolConfigValue) value;
}
struct MessageSignerStorage {
address value;
}
/// @notice Struct which contains owner address of IPOR Protocol Router.
struct OwnerStorage {
address owner;
}
/// @notice Struct which contains appointed owner address of IPOR Protocol Router.
struct AppointedOwnerStorage {
address appointedOwner;
}
/// @notice Struct which contains reentrancy status of IPOR Protocol Router.
struct ReentrancyStatusStorage {
uint256 value;
}
/// @notice Struct which contains information about swap liquidators.
/// @dev First key is an asset (pool), second key is an liquidator address in the asset pool,
/// value is a flag to indicate whether account is a liquidator.
/// True - account is a liquidator, False - account is not a liquidator.
struct AmmSwapsLiquidatorsStorage {
mapping(address asset => mapping(address account => bool isLiquidator)) value;
}
/// @notice Struct which contains information about accounts appointed to rebalance.
/// @dev first key - asset address, second key - account address which is allowed to rebalance in the asset pool,
/// value - flag to indicate whether account is allowed to rebalance. True - allowed, False - not allowed.
struct AmmPoolsAppointedToRebalanceStorage {
mapping(address asset => mapping(address account => bool isAppointedToRebalance)) value;
}
struct AmmPoolsParamsValue {
/// @dev max liquidity pool balance in the asset pool, represented without 18 decimals
uint32 maxLiquidityPoolBalance;
/// @dev The threshold for auto-rebalancing the pool. Value represented without 18 decimals.
uint32 autoRebalanceThreshold;
/// @dev asset management ratio, represented without 18 decimals, value represents percentage with 2 decimals
/// 65% = 6500, 99,99% = 9999, this is a percentage which stay in Amm Treasury in opposite to Asset Management
/// based on AMM Treasury balance (100%).
uint16 ammTreasuryAndAssetManagementRatio;
}
/// @dev key - asset address, value - struct AmmOpenSwapParamsValue
struct AmmPoolsParamsStorage {
mapping(address asset => AmmPoolsParamsValue) value;
}
/// @dev key - function sig, value - 1 if function is paused, 0 if not
struct RouterFunctionPausedStorage {
mapping(bytes4 sig => uint256 isPaused) value;
}
/// @notice Gets Ipor Protocol Router owner address.
function getOwner() internal pure returns (OwnerStorage storage owner) {
uint256 slot = _getStorageSlot(StorageId.Owner);
assembly {
owner.slot := slot
}
}
/// @notice Gets Ipor Protocol Router appointed owner address.
function getAppointedOwner() internal pure returns (AppointedOwnerStorage storage appointedOwner) {
uint256 slot = _getStorageSlot(StorageId.AppointedOwner);
assembly {
appointedOwner.slot := slot
}
}
/// @notice Gets Ipor Protocol Router reentrancy status.
function getReentrancyStatus() internal pure returns (ReentrancyStatusStorage storage reentrancyStatus) {
uint256 slot = _getStorageSlot(StorageId.ReentrancyStatus);
assembly {
reentrancyStatus.slot := slot
}
}
/// @notice Gets information if function is paused in Ipor Protocol Router.
function getRouterFunctionPaused() internal pure returns (RouterFunctionPausedStorage storage paused) {
uint256 slot = _getStorageSlot(StorageId.RouterFunctionPaused);
assembly {
paused.slot := slot
}
}
/// @notice Gets point to pause guardian storage.
function getPauseGuardianStorage() internal pure returns (mapping(address => bool) storage store) {
uint256 slot = _getStorageSlot(StorageId.PauseGuardian);
assembly {
store.slot := slot
}
}
/// @notice Gets point to liquidators storage.
/// @return store - point to liquidators storage.
function getAmmSwapsLiquidatorsStorage() internal pure returns (AmmSwapsLiquidatorsStorage storage store) {
uint256 slot = _getStorageSlot(StorageId.AmmSwapsLiquidators);
assembly {
store.slot := slot
}
}
/// @notice Gets point to accounts appointed to rebalance storage.
/// @return store - point to accounts appointed to rebalance storage.
function getAmmPoolsAppointedToRebalanceStorage()
internal
pure
returns (AmmPoolsAppointedToRebalanceStorage storage store)
{
uint256 slot = _getStorageSlot(StorageId.AmmPoolsAppointedToRebalance);
assembly {
store.slot := slot
}
}
/// @notice Gets point to amm pools params storage.
/// @return store - point to amm pools params storage.
function getAmmPoolsParamsStorage() internal pure returns (AmmPoolsParamsStorage storage store) {
uint256 slot = _getStorageSlot(StorageId.AmmPoolsParams);
assembly {
store.slot := slot
}
}
function getMessageSignerStorage() internal pure returns (MessageSignerStorage storage store) {
uint256 slot = _getStorageSlot(StorageId.MessageSigner);
assembly {
store.slot := slot
}
}
function getAssetLensDataStorage() internal pure returns (AssetLensDataStorage storage store) {
uint256 slot = _getStorageSlot(StorageId.AssetLensData);
assembly {
store.slot := slot
}
}
function getAssetGovernancePoolConfigStorage()
internal
pure
returns (AssetGovernancePoolConfigStorage storage store)
{
uint256 slot = _getStorageSlot(StorageId.AssetGovernancePoolConfig);
assembly {
store.slot := slot
}
}
function getAssetServicesStorage() internal pure returns (AssetServicesStorage storage store) {
uint256 slot = _getStorageSlot(StorageId.AssetServices);
assembly {
store.slot := slot
}
}
function _getStorageSlot(StorageId storageId) private pure returns (uint256 slot) {
return uint256(storageId) + STORAGE_SLOT_BASE;
}
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.26;
import {SafeCast} from "@openzeppelin/contracts/utils/math/SafeCast.sol";
import {IERC4626} from "@openzeppelin/contracts/interfaces/IERC4626.sol";
import "../interfaces/types/AmmTypes.sol";
import "../interfaces/types/AmmStorageTypes.sol";
import "../interfaces/IIpToken.sol";
import "../interfaces/IIporOracle.sol";
import "../interfaces/IAmmStorage.sol";
import "./errors/IporErrors.sol";
import "./errors/AmmErrors.sol";
import "./math/IporMath.sol";
import "../amm/libraries/SoapIndicatorLogic.sol";
/// @title AMM basic logic library
library AmmLib {
using SafeCast for uint256;
using SafeCast for int256;
using SoapIndicatorLogic for AmmStorageTypes.SoapIndicators;
/// @notice Gets AMM exchange rate
/// @param model AMM model skeleton of the pool
/// @return AMM exchange rate
function getExchangeRate(AmmTypes.AmmPoolCoreModel memory model) internal view returns (uint256) {
return getExchangeRate(model, getAccruedBalance(model).liquidityPool);
}
/// @notice Gets AMM exchange rate
/// @param model AMM model skeleton of the pool
/// @param liquidityPoolBalance liquidity pool balance
/// @return AMM exchange rate
/// @dev For gas optimization with additional param liquidityPoolBalance with already calculated value
function getExchangeRate(
AmmTypes.AmmPoolCoreModel memory model,
uint256 liquidityPoolBalance
) internal view returns (uint256) {
(, , int256 soap) = getSoap(model);
int256 balance = liquidityPoolBalance.toInt256() - soap;
require(balance >= 0, AmmErrors.SOAP_AND_LP_BALANCE_SUM_IS_TOO_LOW);
uint256 ipTokenTotalSupply = IIpToken(model.ipToken).totalSupply();
if (ipTokenTotalSupply > 0) {
return IporMath.division(balance.toUint256() * 1e18, ipTokenTotalSupply);
} else {
return 1e18;
}
}
/// @notice Gets AMM SOAP Sum Of All Payouts
/// @param model AMM model skeleton of the pool
/// @return soapPayFixed SOAP Pay Fixed
/// @return soapReceiveFixed SOAP Receive Fixed
/// @return soap SOAP Sum Of All Payouts
function getSoap(
AmmTypes.AmmPoolCoreModel memory model
) internal view returns (int256 soapPayFixed, int256 soapReceiveFixed, int256 soap) {
uint256 timestamp = block.timestamp;
(
AmmStorageTypes.SoapIndicators memory indicatorsPayFixed,
AmmStorageTypes.SoapIndicators memory indicatorsReceiveFixed
) = IAmmStorage(model.ammStorage).getSoapIndicators();
uint256 ibtPrice = IIporOracle(model.iporOracle).calculateAccruedIbtPrice(model.asset, timestamp);
soapPayFixed = indicatorsPayFixed.calculateSoapPayFixed(timestamp, ibtPrice);
soapReceiveFixed = indicatorsReceiveFixed.calculateSoapReceiveFixed(timestamp, ibtPrice);
soap = soapPayFixed + soapReceiveFixed;
}
/// @notice Gets accrued balance of the pool
/// @param model AMM model skeleton of the pool
/// @return accrued balance of the pool
/// @dev balance takes into consideration asset management vault balance and their accrued interest
function getAccruedBalance(
AmmTypes.AmmPoolCoreModel memory model
) internal view returns (IporTypes.AmmBalancesMemory memory) {
require(model.ammTreasury != address(0), string.concat(IporErrors.WRONG_ADDRESS, " ammTreasury"));
IporTypes.AmmBalancesMemory memory accruedBalance = IAmmStorage(model.ammStorage).getBalance();
uint256 actualVaultBalance = IporMath.convertToWad(
/// @dev Plasma Vault underlying is always the same as the pool asset
IERC4626(model.assetManagement).maxWithdraw(model.ammTreasury),
model.assetDecimals
);
int256 liquidityPool = accruedBalance.liquidityPool.toInt256() +
actualVaultBalance.toInt256() -
accruedBalance.vault.toInt256();
require(liquidityPool >= 0, AmmErrors.LIQUIDITY_POOL_AMOUNT_TOO_LOW);
accruedBalance.liquidityPool = liquidityPool.toUint256();
accruedBalance.vault = actualVaultBalance;
return accruedBalance;
}
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.26;
import "./errors/IporErrors.sol";
library IporContractValidator {
function checkAddress(address addr) internal pure returns (address) {
require(addr != address(0), IporErrors.WRONG_ADDRESS);
return addr;
}
}// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity 0.8.26;
import "./IporTypes.sol";
import "../IAmmCloseSwapLens.sol";
/// @title Types used in interfaces strictly related to AMM (Automated Market Maker).
/// @dev Used by IAmmTreasury and IAmmStorage interfaces.
library AmmTypes {
/// @notice Struct describing AMM Pool's core addresses.
struct AmmPoolCoreModel {
/// @notice asset address
address asset;
/// @notice asset decimals
uint256 assetDecimals;
/// @notice ipToken address associated to the asset
address ipToken;
/// @notice AMM Storage address
address ammStorage;
/// @notice AMM Treasury address
address ammTreasury;
/// @notice Asset Management address
address assetManagement;
/// @notice IPOR Oracle address
address iporOracle;
}
/// @notice Structure which represents Swap's data that will be saved in the storage.
/// Refer to the documentation https://ipor-labs.gitbook.io/ipor-labs/automated-market-maker/ipor-swaps for more information.
struct NewSwap {
/// @notice Account / trader who opens the Swap
address buyer;
/// @notice Epoch timestamp of when position was opened by the trader.
uint256 openTimestamp;
/// @notice Swap's collateral amount.
/// @dev value represented in 18 decimals
uint256 collateral;
/// @notice Swap's notional amount.
/// @dev value represented in 18 decimals
uint256 notional;
/// @notice Quantity of Interest Bearing Token (IBT) at moment when position was opened.
/// @dev value represented in 18 decimals
uint256 ibtQuantity;
/// @notice Fixed interest rate at which the position has been opened.
/// @dev value represented in 18 decimals
uint256 fixedInterestRate;
/// @notice Liquidation deposit is retained when the swap is opened. It is then paid back to agent who closes the derivative at maturity.
/// It can be both trader or community member. Trader receives the deposit back when he chooses to close the derivative before maturity.
/// @dev value represented WITHOUT 18 decimals for USDT, USDC, DAI pool. Notice! Value represented in 6 decimals for stETH pool.
/// @dev Example value in 6 decimals: 25000000 (in 6 decimals) = 25 stETH = 25.000000
uint256 liquidationDepositAmount;
/// @notice Opening fee amount part which is allocated in Liquidity Pool Balance. This fee is calculated as a rate of the swap's collateral.
/// @dev value represented in 18 decimals
uint256 openingFeeLPAmount;
/// @notice Opening fee amount part which is allocated in Treasury Balance. This fee is calculated as a rate of the swap's collateral.
/// @dev value represented in 18 decimals
uint256 openingFeeTreasuryAmount;
/// @notice Swap's tenor, 0 - 28 days, 1 - 60 days or 2 - 90 days
IporTypes.SwapTenor tenor;
}
/// @notice Struct representing swap item, used for listing and in internal calculations
struct Swap {
/// @notice Swap's unique ID
uint256 id;
/// @notice Swap's buyer
address buyer;
/// @notice Swap opening epoch timestamp
uint256 openTimestamp;
/// @notice Swap's tenor
IporTypes.SwapTenor tenor;
/// @notice Index position of this Swap in an array of swaps' identification associated to swap buyer
/// @dev Field used for gas optimization purposes, it allows for quick removal by id in the array.
/// During removal the last item in the array is switched with the one that just has been removed.
uint256 idsIndex;
/// @notice Swap's collateral
/// @dev value represented in 18 decimals
uint256 collateral;
/// @notice Swap's notional amount
/// @dev value represented in 18 decimals
uint256 notional;
/// @notice Swap's notional amount denominated in the Interest Bearing Token (IBT)
/// @dev value represented in 18 decimals
uint256 ibtQuantity;
/// @notice Fixed interest rate at which the position has been opened
/// @dev value represented in 18 decimals
uint256 fixedInterestRate;
/// @notice Liquidation deposit amount
/// @dev value represented in 18 decimals
uint256 liquidationDepositAmount;
/// @notice State of the swap
/// @dev 0 - INACTIVE, 1 - ACTIVE
IporTypes.SwapState state;
}
/// @notice Struct representing amounts related to Swap that is presently being opened.
/// @dev all values represented in 18 decimals
struct OpenSwapAmount {
/// @notice Total Amount of asset that is sent from buyer to AmmTreasury when opening swap.
uint256 totalAmount;
/// @notice Swap's collateral
uint256 collateral;
/// @notice Swap's notional
uint256 notional;
/// @notice Opening Fee - part allocated as a profit of the Liquidity Pool
uint256 openingFeeLPAmount;
/// @notice Part of the fee set aside for subsidizing the oracle that publishes IPOR rate. Flat fee set by the DAO.
/// @notice Opening Fee - part allocated in Treasury balance. Part of the fee set asside for subsidising the oracle that publishes IPOR rate. Flat fee set by the DAO.
uint256 openingFeeTreasuryAmount;
/// @notice Fee set aside for subsidizing the oracle that publishes IPOR rate. Flat fee set by the DAO.
uint256 iporPublicationFee;
/// @notice Liquidation deposit is retained when the swap is opened. Value represented in 18 decimals.
uint256 liquidationDepositAmount;
}
/// @notice Structure describes one swap processed by closeSwaps method, information about swap ID and flag if this swap was closed during execution closeSwaps method.
struct IporSwapClosingResult {
/// @notice Swap ID
uint256 swapId;
/// @notice Flag describe if swap was closed during this execution
bool closed;
}
/// @notice Technical structure used for storing information about amounts used during redeeming assets from liquidity pool.
struct RedeemAmount {
/// @notice Asset amount represented in 18 decimals
/// @dev Asset amount is a sum of wadRedeemFee and wadRedeemAmount
uint256 wadAssetAmount;
/// @notice Redeemed amount represented in decimals of asset
uint256 redeemAmount;
/// @notice Redeem fee value represented in 18 decimals
uint256 wadRedeemFee;
/// @notice Redeem amount represented in 18 decimals
uint256 wadRedeemAmount;
}
struct UnwindParams {
/// @notice Risk Indicators Inputs signer
address messageSigner;
/// @notice Spread Router contract address
address spreadRouter;
address ammStorage;
address ammTreasury;
SwapDirection direction;
uint256 closeTimestamp;
int256 swapPnlValueToDate;
uint256 indexValue;
Swap swap;
IAmmCloseSwapLens.AmmCloseSwapServicePoolConfiguration poolCfg;
CloseSwapRiskIndicatorsInput riskIndicatorsInputs;
}
/// @notice Swap direction (long = Pay Fixed and Receive a Floating or short = receive fixed and pay a floating)
enum SwapDirection {
/// @notice When taking the "long" position the trader will pay a fixed rate and receive a floating rate.
/// for more information refer to the documentation https://ipor-labs.gitbook.io/ipor-labs/automated-market-maker/ipor-swaps
PAY_FIXED_RECEIVE_FLOATING,
/// @notice When taking the "short" position the trader will pay a floating rate and receive a fixed rate.
PAY_FLOATING_RECEIVE_FIXED
}
/// @notice List of closable statuses for a given swap
/// @dev Closable status is a one of the following values:
/// 0 - Swap is closable
/// 1 - Swap is already closed
/// 2 - Swap state required Buyer or Liquidator to close. Sender is not Buyer nor Liquidator.
/// 3 - Cannot close swap, closing is too early for Community
/// 4 - Cannot close swap with unwind because action is too early from the moment when swap was opened, validation based on Close Service configuration
enum SwapClosableStatus {
SWAP_IS_CLOSABLE,
SWAP_ALREADY_CLOSED,
SWAP_REQUIRED_BUYER_OR_LIQUIDATOR_TO_CLOSE,
SWAP_CANNOT_CLOSE_CLOSING_TOO_EARLY_FOR_COMMUNITY,
SWAP_CANNOT_CLOSE_WITH_UNWIND_ACTION_IS_TOO_EARLY
}
/// @notice Collection of swap attributes connected with IPOR Index and swap itself.
/// @dev all values are in 18 decimals
struct IporSwapIndicator {
/// @notice IPOR Index value at the time of swap opening
uint256 iporIndexValue;
/// @notice IPOR Interest Bearing Token (IBT) price at the time of swap opening
uint256 ibtPrice;
/// @notice Swap's notional denominated in IBT
uint256 ibtQuantity;
/// @notice Fixed interest rate at which the position has been opened,
/// it is quote from spread documentation
uint256 fixedInterestRate;
}
/// @notice Risk indicators calculated for swap opening
struct OpenSwapRiskIndicators {
/// @notice Maximum collateral ratio in general
uint256 maxCollateralRatio;
/// @notice Maximum collateral ratio for a given leg
uint256 maxCollateralRatioPerLeg;
/// @notice Maximum leverage for a given leg
uint256 maxLeveragePerLeg;
/// @notice Base Spread for a given leg (without demand part)
int256 baseSpreadPerLeg;
/// @notice Fixed rate cap
uint256 fixedRateCapPerLeg;
/// @notice Demand spread factor used to calculate demand spread
uint256 demandSpreadFactor;
}
/// @notice Risk indicators calculated for swap opening
struct RiskIndicatorsInputs {
/// @notice Maximum collateral ratio in general
uint256 maxCollateralRatio;
/// @notice Maximum collateral ratio for a given leg
uint256 maxCollateralRatioPerLeg;
/// @notice Maximum leverage for a given leg
uint256 maxLeveragePerLeg;
/// @notice Base Spread for a given leg (without demand part)
int256 baseSpreadPerLeg;
/// @notice Fixed rate cap
uint256 fixedRateCapPerLeg;
/// @notice Demand spread factor used to calculate demand spread
uint256 demandSpreadFactor;
/// @notice expiration date in seconds
uint256 expiration;
/// @notice signature of data (maxCollateralRatio, maxCollateralRatioPerLeg,maxLeveragePerLeg,baseSpreadPerLeg,fixedRateCapPerLeg,demandSpreadFactor,expiration,asset,tenor,direction)
/// asset - address
/// tenor - uint256
/// direction - uint256
bytes signature;
}
struct CloseSwapRiskIndicatorsInput {
RiskIndicatorsInputs payFixed;
RiskIndicatorsInputs receiveFixed;
}
/// @notice Structure containing information about swap's closing status, unwind values and PnL for a given swap and time.
struct ClosingSwapDetails {
/// @notice Swap's closing status
AmmTypes.SwapClosableStatus closableStatus;
/// @notice Flag indicating if swap unwind is required
bool swapUnwindRequired;
/// @notice Swap's unwind PnL Value, part of PnL corresponded to virtual swap (unwinded swap), represented in 18 decimals
int256 swapUnwindPnlValue;
/// @notice Unwind opening fee amount it is a sum of `swapUnwindFeeLPAmount` and `swapUnwindFeeTreasuryAmount`
uint256 swapUnwindOpeningFeeAmount;
/// @notice Part of unwind opening fee allocated as a profit of the Liquidity Pool
uint256 swapUnwindFeeLPAmount;
/// @notice Part of unwind opening fee allocated in Treasury Balance
uint256 swapUnwindFeeTreasuryAmount;
/// @notice Final Profit and Loss which takes into account the swap unwind and limits the PnL to the collateral amount. Represented in 18 decimals.
int256 pnlValue;
}
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.26;
/// @notice Interface of the AmmTreasury contract.
interface IAmmTreasuryBaseV1 {
/// @notice Gets router address.
function router() external view returns (address);
/// @notice Retrieves the version number of the contract.
/// @return The version number of the contract.
/// @dev This function provides a way to access the version information of the contract.
/// Currently, the version is set to 1.
function getVersion() external pure returns (uint256);
/// @notice Gets the balance of the liquidity pool.
/// @dev Liquidity Pool balance not take into account following balances: collateral, ipor publication fee, treasury
function getLiquidityPoolBalance() external view returns (uint256);
/// @notice Pauses the contract and revokes the approval of stEth tokens for the router.
/// @dev This function can only be called by the pause guardian.
/// It revokes the approval of stEth tokens for the router and then pauses the contract.
/// require Caller must be the pause guardian.
function pause() external;
/// @notice Unpauses the contract and forcefully approves the router to transfer an unlimited amount of stEth tokens.
/// @dev This function can only be called by the contract owner.
/// It unpauses the contract and then forcefully sets the approval of stEth tokens for the router to the maximum possible value.
/// require Caller must be the contract owner.
function unpause() external;
/// @notice Checks if the given account is a pause guardian.
/// @param account Address to be checked.
/// @return A boolean indicating whether the provided account is a pause guardian.
/// @dev This function queries the PauseManager to determine if the provided account is a pause guardian.
function isPauseGuardian(address account) external view returns (bool);
/// @notice Adds a new pause guardian to the contract.
/// @param guardians List Addresses of the accounts to be added as a pause guardian.
/// @dev This function can only be called by the contract owner.
/// It delegates the addition of a new pause guardian to the PauseManager.
/// require Caller must be the contract owner.
function addPauseGuardians(address[] calldata guardians) external;
/// @notice Removes an existing pause guardian from the contract.
/// @param guardians List addresses of the accounts to be removed as a pause guardian.
/// @dev This function can only be called by the contract owner.
/// It delegates the removal of a pause guardian to the PauseManager.
/// require Caller must be the contract owner.
function removePauseGuardians(address[] calldata guardians) external;
}// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.8.0) (utils/math/SafeCast.sol)
// This file was procedurally generated from scripts/generate/templates/SafeCast.js.
pragma solidity ^0.8.0;
/**
* @dev Wrappers over Solidity's uintXX/intXX casting operators with added overflow
* checks.
*
* Downcasting from uint256/int256 in Solidity does not revert on overflow. This can
* easily result in undesired exploitation or bugs, since developers usually
* assume that overflows raise errors. `SafeCast` restores this intuition by
* reverting the transaction when such an operation overflows.
*
* Using this library instead of the unchecked operations eliminates an entire
* class of bugs, so it's recommended to use it always.
*
* Can be combined with {SafeMath} and {SignedSafeMath} to extend it to smaller types, by performing
* all math on `uint256` and `int256` and then downcasting.
*/
library SafeCast {
/**
* @dev Returns the downcasted uint248 from uint256, reverting on
* overflow (when the input is greater than largest uint248).
*
* Counterpart to Solidity's `uint248` operator.
*
* Requirements:
*
* - input must fit into 248 bits
*
* _Available since v4.7._
*/
function toUint248(uint256 value) internal pure returns (uint248) {
require(value <= type(uint248).max, "SafeCast: value doesn't fit in 248 bits");
return uint248(value);
}
/**
* @dev Returns the downcasted uint240 from uint256, reverting on
* overflow (when the input is greater than largest uint240).
*
* Counterpart to Solidity's `uint240` operator.
*
* Requirements:
*
* - input must fit into 240 bits
*
* _Available since v4.7._
*/
function toUint240(uint256 value) internal pure returns (uint240) {
require(value <= type(uint240).max, "SafeCast: value doesn't fit in 240 bits");
return uint240(value);
}
/**
* @dev Returns the downcasted uint232 from uint256, reverting on
* overflow (when the input is greater than largest uint232).
*
* Counterpart to Solidity's `uint232` operator.
*
* Requirements:
*
* - input must fit into 232 bits
*
* _Available since v4.7._
*/
function toUint232(uint256 value) internal pure returns (uint232) {
require(value <= type(uint232).max, "SafeCast: value doesn't fit in 232 bits");
return uint232(value);
}
/**
* @dev Returns the downcasted uint224 from uint256, reverting on
* overflow (when the input is greater than largest uint224).
*
* Counterpart to Solidity's `uint224` operator.
*
* Requirements:
*
* - input must fit into 224 bits
*
* _Available since v4.2._
*/
function toUint224(uint256 value) internal pure returns (uint224) {
require(value <= type(uint224).max, "SafeCast: value doesn't fit in 224 bits");
return uint224(value);
}
/**
* @dev Returns the downcasted uint216 from uint256, reverting on
* overflow (when the input is greater than largest uint216).
*
* Counterpart to Solidity's `uint216` operator.
*
* Requirements:
*
* - input must fit into 216 bits
*
* _Available since v4.7._
*/
function toUint216(uint256 value) internal pure returns (uint216) {
require(value <= type(uint216).max, "SafeCast: value doesn't fit in 216 bits");
return uint216(value);
}
/**
* @dev Returns the downcasted uint208 from uint256, reverting on
* overflow (when the input is greater than largest uint208).
*
* Counterpart to Solidity's `uint208` operator.
*
* Requirements:
*
* - input must fit into 208 bits
*
* _Available since v4.7._
*/
function toUint208(uint256 value) internal pure returns (uint208) {
require(value <= type(uint208).max, "SafeCast: value doesn't fit in 208 bits");
return uint208(value);
}
/**
* @dev Returns the downcasted uint200 from uint256, reverting on
* overflow (when the input is greater than largest uint200).
*
* Counterpart to Solidity's `uint200` operator.
*
* Requirements:
*
* - input must fit into 200 bits
*
* _Available since v4.7._
*/
function toUint200(uint256 value) internal pure returns (uint200) {
require(value <= type(uint200).max, "SafeCast: value doesn't fit in 200 bits");
return uint200(value);
}
/**
* @dev Returns the downcasted uint192 from uint256, reverting on
* overflow (when the input is greater than largest uint192).
*
* Counterpart to Solidity's `uint192` operator.
*
* Requirements:
*
* - input must fit into 192 bits
*
* _Available since v4.7._
*/
function toUint192(uint256 value) internal pure returns (uint192) {
require(value <= type(uint192).max, "SafeCast: value doesn't fit in 192 bits");
return uint192(value);
}
/**
* @dev Returns the downcasted uint184 from uint256, reverting on
* overflow (when the input is greater than largest uint184).
*
* Counterpart to Solidity's `uint184` operator.
*
* Requirements:
*
* - input must fit into 184 bits
*
* _Available since v4.7._
*/
function toUint184(uint256 value) internal pure returns (uint184) {
require(value <= type(uint184).max, "SafeCast: value doesn't fit in 184 bits");
return uint184(value);
}
/**
* @dev Returns the downcasted uint176 from uint256, reverting on
* overflow (when the input is greater than largest uint176).
*
* Counterpart to Solidity's `uint176` operator.
*
* Requirements:
*
* - input must fit into 176 bits
*
* _Available since v4.7._
*/
function toUint176(uint256 value) internal pure returns (uint176) {
require(value <= type(uint176).max, "SafeCast: value doesn't fit in 176 bits");
return uint176(value);
}
/**
* @dev Returns the downcasted uint168 from uint256, reverting on
* overflow (when the input is greater than largest uint168).
*
* Counterpart to Solidity's `uint168` operator.
*
* Requirements:
*
* - input must fit into 168 bits
*
* _Available since v4.7._
*/
function toUint168(uint256 value) internal pure returns (uint168) {
require(value <= type(uint168).max, "SafeCast: value doesn't fit in 168 bits");
return uint168(value);
}
/**
* @dev Returns the downcasted uint160 from uint256, reverting on
* overflow (when the input is greater than largest uint160).
*
* Counterpart to Solidity's `uint160` operator.
*
* Requirements:
*
* - input must fit into 160 bits
*
* _Available since v4.7._
*/
function toUint160(uint256 value) internal pure returns (uint160) {
require(value <= type(uint160).max, "SafeCast: value doesn't fit in 160 bits");
return uint160(value);
}
/**
* @dev Returns the downcasted uint152 from uint256, reverting on
* overflow (when the input is greater than largest uint152).
*
* Counterpart to Solidity's `uint152` operator.
*
* Requirements:
*
* - input must fit into 152 bits
*
* _Available since v4.7._
*/
function toUint152(uint256 value) internal pure returns (uint152) {
require(value <= type(uint152).max, "SafeCast: value doesn't fit in 152 bits");
return uint152(value);
}
/**
* @dev Returns the downcasted uint144 from uint256, reverting on
* overflow (when the input is greater than largest uint144).
*
* Counterpart to Solidity's `uint144` operator.
*
* Requirements:
*
* - input must fit into 144 bits
*
* _Available since v4.7._
*/
function toUint144(uint256 value) internal pure returns (uint144) {
require(value <= type(uint144).max, "SafeCast: value doesn't fit in 144 bits");
return uint144(value);
}
/**
* @dev Returns the downcasted uint136 from uint256, reverting on
* overflow (when the input is greater than largest uint136).
*
* Counterpart to Solidity's `uint136` operator.
*
* Requirements:
*
* - input must fit into 136 bits
*
* _Available since v4.7._
*/
function toUint136(uint256 value) internal pure returns (uint136) {
require(value <= type(uint136).max, "SafeCast: value doesn't fit in 136 bits");
return uint136(value);
}
/**
* @dev Returns the downcasted uint128 from uint256, reverting on
* overflow (when the input is greater than largest uint128).
*
* Counterpart to Solidity's `uint128` operator.
*
* Requirements:
*
* - input must fit into 128 bits
*
* _Available since v2.5._
*/
function toUint128(uint256 value) internal pure returns (uint128) {
require(value <= type(uint128).max, "SafeCast: value doesn't fit in 128 bits");
return uint128(value);
}
/**
* @dev Returns the downcasted uint120 from uint256, reverting on
* overflow (when the input is greater than largest uint120).
*
* Counterpart to Solidity's `uint120` operator.
*
* Requirements:
*
* - input must fit into 120 bits
*
* _Available since v4.7._
*/
function toUint120(uint256 value) internal pure returns (uint120) {
require(value <= type(uint120).max, "SafeCast: value doesn't fit in 120 bits");
return uint120(value);
}
/**
* @dev Returns the downcasted uint112 from uint256, reverting on
* overflow (when the input is greater than largest uint112).
*
* Counterpart to Solidity's `uint112` operator.
*
* Requirements:
*
* - input must fit into 112 bits
*
* _Available since v4.7._
*/
function toUint112(uint256 value) internal pure returns (uint112) {
require(value <= type(uint112).max, "SafeCast: value doesn't fit in 112 bits");
return uint112(value);
}
/**
* @dev Returns the downcasted uint104 from uint256, reverting on
* overflow (when the input is greater than largest uint104).
*
* Counterpart to Solidity's `uint104` operator.
*
* Requirements:
*
* - input must fit into 104 bits
*
* _Available since v4.7._
*/
function toUint104(uint256 value) internal pure returns (uint104) {
require(value <= type(uint104).max, "SafeCast: value doesn't fit in 104 bits");
return uint104(value);
}
/**
* @dev Returns the downcasted uint96 from uint256, reverting on
* overflow (when the input is greater than largest uint96).
*
* Counterpart to Solidity's `uint96` operator.
*
* Requirements:
*
* - input must fit into 96 bits
*
* _Available since v4.2._
*/
function toUint96(uint256 value) internal pure returns (uint96) {
require(value <= type(uint96).max, "SafeCast: value doesn't fit in 96 bits");
return uint96(value);
}
/**
* @dev Returns the downcasted uint88 from uint256, reverting on
* overflow (when the input is greater than largest uint88).
*
* Counterpart to Solidity's `uint88` operator.
*
* Requirements:
*
* - input must fit into 88 bits
*
* _Available since v4.7._
*/
function toUint88(uint256 value) internal pure returns (uint88) {
require(value <= type(uint88).max, "SafeCast: value doesn't fit in 88 bits");
return uint88(value);
}
/**
* @dev Returns the downcasted uint80 from uint256, reverting on
* overflow (when the input is greater than largest uint80).
*
* Counterpart to Solidity's `uint80` operator.
*
* Requirements:
*
* - input must fit into 80 bits
*
* _Available since v4.7._
*/
function toUint80(uint256 value) internal pure returns (uint80) {
require(value <= type(uint80).max, "SafeCast: value doesn't fit in 80 bits");
return uint80(value);
}
/**
* @dev Returns the downcasted uint72 from uint256, reverting on
* overflow (when the input is greater than largest uint72).
*
* Counterpart to Solidity's `uint72` operator.
*
* Requirements:
*
* - input must fit into 72 bits
*
* _Available since v4.7._
*/
function toUint72(uint256 value) internal pure returns (uint72) {
require(value <= type(uint72).max, "SafeCast: value doesn't fit in 72 bits");
return uint72(value);
}
/**
* @dev Returns the downcasted uint64 from uint256, reverting on
* overflow (when the input is greater than largest uint64).
*
* Counterpart to Solidity's `uint64` operator.
*
* Requirements:
*
* - input must fit into 64 bits
*
* _Available since v2.5._
*/
function toUint64(uint256 value) internal pure returns (uint64) {
require(value <= type(uint64).max, "SafeCast: value doesn't fit in 64 bits");
return uint64(value);
}
/**
* @dev Returns the downcasted uint56 from uint256, reverting on
* overflow (when the input is greater than largest uint56).
*
* Counterpart to Solidity's `uint56` operator.
*
* Requirements:
*
* - input must fit into 56 bits
*
* _Available since v4.7._
*/
function toUint56(uint256 value) internal pure returns (uint56) {
require(value <= type(uint56).max, "SafeCast: value doesn't fit in 56 bits");
return uint56(value);
}
/**
* @dev Returns the downcasted uint48 from uint256, reverting on
* overflow (when the input is greater than largest uint48).
*
* Counterpart to Solidity's `uint48` operator.
*
* Requirements:
*
* - input must fit into 48 bits
*
* _Available since v4.7._
*/
function toUint48(uint256 value) internal pure returns (uint48) {
require(value <= type(uint48).max, "SafeCast: value doesn't fit in 48 bits");
return uint48(value);
}
/**
* @dev Returns the downcasted uint40 from uint256, reverting on
* overflow (when the input is greater than largest uint40).
*
* Counterpart to Solidity's `uint40` operator.
*
* Requirements:
*
* - input must fit into 40 bits
*
* _Available since v4.7._
*/
function toUint40(uint256 value) internal pure returns (uint40) {
require(value <= type(uint40).max, "SafeCast: value doesn't fit in 40 bits");
return uint40(value);
}
/**
* @dev Returns the downcasted uint32 from uint256, reverting on
* overflow (when the input is greater than largest uint32).
*
* Counterpart to Solidity's `uint32` operator.
*
* Requirements:
*
* - input must fit into 32 bits
*
* _Available since v2.5._
*/
function toUint32(uint256 value) internal pure returns (uint32) {
require(value <= type(uint32).max, "SafeCast: value doesn't fit in 32 bits");
return uint32(value);
}
/**
* @dev Returns the downcasted uint24 from uint256, reverting on
* overflow (when the input is greater than largest uint24).
*
* Counterpart to Solidity's `uint24` operator.
*
* Requirements:
*
* - input must fit into 24 bits
*
* _Available since v4.7._
*/
function toUint24(uint256 value) internal pure returns (uint24) {
require(value <= type(uint24).max, "SafeCast: value doesn't fit in 24 bits");
return uint24(value);
}
/**
* @dev Returns the downcasted uint16 from uint256, reverting on
* overflow (when the input is greater than largest uint16).
*
* Counterpart to Solidity's `uint16` operator.
*
* Requirements:
*
* - input must fit into 16 bits
*
* _Available since v2.5._
*/
function toUint16(uint256 value) internal pure returns (uint16) {
require(value <= type(uint16).max, "SafeCast: value doesn't fit in 16 bits");
return uint16(value);
}
/**
* @dev Returns the downcasted uint8 from uint256, reverting on
* overflow (when the input is greater than largest uint8).
*
* Counterpart to Solidity's `uint8` operator.
*
* Requirements:
*
* - input must fit into 8 bits
*
* _Available since v2.5._
*/
function toUint8(uint256 value) internal pure returns (uint8) {
require(value <= type(uint8).max, "SafeCast: value doesn't fit in 8 bits");
return uint8(value);
}
/**
* @dev Converts a signed int256 into an unsigned uint256.
*
* Requirements:
*
* - input must be greater than or equal to 0.
*
* _Available since v3.0._
*/
function toUint256(int256 value) internal pure returns (uint256) {
require(value >= 0, "SafeCast: value must be positive");
return uint256(value);
}
/**
* @dev Returns the downcasted int248 from int256, reverting on
* overflow (when the input is less than smallest int248 or
* greater than largest int248).
*
* Counterpart to Solidity's `int248` operator.
*
* Requirements:
*
* - input must fit into 248 bits
*
* _Available since v4.7._
*/
function toInt248(int256 value) internal pure returns (int248 downcasted) {
downcasted = int248(value);
require(downcasted == value, "SafeCast: value doesn't fit in 248 bits");
}
/**
* @dev Returns the downcasted int240 from int256, reverting on
* overflow (when the input is less than smallest int240 or
* greater than largest int240).
*
* Counterpart to Solidity's `int240` operator.
*
* Requirements:
*
* - input must fit into 240 bits
*
* _Available since v4.7._
*/
function toInt240(int256 value) internal pure returns (int240 downcasted) {
downcasted = int240(value);
require(downcasted == value, "SafeCast: value doesn't fit in 240 bits");
}
/**
* @dev Returns the downcasted int232 from int256, reverting on
* overflow (when the input is less than smallest int232 or
* greater than largest int232).
*
* Counterpart to Solidity's `int232` operator.
*
* Requirements:
*
* - input must fit into 232 bits
*
* _Available since v4.7._
*/
function toInt232(int256 value) internal pure returns (int232 downcasted) {
downcasted = int232(value);
require(downcasted == value, "SafeCast: value doesn't fit in 232 bits");
}
/**
* @dev Returns the downcasted int224 from int256, reverting on
* overflow (when the input is less than smallest int224 or
* greater than largest int224).
*
* Counterpart to Solidity's `int224` operator.
*
* Requirements:
*
* - input must fit into 224 bits
*
* _Available since v4.7._
*/
function toInt224(int256 value) internal pure returns (int224 downcasted) {
downcasted = int224(value);
require(downcasted == value, "SafeCast: value doesn't fit in 224 bits");
}
/**
* @dev Returns the downcasted int216 from int256, reverting on
* overflow (when the input is less than smallest int216 or
* greater than largest int216).
*
* Counterpart to Solidity's `int216` operator.
*
* Requirements:
*
* - input must fit into 216 bits
*
* _Available since v4.7._
*/
function toInt216(int256 value) internal pure returns (int216 downcasted) {
downcasted = int216(value);
require(downcasted == value, "SafeCast: value doesn't fit in 216 bits");
}
/**
* @dev Returns the downcasted int208 from int256, reverting on
* overflow (when the input is less than smallest int208 or
* greater than largest int208).
*
* Counterpart to Solidity's `int208` operator.
*
* Requirements:
*
* - input must fit into 208 bits
*
* _Available since v4.7._
*/
function toInt208(int256 value) internal pure returns (int208 downcasted) {
downcasted = int208(value);
require(downcasted == value, "SafeCast: value doesn't fit in 208 bits");
}
/**
* @dev Returns the downcasted int200 from int256, reverting on
* overflow (when the input is less than smallest int200 or
* greater than largest int200).
*
* Counterpart to Solidity's `int200` operator.
*
* Requirements:
*
* - input must fit into 200 bits
*
* _Available since v4.7._
*/
function toInt200(int256 value) internal pure returns (int200 downcasted) {
downcasted = int200(value);
require(downcasted == value, "SafeCast: value doesn't fit in 200 bits");
}
/**
* @dev Returns the downcasted int192 from int256, reverting on
* overflow (when the input is less than smallest int192 or
* greater than largest int192).
*
* Counterpart to Solidity's `int192` operator.
*
* Requirements:
*
* - input must fit into 192 bits
*
* _Available since v4.7._
*/
function toInt192(int256 value) internal pure returns (int192 downcasted) {
downcasted = int192(value);
require(downcasted == value, "SafeCast: value doesn't fit in 192 bits");
}
/**
* @dev Returns the downcasted int184 from int256, reverting on
* overflow (when the input is less than smallest int184 or
* greater than largest int184).
*
* Counterpart to Solidity's `int184` operator.
*
* Requirements:
*
* - input must fit into 184 bits
*
* _Available since v4.7._
*/
function toInt184(int256 value) internal pure returns (int184 downcasted) {
downcasted = int184(value);
require(downcasted == value, "SafeCast: value doesn't fit in 184 bits");
}
/**
* @dev Returns the downcasted int176 from int256, reverting on
* overflow (when the input is less than smallest int176 or
* greater than largest int176).
*
* Counterpart to Solidity's `int176` operator.
*
* Requirements:
*
* - input must fit into 176 bits
*
* _Available since v4.7._
*/
function toInt176(int256 value) internal pure returns (int176 downcasted) {
downcasted = int176(value);
require(downcasted == value, "SafeCast: value doesn't fit in 176 bits");
}
/**
* @dev Returns the downcasted int168 from int256, reverting on
* overflow (when the input is less than smallest int168 or
* greater than largest int168).
*
* Counterpart to Solidity's `int168` operator.
*
* Requirements:
*
* - input must fit into 168 bits
*
* _Available since v4.7._
*/
function toInt168(int256 value) internal pure returns (int168 downcasted) {
downcasted = int168(value);
require(downcasted == value, "SafeCast: value doesn't fit in 168 bits");
}
/**
* @dev Returns the downcasted int160 from int256, reverting on
* overflow (when the input is less than smallest int160 or
* greater than largest int160).
*
* Counterpart to Solidity's `int160` operator.
*
* Requirements:
*
* - input must fit into 160 bits
*
* _Available since v4.7._
*/
function toInt160(int256 value) internal pure returns (int160 downcasted) {
downcasted = int160(value);
require(downcasted == value, "SafeCast: value doesn't fit in 160 bits");
}
/**
* @dev Returns the downcasted int152 from int256, reverting on
* overflow (when the input is less than smallest int152 or
* greater than largest int152).
*
* Counterpart to Solidity's `int152` operator.
*
* Requirements:
*
* - input must fit into 152 bits
*
* _Available since v4.7._
*/
function toInt152(int256 value) internal pure returns (int152 downcasted) {
downcasted = int152(value);
require(downcasted == value, "SafeCast: value doesn't fit in 152 bits");
}
/**
* @dev Returns the downcasted int144 from int256, reverting on
* overflow (when the input is less than smallest int144 or
* greater than largest int144).
*
* Counterpart to Solidity's `int144` operator.
*
* Requirements:
*
* - input must fit into 144 bits
*
* _Available since v4.7._
*/
function toInt144(int256 value) internal pure returns (int144 downcasted) {
downcasted = int144(value);
require(downcasted == value, "SafeCast: value doesn't fit in 144 bits");
}
/**
* @dev Returns the downcasted int136 from int256, reverting on
* overflow (when the input is less than smallest int136 or
* greater than largest int136).
*
* Counterpart to Solidity's `int136` operator.
*
* Requirements:
*
* - input must fit into 136 bits
*
* _Available since v4.7._
*/
function toInt136(int256 value) internal pure returns (int136 downcasted) {
downcasted = int136(value);
require(downcasted == value, "SafeCast: value doesn't fit in 136 bits");
}
/**
* @dev Returns the downcasted int128 from int256, reverting on
* overflow (when the input is less than smallest int128 or
* greater than largest int128).
*
* Counterpart to Solidity's `int128` operator.
*
* Requirements:
*
* - input must fit into 128 bits
*
* _Available since v3.1._
*/
function toInt128(int256 value) internal pure returns (int128 downcasted) {
downcasted = int128(value);
require(downcasted == value, "SafeCast: value doesn't fit in 128 bits");
}
/**
* @dev Returns the downcasted int120 from int256, reverting on
* overflow (when the input is less than smallest int120 or
* greater than largest int120).
*
* Counterpart to Solidity's `int120` operator.
*
* Requirements:
*
* - input must fit into 120 bits
*
* _Available since v4.7._
*/
function toInt120(int256 value) internal pure returns (int120 downcasted) {
downcasted = int120(value);
require(downcasted == value, "SafeCast: value doesn't fit in 120 bits");
}
/**
* @dev Returns the downcasted int112 from int256, reverting on
* overflow (when the input is less than smallest int112 or
* greater than largest int112).
*
* Counterpart to Solidity's `int112` operator.
*
* Requirements:
*
* - input must fit into 112 bits
*
* _Available since v4.7._
*/
function toInt112(int256 value) internal pure returns (int112 downcasted) {
downcasted = int112(value);
require(downcasted == value, "SafeCast: value doesn't fit in 112 bits");
}
/**
* @dev Returns the downcasted int104 from int256, reverting on
* overflow (when the input is less than smallest int104 or
* greater than largest int104).
*
* Counterpart to Solidity's `int104` operator.
*
* Requirements:
*
* - input must fit into 104 bits
*
* _Available since v4.7._
*/
function toInt104(int256 value) internal pure returns (int104 downcasted) {
downcasted = int104(value);
require(downcasted == value, "SafeCast: value doesn't fit in 104 bits");
}
/**
* @dev Returns the downcasted int96 from int256, reverting on
* overflow (when the input is less than smallest int96 or
* greater than largest int96).
*
* Counterpart to Solidity's `int96` operator.
*
* Requirements:
*
* - input must fit into 96 bits
*
* _Available since v4.7._
*/
function toInt96(int256 value) internal pure returns (int96 downcasted) {
downcasted = int96(value);
require(downcasted == value, "SafeCast: value doesn't fit in 96 bits");
}
/**
* @dev Returns the downcasted int88 from int256, reverting on
* overflow (when the input is less than smallest int88 or
* greater than largest int88).
*
* Counterpart to Solidity's `int88` operator.
*
* Requirements:
*
* - input must fit into 88 bits
*
* _Available since v4.7._
*/
function toInt88(int256 value) internal pure returns (int88 downcasted) {
downcasted = int88(value);
require(downcasted == value, "SafeCast: value doesn't fit in 88 bits");
}
/**
* @dev Returns the downcasted int80 from int256, reverting on
* overflow (when the input is less than smallest int80 or
* greater than largest int80).
*
* Counterpart to Solidity's `int80` operator.
*
* Requirements:
*
* - input must fit into 80 bits
*
* _Available since v4.7._
*/
function toInt80(int256 value) internal pure returns (int80 downcasted) {
downcasted = int80(value);
require(downcasted == value, "SafeCast: value doesn't fit in 80 bits");
}
/**
* @dev Returns the downcasted int72 from int256, reverting on
* overflow (when the input is less than smallest int72 or
* greater than largest int72).
*
* Counterpart to Solidity's `int72` operator.
*
* Requirements:
*
* - input must fit into 72 bits
*
* _Available since v4.7._
*/
function toInt72(int256 value) internal pure returns (int72 downcasted) {
downcasted = int72(value);
require(downcasted == value, "SafeCast: value doesn't fit in 72 bits");
}
/**
* @dev Returns the downcasted int64 from int256, reverting on
* overflow (when the input is less than smallest int64 or
* greater than largest int64).
*
* Counterpart to Solidity's `int64` operator.
*
* Requirements:
*
* - input must fit into 64 bits
*
* _Available since v3.1._
*/
function toInt64(int256 value) internal pure returns (int64 downcasted) {
downcasted = int64(value);
require(downcasted == value, "SafeCast: value doesn't fit in 64 bits");
}
/**
* @dev Returns the downcasted int56 from int256, reverting on
* overflow (when the input is less than smallest int56 or
* greater than largest int56).
*
* Counterpart to Solidity's `int56` operator.
*
* Requirements:
*
* - input must fit into 56 bits
*
* _Available since v4.7._
*/
function toInt56(int256 value) internal pure returns (int56 downcasted) {
downcasted = int56(value);
require(downcasted == value, "SafeCast: value doesn't fit in 56 bits");
}
/**
* @dev Returns the downcasted int48 from int256, reverting on
* overflow (when the input is less than smallest int48 or
* greater than largest int48).
*
* Counterpart to Solidity's `int48` operator.
*
* Requirements:
*
* - input must fit into 48 bits
*
* _Available since v4.7._
*/
function toInt48(int256 value) internal pure returns (int48 downcasted) {
downcasted = int48(value);
require(downcasted == value, "SafeCast: value doesn't fit in 48 bits");
}
/**
* @dev Returns the downcasted int40 from int256, reverting on
* overflow (when the input is less than smallest int40 or
* greater than largest int40).
*
* Counterpart to Solidity's `int40` operator.
*
* Requirements:
*
* - input must fit into 40 bits
*
* _Available since v4.7._
*/
function toInt40(int256 value) internal pure returns (int40 downcasted) {
downcasted = int40(value);
require(downcasted == value, "SafeCast: value doesn't fit in 40 bits");
}
/**
* @dev Returns the downcasted int32 from int256, reverting on
* overflow (when the input is less than smallest int32 or
* greater than largest int32).
*
* Counterpart to Solidity's `int32` operator.
*
* Requirements:
*
* - input must fit into 32 bits
*
* _Available since v3.1._
*/
function toInt32(int256 value) internal pure returns (int32 downcasted) {
downcasted = int32(value);
require(downcasted == value, "SafeCast: value doesn't fit in 32 bits");
}
/**
* @dev Returns the downcasted int24 from int256, reverting on
* overflow (when the input is less than smallest int24 or
* greater than largest int24).
*
* Counterpart to Solidity's `int24` operator.
*
* Requirements:
*
* - input must fit into 24 bits
*
* _Available since v4.7._
*/
function toInt24(int256 value) internal pure returns (int24 downcasted) {
downcasted = int24(value);
require(downcasted == value, "SafeCast: value doesn't fit in 24 bits");
}
/**
* @dev Returns the downcasted int16 from int256, reverting on
* overflow (when the input is less than smallest int16 or
* greater than largest int16).
*
* Counterpart to Solidity's `int16` operator.
*
* Requirements:
*
* - input must fit into 16 bits
*
* _Available since v3.1._
*/
function toInt16(int256 value) internal pure returns (int16 downcasted) {
downcasted = int16(value);
require(downcasted == value, "SafeCast: value doesn't fit in 16 bits");
}
/**
* @dev Returns the downcasted int8 from int256, reverting on
* overflow (when the input is less than smallest int8 or
* greater than largest int8).
*
* Counterpart to Solidity's `int8` operator.
*
* Requirements:
*
* - input must fit into 8 bits
*
* _Available since v3.1._
*/
function toInt8(int256 value) internal pure returns (int8 downcasted) {
downcasted = int8(value);
require(downcasted == value, "SafeCast: value doesn't fit in 8 bits");
}
/**
* @dev Converts an unsigned uint256 into a signed int256.
*
* Requirements:
*
* - input must be less than or equal to maxInt256.
*
* _Available since v3.0._
*/
function toInt256(uint256 value) internal pure returns (int256) {
// Note: Unsafe cast below is okay because `type(int256).max` is guaranteed to be positive
require(value <= uint256(type(int256).max), "SafeCast: value doesn't fit in an int256");
return int256(value);
}
}// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.9.0) (interfaces/IERC4626.sol)
pragma solidity ^0.8.0;
import "../token/ERC20/IERC20.sol";
import "../token/ERC20/extensions/IERC20Metadata.sol";
/**
* @dev Interface of the ERC4626 "Tokenized Vault Standard", as defined in
* https://eips.ethereum.org/EIPS/eip-4626[ERC-4626].
*
* _Available since v4.7._
*/
interface IERC4626 is IERC20, IERC20Metadata {
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
);
/**
* @dev Returns the address of the underlying token used for the Vault for accounting, depositing, and withdrawing.
*
* - MUST be an ERC-20 token contract.
* - MUST NOT revert.
*/
function asset() external view returns (address assetTokenAddress);
/**
* @dev Returns the total amount of the underlying asset that is “managed” by Vault.
*
* - 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);
/**
* @dev 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.
*
* - 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 when exchanging to and
* from.
*/
function convertToShares(uint256 assets) external view returns (uint256 shares);
/**
* @dev Returns the amount of assets that the Vault would exchange for the amount of shares provided, in an ideal
* scenario where all the conditions are met.
*
* - 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 when exchanging to and
* from.
*/
function convertToAssets(uint256 shares) external view returns (uint256 assets);
/**
* @dev Returns the maximum amount of the underlying asset that can be deposited into the Vault for the receiver,
* through a deposit call.
*
* - MUST return a limited value if receiver is subject to some deposit limit.
* - MUST return 2 ** 256 - 1 if there is no limit on the maximum amount of assets that may be deposited.
* - MUST NOT revert.
*/
function maxDeposit(address receiver) external view returns (uint256 maxAssets);
/**
* @dev Allows an on-chain or off-chain user to simulate the effects of their deposit at the current block, given
* current on-chain conditions.
*
* - MUST return as close to and no more than the exact amount of Vault shares that would be minted in a deposit
* call in the same transaction. I.e. deposit should return the same or more shares as previewDeposit if called
* in the same transaction.
* - MUST NOT account for deposit limits like those returned from maxDeposit and should always act as though the
* deposit would be accepted, regardless if the user has enough tokens approved, etc.
* - MUST be inclusive of deposit fees. Integrators should be aware of the existence of deposit fees.
* - MUST NOT revert.
*
* NOTE: any unfavorable discrepancy between convertToShares and previewDeposit SHOULD be considered slippage in
* share price or some other type of condition, meaning the depositor will lose assets by depositing.
*/
function previewDeposit(uint256 assets) external view returns (uint256 shares);
/**
* @dev Mints shares Vault shares to receiver by depositing exactly amount of underlying tokens.
*
* - MUST emit the Deposit event.
* - MAY support an additional flow in which the underlying tokens are owned by the Vault contract before the
* deposit execution, and are accounted for during deposit.
* - MUST revert if all of assets cannot be deposited (due to deposit limit being reached, slippage, the user not
* approving enough underlying tokens to the Vault contract, etc).
*
* NOTE: most implementations will require pre-approval of the Vault with the Vault’s underlying asset token.
*/
function deposit(uint256 assets, address receiver) external returns (uint256 shares);
/**
* @dev Returns the maximum amount of the Vault shares that can be minted for the receiver, through a mint call.
* - MUST return a limited value if receiver is subject to some mint limit.
* - MUST return 2 ** 256 - 1 if there is no limit on the maximum amount of shares that may be minted.
* - MUST NOT revert.
*/
function maxMint(address receiver) external view returns (uint256 maxShares);
/**
* @dev Allows an on-chain or off-chain user to simulate the effects of their mint at the current block, given
* current on-chain conditions.
*
* - MUST return as close to and no fewer than the exact amount of assets that would be deposited in a mint call
* in the same transaction. I.e. mint should return the same or fewer assets as previewMint if called in the
* same transaction.
* - MUST NOT account for mint limits like those returned from maxMint and should always act as though the mint
* would be accepted, regardless if the user has enough tokens approved, etc.
* - MUST be inclusive of deposit fees. Integrators should be aware of the existence of deposit fees.
* - MUST NOT revert.
*
* NOTE: any unfavorable discrepancy between convertToAssets and previewMint SHOULD be considered slippage in
* share price or some other type of condition, meaning the depositor will lose assets by minting.
*/
function previewMint(uint256 shares) external view returns (uint256 assets);
/**
* @dev Mints exactly shares Vault shares to receiver by depositing amount of underlying tokens.
*
* - MUST emit the Deposit event.
* - MAY support an additional flow in which the underlying tokens are owned by the Vault contract before the mint
* execution, and are accounted for during mint.
* - MUST revert if all of shares cannot be minted (due to deposit limit being reached, slippage, the user not
* approving enough underlying tokens to the Vault contract, etc).
*
* NOTE: most implementations will require pre-approval of the Vault with the Vault’s underlying asset token.
*/
function mint(uint256 shares, address receiver) external returns (uint256 assets);
/**
* @dev Returns the maximum amount of the underlying asset that can be withdrawn from the owner balance in the
* Vault, through a withdraw call.
*
* - MUST return a limited value if owner is subject to some withdrawal limit or timelock.
* - MUST NOT revert.
*/
function maxWithdraw(address owner) external view returns (uint256 maxAssets);
/**
* @dev Allows an on-chain or off-chain user to simulate the effects of their withdrawal at the current block,
* given current on-chain conditions.
*
* - MUST return as close to and no fewer than the exact amount of Vault shares that would be burned in a withdraw
* call in the same transaction. I.e. withdraw should return the same or fewer shares as previewWithdraw if
* called
* in the same transaction.
* - MUST NOT account for withdrawal limits like those returned from maxWithdraw and should always act as though
* the withdrawal would be accepted, regardless if the user has enough shares, etc.
* - MUST be inclusive of withdrawal fees. Integrators should be aware of the existence of withdrawal fees.
* - MUST NOT revert.
*
* NOTE: any unfavorable discrepancy between convertToShares and previewWithdraw SHOULD be considered slippage in
* share price or some other type of condition, meaning the depositor will lose assets by depositing.
*/
function previewWithdraw(uint256 assets) external view returns (uint256 shares);
/**
* @dev Burns shares from owner and sends exactly assets of underlying tokens to receiver.
*
* - MUST emit the Withdraw event.
* - MAY support an additional flow in which the underlying tokens are owned by the Vault contract before the
* withdraw execution, and are accounted for during withdraw.
* - MUST revert if all of assets cannot be withdrawn (due to withdrawal limit being reached, slippage, the owner
* not having enough shares, etc).
*
* Note that some implementations will require pre-requesting to the Vault before a withdrawal may be performed.
* Those methods should be performed separately.
*/
function withdraw(uint256 assets, address receiver, address owner) external returns (uint256 shares);
/**
* @dev Returns the maximum amount of Vault shares that can be redeemed from the owner balance in the Vault,
* through a redeem call.
*
* - MUST return a limited value if owner is subject to some withdrawal limit or timelock.
* - MUST return balanceOf(owner) if owner is not subject to any withdrawal limit or timelock.
* - MUST NOT revert.
*/
function maxRedeem(address owner) external view returns (uint256 maxShares);
/**
* @dev Allows an on-chain or off-chain user to simulate the effects of their redeemption at the current block,
* given current on-chain conditions.
*
* - MUST return as close to and no more than the exact amount of assets that would be withdrawn in a redeem call
* in the same transaction. I.e. redeem should return the same or more assets as previewRedeem if called in the
* same transaction.
* - MUST NOT account for redemption limits like those returned from maxRedeem and should always act as though the
* redemption would be accepted, regardless if the user has enough shares, etc.
* - MUST be inclusive of withdrawal fees. Integrators should be aware of the existence of withdrawal fees.
* - MUST NOT revert.
*
* NOTE: any unfavorable discrepancy between convertToAssets and previewRedeem SHOULD be considered slippage in
* share price or some other type of condition, meaning the depositor will lose assets by redeeming.
*/
function previewRedeem(uint256 shares) external view returns (uint256 assets);
/**
* @dev Burns exactly shares from owner and sends assets of underlying tokens to receiver.
*
* - MUST emit the Withdraw event.
* - MAY support an additional flow in which the underlying tokens are owned by the Vault contract before the
* redeem execution, and are accounted for during redeem.
* - MUST revert if all of shares cannot be redeemed (due to withdrawal limit being reached, slippage, the owner
* not having enough shares, etc).
*
* NOTE: some implementations will require pre-requesting to the Vault before a withdrawal may be performed.
* Those methods should be performed separately.
*/
function redeem(uint256 shares, address receiver, address owner) external returns (uint256 assets);
}// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity 0.8.26;
/// @title Types used in AmmStorage smart contract
library AmmStorageTypes {
/// @notice struct representing swap's ID and direction
/// @dev direction = 0 - Pay Fixed - Receive Floating, direction = 1 - Receive Fixed - Pay Floating
struct IporSwapId {
/// @notice Swap's ID
uint256 id;
/// @notice Swap's direction, 0 - Pay Fixed Receive Floating, 1 - Receive Fixed Pay Floating
uint8 direction;
}
/// @notice Struct containing extended balance information.
/// @dev extended information includes: opening fee balance, liquidation deposit balance,
/// IPOR publication fee balance, treasury balance, all values are with 18 decimals
struct ExtendedBalancesMemory {
/// @notice Swap's balance for Pay Fixed leg
uint256 totalCollateralPayFixed;
/// @notice Swap's balance for Receive Fixed leg
uint256 totalCollateralReceiveFixed;
/// @notice Liquidity Pool's Balance
uint256 liquidityPool;
/// @notice AssetManagement's (Asset Management) balance
uint256 vault;
/// @notice IPOR publication fee balance. This balance is used to subsidise the oracle operations
uint256 iporPublicationFee;
/// @notice Balance of the DAO's treasury. Fed by portion of the opening fee set by the DAO
uint256 treasury;
}
/// @notice A struct with parameters required to calculate SOAP for pay fixed and receive fixed legs.
/// @dev Committed to the memory.
struct SoapIndicators {
/// @notice Value of interest accrued on a fixed leg of all derivatives for this particular type of swap.
/// @dev Represented in 18 decimals.
uint256 hypotheticalInterestCumulative;
/// @notice Sum of all swaps' notional amounts for a given leg.
/// @dev Represented in 18 decimals.
uint256 totalNotional;
/// @notice Sum of all IBTs on a given leg.
/// @dev Represented in 18 decimals.
uint256 totalIbtQuantity;
/// @notice The notional-weighted average interest rate of all swaps on a given leg combined.
/// @dev Represented in 18 decimals.
uint256 averageInterestRate;
/// @notice EPOCH timestamp of when the most recent rebalancing took place
uint256 rebalanceTimestamp;
}
}// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity 0.8.26;
import "@openzeppelin/contracts/token/ERC20/IERC20.sol";
/// @title Interface of ipToken - Liquidity Pool Token managed by Router in IPOR Protocol for a given asset.
/// For more information refer to the documentation https://ipor-labs.gitbook.io/ipor-labs/automated-market-maker/liquidity-provisioning#liquidity-tokens
interface IIpToken is IERC20 {
/// @notice Gets the asset / stablecoin address which is associated with particular ipToken smart contract instance
/// @return asset / stablecoin address
function getAsset() external view returns (address);
/// @notice Gets the Token Manager's address.
function getTokenManager() external view returns (address);
/// @notice Sets token manager's address. IpToken contract Owner only
/// @dev only Token Manager can mint or burn ipTokens. Function emits `TokenManagerChanged` event.
/// @param newTokenManager Token Managers's address
function setTokenManager(address newTokenManager) external;
/// @notice Creates the ipTokens in the `amount` given and assigns them to the `account`
/// @dev Emits {Transfer} from ERC20 asset and {Mint} event from ipToken
/// @param account to which the created ipTokens were assigned
/// @param amount volume of ipTokens created
function mint(address account, uint256 amount) external;
/// @notice Burns the `amount` of ipTokens from `account`, reducing the total supply
/// @dev Emits {Transfer} from ERC20 asset and {Burn} event from ipToken
/// @param account from which burned ipTokens are taken
/// @param amount volume of ipTokens that will be burned, represented in 18 decimals
function burn(address account, uint256 amount) external;
/// @notice Emitted after the `amount` ipTokens were mint and transferred to `account`.
/// @param account address where ipTokens are transferred after minting
/// @param amount of ipTokens minted, represented in 18 decimals
event Mint(address indexed account, uint256 amount);
/// @notice Emitted after `amount` ipTokens were transferred from `account` and burnt.
/// @param account address from which ipTokens are transferred to be burned
/// @param amount volume of ipTokens burned
event Burn(address indexed account, uint256 amount);
/// @notice Emitted when Token Manager address is changed by its owner.
/// @param newTokenManager new address of Token Manager
event TokenManagerChanged(address indexed newTokenManager);
}// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity 0.8.26;
import "./types/IporTypes.sol";
/// @title Interface for interaction with IporOracle, smart contract responsible for managing IPOR Index.
interface IIporOracle {
/// @notice Structure representing parameters required to update an IPOR index for a given asset.
/// @dev This structure is used in the `updateIndexes` method to provide necessary details for updating IPOR indexes.
/// For assets other than '_stEth', the 'quasiIbtPrice' field is not utilized in the update process.
/// @param asset The address of the underlying asset/stablecoin supported by the IPOR Protocol.
/// @param indexValue The new value of the IPOR index to be set for the specified asset.
/// @param updateTimestamp The timestamp at which the index value is updated, used to calculate accrued interest.
/// @param quasiIbtPrice The quasi interest-bearing token (IBT) price, applicable only for the '_stEth' asset.
/// Represents a specialized value used in calculations for staked Ethereum.
struct UpdateIndexParams {
address asset;
uint256 indexValue;
uint256 updateTimestamp;
uint256 quasiIbtPrice;
}
/// @notice Returns current version of IporOracle's
/// @dev Increase number when implementation inside source code is different that implementation deployed on Mainnet
/// @return current IporOracle version
function getVersion() external pure returns (uint256);
/// @notice Gets IPOR Index indicators for a given asset
/// @dev all returned values represented in 18 decimals
/// @param asset underlying / stablecoin address supported in Ipor Protocol
/// @return indexValue IPOR Index value for a given asset calculated for time lastUpdateTimestamp
/// @return ibtPrice Interest Bearing Token Price for a given IPOR Index calculated for time lastUpdateTimestamp
/// @return lastUpdateTimestamp Last IPOR Index update done by off-chain service
/// @dev For calculation accrued IPOR Index indicators (indexValue and ibtPrice) for a specified timestamp use {getAccruedIndex} function.
/// Method {getIndex} calculates IPOR Index indicators for a moment when last update was done by off-chain service,
/// this timestamp is stored in lastUpdateTimestamp variable.
function getIndex(
address asset
) external view returns (uint256 indexValue, uint256 ibtPrice, uint256 lastUpdateTimestamp);
/// @notice Gets accrued IPOR Index indicators for a given timestamp and asset.
/// @param calculateTimestamp time of accrued IPOR Index calculation
/// @param asset underlying / stablecoin address supported by IPOR Protocol.
/// @return accruedIpor structure {IporTypes.AccruedIpor}
/// @dev ibtPrice included in accruedIpor structure is calculated using continuous compounding interest formula
function getAccruedIndex(
uint256 calculateTimestamp,
address asset
) external view returns (IporTypes.AccruedIpor memory accruedIpor);
/// @notice Calculates accrued Interest Bearing Token price for a given asset and timestamp.
/// @param asset underlying / stablecoin address supported by IPOR Protocol.
/// @param calculateTimestamp time of accrued Interest Bearing Token price calculation
/// @return accrued IBT price, represented in 18 decimals
function calculateAccruedIbtPrice(address asset, uint256 calculateTimestamp) external view returns (uint256);
/// @notice Updates the Indexes based on the provided parameters.
/// It is marked as 'onlyUpdater' meaning it has restricted access, and 'whenNotPaused' indicating it only operates when the contract is not paused.
/// @param indexesToUpdate An array of `IIporOracle.UpdateIndexParams` to be updated.
/// The structure typically contains fields like 'asset', 'indexValue', 'updateTimestamp', and 'quasiIbtPrice'.
/// However, 'updateTimestamp' and 'quasiIbtPrice' are not used in this function.
function updateIndexes(UpdateIndexParams[] calldata indexesToUpdate) external;
/// @notice Updates both the Indexes and the Quasi IBT (Interest Bearing Token) Price based on the provided parameters.
/// @param indexesToUpdate An array of `IIporOracle.UpdateIndexParams` to be updated.
/// The structure contains fields such as 'asset', 'indexValue', 'updateTimestamp', and 'quasiIbtPrice', all of which are utilized in this update process.
function updateIndexesAndQuasiIbtPrice(IIporOracle.UpdateIndexParams[] calldata indexesToUpdate) external;
/// @notice Adds new Updater. Updater has right to update IPOR Index. Function available only for Owner.
/// @param newUpdater new updater address
function addUpdater(address newUpdater) external;
/// @notice Removes Updater. Function available only for Owner.
/// @param updater updater address
function removeUpdater(address updater) external;
/// @notice Checks if given account is an Updater.
/// @param account account for checking
/// @return 0 if account is not updater, 1 if account is updater.
function isUpdater(address account) external view returns (uint256);
/// @notice Adds new asset which IPOR Protocol will support. Function available only for Owner.
/// @param newAsset new asset address
/// @param updateTimestamp Time when start to accrue interest for Interest Bearing Token price.
function addAsset(address newAsset, uint256 updateTimestamp) external;
/// @notice Removes asset which IPOR Protocol will not support. Function available only for Owner.
/// @param asset underlying / stablecoin address which current is supported by IPOR Protocol.
function removeAsset(address asset) external;
/// @notice Checks if given asset is supported by IPOR Protocol.
/// @param asset underlying / stablecoin address
function isAssetSupported(address asset) external view returns (bool);
/// @notice Emmited when Charlie update IPOR Index.
/// @param asset underlying / stablecoin address
/// @param indexValue IPOR Index value represented in 18 decimals
/// @param quasiIbtPrice quasi Interest Bearing Token price represented in 18 decimals.
/// @param updateTimestamp moment when IPOR Index was updated.
event IporIndexUpdate(address asset, uint256 indexValue, uint256 quasiIbtPrice, uint256 updateTimestamp);
/// @notice event emitted when IPOR Index Updater is added by Owner
/// @param newUpdater new Updater address
event IporIndexAddUpdater(address newUpdater);
/// @notice event emitted when IPOR Index Updater is removed by Owner
/// @param updater updater address
event IporIndexRemoveUpdater(address updater);
/// @notice event emitted when new asset is added by Owner to list of assets supported in IPOR Protocol.
/// @param newAsset new asset address
/// @param updateTimestamp update timestamp
event IporIndexAddAsset(address newAsset, uint256 updateTimestamp);
/// @notice event emitted when asset is removed by Owner from list of assets supported in IPOR Protocol.
/// @param asset asset address
event IporIndexRemoveAsset(address asset);
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.26;
import "./types/IporTypes.sol";
import "./types/AmmTypes.sol";
import "./types/AmmStorageTypes.sol";
import "../amm/libraries/types/AmmInternalTypes.sol";
/// @title Interface for interaction with the IPOR AMM Storage, contract responsible for managing AMM storage.
interface IAmmStorage {
/// @notice Returns the current version of AmmTreasury Storage
/// @dev Increase number when the implementation inside source code is different that the implementation deployed on the Mainnet
/// @return current AmmTreasury Storage version, integer
function getVersion() external pure returns (uint256);
/// @notice Gets the configuration of the IPOR AMM Storage.
/// @return ammTreasury address of the AmmTreasury contract
/// @return router address of the IPOR Protocol Router contract
function getConfiguration() external view returns (address ammTreasury, address router);
/// @notice Gets last swap ID.
/// @dev swap ID is incremented when new position is opened, last swap ID is used in Pay Fixed and Receive Fixed swaps.
/// @dev ID is global for all swaps, regardless if they are Pay Fixed or Receive Fixed in tenor 28, 60 or 90 days.
/// @return last swap ID, integer
function getLastSwapId() external view returns (uint256);
/// @notice Gets the last opened swap for a given tenor and direction.
/// @param tenor tenor of the swap
/// @param direction direction of the swap: 0 for Pay Fixed, 1 for Receive Fixed
/// @return last opened swap {AmmInternalTypes.OpenSwapItem}
function getLastOpenedSwap(
IporTypes.SwapTenor tenor,
uint256 direction
) external view returns (AmmInternalTypes.OpenSwapItem memory);
/// @notice Gets the AMM balance struct
/// @dev Balance contains:
/// # Pay Fixed Total Collateral
/// # Receive Fixed Total Collateral
/// # Liquidity Pool and Vault balances.
/// @return balance structure {IporTypes.AmmBalancesMemory}
function getBalance() external view returns (IporTypes.AmmBalancesMemory memory);
/// @notice Gets the balance for open swap
/// @dev Balance contains:
/// # Pay Fixed Total Collateral
/// # Receive Fixed Total Collateral
/// # Liquidity Pool balance
/// # Total Notional Pay Fixed
/// # Total Notional Receive Fixed
/// @return balance structure {IporTypes.AmmBalancesForOpenSwapMemory}
function getBalancesForOpenSwap() external view returns (IporTypes.AmmBalancesForOpenSwapMemory memory);
/// @notice Gets the balance with the extended information: IPOR publication fee balance and Treasury balance.
/// @return balance structure {AmmStorageTypes.ExtendedBalancesMemory}
function getExtendedBalance() external view returns (AmmStorageTypes.ExtendedBalancesMemory memory);
/// @notice gets the SOAP indicators.
/// @dev SOAP is a Sum Of All Payouts, aka undealised PnL.
/// @return indicatorsPayFixed structure {AmmStorageTypes.SoapIndicators} indicators for Pay Fixed swaps
/// @return indicatorsReceiveFixed structure {AmmStorageTypes.SoapIndicators} indicators for Receive Fixed swaps
function getSoapIndicators()
external
view
returns (
AmmStorageTypes.SoapIndicators memory indicatorsPayFixed,
AmmStorageTypes.SoapIndicators memory indicatorsReceiveFixed
);
/// @notice Gets swap based on the direction and swap ID.
/// @param direction direction of the swap: 0 for Pay Fixed, 1 for Receive Fixed
/// @param swapId swap ID
/// @return swap structure {AmmTypes.Swap}
function getSwap(AmmTypes.SwapDirection direction, uint256 swapId) external view returns (AmmTypes.Swap memory);
/// @notice Gets the active Pay-Fixed swaps for a given account address.
/// @param account account address
/// @param offset offset for paging
/// @param chunkSize page size for paging
/// @return totalCount total number of active Pay-Fixed swaps
/// @return swaps array where each element has structure {AmmTypes.Swap}
function getSwapsPayFixed(
address account,
uint256 offset,
uint256 chunkSize
) external view returns (uint256 totalCount, AmmTypes.Swap[] memory swaps);
/// @notice Gets the active Receive-Fixed swaps for a given account address.
/// @param account account address
/// @param offset offset for paging
/// @param chunkSize page size for paging
/// @return totalCount total number of active Receive Fixed swaps
/// @return swaps array where each element has structure {AmmTypes.Swap}
function getSwapsReceiveFixed(
address account,
uint256 offset,
uint256 chunkSize
) external view returns (uint256 totalCount, AmmTypes.Swap[] memory swaps);
/// @notice Gets the active Pay-Fixed and Receive-Fixed swaps IDs for a given account address.
/// @param account account address
/// @param offset offset for paging
/// @param chunkSize page size for paging
/// @return totalCount total number of active Pay-Fixed and Receive-Fixed IDs.
/// @return ids array where each element has structure {AmmStorageTypes.IporSwapId}
function getSwapIds(
address account,
uint256 offset,
uint256 chunkSize
) external view returns (uint256 totalCount, AmmStorageTypes.IporSwapId[] memory ids);
/// @notice adds liquidity to the Liquidity Pool. Function available only to Router.
/// @param account account address executing request for redeem asset amount
/// @param assetAmount amount of asset added to balance of Liquidity Pool, represented in 18 decimals
/// @param cfgMaxLiquidityPoolBalance max liquidity pool balance taken from AmmPoolsService configuration, represented in 18 decimals.
/// @dev Function is only available to AmmPoolsService, can be executed only by IPOR Protocol Router as internal interaction.
function addLiquidityInternal(address account, uint256 assetAmount, uint256 cfgMaxLiquidityPoolBalance) external;
/// @notice subtract liquidity from the Liquidity Pool. Function available only to Router.
/// @param assetAmount amount of asset subtracted from Liquidity Pool, represented in 18 decimals
/// @dev Function is only available to AmmPoolsService, it can be executed only by IPOR Protocol Router as internal interaction.
function subtractLiquidityInternal(uint256 assetAmount) external;
/// @notice Updates structures in storage: balance, swaps, SOAP indicators when new Pay-Fixed swap is opened.
/// @dev Function is only available to AmmOpenSwapService, it can be executed only by IPOR Protocol Router as internal interaction.
/// @param newSwap new swap structure {AmmTypes.NewSwap}
/// @param cfgIporPublicationFee publication fee amount taken from AmmTreasury configuration, represented in 18 decimals.
/// @return new swap ID
function updateStorageWhenOpenSwapPayFixedInternal(
AmmTypes.NewSwap memory newSwap,
uint256 cfgIporPublicationFee
) external returns (uint256);
/// @notice Updates structures in the storage: balance, swaps, SOAP indicators when new Receive-Fixed swap is opened.
/// @dev Function is only available to AmmOpenSwapService, it can be executed only by IPOR Protocol Router as internal interaction.
/// @param newSwap new swap structure {AmmTypes.NewSwap}
/// @param cfgIporPublicationFee publication fee amount taken from AmmTreasury configuration, represented in 18 decimals.
/// @return new swap ID
function updateStorageWhenOpenSwapReceiveFixedInternal(
AmmTypes.NewSwap memory newSwap,
uint256 cfgIporPublicationFee
) external returns (uint256);
/// @notice Updates structures in the storage: balance, swaps, SOAP indicators when closing Pay-Fixed swap.
/// @dev Function is only available to AmmCloseSwapService, it can be executed only by IPOR Protocol Router as internal interaction.
/// @param swap The swap structure containing IPOR swap information.
/// @param pnlValue The amount that the trader has earned or lost on the swap, represented in 18 decimals.
/// pnValue can be negative, pnlValue NOT INCLUDE potential unwind fee.
/// @param swapUnwindFeeLPAmount unwind fee which is accounted on AMM Liquidity Pool balance.
/// @param swapUnwindFeeTreasuryAmount unwind fee which is accounted on AMM Treasury balance.
/// @param closingTimestamp The moment when the swap was closed.
/// @return closedSwap A memory struct representing the closed swap.
function updateStorageWhenCloseSwapPayFixedInternal(
AmmTypes.Swap memory swap,
int256 pnlValue,
uint256 swapUnwindFeeLPAmount,
uint256 swapUnwindFeeTreasuryAmount,
uint256 closingTimestamp
) external returns (AmmInternalTypes.OpenSwapItem memory closedSwap);
/// @notice Updates structures in the storage: swaps, balances, SOAP indicators when closing Receive-Fixed swap.
/// @dev Function is only available to AmmCloseSwapService, it can be executed only by IPOR Protocol Router as internal interaction.
/// @param swap The swap structure containing IPOR swap information.
/// @param pnlValue The amount that the trader has earned or lost on the swap, represented in 18 decimals.
/// pnValue can be negative, pnlValue NOT INCLUDE potential unwind fee.
/// @param swapUnwindFeeLPAmount unwind fee which is accounted on AMM Liquidity Pool balance.
/// @param swapUnwindFeeTreasuryAmount unwind fee which is accounted on AMM Treasury balance.
/// @param closingTimestamp The moment when the swap was closed.
/// @return closedSwap A memory struct representing the closed swap.
function updateStorageWhenCloseSwapReceiveFixedInternal(
AmmTypes.Swap memory swap,
int256 pnlValue,
uint256 swapUnwindFeeLPAmount,
uint256 swapUnwindFeeTreasuryAmount,
uint256 closingTimestamp
) external returns (AmmInternalTypes.OpenSwapItem memory closedSwap);
/// @notice Updates the balance when the AmmPoolsService withdraws AmmTreasury's assets from the AssetManagement.
/// @dev Function is only available to the AmmTreasury contract.
/// @param withdrawnAmount asset amount that was withdrawn from AssetManagement to AmmTreasury by AmmPoolsService, represented in 18 decimals.
/// @param vaultBalance Asset Management Vault (AssetManagement) balance, represented in 18 decimals
function updateStorageWhenWithdrawFromAssetManagement(uint256 withdrawnAmount, uint256 vaultBalance) external;
/// @notice Updates the balance when AmmPoolsService deposits AmmTreasury's assets to AssetManagement. Function is only available to AmmTreasury.
/// @param depositAmount asset amount deposited from AmmTreasury to AssetManagement by AmmPoolsService, represented in 18 decimals.
/// @param vaultBalance actual Asset Management Vault(AssetManagement) balance , represented in 18 decimals
function updateStorageWhenDepositToAssetManagement(uint256 depositAmount, uint256 vaultBalance) external;
/// @notice Updates the balance when AmmPoolsService transfers AmmTreasury's assets to Oracle Treasury's multisig wallet.
/// @dev Function is only available to the AmmGovernanceService, can be executed only by IPOR Protocol Router as internal interaction.
/// @param transferredAmount asset amount transferred to Charlie Treasury multisig wallet.
function updateStorageWhenTransferToCharlieTreasuryInternal(uint256 transferredAmount) external;
/// @notice Updates the balance when AmmPoolsService transfers AmmTreasury's assets to Treasury's multisig wallet.
/// @dev Function is only available to the AmmGovernanceService, can be executed only by IPOR Protocol Router as internal interaction.
/// @param transferredAmount asset amount transferred to Treasury's multisig wallet.
function updateStorageWhenTransferToTreasuryInternal(uint256 transferredAmount) external;
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.26;
library IporErrors {
/// @notice Error when address is wrong
error WrongAddress(string errorCode, address wrongAddress, string message);
/// @notice Error when amount is wrong
error WrongAmount(string errorCode, uint256 value);
/// @notice Error when caller is not an ipor protocol router
error CallerNotIporProtocolRouter(string errorCode, address caller);
/// @notice Error when caller is not a pause guardian
error CallerNotPauseGuardian(string errorCode, address caller);
/// @notice Error when given direction is not supported
error UnsupportedDirection(string errorCode, uint256 direction);
/// @notice Error when given asset is not supported
error UnsupportedAsset(string errorCode, address asset);
/// @notice Error when given asset is not supported
error UnsupportedAssetPair(string errorCode, address poolAsset, address inputAsset);
/// @notice Error when given module is not supported
error UnsupportedModule(string errorCode, address asset);
/// @notice Error when given tenor is not supported
error UnsupportedTenor(string errorCode, uint256 tenor);
/// @notice Error when Input Asset total amount is too low
error InputAssetTotalAmountTooLow(string errorCode, uint256 value);
/// @dev Error appears if user/account doesn't have enough balance to open a swap with a specific totalAmount
error InputAssetBalanceTooLow(string errorCode, address inputAsset, uint256 inputAssetBalance, uint256 totalAmount);
error AssetMismatch(address assetOne, address assetTwo);
// 000-199 - general codes
/// @notice General problem, address is wrong
string public constant WRONG_ADDRESS = "IPOR_000";
/// @notice General problem. Wrong decimals
string public constant WRONG_DECIMALS = "IPOR_001";
/// @notice General problem, addresses mismatch
string public constant ADDRESSES_MISMATCH = "IPOR_002";
/// @notice Sender's asset balance is too low to transfer and to open a swap
string public constant SENDER_ASSET_BALANCE_TOO_LOW = "IPOR_003";
/// @notice Value is not greater than zero
string public constant VALUE_NOT_GREATER_THAN_ZERO = "IPOR_004";
/// @notice Input arrays length mismatch
string public constant INPUT_ARRAYS_LENGTH_MISMATCH = "IPOR_005";
/// @notice Amount is too low to transfer
string public constant NOT_ENOUGH_AMOUNT_TO_TRANSFER = "IPOR_006";
/// @notice msg.sender is not an appointed owner, so cannot confirm his appointment to be an owner of a specific smart contract
string public constant SENDER_NOT_APPOINTED_OWNER = "IPOR_007";
/// @notice only Router can have access to function
string public constant CALLER_NOT_IPOR_PROTOCOL_ROUTER = "IPOR_008";
/// @notice Chunk size is equal to zero
string public constant CHUNK_SIZE_EQUAL_ZERO = "IPOR_009";
/// @notice Chunk size is too big
string public constant CHUNK_SIZE_TOO_BIG = "IPOR_010";
/// @notice Caller is not a pause guardian
string public constant CALLER_NOT_PAUSE_GUARDIAN = "IPOR_011";
/// @notice Request contains invalid method signature, which is not supported by the Ipor Protocol Router
string public constant ROUTER_INVALID_SIGNATURE = "IPOR_012";
/// @notice Only AMM Treasury can have access to function
string public constant CALLER_NOT_AMM_TREASURY = "IPOR_013";
/// @notice Caller is not an owner
string public constant CALLER_NOT_OWNER = "IPOR_014";
/// @notice Method is paused
string public constant METHOD_PAUSED = "IPOR_015";
/// @notice Reentrancy appears
string public constant REENTRANCY = "IPOR_016";
/// @notice Asset is not supported
string public constant ASSET_NOT_SUPPORTED = "IPOR_017";
/// @notice Return back ETH failed in Ipor Protocol Router
string public constant ROUTER_RETURN_BACK_ETH_FAILED = "IPOR_018";
/// @notice Risk indicators are expired
string public constant RISK_INDICATORS_EXPIRED = "IPOR_019";
/// @notice Signature is invalid for risk indicators
string public constant RISK_INDICATORS_SIGNATURE_INVALID = "IPOR_020";
/// @notice Input Asset used by user is not supported
string public constant INPUT_ASSET_NOT_SUPPORTED = "IPOR_021";
/// @notice Module Asset Management is not supported
string public constant UNSUPPORTED_MODULE_ASSET_MANAGEMENT = "IPOR_022";
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.26;
/// @title Errors which occur inside AmmTreasury's method execution.
library AmmErrors {
// 300-399-AMM
/// @notice Liquidity Pool balance is equal 0.
string public constant LIQUIDITY_POOL_IS_EMPTY = "IPOR_300";
/// @notice Liquidity Pool balance is too low, should be equal or higher than 0.
string public constant LIQUIDITY_POOL_AMOUNT_TOO_LOW = "IPOR_301";
/// @notice Liquidity Pool Collateral Ratio exceeded. Liquidity Pool Collateral Ratio is higher than configured in AmmTreasury maximum liquidity pool collateral ratio.
string public constant LP_COLLATERAL_RATIO_EXCEEDED = "IPOR_302";
/// @notice Liquidity Pool Collateral Ratio Per Leg exceeded. Liquidity Pool Collateral Ratio per leg is higher than configured in AmmTreasury maximum liquidity pool collateral ratio per leg.
string public constant LP_COLLATERAL_RATIO_PER_LEG_EXCEEDED = "IPOR_303";
/// @notice Liquidity Pool Balance is too high
string public constant LIQUIDITY_POOL_BALANCE_IS_TOO_HIGH = "IPOR_304";
/// @notice Swap cannot be closed because liquidity pool is too low for payid out cash. Situation should never happen where Liquidity Pool is insolvent.
string public constant CANNOT_CLOSE_SWAP_LP_IS_TOO_LOW = "IPOR_305";
/// @notice Swap id used in input has incorrect value (like 0) or not exists.
string public constant INCORRECT_SWAP_ID = "IPOR_306";
/// @notice Swap has incorrect status.
string public constant INCORRECT_SWAP_STATUS = "IPOR_307";
/// @notice Leverage given as a parameter when opening swap is lower than configured in AmmTreasury minimum leverage.
string public constant LEVERAGE_TOO_LOW = "IPOR_308";
/// @notice Leverage given as a parameter when opening swap is higher than configured in AmmTreasury maxumum leverage.
string public constant LEVERAGE_TOO_HIGH = "IPOR_309";
/// @notice Total amount given as a parameter when opening swap is too low. Cannot be equal zero.
string public constant TOTAL_AMOUNT_TOO_LOW = "IPOR_310";
/// @notice Total amount given as a parameter when opening swap is lower than sum of liquidation deposit amount and ipor publication fee.
string public constant TOTAL_AMOUNT_LOWER_THAN_FEE = "IPOR_311";
/// @notice Amount of collateral used to open swap is higher than configured in AmmTreasury max swap collateral amount
string public constant COLLATERAL_AMOUNT_TOO_HIGH = "IPOR_312";
/// @notice Acceptable fixed interest rate defined by traded exceeded.
string public constant ACCEPTABLE_FIXED_INTEREST_RATE_EXCEEDED = "IPOR_313";
/// @notice Swap Notional Amount is higher than Total Notional for specific leg.
string public constant SWAP_NOTIONAL_HIGHER_THAN_TOTAL_NOTIONAL = "IPOR_314";
/// @notice Number of swaps per leg which are going to be liquidated is too high, is higher than configured in AmmTreasury liquidation leg limit.
string public constant MAX_LENGTH_LIQUIDATED_SWAPS_PER_LEG_EXCEEDED = "IPOR_315";
/// @notice Sum of SOAP and Liquidity Pool Balance is lower than zero.
/// @dev SOAP can be negative, Sum of SOAP and Liquidity Pool Balance can be negative, but this is undesirable.
string public constant SOAP_AND_LP_BALANCE_SUM_IS_TOO_LOW = "IPOR_316";
/// @notice Calculation timestamp is earlier than last SOAP rebalance timestamp.
string public constant CALC_TIMESTAMP_LOWER_THAN_SOAP_REBALANCE_TIMESTAMP = "IPOR_317";
/// @notice Calculation timestamp is lower than Swap's open timestamp.
string public constant CALC_TIMESTAMP_LOWER_THAN_SWAP_OPEN_TIMESTAMP = "IPOR_318";
/// @notice Closing timestamp is lower than Swap's open timestamp.
string public constant CLOSING_TIMESTAMP_LOWER_THAN_SWAP_OPEN_TIMESTAMP = "IPOR_319";
/// @notice Swap cannot be closed because sender is not a buyer nor liquidator.
string public constant CANNOT_CLOSE_SWAP_SENDER_IS_NOT_BUYER_NOR_LIQUIDATOR = "IPOR_320";
/// @notice Interest from Strategy is below zero.
string public constant INTEREST_FROM_STRATEGY_EXCEEDED_THRESHOLD = "IPOR_321";
/// @notice IPOR publication fee balance is too low.
string public constant PUBLICATION_FEE_BALANCE_IS_TOO_LOW = "IPOR_322";
/// @notice The caller must be the Token Manager (Smart Contract responsible for managing token total supply).
string public constant CALLER_NOT_TOKEN_MANAGER = "IPOR_323";
/// @notice Deposit amount is too low.
string public constant DEPOSIT_AMOUNT_IS_TOO_LOW = "IPOR_324";
/// @notice Vault balance is lower than deposit value.
string public constant VAULT_BALANCE_LOWER_THAN_DEPOSIT_VALUE = "IPOR_325";
/// @notice Treasury balance is too low.
string public constant TREASURY_BALANCE_IS_TOO_LOW = "IPOR_326";
/// @notice Swap cannot be closed because closing timestamp is lower than swap's open timestamp in general.
string public constant CANNOT_CLOSE_SWAP_CLOSING_IS_TOO_EARLY = "IPOR_327";
/// @notice Swap cannot be closed because closing timestamp is lower than swap's open timestamp for buyer.
string public constant CANNOT_CLOSE_SWAP_CLOSING_IS_TOO_EARLY_FOR_BUYER = "IPOR_328";
/// @notice Swap cannot be closed and unwind because is too late
string public constant CANNOT_UNWIND_CLOSING_TOO_LATE = "IPOR_329";
/// @notice Unsupported swap tenor
string public constant UNSUPPORTED_SWAP_TENOR = "IPOR_330";
/// @notice Sender is not AMM (is not a IporProtocolRouter contract)
string public constant SENDER_NOT_AMM = "IPOR_331";
/// @notice Storage id is not time weighted notional group
string public constant STORAGE_ID_IS_NOT_TIME_WEIGHTED_NOTIONAL = "IPOR_332";
/// @notice Spread function is not supported
string public constant FUNCTION_NOT_SUPPORTED = "IPOR_333";
/// @notice Unsupported direction
string public constant UNSUPPORTED_DIRECTION = "IPOR_334";
/// @notice Invalid notional
string public constant INVALID_NOTIONAL = "IPOR_335";
/// @notice Average interest rate cannot be zero when open swap
string public constant AVERAGE_INTEREST_RATE_WHEN_OPEN_SWAP_CANNOT_BE_ZERO = "IPOR_336";
/// @notice Average interest rate cannot be zero when close swap
string public constant AVERAGE_INTEREST_RATE_WHEN_CLOSE_SWAP_CANNOT_BE_ZERO = "IPOR_337";
/// @notice Submit ETH to stETH contract failed.
string public constant STETH_SUBMIT_FAILED = "IPOR_338";
/// @notice Collateral is not sufficient to cover unwind swap
string public constant COLLATERAL_IS_NOT_SUFFICIENT_TO_COVER_UNWIND_SWAP = "IPOR_339";
/// @notice Error when withdraw from asset management is not enough to cover transfer amount to buyer and/or beneficiary
string public constant ASSET_MANAGEMENT_WITHDRAW_NOT_ENOUGH = "IPOR_340";
/// @notice Swap cannot be closed with unwind because action is too early, depends on value of configuration parameter `timeAfterOpenAllowedToCloseSwapWithUnwinding`
string public constant CANNOT_CLOSE_SWAP_WITH_UNWIND_ACTION_IS_TOO_EARLY = "IPOR_341";
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.26;
library IporMath {
uint256 private constant RAY = 1e27;
//@notice Division with rounding up on last position, x, and y is with MD
function division(uint256 x, uint256 y) internal pure returns (uint256 z) {
z = (x + (y / 2)) / y;
}
function divisionInt(int256 x, int256 y) internal pure returns (int256 z) {
uint256 absX = uint256(x < 0 ? -x : x);
uint256 absY = uint256(y < 0 ? -y : y);
// Use bitwise XOR to get the sign on MBS bit then shift to LSB
// sign == 0x0000...0000 == 0 if the number is non-negative
// sign == 0xFFFF...FFFF == -1 if the number is negative
int256 sign = (x ^ y) >> 255;
uint256 divAbs;
uint256 remainder;
unchecked {
divAbs = absX / absY;
remainder = absX % absY;
}
// Check if we need to round
if (sign < 0) {
// remainder << 1 left shift is equivalent to multiplying by 2
if (remainder << 1 > absY) {
++divAbs;
}
} else {
if (remainder << 1 >= absY) {
++divAbs;
}
}
// (sign | 1) is cheaper than (sign < 0) ? -1 : 1;
unchecked {
z = int256(divAbs) * (sign | 1);
}
}
function divisionWithoutRound(uint256 x, uint256 y) internal pure returns (uint256 z) {
z = x / y;
}
function convertWadToAssetDecimals(uint256 value, uint256 assetDecimals) internal pure returns (uint256) {
if (assetDecimals == 18) {
return value;
} else if (assetDecimals > 18) {
return value * 10 ** (assetDecimals - 18);
} else {
return division(value, 10 ** (18 - assetDecimals));
}
}
function convertWadToAssetDecimalsWithoutRound(
uint256 value,
uint256 assetDecimals
) internal pure returns (uint256) {
if (assetDecimals == 18) {
return value;
} else if (assetDecimals > 18) {
return value * 10 ** (assetDecimals - 18);
} else {
return divisionWithoutRound(value, 10 ** (18 - assetDecimals));
}
}
function convertToWad(uint256 value, uint256 assetDecimals) internal pure returns (uint256) {
if (value > 0) {
if (assetDecimals == 18) {
return value;
} else if (assetDecimals > 18) {
return division(value, 10 ** (assetDecimals - 18));
} else {
return value * 10 ** (18 - assetDecimals);
}
} else {
return value;
}
}
function absoluteValue(int256 value) internal pure returns (uint256) {
return (uint256)(value < 0 ? -value : value);
}
function percentOf(uint256 value, uint256 rate) internal pure returns (uint256) {
return division(value * rate, 1e18);
}
/// @notice Calculates x^n where x and y are represented in RAY (27 decimals)
/// @param x base, represented in 27 decimals
/// @param n exponent, represented in 27 decimals
/// @return z x^n represented in 27 decimals
function rayPow(uint256 x, uint256 n) internal pure returns (uint256 z) {
assembly {
switch x
case 0 {
switch n
case 0 {
z := RAY
}
default {
z := 0
}
}
default {
switch mod(n, 2)
case 0 {
z := RAY
}
default {
z := x
}
let half := div(RAY, 2) // for rounding.
for {
n := div(n, 2)
} n {
n := div(n, 2)
} {
let xx := mul(x, x)
if iszero(eq(div(xx, x), x)) {
revert(0, 0)
}
let xxRound := add(xx, half)
if lt(xxRound, xx) {
revert(0, 0)
}
x := div(xxRound, RAY)
if mod(n, 2) {
let zx := mul(z, x)
if and(iszero(iszero(x)), iszero(eq(div(zx, x), z))) {
revert(0, 0)
}
let zxRound := add(zx, half)
if lt(zxRound, zx) {
revert(0, 0)
}
z := div(zxRound, RAY)
}
}
}
}
}
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.26;
import "@openzeppelin/contracts/utils/math/SafeCast.sol";
import "../../interfaces/types/AmmStorageTypes.sol";
import "../../libraries/math/IporMath.sol";
import "../../libraries/errors/AmmErrors.sol";
import "../../libraries/math/InterestRates.sol";
/// @title Basic logic related with SOAP indicators
library SoapIndicatorLogic {
using SafeCast for uint256;
using InterestRates for uint256;
/// @notice Calculate the SOAP for pay fixed leg
/// @param si SOAP indicators
/// @param calculateTimestamp timestamp to calculate the SOAP
/// @param ibtPrice IBT price
/// @return SOAP for pay fixed leg
function calculateSoapPayFixed(
AmmStorageTypes.SoapIndicators memory si,
uint256 calculateTimestamp,
uint256 ibtPrice
) internal pure returns (int256) {
return
IporMath.division(si.totalIbtQuantity * ibtPrice, 1e18).toInt256() -
(si.totalNotional + calculateHyphoteticalInterestTotal(si, calculateTimestamp)).toInt256();
}
/// @notice Calculate the SOAP for receive fixed leg
/// @param si SOAP indicators
/// @param calculateTimestamp timestamp to calculate the SOAP
/// @param ibtPrice IBT price
/// @return SOAP for receive fixed leg
function calculateSoapReceiveFixed(
AmmStorageTypes.SoapIndicators memory si,
uint256 calculateTimestamp,
uint256 ibtPrice
) internal pure returns (int256) {
return
(si.totalNotional + calculateHyphoteticalInterestTotal(si, calculateTimestamp)).toInt256() -
IporMath.division(si.totalIbtQuantity * ibtPrice, 1e18).toInt256();
}
/// @notice Calculate hypothetical interest total, value that is used to calculate the SOAP
/// @param si SOAP indicators
/// @param calculateTimestamp timestamp to calculate the value
/// @return hypothetical interest total
function calculateHyphoteticalInterestTotal(
AmmStorageTypes.SoapIndicators memory si,
uint256 calculateTimestamp
) internal pure returns (uint256) {
return
si.hypotheticalInterestCumulative +
calculateHypotheticalInterestDelta(
calculateTimestamp,
si.rebalanceTimestamp,
si.totalNotional + si.hypotheticalInterestCumulative,
si.averageInterestRate
);
}
/// @notice Calculate hypothetical interest delta, value that is used to calculate the SOAP
/// @param calculateTimestamp timestamp to calculate the value
/// @param lastRebalanceTimestamp last rebalance timestamp
/// @param totalNotional total notional
/// @param averageInterestRate average interest rate
/// @return hypothetical interest delta
function calculateHypotheticalInterestDelta(
uint256 calculateTimestamp,
uint256 lastRebalanceTimestamp,
uint256 totalNotional,
uint256 averageInterestRate
) internal pure returns (uint256) {
require(
calculateTimestamp >= lastRebalanceTimestamp,
AmmErrors.CALC_TIMESTAMP_LOWER_THAN_SOAP_REBALANCE_TIMESTAMP
);
return
totalNotional.calculateContinuousCompoundInterestUsingRatePeriodMultiplication(
averageInterestRate * (calculateTimestamp - lastRebalanceTimestamp)
);
}
}// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity 0.8.26;
/// @title Struct used across various interfaces in IPOR Protocol.
library IporTypes {
/// @notice enum describing Swap's state, ACTIVE - when the swap is opened, INACTIVE when it's closed
enum SwapState {
INACTIVE,
ACTIVE
}
/// @notice enum describing Swap's duration, 28 days, 60 days or 90 days
enum SwapTenor {
DAYS_28,
DAYS_60,
DAYS_90
}
/// @notice The struct describing the IPOR and its params calculated for the time when it was most recently updated and the change that took place since the update.
/// Namely, the interest that would be computed into IBT should the rebalance occur.
struct AccruedIpor {
/// @notice IPOR Index Value
/// @dev value represented in 18 decimals
uint256 indexValue;
/// @notice IBT Price (IBT - Interest Bearing Token). For more information refer to the documentation:
/// https://ipor-labs.gitbook.io/ipor-labs/interest-rate-derivatives/ibt
/// @dev value represented in 18 decimals
uint256 ibtPrice;
}
/// @notice Struct representing balances used internally for asset calculations
/// @dev all balances in 18 decimals
struct AmmBalancesMemory {
/// @notice Sum of all collateral put forward by the derivative buyer's on Pay Fixed & Receive Floating leg.
uint256 totalCollateralPayFixed;
/// @notice Sum of all collateral put forward by the derivative buyer's on Pay Floating & Receive Fixed leg.
uint256 totalCollateralReceiveFixed;
/// @notice Liquidity Pool Balance. This balance is where the liquidity from liquidity providers and the opening fee are accounted for,
/// @dev Amount of opening fee accounted in this balance is defined by _OPENING_FEE_FOR_TREASURY_PORTION_RATE param.
uint256 liquidityPool;
/// @notice Vault's balance, describes how much asset has been transferred to Asset Management Vault (AssetManagement)
uint256 vault;
}
struct AmmBalancesForOpenSwapMemory {
/// @notice Sum of all collateral put forward by the derivative buyer's on Pay Fixed & Receive Floating leg.
uint256 totalCollateralPayFixed;
/// @notice Total notional amount of all swaps on Pay Fixed leg (denominated in 18 decimals).
uint256 totalNotionalPayFixed;
/// @notice Sum of all collateral put forward by the derivative buyer's on Pay Floating & Receive Fixed leg.
uint256 totalCollateralReceiveFixed;
/// @notice Total notional amount of all swaps on Receive Fixed leg (denominated in 18 decimals).
uint256 totalNotionalReceiveFixed;
/// @notice Liquidity Pool Balance.
uint256 liquidityPool;
}
struct SpreadInputs {
//// @notice Swap's assets DAI/USDC/USDT
address asset;
/// @notice Swap's notional value
uint256 swapNotional;
/// @notice demand spread factor used in demand spread calculation
uint256 demandSpreadFactor;
/// @notice Base spread
int256 baseSpreadPerLeg;
/// @notice Swap's balance for Pay Fixed leg
uint256 totalCollateralPayFixed;
/// @notice Swap's balance for Receive Fixed leg
uint256 totalCollateralReceiveFixed;
/// @notice Liquidity Pool's Balance
uint256 liquidityPoolBalance;
/// @notice Ipor index value at the time of swap creation
uint256 iporIndexValue;
// @notice fixed rate cap for given leg for offered rate without demandSpread in 18 decimals
uint256 fixedRateCapPerLeg;
}
}// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity 0.8.26;
import "./types/AmmTypes.sol";
/// @title Interface of the CloseSwap Lens.
interface IAmmCloseSwapLens {
/// @notice Structure representing the configuration of the AmmCloseSwapService for a given pool (asset).
struct AmmCloseSwapServicePoolConfiguration {
/// @notice asset address
address asset;
/// @notice asset decimals
uint256 decimals;
/// @notice Amm Storage contract address
address ammStorage;
/// @notice Amm Treasury contract address
address ammTreasury;
/// @notice Asset Management contract address, for stETH is empty, because stETH doesn't have asset management module
address assetManagement;
/// @notice Spread address, for USDT, USDC, DAI is a spread router address, for stETH is a spread address
address spread;
/// @notice Unwinding Fee Rate for unwinding the swap, represented in 18 decimals, 1e18 = 100%
uint256 unwindingFeeRate;
/// @notice Unwinding Fee Rate for unwinding the swap, part earmarked for the treasury, represented in 18 decimals, 1e18 = 100%
uint256 unwindingFeeTreasuryPortionRate;
/// @notice Max number of swaps (per leg) that can be liquidated in one call, represented without decimals
uint256 maxLengthOfLiquidatedSwapsPerLeg;
/// @notice Time before maturity when the community is allowed to close the swap, represented in seconds
uint256 timeBeforeMaturityAllowedToCloseSwapByCommunity;
/// @notice Time before maturity then the swap owner can close it, for tenor 28 days, represented in seconds
uint256 timeBeforeMaturityAllowedToCloseSwapByBuyerTenor28days;
/// @notice Time before maturity then the swap owner can close it, for tenor 60 days, represented in seconds
uint256 timeBeforeMaturityAllowedToCloseSwapByBuyerTenor60days;
/// @notice Time before maturity then the swap owner can close it, for tenor 90 days, represented in seconds
uint256 timeBeforeMaturityAllowedToCloseSwapByBuyerTenor90days;
/// @notice Min liquidation threshold allowing community to close the swap ahead of maturity, represented in 18 decimals
uint256 minLiquidationThresholdToCloseBeforeMaturityByCommunity;
/// @notice Min liquidation threshold allowing the owner to close the swap ahead of maturity, represented in 18 decimals
uint256 minLiquidationThresholdToCloseBeforeMaturityByBuyer;
/// @notice Min leverage of the virtual swap used in unwinding, represented in 18 decimals
uint256 minLeverage;
/// @notice Time after open swap when it is allowed to close swap with unwinding, for tenor 28 days, represented in seconds
uint256 timeAfterOpenAllowedToCloseSwapWithUnwindingTenor28days;
/// @notice Time after open swap when it is allowed to close swap with unwinding, for tenor 60 days, represented in seconds
uint256 timeAfterOpenAllowedToCloseSwapWithUnwindingTenor60days;
/// @notice Time after open swap when it is allowed to close swap with unwinding, for tenor 90 days, represented in seconds
uint256 timeAfterOpenAllowedToCloseSwapWithUnwindingTenor90days;
}
/// @notice Returns the configuration of the AmmCloseSwapService for a given pool (asset).
/// @param asset asset address
/// @return AmmCloseSwapServicePoolConfiguration struct representing the configuration of the AmmCloseSwapService for a given pool (asset).
function getAmmCloseSwapServicePoolConfiguration(
address asset
) external view returns (AmmCloseSwapServicePoolConfiguration memory);
/// @notice Returns the closing swap details for a given swap and closing timestamp.
/// @param asset asset address
/// @param account account address for which are returned closing swap details, for example closableStatus depends on the account
/// @param direction swap direction
/// @param swapId swap id
/// @param closeTimestamp closing timestamp
/// @param riskIndicatorsInput risk indicators input
/// @return closingSwapDetails struct representing the closing swap details for a given swap and closing timestamp.
function getClosingSwapDetails(
address asset,
address account,
AmmTypes.SwapDirection direction,
uint256 swapId,
uint256 closeTimestamp,
AmmTypes.CloseSwapRiskIndicatorsInput calldata riskIndicatorsInput
) external view returns (AmmTypes.ClosingSwapDetails memory closingSwapDetails);
}// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.9.0) (token/ERC20/IERC20.sol)
pragma solidity ^0.8.0;
/**
* @dev Interface of the ERC20 standard as defined in the EIP.
*/
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 amount of tokens in existence.
*/
function totalSupply() external view returns (uint256);
/**
* @dev Returns the amount of tokens owned by `account`.
*/
function balanceOf(address account) external view returns (uint256);
/**
* @dev Moves `amount` 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 amount) 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 `amount` 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 amount) external returns (bool);
/**
* @dev Moves `amount` tokens from `from` to `to` using the
* allowance mechanism. `amount` 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 amount) external returns (bool);
}// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (token/ERC20/extensions/IERC20Metadata.sol)
pragma solidity ^0.8.0;
import "../IERC20.sol";
/**
* @dev Interface for the optional metadata functions from the ERC20 standard.
*
* _Available since v4.1._
*/
interface IERC20Metadata is IERC20 {
/**
* @dev Returns the name of the token.
*/
function name() external view returns (string memory);
/**
* @dev Returns the symbol of the token.
*/
function symbol() external view returns (string memory);
/**
* @dev Returns the decimals places of the token.
*/
function decimals() external view returns (uint8);
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.26;
import "../../../interfaces/types/IporTypes.sol";
import "../../../interfaces/types/AmmTypes.sol";
/// @notice The types used in the AmmTreasury's interface.
/// @dev All values, where applicable, are represented in 18 decimals.
library AmmInternalTypes {
struct PnlValueStruct {
/// @notice PnL Value of the swap.
int256 pnlValue;
/// @notice flag indicating if unwind is required when closing swap.
bool swapUnwindRequired;
/// @notice Unwind amount of the swap.
int256 swapUnwindAmount;
/// @notice Unwind fee of the swap that will be added to the AMM liquidity pool balance.
uint256 swapUnwindFeeLPAmount;
/// @notice Unwind fee of the swap that will be added to the AMM treasury balance.
uint256 swapUnwindFeeTreasuryAmount;
}
struct BeforeOpenSwapStruct {
/// @notice Sum of all asset transferred when opening swap. It includes the collateral, fees and deposits.
/// @dev The amount is represented in 18 decimals regardless of the decimals of the asset.
uint256 wadTotalAmount;
/// @notice Swap's collateral.
uint256 collateral;
/// @notice Swap's notional amount.
uint256 notional;
/// @notice The part of the opening fee that will be added to the liquidity pool balance.
uint256 openingFeeLPAmount;
/// @notice Part of the opening fee that will be added to the treasury balance.
uint256 openingFeeTreasuryAmount;
/// @notice Amount of asset set aside for the oracle subsidization.
uint256 iporPublicationFeeAmount;
/// @notice Refundable deposit blocked for the entity that will close the swap.
/// For more information on how the liquidations work refer to the documentation.
/// https://ipor-labs.gitbook.io/ipor-labs/automated-market-maker/liquidations
/// @dev value represented without decimals for USDT, USDC, DAI, with 6 decimals for stETH, as an integer.
uint256 liquidationDepositAmount;
/// @notice The struct describing the IPOR and its params calculated for the time when it was most recently updated and the change that took place since the update.
/// Namely, the interest that would be computed into IBT should the rebalance occur.
IporTypes.AccruedIpor accruedIpor;
}
/// @notice Spread context data
struct SpreadContext {
/// @notice Asset address for which the spread is calculated.
address asset;
/// @notice Signature of spread method used to calculate spread.
bytes4 spreadFunctionSig;
/// @notice Tenor of the swap.
IporTypes.SwapTenor tenor;
/// @notice Swap's notional
uint256 notional;
/// @notice Minimum leverage allowed for a swap.
uint256 minLeverage;
/// @notice Ipor Index Value
uint256 indexValue;
/// @notice Risk Indicators data for a opened swap used to calculate spread.
AmmTypes.OpenSwapRiskIndicators riskIndicators;
/// @notice AMM Balance for a opened swap used to calculate spread.
IporTypes.AmmBalancesForOpenSwapMemory balance;
}
/// @notice Open swap item - element of linked list of swaps
struct OpenSwapItem {
/// @notice Swap ID
uint32 swapId;
/// @notice Next swap ID in linked list
uint32 nextSwapId;
/// @notice Previous swap ID in linked list
uint32 previousSwapId;
/// @notice Timestamp of the swap opening
uint32 openSwapTimestamp;
}
/// @notice Open swap list structure
struct OpenSwapList {
/// @notice Head swap ID
uint32 headSwapId;
/// @notice Swaps mapping, where key is swap ID
mapping(uint32 => OpenSwapItem) swaps;
}
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.26;
import "@openzeppelin/contracts/utils/math/SafeCast.sol";
import "abdk-libraries-solidity/ABDKMathQuad.sol";
import "../../libraries/Constants.sol";
import "./IporMath.sol";
library InterestRates {
using SafeCast for uint256;
/// @notice Adds interest to given value using continuous compounding formula: v2 = value * e^(interestRate * time)
/// @param value value to which interest is added, value represented in 18 decimals
/// @param interestRatePeriodMultiplication interest rate * time, interest rate in 18 decimals, time in seconds
/// @return value with interest, value represented in 18 decimals
function addContinuousCompoundInterestUsingRatePeriodMultiplication(
uint256 value,
uint256 interestRatePeriodMultiplication
) internal pure returns (uint256) {
uint256 interestRateYearsMultiplication = IporMath.division(
interestRatePeriodMultiplication,
Constants.YEAR_IN_SECONDS
);
bytes16 floatValue = _toQuadruplePrecision(value, 1e18);
bytes16 floatIpm = _toQuadruplePrecision(interestRateYearsMultiplication, 1e18);
bytes16 valueWithInterest = ABDKMathQuad.mul(floatValue, ABDKMathQuad.exp(floatIpm));
return _toUint256(valueWithInterest);
}
/// @notice Adds interest to given value using continuous compounding formula: v2 = value * e^(interestRate * time)
/// @param value value to which interest is added, value represented in 18 decimals
/// @param interestRatePeriodMultiplication interest rate * time, interest rate in 18 decimals, time in seconds
/// @return value with interest, value represented in 18 decimals
function addContinuousCompoundInterestUsingRatePeriodMultiplicationInt(
int256 value,
int256 interestRatePeriodMultiplication
) internal pure returns (int256) {
int256 interestRateYearsMultiplication = IporMath.divisionInt(
interestRatePeriodMultiplication,
Constants.YEAR_IN_SECONDS.toInt256()
);
bytes16 floatValue = _toQuadruplePrecisionInt(value, 1e18);
bytes16 floatIpm = _toQuadruplePrecisionInt(interestRateYearsMultiplication, 1e18);
bytes16 valueWithInterest = ABDKMathQuad.mul(floatValue, ABDKMathQuad.exp(floatIpm));
return _toInt256(valueWithInterest);
}
/// @notice Calculates interest to given value using continuous compounding formula: v2 = value * e^(interestRate * time)
/// @param value value to which interest is added, value represented in 18 decimals
/// @param interestRatePeriodMultiplication interest rate * time, interest rate in 18 decimals, time in seconds
/// @return interest, value represented in 18 decimals
function calculateContinuousCompoundInterestUsingRatePeriodMultiplication(
uint256 value,
uint256 interestRatePeriodMultiplication
) internal pure returns (uint256) {
return
addContinuousCompoundInterestUsingRatePeriodMultiplication(value, interestRatePeriodMultiplication) - value;
}
/// @notice Calculates interest to given value using continuous compounding formula: v2 = value * e^(interestRate * time)
/// @param value value to which interest is added, value represented in 18 decimals
/// @param interestRatePeriodMultiplication interest rate * time, interest rate in 18 decimals, time in seconds
/// @return interest, value represented in 18 decimals
function calculateContinuousCompoundInterestUsingRatePeriodMultiplicationInt(
int256 value,
int256 interestRatePeriodMultiplication
) internal pure returns (int256) {
return
addContinuousCompoundInterestUsingRatePeriodMultiplicationInt(value, interestRatePeriodMultiplication) -
value;
}
/// @dev Quadruple precision, 128 bits
function _toQuadruplePrecision(uint256 number, uint256 decimals) private pure returns (bytes16) {
if (number % decimals > 0) {
/// @dev during calculation this value is lost in the conversion
number += 1;
}
bytes16 nominator = ABDKMathQuad.fromUInt(number);
bytes16 denominator = ABDKMathQuad.fromUInt(decimals);
bytes16 fraction = ABDKMathQuad.div(nominator, denominator);
return fraction;
}
/// @dev Quadruple precision, 128 bits
function _toQuadruplePrecisionInt(int256 number, int256 decimals) private pure returns (bytes16) {
if (number % decimals > 0) {
/// @dev during calculation this value is lost in the conversion
number += 1;
}
bytes16 nominator = ABDKMathQuad.fromInt(number);
bytes16 denominator = ABDKMathQuad.fromInt(decimals);
bytes16 fraction = ABDKMathQuad.div(nominator, denominator);
return fraction;
}
function _toUint256(bytes16 value) private pure returns (uint256) {
bytes16 decimals = ABDKMathQuad.fromUInt(1e18);
bytes16 resultD18 = ABDKMathQuad.mul(value, decimals);
return ABDKMathQuad.toUInt(resultD18);
}
function _toInt256(bytes16 value) private pure returns (int256) {
bytes16 decimals = ABDKMathQuad.fromUInt(1e18);
bytes16 resultD18 = ABDKMathQuad.mul(value, decimals);
return ABDKMathQuad.toInt(resultD18);
}
}// SPDX-License-Identifier: BSD-4-Clause
/*
* ABDK Math Quad Smart Contract Library. Copyright © 2019 by ABDK Consulting.
* Author: Mikhail Vladimirov <mikhail.vladimirov@gmail.com>
*/
pragma solidity ^0.8.0;
/**
* Smart contract library of mathematical functions operating with IEEE 754
* quadruple-precision binary floating-point numbers (quadruple precision
* numbers). As long as quadruple precision numbers are 16-bytes long, they are
* represented by bytes16 type.
*/
library ABDKMathQuad {
/*
* 0.
*/
bytes16 private constant POSITIVE_ZERO = 0x00000000000000000000000000000000;
/*
* -0.
*/
bytes16 private constant NEGATIVE_ZERO = 0x80000000000000000000000000000000;
/*
* +Infinity.
*/
bytes16 private constant POSITIVE_INFINITY = 0x7FFF0000000000000000000000000000;
/*
* -Infinity.
*/
bytes16 private constant NEGATIVE_INFINITY = 0xFFFF0000000000000000000000000000;
/*
* Canonical NaN value.
*/
bytes16 private constant NaN = 0x7FFF8000000000000000000000000000;
/**
* Convert signed 256-bit integer number into quadruple precision number.
*
* @param x signed 256-bit integer number
* @return quadruple precision number
*/
function fromInt (int256 x) internal pure returns (bytes16) {
unchecked {
if (x == 0) return bytes16 (0);
else {
// We rely on overflow behavior here
uint256 result = uint256 (x > 0 ? x : -x);
uint256 msb = mostSignificantBit (result);
if (msb < 112) result <<= 112 - msb;
else if (msb > 112) result >>= msb - 112;
result = result & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF | 16383 + msb << 112;
if (x < 0) result |= 0x80000000000000000000000000000000;
return bytes16 (uint128 (result));
}
}
}
/**
* Convert quadruple precision number into signed 256-bit integer number
* rounding towards zero. Revert on overflow.
*
* @param x quadruple precision number
* @return signed 256-bit integer number
*/
function toInt (bytes16 x) internal pure returns (int256) {
unchecked {
uint256 exponent = uint128 (x) >> 112 & 0x7FFF;
require (exponent <= 16638); // Overflow
if (exponent < 16383) return 0; // Underflow
uint256 result = uint256 (uint128 (x)) & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF |
0x10000000000000000000000000000;
if (exponent < 16495) result >>= 16495 - exponent;
else if (exponent > 16495) result <<= exponent - 16495;
if (uint128 (x) >= 0x80000000000000000000000000000000) { // Negative
require (result <= 0x8000000000000000000000000000000000000000000000000000000000000000);
return -int256 (result); // We rely on overflow behavior here
} else {
require (result <= 0x7FFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF);
return int256 (result);
}
}
}
/**
* Convert unsigned 256-bit integer number into quadruple precision number.
*
* @param x unsigned 256-bit integer number
* @return quadruple precision number
*/
function fromUInt (uint256 x) internal pure returns (bytes16) {
unchecked {
if (x == 0) return bytes16 (0);
else {
uint256 result = x;
uint256 msb = mostSignificantBit (result);
if (msb < 112) result <<= 112 - msb;
else if (msb > 112) result >>= msb - 112;
result = result & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF | 16383 + msb << 112;
return bytes16 (uint128 (result));
}
}
}
/**
* Convert quadruple precision number into unsigned 256-bit integer number
* rounding towards zero. Revert on underflow. Note, that negative floating
* point numbers in range (-1.0 .. 0.0) may be converted to unsigned integer
* without error, because they are rounded to zero.
*
* @param x quadruple precision number
* @return unsigned 256-bit integer number
*/
function toUInt (bytes16 x) internal pure returns (uint256) {
unchecked {
uint256 exponent = uint128 (x) >> 112 & 0x7FFF;
if (exponent < 16383) return 0; // Underflow
require (uint128 (x) < 0x80000000000000000000000000000000); // Negative
require (exponent <= 16638); // Overflow
uint256 result = uint256 (uint128 (x)) & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF |
0x10000000000000000000000000000;
if (exponent < 16495) result >>= 16495 - exponent;
else if (exponent > 16495) result <<= exponent - 16495;
return result;
}
}
/**
* Convert signed 128.128 bit fixed point number into quadruple precision
* number.
*
* @param x signed 128.128 bit fixed point number
* @return quadruple precision number
*/
function from128x128 (int256 x) internal pure returns (bytes16) {
unchecked {
if (x == 0) return bytes16 (0);
else {
// We rely on overflow behavior here
uint256 result = uint256 (x > 0 ? x : -x);
uint256 msb = mostSignificantBit (result);
if (msb < 112) result <<= 112 - msb;
else if (msb > 112) result >>= msb - 112;
result = result & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF | 16255 + msb << 112;
if (x < 0) result |= 0x80000000000000000000000000000000;
return bytes16 (uint128 (result));
}
}
}
/**
* Convert quadruple precision number into signed 128.128 bit fixed point
* number. Revert on overflow.
*
* @param x quadruple precision number
* @return signed 128.128 bit fixed point number
*/
function to128x128 (bytes16 x) internal pure returns (int256) {
unchecked {
uint256 exponent = uint128 (x) >> 112 & 0x7FFF;
require (exponent <= 16510); // Overflow
if (exponent < 16255) return 0; // Underflow
uint256 result = uint256 (uint128 (x)) & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF |
0x10000000000000000000000000000;
if (exponent < 16367) result >>= 16367 - exponent;
else if (exponent > 16367) result <<= exponent - 16367;
if (uint128 (x) >= 0x80000000000000000000000000000000) { // Negative
require (result <= 0x8000000000000000000000000000000000000000000000000000000000000000);
return -int256 (result); // We rely on overflow behavior here
} else {
require (result <= 0x7FFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF);
return int256 (result);
}
}
}
/**
* Convert signed 64.64 bit fixed point number into quadruple precision
* number.
*
* @param x signed 64.64 bit fixed point number
* @return quadruple precision number
*/
function from64x64 (int128 x) internal pure returns (bytes16) {
unchecked {
if (x == 0) return bytes16 (0);
else {
// We rely on overflow behavior here
uint256 result = uint128 (x > 0 ? x : -x);
uint256 msb = mostSignificantBit (result);
if (msb < 112) result <<= 112 - msb;
else if (msb > 112) result >>= msb - 112;
result = result & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF | 16319 + msb << 112;
if (x < 0) result |= 0x80000000000000000000000000000000;
return bytes16 (uint128 (result));
}
}
}
/**
* Convert quadruple precision number into signed 64.64 bit fixed point
* number. Revert on overflow.
*
* @param x quadruple precision number
* @return signed 64.64 bit fixed point number
*/
function to64x64 (bytes16 x) internal pure returns (int128) {
unchecked {
uint256 exponent = uint128 (x) >> 112 & 0x7FFF;
require (exponent <= 16446); // Overflow
if (exponent < 16319) return 0; // Underflow
uint256 result = uint256 (uint128 (x)) & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF |
0x10000000000000000000000000000;
if (exponent < 16431) result >>= 16431 - exponent;
else if (exponent > 16431) result <<= exponent - 16431;
if (uint128 (x) >= 0x80000000000000000000000000000000) { // Negative
require (result <= 0x80000000000000000000000000000000);
return -int128 (int256 (result)); // We rely on overflow behavior here
} else {
require (result <= 0x7FFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF);
return int128 (int256 (result));
}
}
}
/**
* Convert octuple precision number into quadruple precision number.
*
* @param x octuple precision number
* @return quadruple precision number
*/
function fromOctuple (bytes32 x) internal pure returns (bytes16) {
unchecked {
bool negative = x & 0x8000000000000000000000000000000000000000000000000000000000000000 > 0;
uint256 exponent = uint256 (x) >> 236 & 0x7FFFF;
uint256 significand = uint256 (x) & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
if (exponent == 0x7FFFF) {
if (significand > 0) return NaN;
else return negative ? NEGATIVE_INFINITY : POSITIVE_INFINITY;
}
if (exponent > 278526)
return negative ? NEGATIVE_INFINITY : POSITIVE_INFINITY;
else if (exponent < 245649)
return negative ? NEGATIVE_ZERO : POSITIVE_ZERO;
else if (exponent < 245761) {
significand = (significand | 0x100000000000000000000000000000000000000000000000000000000000) >> 245885 - exponent;
exponent = 0;
} else {
significand >>= 124;
exponent -= 245760;
}
uint128 result = uint128 (significand | exponent << 112);
if (negative) result |= 0x80000000000000000000000000000000;
return bytes16 (result);
}
}
/**
* Convert quadruple precision number into octuple precision number.
*
* @param x quadruple precision number
* @return octuple precision number
*/
function toOctuple (bytes16 x) internal pure returns (bytes32) {
unchecked {
uint256 exponent = uint128 (x) >> 112 & 0x7FFF;
uint256 result = uint128 (x) & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
if (exponent == 0x7FFF) exponent = 0x7FFFF; // Infinity or NaN
else if (exponent == 0) {
if (result > 0) {
uint256 msb = mostSignificantBit (result);
result = result << 236 - msb & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
exponent = 245649 + msb;
}
} else {
result <<= 124;
exponent += 245760;
}
result |= exponent << 236;
if (uint128 (x) >= 0x80000000000000000000000000000000)
result |= 0x8000000000000000000000000000000000000000000000000000000000000000;
return bytes32 (result);
}
}
/**
* Convert double precision number into quadruple precision number.
*
* @param x double precision number
* @return quadruple precision number
*/
function fromDouble (bytes8 x) internal pure returns (bytes16) {
unchecked {
uint256 exponent = uint64 (x) >> 52 & 0x7FF;
uint256 result = uint64 (x) & 0xFFFFFFFFFFFFF;
if (exponent == 0x7FF) exponent = 0x7FFF; // Infinity or NaN
else if (exponent == 0) {
if (result > 0) {
uint256 msb = mostSignificantBit (result);
result = result << 112 - msb & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
exponent = 15309 + msb;
}
} else {
result <<= 60;
exponent += 15360;
}
result |= exponent << 112;
if (x & 0x8000000000000000 > 0)
result |= 0x80000000000000000000000000000000;
return bytes16 (uint128 (result));
}
}
/**
* Convert quadruple precision number into double precision number.
*
* @param x quadruple precision number
* @return double precision number
*/
function toDouble (bytes16 x) internal pure returns (bytes8) {
unchecked {
bool negative = uint128 (x) >= 0x80000000000000000000000000000000;
uint256 exponent = uint128 (x) >> 112 & 0x7FFF;
uint256 significand = uint128 (x) & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
if (exponent == 0x7FFF) {
if (significand > 0) return 0x7FF8000000000000; // NaN
else return negative ?
bytes8 (0xFFF0000000000000) : // -Infinity
bytes8 (0x7FF0000000000000); // Infinity
}
if (exponent > 17406)
return negative ?
bytes8 (0xFFF0000000000000) : // -Infinity
bytes8 (0x7FF0000000000000); // Infinity
else if (exponent < 15309)
return negative ?
bytes8 (0x8000000000000000) : // -0
bytes8 (0x0000000000000000); // 0
else if (exponent < 15361) {
significand = (significand | 0x10000000000000000000000000000) >> 15421 - exponent;
exponent = 0;
} else {
significand >>= 60;
exponent -= 15360;
}
uint64 result = uint64 (significand | exponent << 52);
if (negative) result |= 0x8000000000000000;
return bytes8 (result);
}
}
/**
* Test whether given quadruple precision number is NaN.
*
* @param x quadruple precision number
* @return true if x is NaN, false otherwise
*/
function isNaN (bytes16 x) internal pure returns (bool) {
unchecked {
return uint128 (x) & 0x7FFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF >
0x7FFF0000000000000000000000000000;
}
}
/**
* Test whether given quadruple precision number is positive or negative
* infinity.
*
* @param x quadruple precision number
* @return true if x is positive or negative infinity, false otherwise
*/
function isInfinity (bytes16 x) internal pure returns (bool) {
unchecked {
return uint128 (x) & 0x7FFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF ==
0x7FFF0000000000000000000000000000;
}
}
/**
* Calculate sign of x, i.e. -1 if x is negative, 0 if x if zero, and 1 if x
* is positive. Note that sign (-0) is zero. Revert if x is NaN.
*
* @param x quadruple precision number
* @return sign of x
*/
function sign (bytes16 x) internal pure returns (int8) {
unchecked {
uint128 absoluteX = uint128 (x) & 0x7FFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
require (absoluteX <= 0x7FFF0000000000000000000000000000); // Not NaN
if (absoluteX == 0) return 0;
else if (uint128 (x) >= 0x80000000000000000000000000000000) return -1;
else return 1;
}
}
/**
* Calculate sign (x - y). Revert if either argument is NaN, or both
* arguments are infinities of the same sign.
*
* @param x quadruple precision number
* @param y quadruple precision number
* @return sign (x - y)
*/
function cmp (bytes16 x, bytes16 y) internal pure returns (int8) {
unchecked {
uint128 absoluteX = uint128 (x) & 0x7FFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
require (absoluteX <= 0x7FFF0000000000000000000000000000); // Not NaN
uint128 absoluteY = uint128 (y) & 0x7FFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
require (absoluteY <= 0x7FFF0000000000000000000000000000); // Not NaN
// Not infinities of the same sign
require (x != y || absoluteX < 0x7FFF0000000000000000000000000000);
if (x == y) return 0;
else {
bool negativeX = uint128 (x) >= 0x80000000000000000000000000000000;
bool negativeY = uint128 (y) >= 0x80000000000000000000000000000000;
if (negativeX) {
if (negativeY) return absoluteX > absoluteY ? -1 : int8 (1);
else return -1;
} else {
if (negativeY) return 1;
else return absoluteX > absoluteY ? int8 (1) : -1;
}
}
}
}
/**
* Test whether x equals y. NaN, infinity, and -infinity are not equal to
* anything.
*
* @param x quadruple precision number
* @param y quadruple precision number
* @return true if x equals to y, false otherwise
*/
function eq (bytes16 x, bytes16 y) internal pure returns (bool) {
unchecked {
if (x == y) {
return uint128 (x) & 0x7FFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF <
0x7FFF0000000000000000000000000000;
} else return false;
}
}
/**
* Calculate x + y. Special values behave in the following way:
*
* NaN + x = NaN for any x.
* Infinity + x = Infinity for any finite x.
* -Infinity + x = -Infinity for any finite x.
* Infinity + Infinity = Infinity.
* -Infinity + -Infinity = -Infinity.
* Infinity + -Infinity = -Infinity + Infinity = NaN.
*
* @param x quadruple precision number
* @param y quadruple precision number
* @return quadruple precision number
*/
function add (bytes16 x, bytes16 y) internal pure returns (bytes16) {
unchecked {
uint256 xExponent = uint128 (x) >> 112 & 0x7FFF;
uint256 yExponent = uint128 (y) >> 112 & 0x7FFF;
if (xExponent == 0x7FFF) {
if (yExponent == 0x7FFF) {
if (x == y) return x;
else return NaN;
} else return x;
} else if (yExponent == 0x7FFF) return y;
else {
bool xSign = uint128 (x) >= 0x80000000000000000000000000000000;
uint256 xSignifier = uint128 (x) & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
if (xExponent == 0) xExponent = 1;
else xSignifier |= 0x10000000000000000000000000000;
bool ySign = uint128 (y) >= 0x80000000000000000000000000000000;
uint256 ySignifier = uint128 (y) & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
if (yExponent == 0) yExponent = 1;
else ySignifier |= 0x10000000000000000000000000000;
if (xSignifier == 0) return y == NEGATIVE_ZERO ? POSITIVE_ZERO : y;
else if (ySignifier == 0) return x == NEGATIVE_ZERO ? POSITIVE_ZERO : x;
else {
int256 delta = int256 (xExponent) - int256 (yExponent);
if (xSign == ySign) {
if (delta > 112) return x;
else if (delta > 0) ySignifier >>= uint256 (delta);
else if (delta < -112) return y;
else if (delta < 0) {
xSignifier >>= uint256 (-delta);
xExponent = yExponent;
}
xSignifier += ySignifier;
if (xSignifier >= 0x20000000000000000000000000000) {
xSignifier >>= 1;
xExponent += 1;
}
if (xExponent == 0x7FFF)
return xSign ? NEGATIVE_INFINITY : POSITIVE_INFINITY;
else {
if (xSignifier < 0x10000000000000000000000000000) xExponent = 0;
else xSignifier &= 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
return bytes16 (uint128 (
(xSign ? 0x80000000000000000000000000000000 : 0) |
(xExponent << 112) |
xSignifier));
}
} else {
if (delta > 0) {
xSignifier <<= 1;
xExponent -= 1;
} else if (delta < 0) {
ySignifier <<= 1;
xExponent = yExponent - 1;
}
if (delta > 112) ySignifier = 1;
else if (delta > 1) ySignifier = (ySignifier - 1 >> uint256 (delta - 1)) + 1;
else if (delta < -112) xSignifier = 1;
else if (delta < -1) xSignifier = (xSignifier - 1 >> uint256 (-delta - 1)) + 1;
if (xSignifier >= ySignifier) xSignifier -= ySignifier;
else {
xSignifier = ySignifier - xSignifier;
xSign = ySign;
}
if (xSignifier == 0)
return POSITIVE_ZERO;
uint256 msb = mostSignificantBit (xSignifier);
if (msb == 113) {
xSignifier = xSignifier >> 1 & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
xExponent += 1;
} else if (msb < 112) {
uint256 shift = 112 - msb;
if (xExponent > shift) {
xSignifier = xSignifier << shift & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
xExponent -= shift;
} else {
xSignifier <<= xExponent - 1;
xExponent = 0;
}
} else xSignifier &= 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
if (xExponent == 0x7FFF)
return xSign ? NEGATIVE_INFINITY : POSITIVE_INFINITY;
else return bytes16 (uint128 (
(xSign ? 0x80000000000000000000000000000000 : 0) |
(xExponent << 112) |
xSignifier));
}
}
}
}
}
/**
* Calculate x - y. Special values behave in the following way:
*
* NaN - x = NaN for any x.
* Infinity - x = Infinity for any finite x.
* -Infinity - x = -Infinity for any finite x.
* Infinity - -Infinity = Infinity.
* -Infinity - Infinity = -Infinity.
* Infinity - Infinity = -Infinity - -Infinity = NaN.
*
* @param x quadruple precision number
* @param y quadruple precision number
* @return quadruple precision number
*/
function sub (bytes16 x, bytes16 y) internal pure returns (bytes16) {
unchecked {
return add (x, y ^ 0x80000000000000000000000000000000);
}
}
/**
* Calculate x * y. Special values behave in the following way:
*
* NaN * x = NaN for any x.
* Infinity * x = Infinity for any finite positive x.
* Infinity * x = -Infinity for any finite negative x.
* -Infinity * x = -Infinity for any finite positive x.
* -Infinity * x = Infinity for any finite negative x.
* Infinity * 0 = NaN.
* -Infinity * 0 = NaN.
* Infinity * Infinity = Infinity.
* Infinity * -Infinity = -Infinity.
* -Infinity * Infinity = -Infinity.
* -Infinity * -Infinity = Infinity.
*
* @param x quadruple precision number
* @param y quadruple precision number
* @return quadruple precision number
*/
function mul (bytes16 x, bytes16 y) internal pure returns (bytes16) {
unchecked {
uint256 xExponent = uint128 (x) >> 112 & 0x7FFF;
uint256 yExponent = uint128 (y) >> 112 & 0x7FFF;
if (xExponent == 0x7FFF) {
if (yExponent == 0x7FFF) {
if (x == y) return x ^ y & 0x80000000000000000000000000000000;
else if (x ^ y == 0x80000000000000000000000000000000) return x | y;
else return NaN;
} else {
if (y & 0x7FFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF == 0) return NaN;
else return x ^ y & 0x80000000000000000000000000000000;
}
} else if (yExponent == 0x7FFF) {
if (x & 0x7FFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF == 0) return NaN;
else return y ^ x & 0x80000000000000000000000000000000;
} else {
uint256 xSignifier = uint128 (x) & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
if (xExponent == 0) xExponent = 1;
else xSignifier |= 0x10000000000000000000000000000;
uint256 ySignifier = uint128 (y) & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
if (yExponent == 0) yExponent = 1;
else ySignifier |= 0x10000000000000000000000000000;
xSignifier *= ySignifier;
if (xSignifier == 0)
return (x ^ y) & 0x80000000000000000000000000000000 > 0 ?
NEGATIVE_ZERO : POSITIVE_ZERO;
xExponent += yExponent;
uint256 msb =
xSignifier >= 0x200000000000000000000000000000000000000000000000000000000 ? 225 :
xSignifier >= 0x100000000000000000000000000000000000000000000000000000000 ? 224 :
mostSignificantBit (xSignifier);
if (xExponent + msb < 16496) { // Underflow
xExponent = 0;
xSignifier = 0;
} else if (xExponent + msb < 16608) { // Subnormal
if (xExponent < 16496)
xSignifier >>= 16496 - xExponent;
else if (xExponent > 16496)
xSignifier <<= xExponent - 16496;
xExponent = 0;
} else if (xExponent + msb > 49373) {
xExponent = 0x7FFF;
xSignifier = 0;
} else {
if (msb > 112)
xSignifier >>= msb - 112;
else if (msb < 112)
xSignifier <<= 112 - msb;
xSignifier &= 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
xExponent = xExponent + msb - 16607;
}
return bytes16 (uint128 (uint128 ((x ^ y) & 0x80000000000000000000000000000000) |
xExponent << 112 | xSignifier));
}
}
}
/**
* Calculate x / y. Special values behave in the following way:
*
* NaN / x = NaN for any x.
* x / NaN = NaN for any x.
* Infinity / x = Infinity for any finite non-negative x.
* Infinity / x = -Infinity for any finite negative x including -0.
* -Infinity / x = -Infinity for any finite non-negative x.
* -Infinity / x = Infinity for any finite negative x including -0.
* x / Infinity = 0 for any finite non-negative x.
* x / -Infinity = -0 for any finite non-negative x.
* x / Infinity = -0 for any finite non-negative x including -0.
* x / -Infinity = 0 for any finite non-negative x including -0.
*
* Infinity / Infinity = NaN.
* Infinity / -Infinity = -NaN.
* -Infinity / Infinity = -NaN.
* -Infinity / -Infinity = NaN.
*
* Division by zero behaves in the following way:
*
* x / 0 = Infinity for any finite positive x.
* x / -0 = -Infinity for any finite positive x.
* x / 0 = -Infinity for any finite negative x.
* x / -0 = Infinity for any finite negative x.
* 0 / 0 = NaN.
* 0 / -0 = NaN.
* -0 / 0 = NaN.
* -0 / -0 = NaN.
*
* @param x quadruple precision number
* @param y quadruple precision number
* @return quadruple precision number
*/
function div (bytes16 x, bytes16 y) internal pure returns (bytes16) {
unchecked {
uint256 xExponent = uint128 (x) >> 112 & 0x7FFF;
uint256 yExponent = uint128 (y) >> 112 & 0x7FFF;
if (xExponent == 0x7FFF) {
if (yExponent == 0x7FFF) return NaN;
else return x ^ y & 0x80000000000000000000000000000000;
} else if (yExponent == 0x7FFF) {
if (y & 0x0000FFFFFFFFFFFFFFFFFFFFFFFFFFFF != 0) return NaN;
else return POSITIVE_ZERO | (x ^ y) & 0x80000000000000000000000000000000;
} else if (y & 0x7FFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF == 0) {
if (x & 0x7FFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF == 0) return NaN;
else return POSITIVE_INFINITY | (x ^ y) & 0x80000000000000000000000000000000;
} else {
uint256 ySignifier = uint128 (y) & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
if (yExponent == 0) yExponent = 1;
else ySignifier |= 0x10000000000000000000000000000;
uint256 xSignifier = uint128 (x) & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
if (xExponent == 0) {
if (xSignifier != 0) {
uint shift = 226 - mostSignificantBit (xSignifier);
xSignifier <<= shift;
xExponent = 1;
yExponent += shift - 114;
}
}
else {
xSignifier = (xSignifier | 0x10000000000000000000000000000) << 114;
}
xSignifier = xSignifier / ySignifier;
if (xSignifier == 0)
return (x ^ y) & 0x80000000000000000000000000000000 > 0 ?
NEGATIVE_ZERO : POSITIVE_ZERO;
assert (xSignifier >= 0x1000000000000000000000000000);
uint256 msb =
xSignifier >= 0x80000000000000000000000000000 ? mostSignificantBit (xSignifier) :
xSignifier >= 0x40000000000000000000000000000 ? 114 :
xSignifier >= 0x20000000000000000000000000000 ? 113 : 112;
if (xExponent + msb > yExponent + 16497) { // Overflow
xExponent = 0x7FFF;
xSignifier = 0;
} else if (xExponent + msb + 16380 < yExponent) { // Underflow
xExponent = 0;
xSignifier = 0;
} else if (xExponent + msb + 16268 < yExponent) { // Subnormal
if (xExponent + 16380 > yExponent)
xSignifier <<= xExponent + 16380 - yExponent;
else if (xExponent + 16380 < yExponent)
xSignifier >>= yExponent - xExponent - 16380;
xExponent = 0;
} else { // Normal
if (msb > 112)
xSignifier >>= msb - 112;
xSignifier &= 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
xExponent = xExponent + msb + 16269 - yExponent;
}
return bytes16 (uint128 (uint128 ((x ^ y) & 0x80000000000000000000000000000000) |
xExponent << 112 | xSignifier));
}
}
}
/**
* Calculate -x.
*
* @param x quadruple precision number
* @return quadruple precision number
*/
function neg (bytes16 x) internal pure returns (bytes16) {
unchecked {
return x ^ 0x80000000000000000000000000000000;
}
}
/**
* Calculate |x|.
*
* @param x quadruple precision number
* @return quadruple precision number
*/
function abs (bytes16 x) internal pure returns (bytes16) {
unchecked {
return x & 0x7FFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
}
}
/**
* Calculate square root of x. Return NaN on negative x excluding -0.
*
* @param x quadruple precision number
* @return quadruple precision number
*/
function sqrt (bytes16 x) internal pure returns (bytes16) {
unchecked {
if (uint128 (x) > 0x80000000000000000000000000000000) return NaN;
else {
uint256 xExponent = uint128 (x) >> 112 & 0x7FFF;
if (xExponent == 0x7FFF) return x;
else {
uint256 xSignifier = uint128 (x) & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
if (xExponent == 0) xExponent = 1;
else xSignifier |= 0x10000000000000000000000000000;
if (xSignifier == 0) return POSITIVE_ZERO;
bool oddExponent = xExponent & 0x1 == 0;
xExponent = xExponent + 16383 >> 1;
if (oddExponent) {
if (xSignifier >= 0x10000000000000000000000000000)
xSignifier <<= 113;
else {
uint256 msb = mostSignificantBit (xSignifier);
uint256 shift = (226 - msb) & 0xFE;
xSignifier <<= shift;
xExponent -= shift - 112 >> 1;
}
} else {
if (xSignifier >= 0x10000000000000000000000000000)
xSignifier <<= 112;
else {
uint256 msb = mostSignificantBit (xSignifier);
uint256 shift = (225 - msb) & 0xFE;
xSignifier <<= shift;
xExponent -= shift - 112 >> 1;
}
}
uint256 r = 0x10000000000000000000000000000;
r = (r + xSignifier / r) >> 1;
r = (r + xSignifier / r) >> 1;
r = (r + xSignifier / r) >> 1;
r = (r + xSignifier / r) >> 1;
r = (r + xSignifier / r) >> 1;
r = (r + xSignifier / r) >> 1;
r = (r + xSignifier / r) >> 1; // Seven iterations should be enough
uint256 r1 = xSignifier / r;
if (r1 < r) r = r1;
return bytes16 (uint128 (xExponent << 112 | r & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF));
}
}
}
}
/**
* Calculate binary logarithm of x. Return NaN on negative x excluding -0.
*
* @param x quadruple precision number
* @return quadruple precision number
*/
function log_2 (bytes16 x) internal pure returns (bytes16) {
unchecked {
if (uint128 (x) > 0x80000000000000000000000000000000) return NaN;
else if (x == 0x3FFF0000000000000000000000000000) return POSITIVE_ZERO;
else {
uint256 xExponent = uint128 (x) >> 112 & 0x7FFF;
if (xExponent == 0x7FFF) return x;
else {
uint256 xSignifier = uint128 (x) & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
if (xExponent == 0) xExponent = 1;
else xSignifier |= 0x10000000000000000000000000000;
if (xSignifier == 0) return NEGATIVE_INFINITY;
bool resultNegative;
uint256 resultExponent = 16495;
uint256 resultSignifier;
if (xExponent >= 0x3FFF) {
resultNegative = false;
resultSignifier = xExponent - 0x3FFF;
xSignifier <<= 15;
} else {
resultNegative = true;
if (xSignifier >= 0x10000000000000000000000000000) {
resultSignifier = 0x3FFE - xExponent;
xSignifier <<= 15;
} else {
uint256 msb = mostSignificantBit (xSignifier);
resultSignifier = 16493 - msb;
xSignifier <<= 127 - msb;
}
}
if (xSignifier == 0x80000000000000000000000000000000) {
if (resultNegative) resultSignifier += 1;
uint256 shift = 112 - mostSignificantBit (resultSignifier);
resultSignifier <<= shift;
resultExponent -= shift;
} else {
uint256 bb = resultNegative ? 1 : 0;
while (resultSignifier < 0x10000000000000000000000000000) {
resultSignifier <<= 1;
resultExponent -= 1;
xSignifier *= xSignifier;
uint256 b = xSignifier >> 255;
resultSignifier += b ^ bb;
xSignifier >>= 127 + b;
}
}
return bytes16 (uint128 ((resultNegative ? 0x80000000000000000000000000000000 : 0) |
resultExponent << 112 | resultSignifier & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF));
}
}
}
}
/**
* Calculate natural logarithm of x. Return NaN on negative x excluding -0.
*
* @param x quadruple precision number
* @return quadruple precision number
*/
function ln (bytes16 x) internal pure returns (bytes16) {
unchecked {
return mul (log_2 (x), 0x3FFE62E42FEFA39EF35793C7673007E5);
}
}
/**
* Calculate 2^x.
*
* @param x quadruple precision number
* @return quadruple precision number
*/
function pow_2 (bytes16 x) internal pure returns (bytes16) {
unchecked {
bool xNegative = uint128 (x) > 0x80000000000000000000000000000000;
uint256 xExponent = uint128 (x) >> 112 & 0x7FFF;
uint256 xSignifier = uint128 (x) & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
if (xExponent == 0x7FFF && xSignifier != 0) return NaN;
else if (xExponent > 16397)
return xNegative ? POSITIVE_ZERO : POSITIVE_INFINITY;
else if (xExponent < 16255)
return 0x3FFF0000000000000000000000000000;
else {
if (xExponent == 0) xExponent = 1;
else xSignifier |= 0x10000000000000000000000000000;
if (xExponent > 16367)
xSignifier <<= xExponent - 16367;
else if (xExponent < 16367)
xSignifier >>= 16367 - xExponent;
if (xNegative && xSignifier > 0x406E00000000000000000000000000000000)
return POSITIVE_ZERO;
if (!xNegative && xSignifier > 0x3FFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF)
return POSITIVE_INFINITY;
uint256 resultExponent = xSignifier >> 128;
xSignifier &= 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
if (xNegative && xSignifier != 0) {
xSignifier = ~xSignifier;
resultExponent += 1;
}
uint256 resultSignifier = 0x80000000000000000000000000000000;
if (xSignifier & 0x80000000000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x16A09E667F3BCC908B2FB1366EA957D3E >> 128;
if (xSignifier & 0x40000000000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x1306FE0A31B7152DE8D5A46305C85EDEC >> 128;
if (xSignifier & 0x20000000000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x1172B83C7D517ADCDF7C8C50EB14A791F >> 128;
if (xSignifier & 0x10000000000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x10B5586CF9890F6298B92B71842A98363 >> 128;
if (xSignifier & 0x8000000000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x1059B0D31585743AE7C548EB68CA417FD >> 128;
if (xSignifier & 0x4000000000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x102C9A3E778060EE6F7CACA4F7A29BDE8 >> 128;
if (xSignifier & 0x2000000000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x10163DA9FB33356D84A66AE336DCDFA3F >> 128;
if (xSignifier & 0x1000000000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x100B1AFA5ABCBED6129AB13EC11DC9543 >> 128;
if (xSignifier & 0x800000000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x10058C86DA1C09EA1FF19D294CF2F679B >> 128;
if (xSignifier & 0x400000000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x1002C605E2E8CEC506D21BFC89A23A00F >> 128;
if (xSignifier & 0x200000000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x100162F3904051FA128BCA9C55C31E5DF >> 128;
if (xSignifier & 0x100000000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x1000B175EFFDC76BA38E31671CA939725 >> 128;
if (xSignifier & 0x80000000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x100058BA01FB9F96D6CACD4B180917C3D >> 128;
if (xSignifier & 0x40000000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x10002C5CC37DA9491D0985C348C68E7B3 >> 128;
if (xSignifier & 0x20000000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x1000162E525EE054754457D5995292026 >> 128;
if (xSignifier & 0x10000000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x10000B17255775C040618BF4A4ADE83FC >> 128;
if (xSignifier & 0x8000000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x1000058B91B5BC9AE2EED81E9B7D4CFAB >> 128;
if (xSignifier & 0x4000000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x100002C5C89D5EC6CA4D7C8ACC017B7C9 >> 128;
if (xSignifier & 0x2000000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x10000162E43F4F831060E02D839A9D16D >> 128;
if (xSignifier & 0x1000000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x100000B1721BCFC99D9F890EA06911763 >> 128;
if (xSignifier & 0x800000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x10000058B90CF1E6D97F9CA14DBCC1628 >> 128;
if (xSignifier & 0x400000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x1000002C5C863B73F016468F6BAC5CA2B >> 128;
if (xSignifier & 0x200000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x100000162E430E5A18F6119E3C02282A5 >> 128;
if (xSignifier & 0x100000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x1000000B1721835514B86E6D96EFD1BFE >> 128;
if (xSignifier & 0x80000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x100000058B90C0B48C6BE5DF846C5B2EF >> 128;
if (xSignifier & 0x40000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x10000002C5C8601CC6B9E94213C72737A >> 128;
if (xSignifier & 0x20000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x1000000162E42FFF037DF38AA2B219F06 >> 128;
if (xSignifier & 0x10000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x10000000B17217FBA9C739AA5819F44F9 >> 128;
if (xSignifier & 0x8000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x1000000058B90BFCDEE5ACD3C1CEDC823 >> 128;
if (xSignifier & 0x4000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x100000002C5C85FE31F35A6A30DA1BE50 >> 128;
if (xSignifier & 0x2000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x10000000162E42FF0999CE3541B9FFFCF >> 128;
if (xSignifier & 0x1000000000000000000000000 > 0) resultSignifier = resultSignifier * 0x100000000B17217F80F4EF5AADDA45554 >> 128;
if (xSignifier & 0x800000000000000000000000 > 0) resultSignifier = resultSignifier * 0x10000000058B90BFBF8479BD5A81B51AD >> 128;
if (xSignifier & 0x400000000000000000000000 > 0) resultSignifier = resultSignifier * 0x1000000002C5C85FDF84BD62AE30A74CC >> 128;
if (xSignifier & 0x200000000000000000000000 > 0) resultSignifier = resultSignifier * 0x100000000162E42FEFB2FED257559BDAA >> 128;
if (xSignifier & 0x100000000000000000000000 > 0) resultSignifier = resultSignifier * 0x1000000000B17217F7D5A7716BBA4A9AE >> 128;
if (xSignifier & 0x80000000000000000000000 > 0) resultSignifier = resultSignifier * 0x100000000058B90BFBE9DDBAC5E109CCE >> 128;
if (xSignifier & 0x40000000000000000000000 > 0) resultSignifier = resultSignifier * 0x10000000002C5C85FDF4B15DE6F17EB0D >> 128;
if (xSignifier & 0x20000000000000000000000 > 0) resultSignifier = resultSignifier * 0x1000000000162E42FEFA494F1478FDE05 >> 128;
if (xSignifier & 0x10000000000000000000000 > 0) resultSignifier = resultSignifier * 0x10000000000B17217F7D20CF927C8E94C >> 128;
if (xSignifier & 0x8000000000000000000000 > 0) resultSignifier = resultSignifier * 0x1000000000058B90BFBE8F71CB4E4B33D >> 128;
if (xSignifier & 0x4000000000000000000000 > 0) resultSignifier = resultSignifier * 0x100000000002C5C85FDF477B662B26945 >> 128;
if (xSignifier & 0x2000000000000000000000 > 0) resultSignifier = resultSignifier * 0x10000000000162E42FEFA3AE53369388C >> 128;
if (xSignifier & 0x1000000000000000000000 > 0) resultSignifier = resultSignifier * 0x100000000000B17217F7D1D351A389D40 >> 128;
if (xSignifier & 0x800000000000000000000 > 0) resultSignifier = resultSignifier * 0x10000000000058B90BFBE8E8B2D3D4EDE >> 128;
if (xSignifier & 0x400000000000000000000 > 0) resultSignifier = resultSignifier * 0x1000000000002C5C85FDF4741BEA6E77E >> 128;
if (xSignifier & 0x200000000000000000000 > 0) resultSignifier = resultSignifier * 0x100000000000162E42FEFA39FE95583C2 >> 128;
if (xSignifier & 0x100000000000000000000 > 0) resultSignifier = resultSignifier * 0x1000000000000B17217F7D1CFB72B45E1 >> 128;
if (xSignifier & 0x80000000000000000000 > 0) resultSignifier = resultSignifier * 0x100000000000058B90BFBE8E7CC35C3F0 >> 128;
if (xSignifier & 0x40000000000000000000 > 0) resultSignifier = resultSignifier * 0x10000000000002C5C85FDF473E242EA38 >> 128;
if (xSignifier & 0x20000000000000000000 > 0) resultSignifier = resultSignifier * 0x1000000000000162E42FEFA39F02B772C >> 128;
if (xSignifier & 0x10000000000000000000 > 0) resultSignifier = resultSignifier * 0x10000000000000B17217F7D1CF7D83C1A >> 128;
if (xSignifier & 0x8000000000000000000 > 0) resultSignifier = resultSignifier * 0x1000000000000058B90BFBE8E7BDCBE2E >> 128;
if (xSignifier & 0x4000000000000000000 > 0) resultSignifier = resultSignifier * 0x100000000000002C5C85FDF473DEA871F >> 128;
if (xSignifier & 0x2000000000000000000 > 0) resultSignifier = resultSignifier * 0x10000000000000162E42FEFA39EF44D91 >> 128;
if (xSignifier & 0x1000000000000000000 > 0) resultSignifier = resultSignifier * 0x100000000000000B17217F7D1CF79E949 >> 128;
if (xSignifier & 0x800000000000000000 > 0) resultSignifier = resultSignifier * 0x10000000000000058B90BFBE8E7BCE544 >> 128;
if (xSignifier & 0x400000000000000000 > 0) resultSignifier = resultSignifier * 0x1000000000000002C5C85FDF473DE6ECA >> 128;
if (xSignifier & 0x200000000000000000 > 0) resultSignifier = resultSignifier * 0x100000000000000162E42FEFA39EF366F >> 128;
if (xSignifier & 0x100000000000000000 > 0) resultSignifier = resultSignifier * 0x1000000000000000B17217F7D1CF79AFA >> 128;
if (xSignifier & 0x80000000000000000 > 0) resultSignifier = resultSignifier * 0x100000000000000058B90BFBE8E7BCD6D >> 128;
if (xSignifier & 0x40000000000000000 > 0) resultSignifier = resultSignifier * 0x10000000000000002C5C85FDF473DE6B2 >> 128;
if (xSignifier & 0x20000000000000000 > 0) resultSignifier = resultSignifier * 0x1000000000000000162E42FEFA39EF358 >> 128;
if (xSignifier & 0x10000000000000000 > 0) resultSignifier = resultSignifier * 0x10000000000000000B17217F7D1CF79AB >> 128;
if (xSignifier & 0x8000000000000000 > 0) resultSignifier = resultSignifier * 0x1000000000000000058B90BFBE8E7BCD5 >> 128;
if (xSignifier & 0x4000000000000000 > 0) resultSignifier = resultSignifier * 0x100000000000000002C5C85FDF473DE6A >> 128;
if (xSignifier & 0x2000000000000000 > 0) resultSignifier = resultSignifier * 0x10000000000000000162E42FEFA39EF34 >> 128;
if (xSignifier & 0x1000000000000000 > 0) resultSignifier = resultSignifier * 0x100000000000000000B17217F7D1CF799 >> 128;
if (xSignifier & 0x800000000000000 > 0) resultSignifier = resultSignifier * 0x10000000000000000058B90BFBE8E7BCC >> 128;
if (xSignifier & 0x400000000000000 > 0) resultSignifier = resultSignifier * 0x1000000000000000002C5C85FDF473DE5 >> 128;
if (xSignifier & 0x200000000000000 > 0) resultSignifier = resultSignifier * 0x100000000000000000162E42FEFA39EF2 >> 128;
if (xSignifier & 0x100000000000000 > 0) resultSignifier = resultSignifier * 0x1000000000000000000B17217F7D1CF78 >> 128;
if (xSignifier & 0x80000000000000 > 0) resultSignifier = resultSignifier * 0x100000000000000000058B90BFBE8E7BB >> 128;
if (xSignifier & 0x40000000000000 > 0) resultSignifier = resultSignifier * 0x10000000000000000002C5C85FDF473DD >> 128;
if (xSignifier & 0x20000000000000 > 0) resultSignifier = resultSignifier * 0x1000000000000000000162E42FEFA39EE >> 128;
if (xSignifier & 0x10000000000000 > 0) resultSignifier = resultSignifier * 0x10000000000000000000B17217F7D1CF6 >> 128;
if (xSignifier & 0x8000000000000 > 0) resultSignifier = resultSignifier * 0x1000000000000000000058B90BFBE8E7A >> 128;
if (xSignifier & 0x4000000000000 > 0) resultSignifier = resultSignifier * 0x100000000000000000002C5C85FDF473C >> 128;
if (xSignifier & 0x2000000000000 > 0) resultSignifier = resultSignifier * 0x10000000000000000000162E42FEFA39D >> 128;
if (xSignifier & 0x1000000000000 > 0) resultSignifier = resultSignifier * 0x100000000000000000000B17217F7D1CE >> 128;
if (xSignifier & 0x800000000000 > 0) resultSignifier = resultSignifier * 0x10000000000000000000058B90BFBE8E6 >> 128;
if (xSignifier & 0x400000000000 > 0) resultSignifier = resultSignifier * 0x1000000000000000000002C5C85FDF472 >> 128;
if (xSignifier & 0x200000000000 > 0) resultSignifier = resultSignifier * 0x100000000000000000000162E42FEFA38 >> 128;
if (xSignifier & 0x100000000000 > 0) resultSignifier = resultSignifier * 0x1000000000000000000000B17217F7D1B >> 128;
if (xSignifier & 0x80000000000 > 0) resultSignifier = resultSignifier * 0x100000000000000000000058B90BFBE8D >> 128;
if (xSignifier & 0x40000000000 > 0) resultSignifier = resultSignifier * 0x10000000000000000000002C5C85FDF46 >> 128;
if (xSignifier & 0x20000000000 > 0) resultSignifier = resultSignifier * 0x1000000000000000000000162E42FEFA2 >> 128;
if (xSignifier & 0x10000000000 > 0) resultSignifier = resultSignifier * 0x10000000000000000000000B17217F7D0 >> 128;
if (xSignifier & 0x8000000000 > 0) resultSignifier = resultSignifier * 0x1000000000000000000000058B90BFBE7 >> 128;
if (xSignifier & 0x4000000000 > 0) resultSignifier = resultSignifier * 0x100000000000000000000002C5C85FDF3 >> 128;
if (xSignifier & 0x2000000000 > 0) resultSignifier = resultSignifier * 0x10000000000000000000000162E42FEF9 >> 128;
if (xSignifier & 0x1000000000 > 0) resultSignifier = resultSignifier * 0x100000000000000000000000B17217F7C >> 128;
if (xSignifier & 0x800000000 > 0) resultSignifier = resultSignifier * 0x10000000000000000000000058B90BFBD >> 128;
if (xSignifier & 0x400000000 > 0) resultSignifier = resultSignifier * 0x1000000000000000000000002C5C85FDE >> 128;
if (xSignifier & 0x200000000 > 0) resultSignifier = resultSignifier * 0x100000000000000000000000162E42FEE >> 128;
if (xSignifier & 0x100000000 > 0) resultSignifier = resultSignifier * 0x1000000000000000000000000B17217F6 >> 128;
if (xSignifier & 0x80000000 > 0) resultSignifier = resultSignifier * 0x100000000000000000000000058B90BFA >> 128;
if (xSignifier & 0x40000000 > 0) resultSignifier = resultSignifier * 0x10000000000000000000000002C5C85FC >> 128;
if (xSignifier & 0x20000000 > 0) resultSignifier = resultSignifier * 0x1000000000000000000000000162E42FD >> 128;
if (xSignifier & 0x10000000 > 0) resultSignifier = resultSignifier * 0x10000000000000000000000000B17217E >> 128;
if (xSignifier & 0x8000000 > 0) resultSignifier = resultSignifier * 0x1000000000000000000000000058B90BE >> 128;
if (xSignifier & 0x4000000 > 0) resultSignifier = resultSignifier * 0x100000000000000000000000002C5C85E >> 128;
if (xSignifier & 0x2000000 > 0) resultSignifier = resultSignifier * 0x10000000000000000000000000162E42E >> 128;
if (xSignifier & 0x1000000 > 0) resultSignifier = resultSignifier * 0x100000000000000000000000000B17216 >> 128;
if (xSignifier & 0x800000 > 0) resultSignifier = resultSignifier * 0x10000000000000000000000000058B90A >> 128;
if (xSignifier & 0x400000 > 0) resultSignifier = resultSignifier * 0x1000000000000000000000000002C5C84 >> 128;
if (xSignifier & 0x200000 > 0) resultSignifier = resultSignifier * 0x100000000000000000000000000162E41 >> 128;
if (xSignifier & 0x100000 > 0) resultSignifier = resultSignifier * 0x1000000000000000000000000000B1720 >> 128;
if (xSignifier & 0x80000 > 0) resultSignifier = resultSignifier * 0x100000000000000000000000000058B8F >> 128;
if (xSignifier & 0x40000 > 0) resultSignifier = resultSignifier * 0x10000000000000000000000000002C5C7 >> 128;
if (xSignifier & 0x20000 > 0) resultSignifier = resultSignifier * 0x1000000000000000000000000000162E3 >> 128;
if (xSignifier & 0x10000 > 0) resultSignifier = resultSignifier * 0x10000000000000000000000000000B171 >> 128;
if (xSignifier & 0x8000 > 0) resultSignifier = resultSignifier * 0x1000000000000000000000000000058B8 >> 128;
if (xSignifier & 0x4000 > 0) resultSignifier = resultSignifier * 0x100000000000000000000000000002C5B >> 128;
if (xSignifier & 0x2000 > 0) resultSignifier = resultSignifier * 0x10000000000000000000000000000162D >> 128;
if (xSignifier & 0x1000 > 0) resultSignifier = resultSignifier * 0x100000000000000000000000000000B16 >> 128;
if (xSignifier & 0x800 > 0) resultSignifier = resultSignifier * 0x10000000000000000000000000000058A >> 128;
if (xSignifier & 0x400 > 0) resultSignifier = resultSignifier * 0x1000000000000000000000000000002C4 >> 128;
if (xSignifier & 0x200 > 0) resultSignifier = resultSignifier * 0x100000000000000000000000000000161 >> 128;
if (xSignifier & 0x100 > 0) resultSignifier = resultSignifier * 0x1000000000000000000000000000000B0 >> 128;
if (xSignifier & 0x80 > 0) resultSignifier = resultSignifier * 0x100000000000000000000000000000057 >> 128;
if (xSignifier & 0x40 > 0) resultSignifier = resultSignifier * 0x10000000000000000000000000000002B >> 128;
if (xSignifier & 0x20 > 0) resultSignifier = resultSignifier * 0x100000000000000000000000000000015 >> 128;
if (xSignifier & 0x10 > 0) resultSignifier = resultSignifier * 0x10000000000000000000000000000000A >> 128;
if (xSignifier & 0x8 > 0) resultSignifier = resultSignifier * 0x100000000000000000000000000000004 >> 128;
if (xSignifier & 0x4 > 0) resultSignifier = resultSignifier * 0x100000000000000000000000000000001 >> 128;
if (!xNegative) {
resultSignifier = resultSignifier >> 15 & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
resultExponent += 0x3FFF;
} else if (resultExponent <= 0x3FFE) {
resultSignifier = resultSignifier >> 15 & 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFF;
resultExponent = 0x3FFF - resultExponent;
} else {
resultSignifier = resultSignifier >> resultExponent - 16367;
resultExponent = 0;
}
return bytes16 (uint128 (resultExponent << 112 | resultSignifier));
}
}
}
/**
* Calculate e^x.
*
* @param x quadruple precision number
* @return quadruple precision number
*/
function exp (bytes16 x) internal pure returns (bytes16) {
unchecked {
return pow_2 (mul (x, 0x3FFF71547652B82FE1777D0FFDA0D23A));
}
}
/**
* Get index of the most significant non-zero bit in binary representation of
* x. Reverts if x is zero.
*
* @return index of the most significant non-zero bit in binary representation
* of x
*/
function mostSignificantBit (uint256 x) private pure returns (uint256) {
unchecked {
require (x > 0);
uint256 result = 0;
if (x >= 0x100000000000000000000000000000000) { x >>= 128; result += 128; }
if (x >= 0x10000000000000000) { x >>= 64; result += 64; }
if (x >= 0x100000000) { x >>= 32; result += 32; }
if (x >= 0x10000) { x >>= 16; result += 16; }
if (x >= 0x100) { x >>= 8; result += 8; }
if (x >= 0x10) { x >>= 4; result += 4; }
if (x >= 0x4) { x >>= 2; result += 2; }
if (x >= 0x2) result += 1; // No need to shift x anymore
return result;
}
}
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.26;
library Constants {
uint256 public constant MAX_VALUE = type(uint256).max;
uint256 public constant WAD_LEVERAGE_1000 = 1_000e18;
uint256 public constant YEAR_IN_SECONDS = 365 days;
uint256 public constant MAX_CHUNK_SIZE = 50;
}{
"remappings": [
"@ensdomains/=node_modules/@ensdomains/",
"@openzeppelin/=node_modules/@openzeppelin/",
"eth-gas-reporter/=node_modules/eth-gas-reporter/",
"ds-test/=lib/forge-std/lib/ds-test/src/",
"forge-std/=lib/forge-std/src/",
"@ipor-protocol/contracts/=contracts/",
"@ipor-protocol/test/=test/",
"abdk-libraries-solidity/=node_modules/abdk-libraries-solidity/"
],
"optimizer": {
"enabled": true,
"runs": 10000
},
"metadata": {
"useLiteralContent": false,
"bytecodeHash": "ipfs",
"appendCBOR": true
},
"outputSelection": {
"*": {
"*": [
"evm.bytecode",
"evm.deployedBytecode",
"devdoc",
"userdoc",
"metadata",
"abi"
]
}
},
"evmVersion": "cancun",
"viaIR": false
}Contract Security Audit
- No Contract Security Audit Submitted- Submit Audit Here
Contract ABI
API[{"inputs":[{"internalType":"address","name":"iporOracle_","type":"address"}],"stateMutability":"nonpayable","type":"constructor"},{"inputs":[{"internalType":"address","name":"asset_","type":"address"}],"name":"getIpTokenExchangeRate","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"iporOracle","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"}]Contract Creation Code
60a060405234801561000f575f80fd5b50604051612f2e380380612f2e83398101604081905261002e916100aa565b6100406001600160a01b038216610052565b6001600160a01b03166080525061010c565b604080518082019091526008815267049504f525f3030360c41b60208201525f906001600160a01b0383166100a35760405162461bcd60e51b815260040161009a91906100d7565b60405180910390fd5b5090919050565b5f602082840312156100ba575f80fd5b81516001600160a01b03811681146100d0575f80fd5b9392505050565b602081525f82518060208401528060208501604085015e5f604082850101526040601f19601f83011684010191505092915050565b608051612e0461012a5f395f8181606301526103780152612e045ff3fe608060405234801561000f575f80fd5b5060043610610034575f3560e01c806307b540e8146100385780637761022f1461005e575b5f80fd5b61004b610046366004612b11565b6100aa565b6040519081526020015b60405180910390f35b6100857f000000000000000000000000000000000000000000000000000000000000000081565b60405173ffffffffffffffffffffffffffffffffffffffff9091168152602001610055565b5f806100b4610439565b5f015f8473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f206040518060c00160405290815f82015f9054906101000a900460ff1660ff1660ff1681526020015f820160019054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001600182015f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001600282015f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001600382015f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001600482015f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152505090505f6040518060e001604052808573ffffffffffffffffffffffffffffffffffffffff168152602001835f015160ff168152602001836020015173ffffffffffffffffffffffffffffffffffffffff168152602001836040015173ffffffffffffffffffffffffffffffffffffffff168152602001836060015173ffffffffffffffffffffffffffffffffffffffff168152602001836080015173ffffffffffffffffffffffffffffffffffffffff1681526020017f000000000000000000000000000000000000000000000000000000000000000073ffffffffffffffffffffffffffffffffffffffff1681525090505f826060015173ffffffffffffffffffffffffffffffffffffffff16634fcf9f716040518163ffffffff1660e01b8152600401602060405180830381865afa158015610400573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906104249190612b44565b9050610430828261044b565b95945050505050565b5f80610445600a6105a8565b92915050565b5f80610456846105c9565b925050505f816104658561071a565b61046f9190612b88565b90505f8112156040518060400160405280600881526020017f49504f525f333136000000000000000000000000000000000000000000000000815250906104ec576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016104e39190612bae565b60405180910390fd5b505f856040015173ffffffffffffffffffffffffffffffffffffffff166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561053b573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061055f9190612b44565b905080156105955761058b610573836107cf565b61058590670de0b6b3a7640000612c01565b8261083a565b9350505050610445565b50670de0b6b3a764000095945050505050565b5f620f424082600c8111156105bf576105bf612c18565b6104459190612c45565b5f805f804290505f80866060015173ffffffffffffffffffffffffffffffffffffffff1663cab418206040518163ffffffff1660e01b815260040161014060405180830381865afa158015610620573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906106449190612ce8565b60c089015189516040517f0e5c712900000000000000000000000000000000000000000000000000000000815273ffffffffffffffffffffffffffffffffffffffff9182166004820152602481018890529395509193505f92911690630e5c712990604401602060405180830381865afa1580156106c4573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906106e89190612b44565b90506106f5838583610862565b96506107028285836108ba565b955061070e8688612d1c565b96989597505050505050565b5f7f7fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff8211156107cb576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602860248201527f53616665436173743a2076616c756520646f65736e27742066697420696e206160448201527f6e20696e7432353600000000000000000000000000000000000000000000000060648201526084016104e3565b5090565b5f808212156107cb576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f53616665436173743a2076616c7565206d75737420626520706f73697469766560448201526064016104e3565b5f81610847600282612d68565b6108519085612c45565b61085b9190612d68565b9392505050565b5f61088461087085856108ed565b856020015161087f9190612c45565b61071a565b6108a861087f84876040015161089a9190612c01565b670de0b6b3a764000061083a565b6108b29190612b88565b949350505050565b5f6108d161087f83866040015161089a9190612c01565b6108a86108de86866108ed565b866020015161087f9190612c45565b5f610914828460800151855f0151866020015161090a9190612c45565b8660600151610920565b835161085b9190612c45565b5f838510156040518060400160405280600881526020017f49504f525f33313700000000000000000000000000000000000000000000000081525090610993576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016104e39190612bae565b506104306109a18587612d7b565b6109ab9084612c01565b84905f826109b984846109c3565b61085b9190612d7b565b5f806109d3836301e1338061083a565b90505f6109e885670de0b6b3a7640000610a28565b90505f6109fd83670de0b6b3a7640000610a28565b90505f610a1283610a0d84610a75565b610aa8565b9050610a1d81610ef6565b979650505050505050565b5f80610a348385612d8e565b1115610a4857610a45600184612c45565b92505b5f610a5284610f21565b90505f610a5e84610f21565b90505f610a6b8383610f8b565b9695505050505050565b5f610445610aa3837f3fff71547652b82fe1777d0ffda0d23a00000000000000000000000000000000610aa8565b6113a5565b5f617fff60f084811c8216919084901c811690829003610c265780617fff03610ba5577fffffffffffffffffffffffffffffffff0000000000000000000000000000000080851690861603610b24575050507f800000000000000000000000000000000000000000000000000000000000000081168218610445565b7fffffffffffffffffffffffffffffffff00000000000000000000000000000000858518167f800000000000000000000000000000000000000000000000000000000000000003610b7a57505050818117610445565b507f7fff80000000000000000000000000000000000000000000000000000000000091506104459050565b7f7fffffffffffffffffffffffffffffff0000000000000000000000000000000084165f03610bf957507f7fff80000000000000000000000000000000000000000000000000000000000091506104459050565b5050507f800000000000000000000000000000000000000000000000000000000000000081168218610445565b80617fff03610cb0577f7fffffffffffffffffffffffffffffff0000000000000000000000000000000085165f03610c8357507f7fff80000000000000000000000000000000000000000000000000000000000091506104459050565b5050507f800000000000000000000000000000000000000000000000000000000000000082168118610445565b6dffffffffffffffffffffffffffff608086901c165f839003610cd65760019250610ce8565b6e010000000000000000000000000000175b6dffffffffffffffffffffffffffff608086901c165f839003610d0e5760019250610d20565b6e010000000000000000000000000000175b8082029150815f03610d88577f800000000000000000000000000000000000000000000000000000000000000087871816610d5b575f610d7d565b7f80000000000000000000000000000000000000000000000000000000000000005b945050505050610445565b928201925f7c0200000000000000000000000000000000000000000000000000000000831015610dec577c0100000000000000000000000000000000000000000000000000000000831015610de557610de0836129aa565b610def565b60e0610def565b60e15b90506140708186011015610e08575f94505f9250610eaa565b6140e08186011015610e4a57614070851015610e2d57846140700383901c9250610e42565b614070851115610e4257614070850383901b92505b5f9450610eaa565b61c0dd8186011115610e6357617fff94505f9250610eaa565b6070811115610e7a576070810383901c9250610e8d565b6070811015610e8d578060700383901b92505b6dffffffffffffffffffffffffffff831692506140df8186010394505b82607086901b888a186f8000000000000000000000000000000060801b1660801c6fffffffffffffffffffffffffffffffff16171760801b95505050505050610445565b505092915050565b5f80610f09670de0b6b3a7640000610f21565b90505f610f168483610aa8565b90506108b281612a57565b5f815f03610f3057505f919050565b815f610f3b826129aa565b90506070811015610f54578060700382901b9150610f67565b6070811115610f67576070810382901c91505b613fff0160701b6dffffffffffffffffffffffffffff919091161760801b92915050565b5f617fff60f084811c8216919084901c811690829003610fd95780617fff03610bf957507f7fff80000000000000000000000000000000000000000000000000000000000091506104459050565b80617fff03611060577dffffffffffffffffffffffffffff0000000000000000000000000000000084161561103357507f7fff80000000000000000000000000000000000000000000000000000000000091506104459050565b5050508082187f800000000000000000000000000000000000000000000000000000000000000016610445565b7f7fffffffffffffffffffffffffffffff0000000000000000000000000000000084165f0361112c577f7fffffffffffffffffffffffffffffff0000000000000000000000000000000085165f036110dd57507f7fff80000000000000000000000000000000000000000000000000000000000091506104459050565b5050508082187f8000000000000000000000000000000000000000000000000000000000000000167f7fff00000000000000000000000000000000000000000000000000000000000017610445565b6dffffffffffffffffffffffffffff608085901c165f8290036111525760019150611164565b6e010000000000000000000000000000175b6dffffffffffffffffffffffffffff608087901c165f8490036111ca5780156111c5575f611191826129aa565b6001955060e2039384017fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff8e01939190911b90505b6111df565b6e0100000000000000000000000000001760721b5b8181816111ee576111ee612d3b565b049050805f03611227577f800000000000000000000000000000000000000000000000000000000000000087871816610d5b575f610d7d565b6d100000000000000000000000000081101561124557611245612da1565b5f6e0800000000000000000000000000008210156112a4576e040000000000000000000000000000821015611299576e02000000000000000000000000000082101561129257607061129c565b607161129c565b60725b60ff166112ad565b6112ad826129aa565b9050836140710181860111156112ca57617fff94505f9150611361565b83818601613ffc0110156112e3575f94505f9150611361565b83818601613f8c01101561132f578385613ffc01111561130e578385613ffc010382901b9150611327565b8385613ffc01101561132757613ffc8585030382901c91505b5f9450611361565b6070811115611342576070810382901c91505b6dffffffffffffffffffffffffffff8216915083818601613f8d010394505b81607086901b888a186f8000000000000000000000000000000060801b1660801c6fffffffffffffffffffffffffffffffff16171760801b95505050505050610445565b5f6f80000000000000000000000000000000608083901c90811190617fff60f085901c8116916dffffffffffffffffffffffffffff1690821480156113e957508015155b1561141857507f7fff800000000000000000000000000000000000000000000000000000000000949350505050565b61400d821115611457578261144d577f7fff000000000000000000000000000000000000000000000000000000000000610430565b5f95945050505050565b613f7f82101561148b57507f3fff000000000000000000000000000000000000000000000000000000000000949350505050565b815f0361149b57600191506114ad565b6e010000000000000000000000000000175b613fef8211156114e0577fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffc01182011b6114f2565b613fef8210156114f257613fef8290031c5b828015611510575071406e0000000000000000000000000000000081115b1561151f57505f949350505050565b8215801561153e5750713fffffffffffffffffffffffffffffffffff81115b1561156d57507f7fff000000000000000000000000000000000000000000000000000000000000949350505050565b6fffffffffffffffffffffffffffffffff81169060801c83801561159057508115155b1561159c579019906001015b6f80000000000000000000000000000000828116156115cc5770016a09e667f3bcc908b2fb1366ea957d3e0260801c5b6f400000000000000000000000000000008316156115fb577001306fe0a31b7152de8d5a46305c85edec0260801c5b6f2000000000000000000000000000000083161561162a577001172b83c7d517adcdf7c8c50eb14a791f0260801c5b6f100000000000000000000000000000008316156116595770010b5586cf9890f6298b92b71842a983630260801c5b6f08000000000000000000000000000000831615611688577001059b0d31585743ae7c548eb68ca417fd0260801c5b6f040000000000000000000000000000008316156116b757700102c9a3e778060ee6f7caca4f7a29bde80260801c5b6f020000000000000000000000000000008316156116e65770010163da9fb33356d84a66ae336dcdfa3f0260801c5b6f0100000000000000000000000000000083161561171557700100b1afa5abcbed6129ab13ec11dc95430260801c5b6e8000000000000000000000000000008316156117435770010058c86da1c09ea1ff19d294cf2f679b0260801c5b6e400000000000000000000000000000831615611771577001002c605e2e8cec506d21bfc89a23a00f0260801c5b6e20000000000000000000000000000083161561179f57700100162f3904051fa128bca9c55c31e5df0260801c5b6e1000000000000000000000000000008316156117cd577001000b175effdc76ba38e31671ca9397250260801c5b6e0800000000000000000000000000008316156117fb57700100058ba01fb9f96d6cacd4b180917c3d0260801c5b6e0400000000000000000000000000008316156118295770010002c5cc37da9491d0985c348c68e7b30260801c5b6e020000000000000000000000000000831615611857577001000162e525ee054754457d59952920260260801c5b6e0100000000000000000000000000008316156118855770010000b17255775c040618bf4a4ade83fc0260801c5b6d80000000000000000000000000008316156118b2577001000058b91b5bc9ae2eed81e9b7d4cfab0260801c5b6d40000000000000000000000000008316156118df57700100002c5c89d5ec6ca4d7c8acc017b7c90260801c5b6d200000000000000000000000000083161561190c5770010000162e43f4f831060e02d839a9d16d0260801c5b6d100000000000000000000000000083161561193957700100000b1721bcfc99d9f890ea069117630260801c5b6d08000000000000000000000000008316156119665770010000058b90cf1e6d97f9ca14dbcc16280260801c5b6d0400000000000000000000000000831615611993577001000002c5c863b73f016468f6bac5ca2b0260801c5b6d02000000000000000000000000008316156119c057700100000162e430e5a18f6119e3c02282a50260801c5b6d01000000000000000000000000008316156119ed577001000000b1721835514b86e6d96efd1bfe0260801c5b6c80000000000000000000000000831615611a1957700100000058b90c0b48c6be5df846c5b2ef0260801c5b6c40000000000000000000000000831615611a455770010000002c5c8601cc6b9e94213c72737a0260801c5b6c20000000000000000000000000831615611a71577001000000162e42fff037df38aa2b219f060260801c5b6c10000000000000000000000000831615611a9d5770010000000b17217fba9c739aa5819f44f90260801c5b6c08000000000000000000000000831615611ac9577001000000058b90bfcdee5acd3c1cedc8230260801c5b6c04000000000000000000000000831615611af557700100000002c5c85fe31f35a6a30da1be500260801c5b6c02000000000000000000000000831615611b215770010000000162e42ff0999ce3541b9fffcf0260801c5b6c01000000000000000000000000831615611b4d57700100000000b17217f80f4ef5aadda455540260801c5b6b800000000000000000000000831615611b785770010000000058b90bfbf8479bd5a81b51ad0260801c5b6b400000000000000000000000831615611ba3577001000000002c5c85fdf84bd62ae30a74cc0260801c5b6b200000000000000000000000831615611bce57700100000000162e42fefb2fed257559bdaa0260801c5b6b100000000000000000000000831615611bf9577001000000000b17217f7d5a7716bba4a9ae0260801c5b6b080000000000000000000000831615611c2457700100000000058b90bfbe9ddbac5e109cce0260801c5b6b040000000000000000000000831615611c4f5770010000000002c5c85fdf4b15de6f17eb0d0260801c5b6b020000000000000000000000831615611c7a577001000000000162e42fefa494f1478fde050260801c5b6b010000000000000000000000831615611ca55770010000000000b17217f7d20cf927c8e94c0260801c5b6a8000000000000000000000831615611ccf577001000000000058b90bfbe8f71cb4e4b33d0260801c5b6a4000000000000000000000831615611cf957700100000000002c5c85fdf477b662b269450260801c5b6a2000000000000000000000831615611d235770010000000000162e42fefa3ae53369388c0260801c5b6a1000000000000000000000831615611d4d57700100000000000b17217f7d1d351a389d400260801c5b6a0800000000000000000000831615611d775770010000000000058b90bfbe8e8b2d3d4ede0260801c5b6a0400000000000000000000831615611da1577001000000000002c5c85fdf4741bea6e77e0260801c5b6a0200000000000000000000831615611dcb57700100000000000162e42fefa39fe95583c20260801c5b6a0100000000000000000000831615611df5577001000000000000b17217f7d1cfb72b45e10260801c5b6980000000000000000000831615611e1e57700100000000000058b90bfbe8e7cc35c3f00260801c5b6940000000000000000000831615611e475770010000000000002c5c85fdf473e242ea380260801c5b6920000000000000000000831615611e70577001000000000000162e42fefa39f02b772c0260801c5b6910000000000000000000831615611e995770010000000000000b17217f7d1cf7d83c1a0260801c5b6908000000000000000000831615611ec2577001000000000000058b90bfbe8e7bdcbe2e0260801c5b6904000000000000000000831615611eeb57700100000000000002c5c85fdf473dea871f0260801c5b6902000000000000000000831615611f145770010000000000000162e42fefa39ef44d910260801c5b6901000000000000000000831615611f3d57700100000000000000b17217f7d1cf79e9490260801c5b68800000000000000000831615611f655770010000000000000058b90bfbe8e7bce5440260801c5b68400000000000000000831615611f8d577001000000000000002c5c85fdf473de6eca0260801c5b68200000000000000000831615611fb557700100000000000000162e42fefa39ef366f0260801c5b68100000000000000000831615611fdd577001000000000000000b17217f7d1cf79afa0260801c5b6808000000000000000083161561200557700100000000000000058b90bfbe8e7bcd6d0260801c5b6804000000000000000083161561202d5770010000000000000002c5c85fdf473de6b20260801c5b68020000000000000000831615612055577001000000000000000162e42fefa39ef3580260801c5b6801000000000000000083161561207d5770010000000000000000b17217f7d1cf79ab0260801c5b6780000000000000008316156120a4577001000000000000000058b90bfbe8e7bcd50260801c5b6740000000000000008316156120cb57700100000000000000002c5c85fdf473de6a0260801c5b6720000000000000008316156120f25770010000000000000000162e42fefa39ef340260801c5b67100000000000000083161561211957700100000000000000000b17217f7d1cf7990260801c5b6708000000000000008316156121405770010000000000000000058b90bfbe8e7bcc0260801c5b670400000000000000831615612167577001000000000000000002c5c85fdf473de50260801c5b67020000000000000083161561218e57700100000000000000000162e42fefa39ef20260801c5b6701000000000000008316156121b5577001000000000000000000b17217f7d1cf780260801c5b66800000000000008316156121db57700100000000000000000058b90bfbe8e7bb0260801c5b66400000000000008316156122015770010000000000000000002c5c85fdf473dd0260801c5b6620000000000000831615612227577001000000000000000000162e42fefa39ee0260801c5b661000000000000083161561224d5770010000000000000000000b17217f7d1cf60260801c5b6608000000000000831615612273577001000000000000000000058b90bfbe8e7a0260801c5b660400000000000083161561229957700100000000000000000002c5c85fdf473c0260801c5b66020000000000008316156122bf5770010000000000000000000162e42fefa39d0260801c5b66010000000000008316156122e557700100000000000000000000b17217f7d1ce0260801c5b6580000000000083161561230a5770010000000000000000000058b90bfbe8e60260801c5b6540000000000083161561232f577001000000000000000000002c5c85fdf4720260801c5b6520000000000083161561235457700100000000000000000000162e42fefa380260801c5b65100000000000831615612379577001000000000000000000000b17217f7d1b0260801c5b6508000000000083161561239e57700100000000000000000000058b90bfbe8d0260801c5b650400000000008316156123c35770010000000000000000000002c5c85fdf460260801c5b650200000000008316156123e8577001000000000000000000000162e42fefa20260801c5b6501000000000083161561240d5770010000000000000000000000b17217f7d00260801c5b648000000000831615612431577001000000000000000000000058b90bfbe70260801c5b64400000000083161561245557700100000000000000000000002c5c85fdf30260801c5b6420000000008316156124795770010000000000000000000000162e42fef90260801c5b64100000000083161561249d57700100000000000000000000000b17217f7c0260801c5b6408000000008316156124c15770010000000000000000000000058b90bfbd0260801c5b6404000000008316156124e5577001000000000000000000000002c5c85fde0260801c5b64020000000083161561250957700100000000000000000000000162e42fee0260801c5b64010000000083161561252d577001000000000000000000000000b17217f60260801c5b638000000083161561255057700100000000000000000000000058b90bfa0260801c5b63400000008316156125735770010000000000000000000000002c5c85fc0260801c5b6320000000831615612596577001000000000000000000000000162e42fd0260801c5b63100000008316156125b95770010000000000000000000000000b17217e0260801c5b63080000008316156125dc577001000000000000000000000000058b90be0260801c5b63040000008316156125ff57700100000000000000000000000002c5c85e0260801c5b63020000008316156126225770010000000000000000000000000162e42e0260801c5b630100000083161561264557700100000000000000000000000000b172160260801c5b628000008316156126675770010000000000000000000000000058b90a0260801c5b62400000831615612689577001000000000000000000000000002c5c840260801c5b622000008316156126ab57700100000000000000000000000000162e410260801c5b621000008316156126cd577001000000000000000000000000000b17200260801c5b620800008316156126ef57700100000000000000000000000000058b8f0260801c5b620400008316156127115770010000000000000000000000000002c5c70260801c5b62020000831615612733577001000000000000000000000000000162e30260801c5b620100008316156127555770010000000000000000000000000000b1710260801c5b618000831615612776577001000000000000000000000000000058b80260801c5b61400083161561279757700100000000000000000000000000002c5b0260801c5b6120008316156127b85770010000000000000000000000000000162d0260801c5b6110008316156127d957700100000000000000000000000000000b160260801c5b6108008316156127fa5770010000000000000000000000000000058a0260801c5b61040083161561281b577001000000000000000000000000000002c40260801c5b61020083161561283c577001000000000000000000000000000001610260801c5b61010083161561285d577001000000000000000000000000000000b00260801c5b608083161561287d577001000000000000000000000000000000570260801c5b604083161561289d5770010000000000000000000000000000002b0260801c5b60208316156128bd577001000000000000000000000000000000150260801c5b60108316156128dd5770010000000000000000000000000000000a0260801c5b60088316156128fd577001000000000000000000000000000000040260801c5b600483161561291d577001000000000000000000000000000000010260801c5b8461294557600f81901c6dffffffffffffffffffffffffffff169050613fff82019150612997565b613ffe821161297157600f81901c6dffffffffffffffffffffffffffff16905081613fff039150612997565b5f917fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffc011011c5b60709190911b1760801b95945050505050565b5f8082116129b6575f80fd5b5f70010000000000000000000000000000000083106129d757608092831c92015b6801000000000000000083106129ef57604092831c92015b6401000000008310612a0357602092831c92015b620100008310612a1557601092831c92015b6101008310612a2657600892831c92015b60108310612a3657600492831c92015b60048310612a4657600292831c92015b600283106104455760010192915050565b5f617fff60f083901c16613fff811015612a7357505f92915050565b6f80000000000000000000000000000000608084901c10612a92575f80fd5b6140fe811115612aa0575f80fd5b6e0100000000000000000000000000006dffffffffffffffffffffffffffff608085901c161761406f821015612adc5761406f8290031c61085b565b61406f82111561085b577fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffbf9182011b9392505050565b5f60208284031215612b21575f80fd5b813573ffffffffffffffffffffffffffffffffffffffff8116811461085b575f80fd5b5f60208284031215612b54575f80fd5b5051919050565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52601160045260245ffd5b8181035f831280158383131683831282161715612ba757612ba7612b5b565b5092915050565b602081525f82518060208401528060208501604085015e5f6040828501015260407fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe0601f83011684010191505092915050565b808202811582820484141761044557610445612b5b565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52602160045260245ffd5b8082018082111561044557610445612b5b565b5f60a08284031215612c68575f80fd5b60405160a0810181811067ffffffffffffffff82111715612cb0577f4e487b71000000000000000000000000000000000000000000000000000000005f52604160045260245ffd5b604090815283518252602080850151908301528381015190820152606080840151908201526080928301519281019290925250919050565b5f806101408385031215612cfa575f80fd5b612d048484612c58565b9150612d138460a08501612c58565b90509250929050565b8082018281125f831280158216821582161715610eee57610eee612b5b565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52601260045260245ffd5b5f82612d7657612d76612d3b565b500490565b8181038181111561044557610445612b5b565b5f82612d9c57612d9c612d3b565b500690565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52600160045260245ffdfea26469706673582212200f69d803169b5b204bc992a6945e54986189d57cb1e7a9d1141e4ea848c52adb64736f6c634300081a0033000000000000000000000000421c69eaa54646294db30026aee80d01988a6876
Deployed Bytecode
0x608060405234801561000f575f80fd5b5060043610610034575f3560e01c806307b540e8146100385780637761022f1461005e575b5f80fd5b61004b610046366004612b11565b6100aa565b6040519081526020015b60405180910390f35b6100857f000000000000000000000000421c69eaa54646294db30026aee80d01988a687681565b60405173ffffffffffffffffffffffffffffffffffffffff9091168152602001610055565b5f806100b4610439565b5f015f8473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f206040518060c00160405290815f82015f9054906101000a900460ff1660ff1660ff1681526020015f820160019054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001600182015f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001600282015f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001600382015f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001600482015f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152505090505f6040518060e001604052808573ffffffffffffffffffffffffffffffffffffffff168152602001835f015160ff168152602001836020015173ffffffffffffffffffffffffffffffffffffffff168152602001836040015173ffffffffffffffffffffffffffffffffffffffff168152602001836060015173ffffffffffffffffffffffffffffffffffffffff168152602001836080015173ffffffffffffffffffffffffffffffffffffffff1681526020017f000000000000000000000000421c69eaa54646294db30026aee80d01988a687673ffffffffffffffffffffffffffffffffffffffff1681525090505f826060015173ffffffffffffffffffffffffffffffffffffffff16634fcf9f716040518163ffffffff1660e01b8152600401602060405180830381865afa158015610400573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906104249190612b44565b9050610430828261044b565b95945050505050565b5f80610445600a6105a8565b92915050565b5f80610456846105c9565b925050505f816104658561071a565b61046f9190612b88565b90505f8112156040518060400160405280600881526020017f49504f525f333136000000000000000000000000000000000000000000000000815250906104ec576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016104e39190612bae565b60405180910390fd5b505f856040015173ffffffffffffffffffffffffffffffffffffffff166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561053b573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061055f9190612b44565b905080156105955761058b610573836107cf565b61058590670de0b6b3a7640000612c01565b8261083a565b9350505050610445565b50670de0b6b3a764000095945050505050565b5f620f424082600c8111156105bf576105bf612c18565b6104459190612c45565b5f805f804290505f80866060015173ffffffffffffffffffffffffffffffffffffffff1663cab418206040518163ffffffff1660e01b815260040161014060405180830381865afa158015610620573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906106449190612ce8565b60c089015189516040517f0e5c712900000000000000000000000000000000000000000000000000000000815273ffffffffffffffffffffffffffffffffffffffff9182166004820152602481018890529395509193505f92911690630e5c712990604401602060405180830381865afa1580156106c4573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906106e89190612b44565b90506106f5838583610862565b96506107028285836108ba565b955061070e8688612d1c565b96989597505050505050565b5f7f7fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff8211156107cb576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602860248201527f53616665436173743a2076616c756520646f65736e27742066697420696e206160448201527f6e20696e7432353600000000000000000000000000000000000000000000000060648201526084016104e3565b5090565b5f808212156107cb576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f53616665436173743a2076616c7565206d75737420626520706f73697469766560448201526064016104e3565b5f81610847600282612d68565b6108519085612c45565b61085b9190612d68565b9392505050565b5f61088461087085856108ed565b856020015161087f9190612c45565b61071a565b6108a861087f84876040015161089a9190612c01565b670de0b6b3a764000061083a565b6108b29190612b88565b949350505050565b5f6108d161087f83866040015161089a9190612c01565b6108a86108de86866108ed565b866020015161087f9190612c45565b5f610914828460800151855f0151866020015161090a9190612c45565b8660600151610920565b835161085b9190612c45565b5f838510156040518060400160405280600881526020017f49504f525f33313700000000000000000000000000000000000000000000000081525090610993576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016104e39190612bae565b506104306109a18587612d7b565b6109ab9084612c01565b84905f826109b984846109c3565b61085b9190612d7b565b5f806109d3836301e1338061083a565b90505f6109e885670de0b6b3a7640000610a28565b90505f6109fd83670de0b6b3a7640000610a28565b90505f610a1283610a0d84610a75565b610aa8565b9050610a1d81610ef6565b979650505050505050565b5f80610a348385612d8e565b1115610a4857610a45600184612c45565b92505b5f610a5284610f21565b90505f610a5e84610f21565b90505f610a6b8383610f8b565b9695505050505050565b5f610445610aa3837f3fff71547652b82fe1777d0ffda0d23a00000000000000000000000000000000610aa8565b6113a5565b5f617fff60f084811c8216919084901c811690829003610c265780617fff03610ba5577fffffffffffffffffffffffffffffffff0000000000000000000000000000000080851690861603610b24575050507f800000000000000000000000000000000000000000000000000000000000000081168218610445565b7fffffffffffffffffffffffffffffffff00000000000000000000000000000000858518167f800000000000000000000000000000000000000000000000000000000000000003610b7a57505050818117610445565b507f7fff80000000000000000000000000000000000000000000000000000000000091506104459050565b7f7fffffffffffffffffffffffffffffff0000000000000000000000000000000084165f03610bf957507f7fff80000000000000000000000000000000000000000000000000000000000091506104459050565b5050507f800000000000000000000000000000000000000000000000000000000000000081168218610445565b80617fff03610cb0577f7fffffffffffffffffffffffffffffff0000000000000000000000000000000085165f03610c8357507f7fff80000000000000000000000000000000000000000000000000000000000091506104459050565b5050507f800000000000000000000000000000000000000000000000000000000000000082168118610445565b6dffffffffffffffffffffffffffff608086901c165f839003610cd65760019250610ce8565b6e010000000000000000000000000000175b6dffffffffffffffffffffffffffff608086901c165f839003610d0e5760019250610d20565b6e010000000000000000000000000000175b8082029150815f03610d88577f800000000000000000000000000000000000000000000000000000000000000087871816610d5b575f610d7d565b7f80000000000000000000000000000000000000000000000000000000000000005b945050505050610445565b928201925f7c0200000000000000000000000000000000000000000000000000000000831015610dec577c0100000000000000000000000000000000000000000000000000000000831015610de557610de0836129aa565b610def565b60e0610def565b60e15b90506140708186011015610e08575f94505f9250610eaa565b6140e08186011015610e4a57614070851015610e2d57846140700383901c9250610e42565b614070851115610e4257614070850383901b92505b5f9450610eaa565b61c0dd8186011115610e6357617fff94505f9250610eaa565b6070811115610e7a576070810383901c9250610e8d565b6070811015610e8d578060700383901b92505b6dffffffffffffffffffffffffffff831692506140df8186010394505b82607086901b888a186f8000000000000000000000000000000060801b1660801c6fffffffffffffffffffffffffffffffff16171760801b95505050505050610445565b505092915050565b5f80610f09670de0b6b3a7640000610f21565b90505f610f168483610aa8565b90506108b281612a57565b5f815f03610f3057505f919050565b815f610f3b826129aa565b90506070811015610f54578060700382901b9150610f67565b6070811115610f67576070810382901c91505b613fff0160701b6dffffffffffffffffffffffffffff919091161760801b92915050565b5f617fff60f084811c8216919084901c811690829003610fd95780617fff03610bf957507f7fff80000000000000000000000000000000000000000000000000000000000091506104459050565b80617fff03611060577dffffffffffffffffffffffffffff0000000000000000000000000000000084161561103357507f7fff80000000000000000000000000000000000000000000000000000000000091506104459050565b5050508082187f800000000000000000000000000000000000000000000000000000000000000016610445565b7f7fffffffffffffffffffffffffffffff0000000000000000000000000000000084165f0361112c577f7fffffffffffffffffffffffffffffff0000000000000000000000000000000085165f036110dd57507f7fff80000000000000000000000000000000000000000000000000000000000091506104459050565b5050508082187f8000000000000000000000000000000000000000000000000000000000000000167f7fff00000000000000000000000000000000000000000000000000000000000017610445565b6dffffffffffffffffffffffffffff608085901c165f8290036111525760019150611164565b6e010000000000000000000000000000175b6dffffffffffffffffffffffffffff608087901c165f8490036111ca5780156111c5575f611191826129aa565b6001955060e2039384017fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff8e01939190911b90505b6111df565b6e0100000000000000000000000000001760721b5b8181816111ee576111ee612d3b565b049050805f03611227577f800000000000000000000000000000000000000000000000000000000000000087871816610d5b575f610d7d565b6d100000000000000000000000000081101561124557611245612da1565b5f6e0800000000000000000000000000008210156112a4576e040000000000000000000000000000821015611299576e02000000000000000000000000000082101561129257607061129c565b607161129c565b60725b60ff166112ad565b6112ad826129aa565b9050836140710181860111156112ca57617fff94505f9150611361565b83818601613ffc0110156112e3575f94505f9150611361565b83818601613f8c01101561132f578385613ffc01111561130e578385613ffc010382901b9150611327565b8385613ffc01101561132757613ffc8585030382901c91505b5f9450611361565b6070811115611342576070810382901c91505b6dffffffffffffffffffffffffffff8216915083818601613f8d010394505b81607086901b888a186f8000000000000000000000000000000060801b1660801c6fffffffffffffffffffffffffffffffff16171760801b95505050505050610445565b5f6f80000000000000000000000000000000608083901c90811190617fff60f085901c8116916dffffffffffffffffffffffffffff1690821480156113e957508015155b1561141857507f7fff800000000000000000000000000000000000000000000000000000000000949350505050565b61400d821115611457578261144d577f7fff000000000000000000000000000000000000000000000000000000000000610430565b5f95945050505050565b613f7f82101561148b57507f3fff000000000000000000000000000000000000000000000000000000000000949350505050565b815f0361149b57600191506114ad565b6e010000000000000000000000000000175b613fef8211156114e0577fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffc01182011b6114f2565b613fef8210156114f257613fef8290031c5b828015611510575071406e0000000000000000000000000000000081115b1561151f57505f949350505050565b8215801561153e5750713fffffffffffffffffffffffffffffffffff81115b1561156d57507f7fff000000000000000000000000000000000000000000000000000000000000949350505050565b6fffffffffffffffffffffffffffffffff81169060801c83801561159057508115155b1561159c579019906001015b6f80000000000000000000000000000000828116156115cc5770016a09e667f3bcc908b2fb1366ea957d3e0260801c5b6f400000000000000000000000000000008316156115fb577001306fe0a31b7152de8d5a46305c85edec0260801c5b6f2000000000000000000000000000000083161561162a577001172b83c7d517adcdf7c8c50eb14a791f0260801c5b6f100000000000000000000000000000008316156116595770010b5586cf9890f6298b92b71842a983630260801c5b6f08000000000000000000000000000000831615611688577001059b0d31585743ae7c548eb68ca417fd0260801c5b6f040000000000000000000000000000008316156116b757700102c9a3e778060ee6f7caca4f7a29bde80260801c5b6f020000000000000000000000000000008316156116e65770010163da9fb33356d84a66ae336dcdfa3f0260801c5b6f0100000000000000000000000000000083161561171557700100b1afa5abcbed6129ab13ec11dc95430260801c5b6e8000000000000000000000000000008316156117435770010058c86da1c09ea1ff19d294cf2f679b0260801c5b6e400000000000000000000000000000831615611771577001002c605e2e8cec506d21bfc89a23a00f0260801c5b6e20000000000000000000000000000083161561179f57700100162f3904051fa128bca9c55c31e5df0260801c5b6e1000000000000000000000000000008316156117cd577001000b175effdc76ba38e31671ca9397250260801c5b6e0800000000000000000000000000008316156117fb57700100058ba01fb9f96d6cacd4b180917c3d0260801c5b6e0400000000000000000000000000008316156118295770010002c5cc37da9491d0985c348c68e7b30260801c5b6e020000000000000000000000000000831615611857577001000162e525ee054754457d59952920260260801c5b6e0100000000000000000000000000008316156118855770010000b17255775c040618bf4a4ade83fc0260801c5b6d80000000000000000000000000008316156118b2577001000058b91b5bc9ae2eed81e9b7d4cfab0260801c5b6d40000000000000000000000000008316156118df57700100002c5c89d5ec6ca4d7c8acc017b7c90260801c5b6d200000000000000000000000000083161561190c5770010000162e43f4f831060e02d839a9d16d0260801c5b6d100000000000000000000000000083161561193957700100000b1721bcfc99d9f890ea069117630260801c5b6d08000000000000000000000000008316156119665770010000058b90cf1e6d97f9ca14dbcc16280260801c5b6d0400000000000000000000000000831615611993577001000002c5c863b73f016468f6bac5ca2b0260801c5b6d02000000000000000000000000008316156119c057700100000162e430e5a18f6119e3c02282a50260801c5b6d01000000000000000000000000008316156119ed577001000000b1721835514b86e6d96efd1bfe0260801c5b6c80000000000000000000000000831615611a1957700100000058b90c0b48c6be5df846c5b2ef0260801c5b6c40000000000000000000000000831615611a455770010000002c5c8601cc6b9e94213c72737a0260801c5b6c20000000000000000000000000831615611a71577001000000162e42fff037df38aa2b219f060260801c5b6c10000000000000000000000000831615611a9d5770010000000b17217fba9c739aa5819f44f90260801c5b6c08000000000000000000000000831615611ac9577001000000058b90bfcdee5acd3c1cedc8230260801c5b6c04000000000000000000000000831615611af557700100000002c5c85fe31f35a6a30da1be500260801c5b6c02000000000000000000000000831615611b215770010000000162e42ff0999ce3541b9fffcf0260801c5b6c01000000000000000000000000831615611b4d57700100000000b17217f80f4ef5aadda455540260801c5b6b800000000000000000000000831615611b785770010000000058b90bfbf8479bd5a81b51ad0260801c5b6b400000000000000000000000831615611ba3577001000000002c5c85fdf84bd62ae30a74cc0260801c5b6b200000000000000000000000831615611bce57700100000000162e42fefb2fed257559bdaa0260801c5b6b100000000000000000000000831615611bf9577001000000000b17217f7d5a7716bba4a9ae0260801c5b6b080000000000000000000000831615611c2457700100000000058b90bfbe9ddbac5e109cce0260801c5b6b040000000000000000000000831615611c4f5770010000000002c5c85fdf4b15de6f17eb0d0260801c5b6b020000000000000000000000831615611c7a577001000000000162e42fefa494f1478fde050260801c5b6b010000000000000000000000831615611ca55770010000000000b17217f7d20cf927c8e94c0260801c5b6a8000000000000000000000831615611ccf577001000000000058b90bfbe8f71cb4e4b33d0260801c5b6a4000000000000000000000831615611cf957700100000000002c5c85fdf477b662b269450260801c5b6a2000000000000000000000831615611d235770010000000000162e42fefa3ae53369388c0260801c5b6a1000000000000000000000831615611d4d57700100000000000b17217f7d1d351a389d400260801c5b6a0800000000000000000000831615611d775770010000000000058b90bfbe8e8b2d3d4ede0260801c5b6a0400000000000000000000831615611da1577001000000000002c5c85fdf4741bea6e77e0260801c5b6a0200000000000000000000831615611dcb57700100000000000162e42fefa39fe95583c20260801c5b6a0100000000000000000000831615611df5577001000000000000b17217f7d1cfb72b45e10260801c5b6980000000000000000000831615611e1e57700100000000000058b90bfbe8e7cc35c3f00260801c5b6940000000000000000000831615611e475770010000000000002c5c85fdf473e242ea380260801c5b6920000000000000000000831615611e70577001000000000000162e42fefa39f02b772c0260801c5b6910000000000000000000831615611e995770010000000000000b17217f7d1cf7d83c1a0260801c5b6908000000000000000000831615611ec2577001000000000000058b90bfbe8e7bdcbe2e0260801c5b6904000000000000000000831615611eeb57700100000000000002c5c85fdf473dea871f0260801c5b6902000000000000000000831615611f145770010000000000000162e42fefa39ef44d910260801c5b6901000000000000000000831615611f3d57700100000000000000b17217f7d1cf79e9490260801c5b68800000000000000000831615611f655770010000000000000058b90bfbe8e7bce5440260801c5b68400000000000000000831615611f8d577001000000000000002c5c85fdf473de6eca0260801c5b68200000000000000000831615611fb557700100000000000000162e42fefa39ef366f0260801c5b68100000000000000000831615611fdd577001000000000000000b17217f7d1cf79afa0260801c5b6808000000000000000083161561200557700100000000000000058b90bfbe8e7bcd6d0260801c5b6804000000000000000083161561202d5770010000000000000002c5c85fdf473de6b20260801c5b68020000000000000000831615612055577001000000000000000162e42fefa39ef3580260801c5b6801000000000000000083161561207d5770010000000000000000b17217f7d1cf79ab0260801c5b6780000000000000008316156120a4577001000000000000000058b90bfbe8e7bcd50260801c5b6740000000000000008316156120cb57700100000000000000002c5c85fdf473de6a0260801c5b6720000000000000008316156120f25770010000000000000000162e42fefa39ef340260801c5b67100000000000000083161561211957700100000000000000000b17217f7d1cf7990260801c5b6708000000000000008316156121405770010000000000000000058b90bfbe8e7bcc0260801c5b670400000000000000831615612167577001000000000000000002c5c85fdf473de50260801c5b67020000000000000083161561218e57700100000000000000000162e42fefa39ef20260801c5b6701000000000000008316156121b5577001000000000000000000b17217f7d1cf780260801c5b66800000000000008316156121db57700100000000000000000058b90bfbe8e7bb0260801c5b66400000000000008316156122015770010000000000000000002c5c85fdf473dd0260801c5b6620000000000000831615612227577001000000000000000000162e42fefa39ee0260801c5b661000000000000083161561224d5770010000000000000000000b17217f7d1cf60260801c5b6608000000000000831615612273577001000000000000000000058b90bfbe8e7a0260801c5b660400000000000083161561229957700100000000000000000002c5c85fdf473c0260801c5b66020000000000008316156122bf5770010000000000000000000162e42fefa39d0260801c5b66010000000000008316156122e557700100000000000000000000b17217f7d1ce0260801c5b6580000000000083161561230a5770010000000000000000000058b90bfbe8e60260801c5b6540000000000083161561232f577001000000000000000000002c5c85fdf4720260801c5b6520000000000083161561235457700100000000000000000000162e42fefa380260801c5b65100000000000831615612379577001000000000000000000000b17217f7d1b0260801c5b6508000000000083161561239e57700100000000000000000000058b90bfbe8d0260801c5b650400000000008316156123c35770010000000000000000000002c5c85fdf460260801c5b650200000000008316156123e8577001000000000000000000000162e42fefa20260801c5b6501000000000083161561240d5770010000000000000000000000b17217f7d00260801c5b648000000000831615612431577001000000000000000000000058b90bfbe70260801c5b64400000000083161561245557700100000000000000000000002c5c85fdf30260801c5b6420000000008316156124795770010000000000000000000000162e42fef90260801c5b64100000000083161561249d57700100000000000000000000000b17217f7c0260801c5b6408000000008316156124c15770010000000000000000000000058b90bfbd0260801c5b6404000000008316156124e5577001000000000000000000000002c5c85fde0260801c5b64020000000083161561250957700100000000000000000000000162e42fee0260801c5b64010000000083161561252d577001000000000000000000000000b17217f60260801c5b638000000083161561255057700100000000000000000000000058b90bfa0260801c5b63400000008316156125735770010000000000000000000000002c5c85fc0260801c5b6320000000831615612596577001000000000000000000000000162e42fd0260801c5b63100000008316156125b95770010000000000000000000000000b17217e0260801c5b63080000008316156125dc577001000000000000000000000000058b90be0260801c5b63040000008316156125ff57700100000000000000000000000002c5c85e0260801c5b63020000008316156126225770010000000000000000000000000162e42e0260801c5b630100000083161561264557700100000000000000000000000000b172160260801c5b628000008316156126675770010000000000000000000000000058b90a0260801c5b62400000831615612689577001000000000000000000000000002c5c840260801c5b622000008316156126ab57700100000000000000000000000000162e410260801c5b621000008316156126cd577001000000000000000000000000000b17200260801c5b620800008316156126ef57700100000000000000000000000000058b8f0260801c5b620400008316156127115770010000000000000000000000000002c5c70260801c5b62020000831615612733577001000000000000000000000000000162e30260801c5b620100008316156127555770010000000000000000000000000000b1710260801c5b618000831615612776577001000000000000000000000000000058b80260801c5b61400083161561279757700100000000000000000000000000002c5b0260801c5b6120008316156127b85770010000000000000000000000000000162d0260801c5b6110008316156127d957700100000000000000000000000000000b160260801c5b6108008316156127fa5770010000000000000000000000000000058a0260801c5b61040083161561281b577001000000000000000000000000000002c40260801c5b61020083161561283c577001000000000000000000000000000001610260801c5b61010083161561285d577001000000000000000000000000000000b00260801c5b608083161561287d577001000000000000000000000000000000570260801c5b604083161561289d5770010000000000000000000000000000002b0260801c5b60208316156128bd577001000000000000000000000000000000150260801c5b60108316156128dd5770010000000000000000000000000000000a0260801c5b60088316156128fd577001000000000000000000000000000000040260801c5b600483161561291d577001000000000000000000000000000000010260801c5b8461294557600f81901c6dffffffffffffffffffffffffffff169050613fff82019150612997565b613ffe821161297157600f81901c6dffffffffffffffffffffffffffff16905081613fff039150612997565b5f917fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffc011011c5b60709190911b1760801b95945050505050565b5f8082116129b6575f80fd5b5f70010000000000000000000000000000000083106129d757608092831c92015b6801000000000000000083106129ef57604092831c92015b6401000000008310612a0357602092831c92015b620100008310612a1557601092831c92015b6101008310612a2657600892831c92015b60108310612a3657600492831c92015b60048310612a4657600292831c92015b600283106104455760010192915050565b5f617fff60f083901c16613fff811015612a7357505f92915050565b6f80000000000000000000000000000000608084901c10612a92575f80fd5b6140fe811115612aa0575f80fd5b6e0100000000000000000000000000006dffffffffffffffffffffffffffff608085901c161761406f821015612adc5761406f8290031c61085b565b61406f82111561085b577fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffbf9182011b9392505050565b5f60208284031215612b21575f80fd5b813573ffffffffffffffffffffffffffffffffffffffff8116811461085b575f80fd5b5f60208284031215612b54575f80fd5b5051919050565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52601160045260245ffd5b8181035f831280158383131683831282161715612ba757612ba7612b5b565b5092915050565b602081525f82518060208401528060208501604085015e5f6040828501015260407fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe0601f83011684010191505092915050565b808202811582820484141761044557610445612b5b565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52602160045260245ffd5b8082018082111561044557610445612b5b565b5f60a08284031215612c68575f80fd5b60405160a0810181811067ffffffffffffffff82111715612cb0577f4e487b71000000000000000000000000000000000000000000000000000000005f52604160045260245ffd5b604090815283518252602080850151908301528381015190820152606080840151908201526080928301519281019290925250919050565b5f806101408385031215612cfa575f80fd5b612d048484612c58565b9150612d138460a08501612c58565b90509250929050565b8082018281125f831280158216821582161715610eee57610eee612b5b565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52601260045260245ffd5b5f82612d7657612d76612d3b565b500490565b8181038181111561044557610445612b5b565b5f82612d9c57612d9c612d3b565b500690565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52600160045260245ffdfea26469706673582212200f69d803169b5b204bc992a6945e54986189d57cb1e7a9d1141e4ea848c52adb64736f6c634300081a0033
Constructor Arguments (ABI-Encoded and is the last bytes of the Contract Creation Code above)
000000000000000000000000421c69eaa54646294db30026aee80d01988a6876
-----Decoded View---------------
Arg [0] : iporOracle_ (address): 0x421C69EAa54646294Db30026aeE80D01988a6876
-----Encoded View---------------
1 Constructor Arguments found :
Arg [0] : 000000000000000000000000421c69eaa54646294db30026aee80d01988a6876
Loading...
Loading
Loading...
Loading
Net Worth in USD
$0.00
Net Worth in ETH
0
Multichain Portfolio | 33 Chains
| Chain | Token | Portfolio % | Price | Amount | Value |
|---|
Loading...
Loading
Loading...
Loading
Loading...
Loading
A contract address hosts a smart contract, which is a set of code stored on the blockchain that runs when predetermined conditions are met. Learn more about addresses in our Knowledge Base.