UNPKG

@kamino-finance/klend-sdk

Version:

Typescript SDK for interacting with the Kamino Lending (klend) protocol

958 lines 52.1 kB
"use strict"; var __importDefault = (this && this.__importDefault) || function (mod) { return (mod && mod.__esModule) ? mod : { "default": mod }; }; Object.defineProperty(exports, "__esModule", { value: true }); exports.RESERVE_CONFIG_UPDATER = exports.KaminoReserve = exports.DEFAULT_RECENT_SLOT_DURATION_MS = void 0; exports.createReserveIxs = createReserveIxs; exports.updateReserveConfigIx = updateReserveConfigIx; exports.updateEntireReserveConfigIx = updateEntireReserveConfigIx; exports.parseForChangesReserveConfigAndGetIxs = parseForChangesReserveConfigAndGetIxs; /* eslint-disable max-classes-per-file */ const web3_js_1 = require("@solana/web3.js"); const decimal_js_1 = __importDefault(require("decimal.js")); const utils_1 = require("../utils"); const shared_1 = require("./shared"); const accounts_1 = require("../idl_codegen/accounts"); const types_1 = require("../idl_codegen/types"); const utils_2 = require("./utils"); const configItems_1 = require("./configItems"); const fraction_1 = require("./fraction"); const lib_1 = require("../lib"); const spl_token_1 = require("@solana/spl-token"); const kliquidity_sdk_1 = require("@kamino-finance/kliquidity-sdk"); const farms_sdk_1 = require("@kamino-finance/farms-sdk"); exports.DEFAULT_RECENT_SLOT_DURATION_MS = 450; class KaminoReserve { state; address; symbol; tokenOraclePrice; stats; farmData = { fetched: false, farmStates: [] }; buffer; connection; recentSlotDurationMs; constructor(state, address, tokenOraclePrice, connection, recentSlotDurationMs) { this.state = state; this.address = address; this.buffer = null; this.tokenOraclePrice = tokenOraclePrice; this.stats = {}; this.connection = connection; this.symbol = (0, utils_2.parseTokenSymbol)(state.config.tokenInfo.name); this.recentSlotDurationMs = recentSlotDurationMs; } static initialize(accountData, address, state, tokenOraclePrice, connection, recentSlotDurationMs) { const reserve = new KaminoReserve(state, address, tokenOraclePrice, connection, recentSlotDurationMs); reserve.setBuffer(accountData); reserve.stats = reserve.formatReserveData(state); return reserve; } /// GETTERS /** * @returns the parsed token symbol of the reserve */ getTokenSymbol() { return (0, utils_2.parseTokenSymbol)(this.state.config.tokenInfo.name); } /** * @returns the total borrowed amount of the reserve in lamports */ getBorrowedAmount() { return new fraction_1.Fraction(this.state.liquidity.borrowedAmountSf).toDecimal(); } /** * @returns the available liquidity amount of the reserve in lamports */ getLiquidityAvailableAmount() { return new decimal_js_1.default(this.state.liquidity.availableAmount.toString()); } /** * * @returns the last cached price stored in the reserve in USD */ getReserveMarketPrice() { return new fraction_1.Fraction(this.state.liquidity.marketPriceSf).toDecimal(); } /** * @returns the current market price of the reserve in USD */ getOracleMarketPrice() { return this.tokenOraclePrice.price; } /** * @returns the total accumulated protocol fees of the reserve */ getAccumulatedProtocolFees() { return new fraction_1.Fraction(this.state.liquidity.accumulatedProtocolFeesSf).toDecimal(); } /** * @returns the total accumulated referrer fees of the reserve */ getAccumulatedReferrerFees() { return new fraction_1.Fraction(this.state.liquidity.accumulatedReferrerFeesSf).toDecimal(); } /** * @returns the total pending referrer fees of the reserve */ getPendingReferrerFees() { return new fraction_1.Fraction(this.state.liquidity.pendingReferrerFeesSf).toDecimal(); } /** * * @returns the flash loan fee percentage of the reserve */ getFlashLoanFee = () => { if (this.state.config.fees.flashLoanFeeSf.toString() === utils_1.U64_MAX) { return new decimal_js_1.default('0'); } return new fraction_1.Fraction(this.state.config.fees.flashLoanFeeSf).toDecimal(); }; /** * * @returns the origination fee percentage of the reserve */ getBorrowFee = () => { return new fraction_1.Fraction(this.state.config.fees.borrowFeeSf).toDecimal(); }; /** * * @returns the fixed interest rate allocated to the host */ getFixedHostInterestRate = () => { return new decimal_js_1.default(this.state.config.hostFixedInterestRateBps).div(10_000); }; /** * Use getEstimatedTotalSupply() for the most accurate value * @returns the stale total liquidity supply of the reserve from the last refresh */ getTotalSupply() { return this.getLiquidityAvailableAmount() .add(this.getBorrowedAmount()) .sub(this.getAccumulatedProtocolFees()) .sub(this.getAccumulatedReferrerFees()) .sub(this.getPendingReferrerFees()); } /** * Calculates the total liquidity supply of the reserve */ getEstimatedTotalSupply(slot, referralFeeBps) { const { totalSupply } = this.getEstimatedDebtAndSupply(slot, referralFeeBps); return totalSupply; } /** * Use getEstimatedCumulativeBorrowRate() for the most accurate value * @returns the stale cumulative borrow rate of the reserve from the last refresh */ getCumulativeBorrowRate() { return (0, fraction_1.bfToDecimal)(this.state.liquidity.cumulativeBorrowRateBsf); } /** * @Returns estimated cumulative borrow rate of the reserve */ getEstimatedCumulativeBorrowRate(currentSlot, referralFeeBps) { const currentBorrowRate = new decimal_js_1.default(this.calculateBorrowAPR(currentSlot, referralFeeBps)); const slotsElapsed = Math.max(currentSlot - this.state.lastUpdate.slot.toNumber(), 0); const compoundInterest = this.approximateCompoundedInterest(currentBorrowRate, slotsElapsed); const previousCumulativeBorrowRate = this.getCumulativeBorrowRate(); return previousCumulativeBorrowRate.mul(compoundInterest); } /** * Use getEstimatedCollateralExchangeRate() for the most accurate value * @returns the stale exchange rate between the collateral tokens and the liquidity - this is a decimal number scaled by 1e18 */ getCollateralExchangeRate() { const totalSupply = this.getTotalSupply(); const mintTotalSupply = this.state.collateral.mintTotalSupply; if (mintTotalSupply.isZero() || totalSupply.isZero()) { return utils_1.INITIAL_COLLATERAL_RATE; } else { return new decimal_js_1.default(mintTotalSupply.toString()).dividedBy(totalSupply.toString()); } } /** * * @returns the estimated exchange rate between the collateral tokens and the liquidity - this is a decimal number scaled by 1e18 */ getEstimatedCollateralExchangeRate(slot, referralFeeBps) { const totalSupply = this.getEstimatedTotalSupply(slot, referralFeeBps); const mintTotalSupply = this.state.collateral.mintTotalSupply; if (mintTotalSupply.isZero() || totalSupply.isZero()) { return utils_1.INITIAL_COLLATERAL_RATE; } else { return new decimal_js_1.default(mintTotalSupply.toString()).dividedBy(totalSupply.toString()); } } /** * * @returns the total USD value of the existing collateral in the reserve */ getDepositTvl = () => { return new decimal_js_1.default(this.getTotalSupply().toString()).mul(this.getOracleMarketPrice()).div(this.getMintFactor()); }; /** * * Get the total USD value of the borrowed assets from the reserve */ getBorrowTvl = () => { return this.getBorrowedAmount().mul(this.getOracleMarketPrice()).div(this.getMintFactor()); }; /** * @returns 10^mint_decimals */ getMintFactor() { return new decimal_js_1.default(10).pow(this.getMintDecimals()); } /** * @returns mint_decimals of the liquidity token */ getMintDecimals() { return this.state.liquidity.mintDecimals.toNumber(); } /** * @Returns true if the total liquidity supply of the reserve is greater than the deposit limit */ depositLimitCrossed() { return this.getTotalSupply().gt(new decimal_js_1.default(this.state.config.depositLimit.toString())); } /** * @Returns true if the total borrowed amount of the reserve is greater than the borrow limit */ borrowLimitCrossed() { return this.getBorrowedAmount().gt(new decimal_js_1.default(this.state.config.borrowLimit.toString())); } /** * * @returns the max capacity of the daily deposit withdrawal cap */ getDepositWithdrawalCapCapacity() { return new decimal_js_1.default(this.state.config.depositWithdrawalCap.configCapacity.toString()); } /** * * @returns the current capacity of the daily deposit withdrawal cap */ getDepositWithdrawalCapCurrent(slot) { const slotsElapsed = Math.max(slot - this.state.lastUpdate.slot.toNumber(), 0); if (slotsElapsed > utils_1.SLOTS_PER_DAY) { return new decimal_js_1.default(0); } else { return new decimal_js_1.default(this.state.config.depositWithdrawalCap.currentTotal.toString()); } } /** * * @returns the max capacity of the daily debt withdrawal cap */ getDebtWithdrawalCapCapacity() { return new decimal_js_1.default(this.state.config.debtWithdrawalCap.configCapacity.toString()); } /** * * @returns the borrow limit of the reserve outside the elevation group */ getBorrowLimitOutsideElevationGroup() { return new decimal_js_1.default(this.state.config.borrowLimitOutsideElevationGroup.toString()); } /** * * @returns the borrowed amount of the reserve outside the elevation group */ getBorrowedAmountOutsideElevationGroup() { return new decimal_js_1.default(this.state.borrowedAmountOutsideElevationGroup.toString()); } /** * * @returns the borrow limit against the collateral reserve in the elevation group */ getBorrowLimitAgainstCollateralInElevationGroup(elevationGroupIndex) { return new decimal_js_1.default(this.state.config.borrowLimitAgainstThisCollateralInElevationGroup[elevationGroupIndex].toString()); } /** * * @returns the borrowed amount against the collateral reserve in the elevation group */ getBorrowedAmountAgainstCollateralInElevationGroup(elevationGroupIndex) { return new decimal_js_1.default(this.state.borrowedAmountsAgainstThisReserveInElevationGroups[elevationGroupIndex].toString()); } /** * * @returns the current capacity of the daily debt withdrawal cap */ getDebtWithdrawalCapCurrent(slot) { const slotsElapsed = Math.max(slot - this.state.lastUpdate.slot.toNumber(), 0); if (slotsElapsed > utils_1.SLOTS_PER_DAY) { return new decimal_js_1.default(0); } else { return new decimal_js_1.default(this.state.config.debtWithdrawalCap.currentTotal.toString()); } } getBorrowFactor() { return new decimal_js_1.default(this.state.config.borrowFactorPct.toString()).div(100); } calculateSupplyAPR(slot, referralFeeBps) { const currentUtilization = this.calculateUtilizationRatio(); const borrowRate = this.calculateEstimatedBorrowRate(slot, referralFeeBps); const protocolTakeRatePct = 1 - this.state.config.protocolTakeRatePct / 100; return currentUtilization * borrowRate * protocolTakeRatePct; } getEstimatedDebtAndSupply(slot, referralFeeBps) { const slotsElapsed = Math.max(slot - this.state.lastUpdate.slot.toNumber(), 0); let totalBorrow; let totalSupply; if (slotsElapsed === 0) { totalBorrow = this.getBorrowedAmount(); totalSupply = this.getTotalSupply(); } else { const { newDebt, newAccProtocolFees, pendingReferralFees } = this.compoundInterest(slotsElapsed, referralFeeBps); const newTotalSupply = this.getLiquidityAvailableAmount() .add(newDebt) .sub(newAccProtocolFees) .sub(this.getAccumulatedReferrerFees()) .sub(pendingReferralFees); totalBorrow = newDebt; totalSupply = newTotalSupply; } return { totalBorrow, totalSupply }; } getEstimatedAccumulatedProtocolFees(slot, referralFeeBps) { const slotsElapsed = Math.max(slot - this.state.lastUpdate.slot.toNumber(), 0); let accumulatedProtocolFees; let compoundedVariableProtocolFee; let compoundedFixedHostFee; if (slotsElapsed === 0) { accumulatedProtocolFees = this.getAccumulatedProtocolFees(); compoundedVariableProtocolFee = new decimal_js_1.default(0); compoundedFixedHostFee = new decimal_js_1.default(0); } else { const { newAccProtocolFees, variableProtocolFee, fixedHostFee } = this.compoundInterest(slotsElapsed, referralFeeBps); accumulatedProtocolFees = newAccProtocolFees; compoundedVariableProtocolFee = variableProtocolFee; compoundedFixedHostFee = fixedHostFee; } return { accumulatedProtocolFees, compoundedVariableProtocolFee, compoundedFixedHostFee }; } calculateUtilizationRatio() { const totalBorrows = this.getBorrowedAmount(); const totalSupply = this.getTotalSupply(); if (totalSupply.eq(0)) { return 0; } return totalBorrows.dividedBy(totalSupply).toNumber(); } getEstimatedUtilizationRatio(slot, referralFeeBps) { const { totalBorrow: estimatedTotalBorrowed, totalSupply: estimatedTotalSupply } = this.getEstimatedDebtAndSupply(slot, referralFeeBps); if (estimatedTotalSupply.eq(0)) { return 0; } return estimatedTotalBorrowed.dividedBy(estimatedTotalSupply).toNumber(); } calcSimulatedUtilizationRatio(amount, action, slot, referralFeeBps, outflowAmount) { const { totalBorrow: previousTotalBorrowed, totalSupply: previousTotalSupply } = this.getEstimatedDebtAndSupply(slot, referralFeeBps); switch (action) { case 'deposit': { const newTotalSupply = previousTotalSupply.add(amount); return previousTotalBorrowed.dividedBy(newTotalSupply).toNumber(); } case 'withdraw': { const newTotalSupply = previousTotalSupply.sub(amount); if (newTotalSupply.eq(0)) { return 0; } else { return previousTotalBorrowed.dividedBy(newTotalSupply).toNumber(); } } case 'borrow': { const newTotalBorrowed = previousTotalBorrowed.add(amount); return newTotalBorrowed.dividedBy(previousTotalSupply).toNumber(); } case 'repay': { const newTotalBorrowed = previousTotalBorrowed.sub(amount); return newTotalBorrowed.dividedBy(previousTotalSupply).toNumber(); } case 'depositAndBorrow': { const newTotalSupply = previousTotalSupply.add(amount); const newTotalBorrowed = previousTotalBorrowed.add(outflowAmount); return newTotalBorrowed.dividedBy(newTotalSupply).toNumber(); } case 'repayAndWithdraw': { const newTotalBorrowed = previousTotalBorrowed.sub(amount); const newTotalSupply = previousTotalSupply.sub(outflowAmount); if (newTotalSupply.eq(0)) { return 0; } return newTotalBorrowed.dividedBy(newTotalSupply).toNumber(); } case 'mint': { const newTotalSupply = previousTotalSupply.add(amount); return previousTotalBorrowed.dividedBy(newTotalSupply).toNumber(); } case 'redeem': { const newTotalSupply = previousTotalSupply.sub(amount); return previousTotalBorrowed.dividedBy(newTotalSupply).toNumber(); } default: throw Error(`Invalid action type ${action} for simulatedUtilizationRatio`); } } getMaxBorrowAmountWithCollReserve(market, collReserve, slot) { const groups = market.state.elevationGroups; const commonElevationGroups = market.getCommonElevationGroupsForPair(collReserve, this); let eModeGroup = 0; if (commonElevationGroups.length !== 0) { const eModeGroupWithMaxLtvAndDebtReserve = commonElevationGroups.reduce((prev, curr) => { const prevGroup = groups.find((group) => group.id === prev); const currGroup = groups.find((group) => group.id === curr); return prevGroup.ltvPct > currGroup.ltvPct ? prev : curr; }); eModeGroup = groups.find((group) => group.id === eModeGroupWithMaxLtvAndDebtReserve).id; } const elevationGroupActivated = this.state.config.elevationGroups.includes(eModeGroup) && eModeGroup !== 0; const reserveAvailableAmount = this.getLiquidityAvailableAmount(); const reserveBorrowCapRemained = this.stats.reserveBorrowLimit.sub(this.getBorrowedAmount()); let maxBorrowAmount = decimal_js_1.default.min(reserveAvailableAmount, reserveBorrowCapRemained); const debtWithdrawalCap = this.getDebtWithdrawalCapCapacity().sub(this.getDebtWithdrawalCapCurrent(slot)); maxBorrowAmount = this.getDebtWithdrawalCapCapacity().gt(0) ? decimal_js_1.default.min(maxBorrowAmount, debtWithdrawalCap) : maxBorrowAmount; let originationFeeRate = this.getBorrowFee(); // Inclusive fee rate originationFeeRate = originationFeeRate.div(originationFeeRate.add(new decimal_js_1.default(1))); const borrowFee = maxBorrowAmount.mul(originationFeeRate); maxBorrowAmount = maxBorrowAmount.sub(borrowFee); const utilizationRatioLimit = this.state.config.utilizationLimitBlockBorrowingAbovePct / 100; const currentUtilizationRatio = this.calculateUtilizationRatio(); if (utilizationRatioLimit > 0 && currentUtilizationRatio > utilizationRatioLimit) { return new decimal_js_1.default(0); } else if (utilizationRatioLimit > 0 && currentUtilizationRatio < utilizationRatioLimit) { const maxBorrowBasedOnUtilization = new decimal_js_1.default(utilizationRatioLimit - currentUtilizationRatio).mul(this.getTotalSupply()); maxBorrowAmount = decimal_js_1.default.min(maxBorrowAmount, maxBorrowBasedOnUtilization); } let borrowLimitDependentOnElevationGroup = new decimal_js_1.default(utils_1.U64_MAX); if (!elevationGroupActivated) { borrowLimitDependentOnElevationGroup = this.getBorrowLimitOutsideElevationGroup().sub(this.getBorrowedAmountOutsideElevationGroup()); } else { let maxDebtTakenAgainstCollaterals = new decimal_js_1.default(utils_1.U64_MAX); const maxDebtAllowedAgainstCollateral = collReserve .getBorrowLimitAgainstCollateralInElevationGroup(eModeGroup - 1) .sub(collReserve.getBorrowedAmountAgainstCollateralInElevationGroup(eModeGroup - 1)); maxDebtTakenAgainstCollaterals = decimal_js_1.default.max(new decimal_js_1.default(0), decimal_js_1.default.min(maxDebtAllowedAgainstCollateral, maxDebtTakenAgainstCollaterals)); borrowLimitDependentOnElevationGroup = maxDebtTakenAgainstCollaterals; } maxBorrowAmount = decimal_js_1.default.min(maxBorrowAmount, borrowLimitDependentOnElevationGroup); return decimal_js_1.default.max(new decimal_js_1.default(0), maxBorrowAmount); } calcSimulatedBorrowRate(amount, action, slot, referralFeeBps, outflowAmount) { const slotAdjustmentFactor = this.slotAdjustmentFactor(); const newUtilization = this.calcSimulatedUtilizationRatio(amount, action, slot, referralFeeBps, outflowAmount); const curve = truncateBorrowCurve(this.state.config.borrowRateCurve.points); return (0, utils_2.getBorrowRate)(newUtilization, curve) * slotAdjustmentFactor; } calcSimulatedBorrowAPR(amount, action, slot, referralFeeBps, outflowAmount) { return (this.calcSimulatedBorrowRate(amount, action, slot, referralFeeBps, outflowAmount) + this.getFixedHostInterestRate().toNumber() * this.slotAdjustmentFactor()); } calcSimulatedSupplyAPR(amount, action, slot, referralFeeBps, outflowAmount) { const newUtilization = this.calcSimulatedUtilizationRatio(amount, action, slot, referralFeeBps, outflowAmount); const simulatedBorrowAPR = this.calcSimulatedBorrowRate(amount, action, slot, referralFeeBps, outflowAmount); const protocolTakeRatePct = 1 - this.state.config.protocolTakeRatePct / 100; return newUtilization * simulatedBorrowAPR * protocolTakeRatePct; } slotAdjustmentFactor() { return 1000 / utils_1.SLOTS_PER_SECOND / this.recentSlotDurationMs; } calculateBorrowRate() { const slotAdjustmentFactor = this.slotAdjustmentFactor(); const currentUtilization = this.calculateUtilizationRatio(); const curve = truncateBorrowCurve(this.state.config.borrowRateCurve.points); return (0, utils_2.getBorrowRate)(currentUtilization, curve) * slotAdjustmentFactor; } calculateEstimatedBorrowRate(slot, referralFeeBps) { const slotAdjustmentFactor = this.slotAdjustmentFactor(); const estimatedCurrentUtilization = this.getEstimatedUtilizationRatio(slot, referralFeeBps); const curve = truncateBorrowCurve(this.state.config.borrowRateCurve.points); return (0, utils_2.getBorrowRate)(estimatedCurrentUtilization, curve) * slotAdjustmentFactor; } calculateBorrowAPR(slot, referralFeeBps) { const slotAdjustmentFactor = this.slotAdjustmentFactor(); const borrowRate = this.calculateEstimatedBorrowRate(slot, referralFeeBps); return borrowRate + this.getFixedHostInterestRate().toNumber() * slotAdjustmentFactor; } /** * @returns the mint of the reserve liquidity token */ getLiquidityMint() { return this.state.liquidity.mintPubkey; } /** * @returns the token program of the reserve liquidity mint */ getLiquidityTokenProgram() { return this.state.liquidity.tokenProgram; } /** * @returns the mint of the reserve collateral token , i.e. the cToken minted for depositing the liquidity token */ getCTokenMint() { return this.state.collateral.mintPubkey; } calculateFees(amountLamports, borrowFeeRate, feeCalculation, referralFeeBps, hasReferrer) { const referralFeeRate = new decimal_js_1.default(referralFeeBps).div(utils_1.ONE_HUNDRED_PCT_IN_BPS); if (borrowFeeRate.gt('0') && amountLamports.gt('0')) { const needToAssessReferralFee = referralFeeRate.gt('0') && hasReferrer; const minimumFee = new decimal_js_1.default('1'); // 1 token to market owner, nothing to referrer let borrowFeeAmount; if (feeCalculation === shared_1.FeeCalculation.Exclusive) { borrowFeeAmount = amountLamports.mul(borrowFeeRate); } else { const borrowFeeFactor = borrowFeeRate.div(borrowFeeRate.add('1')); borrowFeeAmount = amountLamports.mul(borrowFeeFactor); } const borrowFee = decimal_js_1.default.max(borrowFeeAmount, minimumFee); if (borrowFee.gte(amountLamports)) { throw Error('Borrow amount is too small to receive liquidity after fees'); } const referralFee = needToAssessReferralFee ? referralFeeRate.eq(1) ? borrowFee : borrowFee.mul(referralFeeRate).floor() : new decimal_js_1.default(0); const protocolFee = borrowFee.sub(referralFee); return { protocolFees: protocolFee, referrerFees: referralFee }; } else { return { protocolFees: new decimal_js_1.default(0), referrerFees: new decimal_js_1.default(0) }; } } calculateFlashLoanFees(flashLoanAmountLamports, referralFeeBps, hasReferrer) { return this.calculateFees(flashLoanAmountLamports, this.getFlashLoanFee(), shared_1.FeeCalculation.Exclusive, referralFeeBps, hasReferrer); } setBuffer(buffer) { this.buffer = buffer; } async load(tokenOraclePrice) { if (!this.buffer) { this.setBuffer(await this.connection.getAccountInfo(this.address, 'processed')); } if (!this.buffer) { throw Error(`Error requesting account info for ${this.symbol}`); } const parsedData = await accounts_1.Reserve.fetch(this.connection, this.address); if (!parsedData) { throw Error(`Unable to parse data of reserve ${this.symbol}`); } this.state = parsedData; this.tokenOraclePrice = tokenOraclePrice; this.stats = this.formatReserveData(parsedData); } totalSupplyAPY(currentSlot) { const { stats } = this; if (!stats) { throw Error('KaminoMarket must call loadRewards.'); } return (0, utils_2.calculateAPYFromAPR)(this.calculateSupplyAPR(currentSlot, 0)); } totalBorrowAPY(currentSlot) { const { stats } = this; if (!stats) { throw Error('KaminoMarket must call loadRewards.'); } return (0, utils_2.calculateAPYFromAPR)(this.calculateBorrowAPR(currentSlot, 0)); } async loadFarmStates() { if (!this.farmData.fetched) { const farmStates = []; if (!this.state.farmDebt.equals(web3_js_1.PublicKey.default)) { const farmState = await farms_sdk_1.FarmState.fetch(this.connection, this.state.farmDebt); if (farmState !== null) { farmStates.push(farmState); } } if (!this.state.farmCollateral.equals(web3_js_1.PublicKey.default)) { const farmState = await farms_sdk_1.FarmState.fetch(this.connection, this.state.farmCollateral); if (farmState !== null) { farmStates.push(farmState); } } this.farmData.farmStates = farmStates; this.farmData.fetched = true; } } async getRewardYields(prices) { const { stats } = this; if (!stats) { throw Error('KaminoMarket must call loadReserves.'); } const isDebtReward = this.state.farmDebt.equals(this.address); await this.loadFarmStates(); const yields = []; for (const farmState of this.farmData.farmStates) { for (const rewardInfo of farmState.rewardInfos.filter((x) => !x.token.mint.equals(web3_js_1.PublicKey.default) && !x.rewardsAvailable.isZero())) { const { apy, apr } = this.calculateRewardYield(prices, rewardInfo, isDebtReward); if (apy.isZero() && apr.isZero()) { continue; } yields.push({ apy, apr, rewardInfo }); } } return yields; } calculateRewardYield(prices, rewardInfo, isDebtReward) { const mintAddress = this.getLiquidityMint(); const rewardPerTimeUnitSecond = this.getRewardPerTimeUnitSecond(rewardInfo); const reserveToken = prices.spot[mintAddress.toString()]; const rewardToken = prices.spot[rewardInfo.token.mint.toString()]; if (rewardPerTimeUnitSecond.isZero() || reserveToken === undefined || rewardToken === undefined) { return { apy: new decimal_js_1.default(0), apr: new decimal_js_1.default(0) }; } const { decimals } = this.stats; const totalBorrows = this.getBorrowedAmount(); const totalSupply = this.getTotalSupply(); const totalAmount = isDebtReward ? (0, utils_2.lamportsToNumberDecimal)(totalBorrows, decimals) : (0, utils_2.lamportsToNumberDecimal)(totalSupply, decimals); const totalValue = totalAmount.mul(reserveToken.price); const rewardsInYear = rewardPerTimeUnitSecond.mul(60 * 60 * 24 * 365); const rewardsInYearValue = rewardsInYear.mul(rewardToken.price); const apr = rewardsInYearValue.div(totalValue); return { apy: (0, kliquidity_sdk_1.aprToApy)(apr, 365), apr }; } getRewardPerTimeUnitSecond(reward) { const now = new decimal_js_1.default(new Date().getTime()).div(1000); let rewardPerTimeUnitSecond = new decimal_js_1.default(0); for (let i = 0; i < reward.rewardScheduleCurve.points.length - 1; i++) { const { tsStart: tsStartThisPoint, rewardPerTimeUnit } = reward.rewardScheduleCurve.points[i]; const { tsStart: tsStartNextPoint } = reward.rewardScheduleCurve.points[i + 1]; const thisPeriodStart = new decimal_js_1.default(tsStartThisPoint.toString()); const thisPeriodEnd = new decimal_js_1.default(tsStartNextPoint.toString()); const rps = new decimal_js_1.default(rewardPerTimeUnit.toString()); if (thisPeriodStart <= now && thisPeriodEnd >= now) { rewardPerTimeUnitSecond = rps; break; } else if (thisPeriodStart > now && thisPeriodEnd > now) { rewardPerTimeUnitSecond = rps; break; } } const rewardTokenDecimals = reward.token.decimals.toNumber(); const rewardAmountPerUnitDecimals = new decimal_js_1.default(10).pow(reward.rewardsPerSecondDecimals.toString()); const rewardAmountPerUnitLamports = new decimal_js_1.default(10).pow(rewardTokenDecimals.toString()); const rpsAdjusted = new decimal_js_1.default(rewardPerTimeUnitSecond.toString()) .div(rewardAmountPerUnitDecimals) .div(rewardAmountPerUnitLamports); return rewardPerTimeUnitSecond ? rpsAdjusted : new decimal_js_1.default(0); } formatReserveData(parsedData) { const mintTotalSupply = new decimal_js_1.default(parsedData.collateral.mintTotalSupply.toString()).div(this.getMintFactor()); let reserveStatus = shared_1.ReserveStatus.Active; switch (parsedData.config.status) { case 0: reserveStatus = shared_1.ReserveStatus.Active; break; case 1: reserveStatus = shared_1.ReserveStatus.Obsolete; break; case 2: reserveStatus = shared_1.ReserveStatus.Hidden; break; } return { // Reserve config status: reserveStatus, mintAddress: parsedData.liquidity.mintPubkey, borrowCurve: truncateBorrowCurve(parsedData.config.borrowRateCurve.points), loanToValue: parsedData.config.loanToValuePct / 100, maxLiquidationBonus: parsedData.config.maxLiquidationBonusBps / 10000, minLiquidationBonus: parsedData.config.minLiquidationBonusBps / 10000, liquidationThreshold: parsedData.config.liquidationThresholdPct / 100, protocolTakeRate: parsedData.config.protocolTakeRatePct / 100, reserveDepositLimit: new decimal_js_1.default(parsedData.config.depositLimit.toString()), reserveBorrowLimit: new decimal_js_1.default(parsedData.config.borrowLimit.toString()), // Reserve info symbol: (0, utils_2.parseTokenSymbol)(parsedData.config.tokenInfo.name), decimals: this.getMintDecimals(), accumulatedProtocolFees: this.getAccumulatedProtocolFees().div(this.getMintFactor()), mintTotalSupply, depositLimitCrossedTimestamp: parsedData.liquidity.depositLimitCrossedTimestamp.toNumber(), borrowLimitCrossedTimestamp: parsedData.liquidity.borrowLimitCrossedTimestamp.toNumber(), borrowFactor: parsedData.config.borrowFactorPct.toNumber(), }; } /** * Compound current borrow rate over elapsed slots * * This also calculates protocol fees, which are taken for all obligations that have borrowed from current reserve. * * This also calculates referral fees, which are taken into pendingReferralFees. * * https://github.com/Kamino-Finance/klend/blob/release/1.3.0/programs/klend/src/state/reserve.rs#L517 * * @param slotsElapsed * @param referralFeeBps */ compoundInterest(slotsElapsed, referralFeeBps) { const currentBorrowRate = this.calculateBorrowRate(); const protocolTakeRate = new decimal_js_1.default(this.state.config.protocolTakeRatePct).div(100); const referralRate = new decimal_js_1.default(referralFeeBps).div(10_000); const fixedHostInterestRate = this.getFixedHostInterestRate(); const compoundedInterestRate = this.approximateCompoundedInterest(new decimal_js_1.default(currentBorrowRate).plus(fixedHostInterestRate), slotsElapsed); const compoundedFixedRate = this.approximateCompoundedInterest(fixedHostInterestRate, slotsElapsed); const previousDebt = this.getBorrowedAmount(); const newDebt = previousDebt.mul(compoundedInterestRate); const fixedHostFee = previousDebt.mul(compoundedFixedRate).sub(previousDebt); const netNewDebt = newDebt.sub(previousDebt).sub(fixedHostFee); const variableProtocolFee = netNewDebt.mul(protocolTakeRate); const absoluteReferralFee = protocolTakeRate.mul(referralRate); const maxReferralFees = netNewDebt.mul(absoluteReferralFee); const newAccProtocolFees = variableProtocolFee .add(fixedHostFee) .sub(maxReferralFees) .add(this.getAccumulatedProtocolFees()); const pendingReferralFees = this.getPendingReferrerFees().add(maxReferralFees); return { newDebt, netNewDebt, variableProtocolFee, fixedHostFee, absoluteReferralFee, maxReferralFees, newAccProtocolFees, pendingReferralFees, }; } /** * Approximation to match the smart contract calculation * https://github.com/Kamino-Finance/klend/blob/release/1.3.0/programs/klend/src/state/reserve.rs#L1026 * @param rate * @param elapsedSlots * @private */ approximateCompoundedInterest(rate, elapsedSlots) { const base = rate.div(utils_1.SLOTS_PER_YEAR); switch (elapsedSlots) { case 0: return new decimal_js_1.default(1); case 1: return base.add(1); case 2: return base.add(1).mul(base.add(1)); case 3: return base.add(1).mul(base.add(1)).mul(base.add(1)); case 4: // eslint-disable-next-line no-case-declarations const pow2 = base.add(1).mul(base.add(1)); return pow2.mul(pow2); } const exp = elapsedSlots; const expMinus1 = exp - 1; const expMinus2 = exp - 2; const basePow2 = base.mul(base); const basePow3 = basePow2.mul(base); const firstTerm = base.mul(exp); const secondTerm = basePow2.mul(exp).mul(expMinus1).div(2); const thirdTerm = basePow3.mul(exp).mul(expMinus1).mul(expMinus2).div(6); return new decimal_js_1.default(1).add(firstTerm).add(secondTerm).add(thirdTerm); } getBorrowCapForReserve(market) { // Utilization cap const utilizationCap = this.state.config.utilizationLimitBlockBorrowingAbovePct; const utilizationCurrentValue = this.calculateUtilizationRatio(); // Daily borrow cap const withdrawalCap = this.state.config.debtWithdrawalCap; // Debt against collaterals in elevation groups const debtAgainstCollateralReserveCaps = market .getMarketElevationGroupDescriptions() .filter((x) => x.debtReserve.equals(this.address)) .map((elevationGroupDescription) => elevationGroupDescription.collateralReserves.toArray().map((collateralReserveAddress) => { const collRes = market.reserves.get(new web3_js_1.PublicKey(collateralReserveAddress)); const debtLimitAgainstThisCollInGroup = collRes.state.config.borrowLimitAgainstThisCollateralInElevationGroup[elevationGroupDescription.elevationGroup - 1].toString(); const debtCounterAgainstThisCollInGroup = collRes.state.borrowedAmountsAgainstThisReserveInElevationGroups[elevationGroupDescription.elevationGroup - 1].toString(); return { collateralReserve: collRes.address, elevationGroup: elevationGroupDescription.elevationGroup, maxDebt: new decimal_js_1.default(debtLimitAgainstThisCollInGroup), currentValue: new decimal_js_1.default(debtCounterAgainstThisCollInGroup), }; })) .flat(); const caps = { // Utilization cap utilizationCap: new decimal_js_1.default(utilizationCap > 0 ? utilizationCap / 100 : 1), utilizationCurrentValue: new decimal_js_1.default(utilizationCurrentValue), // Daily borrow cap netWithdrawalCap: new decimal_js_1.default(withdrawalCap.configCapacity.toString()), netWithdrawalCurrentValue: new decimal_js_1.default(withdrawalCap.currentTotal.toString()), netWithdrawalLastUpdateTs: new decimal_js_1.default(withdrawalCap.lastIntervalStartTimestamp.toString()), netWithdrawalIntervalDurationSeconds: new decimal_js_1.default(withdrawalCap.configIntervalLengthSeconds.toString()), // Global cap globalDebtCap: new decimal_js_1.default(this.state.config.borrowLimit.toString()), globalTotalBorrowed: this.getBorrowedAmount(), // Debt outside emode cap debtOutsideEmodeCap: new decimal_js_1.default(this.state.config.borrowLimitOutsideElevationGroup.toString()), borrowedOutsideEmode: this.getBorrowedAmountOutsideElevationGroup(), debtAgainstCollateralReserveCaps: debtAgainstCollateralReserveCaps, }; return caps; } /* This takes into account all the caps */ getLiquidityAvailableForDebtReserveGivenCaps(market, elevationGroups, collateralReserves = []) { const caps = this.getBorrowCapForReserve(market); const liquidityAvailable = this.getLiquidityAvailableAmount(); // Cap this to utilization cap first const utilizationRatioLimit = caps.utilizationCap; const currentUtilizationRatio = this.calculateUtilizationRatio(); const liquidityGivenUtilizationCap = this.getTotalSupply().mul(utilizationRatioLimit.minus(currentUtilizationRatio)); const remainingDailyCap = caps.netWithdrawalIntervalDurationSeconds.eq(new decimal_js_1.default(0)) ? new decimal_js_1.default(utils_1.U64_MAX) : caps.netWithdrawalCap.minus(caps.netWithdrawalCurrentValue); const remainingGlobalCap = caps.globalDebtCap.minus(caps.globalTotalBorrowed); const remainingOutsideEmodeCap = caps.debtOutsideEmodeCap.minus(caps.borrowedOutsideEmode); const available = elevationGroups.map((elevationGroup) => { if (elevationGroup === 0) { const availableInCrossMode = decimal_js_1.default.min((0, utils_2.positiveOrZero)(liquidityAvailable), (0, utils_2.positiveOrZero)(remainingOutsideEmodeCap), (0, utils_2.positiveOrZero)(remainingDailyCap), (0, utils_2.positiveOrZero)(remainingGlobalCap), (0, utils_2.positiveOrZero)(liquidityGivenUtilizationCap)); return availableInCrossMode; } else { let remainingInsideEmodeCaps = new decimal_js_1.default(0); const capsGivenEgroup = caps.debtAgainstCollateralReserveCaps.filter((x) => x.elevationGroup === elevationGroup); if (capsGivenEgroup.length > 0) { remainingInsideEmodeCaps = decimal_js_1.default.min(...capsGivenEgroup.map((x) => { // check reserve is part of collReserves array if (collateralReserves.find((collateralReserve) => collateralReserve.equals(x.collateralReserve))) { return x.maxDebt.minus(x.currentValue); } else { return new decimal_js_1.default(utils_1.U64_MAX); } })); } return decimal_js_1.default.min((0, utils_2.positiveOrZero)(liquidityAvailable), (0, utils_2.positiveOrZero)(remainingInsideEmodeCaps), (0, utils_2.positiveOrZero)(remainingDailyCap), (0, utils_2.positiveOrZero)(remainingGlobalCap), (0, utils_2.positiveOrZero)(liquidityGivenUtilizationCap)); } }); return available; } } exports.KaminoReserve = KaminoReserve; const truncateBorrowCurve = (points) => { const curve = []; for (const { utilizationRateBps, borrowRateBps } of points) { curve.push([utilizationRateBps / utils_1.ONE_HUNDRED_PCT_IN_BPS, borrowRateBps / utils_1.ONE_HUNDRED_PCT_IN_BPS]); if (utilizationRateBps === utils_1.ONE_HUNDRED_PCT_IN_BPS) { break; } } return curve; }; async function createReserveIxs(connection, owner, ownerLiquiditySource, lendingMarket, liquidityMint, reserveAddress, programId) { const size = accounts_1.Reserve.layout.span + 8; const createReserveIx = web3_js_1.SystemProgram.createAccount({ fromPubkey: owner, newAccountPubkey: reserveAddress, lamports: await connection.getMinimumBalanceForRentExemption(size), space: size, programId: programId, }); const { liquiditySupplyVault, collateralMint, collateralSupplyVault, feeVault } = (0, utils_1.reservePdas)(programId, lendingMarket, liquidityMint); const [lendingMarketAuthority, _] = (0, utils_1.lendingMarketAuthPda)(lendingMarket, programId); const accounts = { lendingMarketOwner: owner, lendingMarket: lendingMarket, lendingMarketAuthority: lendingMarketAuthority, reserve: reserveAddress, reserveLiquidityMint: liquidityMint, reserveLiquiditySupply: liquiditySupplyVault, feeReceiver: feeVault, reserveCollateralMint: collateralMint, reserveCollateralSupply: collateralSupplyVault, initialLiquiditySource: ownerLiquiditySource, liquidityTokenProgram: spl_token_1.TOKEN_PROGRAM_ID, collateralTokenProgram: spl_token_1.TOKEN_PROGRAM_ID, systemProgram: web3_js_1.SystemProgram.programId, rent: web3_js_1.SYSVAR_RENT_PUBKEY, }; const initReserveIx = (0, lib_1.initReserve)(accounts, programId); return [createReserveIx, initReserveIx]; } function updateReserveConfigIx(signer, marketAddress, reserveAddress, mode, value, programId, skipConfigIntegrityValidation = false) { const args = { mode, value, skipConfigIntegrityValidation, }; const [globalConfig] = (0, utils_1.globalConfigPda)(programId); const accounts = { signer, lendingMarket: marketAddress, reserve: reserveAddress, globalConfig, }; return (0, lib_1.updateReserveConfig)(args, accounts, programId); } exports.RESERVE_CONFIG_UPDATER = new configItems_1.ConfigUpdater(types_1.UpdateConfigMode.fromDecoded, types_1.ReserveConfig, (config) => ({ [types_1.UpdateConfigMode.UpdateLoanToValuePct.kind]: config.loanToValuePct, [types_1.UpdateConfigMode.UpdateMaxLiquidationBonusBps.kind]: config.maxLiquidationBonusBps, [types_1.UpdateConfigMode.UpdateLiquidationThresholdPct.kind]: config.liquidationThresholdPct, [types_1.UpdateConfigMode.UpdateProtocolLiquidationFee.kind]: config.protocolLiquidationFeePct, [types_1.UpdateConfigMode.UpdateProtocolTakeRate.kind]: config.protocolTakeRatePct, [types_1.UpdateConfigMode.UpdateFeesBorrowFee.kind]: config.fees.borrowFeeSf, [types_1.UpdateConfigMode.UpdateFeesFlashLoanFee.kind]: config.fees.flashLoanFeeSf, [types_1.UpdateConfigMode.DeprecatedUpdateFeesReferralFeeBps.kind]: [], // deprecated [types_1.UpdateConfigMode.UpdateDepositLimit.kind]: config.depositLimit, [types_1.UpdateConfigMode.UpdateBorrowLimit.kind]: config.borrowLimit, [types_1.UpdateConfigMode.UpdateTokenInfoLowerHeuristic.kind]: config.tokenInfo.heuristic.lower, [types_1.UpdateConfigMode.UpdateTokenInfoUpperHeuristic.kind]: config.tokenInfo.heuristic.upper, [types_1.UpdateConfigMode.UpdateTokenInfoExpHeuristic.kind]: config.tokenInfo.heuristic.exp, [types_1.UpdateConfigMode.UpdateTokenInfoTwapDivergence.kind]: config.tokenInfo.maxTwapDivergenceBps, [types_1.UpdateConfigMode.UpdateTokenInfoScopeTwap.kind]: config.tokenInfo.scopeConfiguration.twapChain, [types_1.UpdateConfigMode.UpdateTokenInfoScopeChain.kind]: config.tokenInfo.scopeConfiguration.priceChain, [types_1.UpdateConfigMode.UpdateTokenInfoName.kind]: config.tokenInfo.name, [types_1.UpdateConfigMode.UpdateTokenInfoPriceMaxAge.kind]: config.tokenInfo.maxAgePriceSeconds, [types_1.UpdateConfigMode.UpdateTokenInfoTwapMaxAge.kind]: config.tokenInfo.maxAgeTwapSeconds, [types_1.UpdateConfigMode.UpdateScopePriceFeed.kind]: config.tokenInfo.scopeConfiguration.priceFeed, [types_1.UpdateConfigMode.UpdatePythPrice.kind]: config.tokenInfo.pythConfiguration.price, [types_1.UpdateConfigMode.UpdateSwitchboardFeed.kind]: config.tokenInfo.switchboardConfiguration.priceAggregator, [types_1.UpdateConfigMode.UpdateSwitchboardTwapFeed.kind]: config.tokenInfo.switchboardConfiguration.twapAggregator, [types_1.UpdateConfigMode.UpdateBorrowRateCurve.kind]: config.borrowRateCurve, [types_1.UpdateConfigMode.UpdateEntireReserveConfig.kind]: [], // technically `config` would be a valid thing here, but we actually do NOT want entire config update among ixs produced for field-by-field updates [types_1.UpdateConfigMode.UpdateDebtWithdrawalCap.kind]: new configItems_1.CompositeConfigItem(config.debtWithdrawalCap.configCapacity, config.debtWithdrawalCap.configIntervalLengthSeconds), [types_1.UpdateConfigMode.UpdateDepositWithdrawalCap.kind]: new configItems_1.CompositeConfigItem(config.depositWithdrawalCap.configCapacity, config.depositWithdrawalCap.configIntervalLengthSeconds), [types_1.UpdateConfigMode.DeprecatedUpdateDebtWithdrawalCapCurrentTotal.kind]: [], // deprecated [types_1.UpdateConfigMode.DeprecatedUpdateDepositWithdrawalCapCurrentTotal.kind]: [], // deprecated [types_1.UpdateConfigMode.UpdateBadDebtLiquidationBonusBps.kind]: config.badDebtLiquidationBonusBps, [types_1.UpdateConfigMode.UpdateMinLiquidationBonusBps.kind]: config.minLiquidationBonusBps, [types_1.UpdateConfigMode.UpdateDeleveragingMarginCallPeriod.kind]: config.deleveragingMarginCallPeriodSecs, [types_1.UpdateConfigMode.UpdateBorrowFactor.kind]: config.borrowFactorPct, [types_1.UpdateConfigMode.UpdateAssetTier.kind]: config.assetTier, [types_1.UpdateConfigMode.UpdateElevationGroup.kind]: config.elevationGroups, [types_1.UpdateConfigMode.UpdateDeleveragingThresholdDecreaseBpsPerDay.kind]: config.deleveragingThresholdDecreaseBpsPerDay, [types_1.UpdateConfigMode.DeprecatedUpdateMultiplierSideBoost.kind]: [], // deprecated [types_1.UpdateConfigMode.DeprecatedUpdateMultiplierTagBoost.kind]: [], // deprecated [types_1.UpdateConfigMode.UpdateReserveStatus.kind]: config.status, [types_1.UpdateConfigMode.UpdateFarmCollateral.kind]: [], // the farm fields live on the `Reserve` level... [types_1.UpdateConfigMode.UpdateFarmDebt.kind]: [], // ...so we are not concerned with them in the `ReserveConfig`'s field-by-field update tx [types_1.UpdateConfigMode.UpdateDisableUsageAsCollateralOutsideEmode.kind]: config.disableUsageAsCollOutsideEmode, [types_1.UpdateConfigMode.UpdateBlockBorrowingAboveUtilizationPct.kind]: config.utilizationLimitBlockBorrowingAbovePct, [types_1.UpdateConfigMode.UpdateBlockPriceUsage.kind]: config.tokenInfo.blockPriceUsage, [types_1.UpdateConfigMode.UpdateBorrowLimitOutsideElevationGroup.kind]: config.borrowLimitOutsideElevationGroup, [types_1.UpdateConfigMode.UpdateBorrowLimitsInElevationGroupAgainstThisReserve.kind]: config.borrowLimitAgainstThisCollateralInElevationGroup, [types_1.UpdateConfigMode.UpdateHostFixedInterestRateBps.kind]: config.hostFixedInterestRateBps, [types_1.UpdateConfigMode.UpdateAutodeleverageEnabled.kind]: config.autodeleverageEnabled, [types_1.UpdateConfigMode.UpdateDeleveragingBonusIncreaseBpsPerDay.kind]: config.deleveragingBonusIncreaseBpsPerDay, [types_1.UpdateConfigMode.UpdateProtocolOrderExecutionFee.kind]: config.protocolOrderExecutionFeePct, })); function updateEntireReserveConfigIx(signer, marketAddress, reserveAddress, reserveConfig, programId) { const args = { mode: new types_1.UpdateConfigMode.UpdateEntireReserveConfig(), value: (0,