Contract Name:
PositionRouter
Contract Source Code:
File 1 of 1 : PositionRouter
// Sources flattened with hardhat v2.12.0 https://hardhat.org
// File contracts/core/interfaces/IRouter.sol
//
pragma solidity 0.6.12;
interface IRouter {
function addPlugin(address _plugin) external;
function pluginTransfer(address _token, address _account, address _receiver, uint256 _amount) external;
function pluginIncreasePosition(address _account, address _collateralToken, address _indexToken, uint256 _sizeDelta, bool _isLong) external;
function pluginDecreasePosition(address _account, address _collateralToken, address _indexToken, uint256 _collateralDelta, uint256 _sizeDelta, bool _isLong, address _receiver) external returns (uint256);
function swap(address[] memory _path, uint256 _amountIn, uint256 _minOut, address _receiver) external;
}
// File contracts/access/Governable.sol
//
pragma solidity 0.6.12;
contract Governable {
address public gov;
constructor() public {
gov = msg.sender;
}
modifier onlyGov() {
require(msg.sender == gov, "Governable: forbidden");
_;
}
function setGov(address _gov) external onlyGov {
gov = _gov;
}
}
// File contracts/libraries/math/SafeMath.sol
//
pragma solidity 0.6.12;
/**
* @dev Wrappers over Solidity's arithmetic operations with added overflow
* checks.
*
* Arithmetic operations in Solidity wrap on overflow. This can easily result
* in bugs, because programmers usually assume that an overflow raises an
* error, which is the standard behavior in high level programming languages.
* `SafeMath` restores this intuition by reverting the transaction when 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.
*/
library SafeMath {
/**
* @dev Returns the addition of two unsigned integers, reverting on
* overflow.
*
* Counterpart to Solidity's `+` operator.
*
* Requirements:
*
* - Addition cannot overflow.
*/
function add(uint256 a, uint256 b) internal pure returns (uint256) {
uint256 c = a + b;
require(c >= a, "SafeMath: addition overflow");
return c;
}
/**
* @dev Returns the subtraction of two unsigned integers, reverting on
* overflow (when the result is negative).
*
* Counterpart to Solidity's `-` operator.
*
* Requirements:
*
* - Subtraction cannot overflow.
*/
function sub(uint256 a, uint256 b) internal pure returns (uint256) {
return sub(a, b, "SafeMath: subtraction overflow");
}
/**
* @dev Returns the subtraction of two unsigned integers, reverting with custom message on
* overflow (when the result is negative).
*
* Counterpart to Solidity's `-` operator.
*
* Requirements:
*
* - Subtraction cannot overflow.
*/
function sub(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) {
require(b <= a, errorMessage);
uint256 c = a - b;
return c;
}
/**
* @dev Returns the multiplication of two unsigned integers, reverting on
* overflow.
*
* Counterpart to Solidity's `*` operator.
*
* Requirements:
*
* - Multiplication cannot overflow.
*/
function mul(uint256 a, uint256 b) internal pure returns (uint256) {
// Gas optimization: this is cheaper than requiring 'a' not being zero, but the
// benefit is lost if 'b' is also tested.
// See: https://github.com/OpenZeppelin/openzeppelin-contracts/pull/522
if (a == 0) {
return 0;
}
uint256 c = a * b;
require(c / a == b, "SafeMath: multiplication overflow");
return c;
}
/**
* @dev Returns the integer division of two unsigned integers. Reverts on
* division by zero. The result is rounded towards zero.
*
* Counterpart to Solidity's `/` operator. Note: this function uses a
* `revert` opcode (which leaves remaining gas untouched) while Solidity
* uses an invalid opcode to revert (consuming all remaining gas).
*
* Requirements:
*
* - The divisor cannot be zero.
*/
function div(uint256 a, uint256 b) internal pure returns (uint256) {
return div(a, b, "SafeMath: division by zero");
}
/**
* @dev Returns the integer division of two unsigned integers. Reverts with custom message on
* division by zero. The result is rounded towards zero.
*
* Counterpart to Solidity's `/` operator. Note: this function uses a
* `revert` opcode (which leaves remaining gas untouched) while Solidity
* uses an invalid opcode to revert (consuming all remaining gas).
*
* Requirements:
*
* - The divisor cannot be zero.
*/
function div(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) {
require(b > 0, errorMessage);
uint256 c = a / b;
// assert(a == b * c + a % b); // There is no case in which this doesn't hold
return c;
}
/**
* @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo),
* Reverts when dividing by zero.
*
* Counterpart to Solidity's `%` operator. This function uses a `revert`
* opcode (which leaves remaining gas untouched) while Solidity uses an
* invalid opcode to revert (consuming all remaining gas).
*
* Requirements:
*
* - The divisor cannot be zero.
*/
function mod(uint256 a, uint256 b) internal pure returns (uint256) {
return mod(a, b, "SafeMath: modulo by zero");
}
/**
* @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo),
* Reverts with custom message when dividing by zero.
*
* Counterpart to Solidity's `%` operator. This function uses a `revert`
* opcode (which leaves remaining gas untouched) while Solidity uses an
* invalid opcode to revert (consuming all remaining gas).
*
* Requirements:
*
* - The divisor cannot be zero.
*/
function mod(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) {
require(b != 0, errorMessage);
return a % b;
}
}
// File contracts/libraries/token/IERC20.sol
//
pragma solidity 0.6.12;
/**
* @dev Interface of the ERC20 standard as defined in the EIP.
*/
interface IERC20 {
/**
* @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 `recipient`.
*
* Returns a boolean value indicating whether the operation succeeded.
*
* Emits a {Transfer} event.
*/
function transfer(address recipient, 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 `sender` to `recipient` 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 sender, address recipient, uint256 amount) external returns (bool);
/**
* @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);
}
// File contracts/tokens/interfaces/IWETH.sol
//
pragma solidity 0.6.12;
interface IWETH {
function deposit() external payable;
function transfer(address to, uint value) external returns (bool);
function withdraw(uint) external;
}
// File contracts/libraries/utils/Address.sol
//
pragma solidity ^0.6.2;
/**
* @dev Collection of functions related to the address type
*/
library Address {
/**
* @dev Returns true if `account` is a contract.
*
* [IMPORTANT]
* ====
* It is unsafe to assume that an address for which this function returns
* false is an externally-owned account (EOA) and not a contract.
*
* Among others, `isContract` will return false for the following
* types of addresses:
*
* - an externally-owned account
* - a contract in construction
* - an address where a contract will be created
* - an address where a contract lived, but was destroyed
* ====
*/
function isContract(address account) internal view returns (bool) {
// This method relies on extcodesize, which returns 0 for contracts in
// construction, since the code is only stored at the end of the
// constructor execution.
uint256 size;
// solhint-disable-next-line no-inline-assembly
assembly { size := extcodesize(account) }
return size > 0;
}
/**
* @dev Replacement for Solidity's `transfer`: sends `amount` wei to
* `recipient`, forwarding all available gas and reverting on errors.
*
* https://eips.ethereum.org/EIPS/eip-1884[EIP1884] increases the gas cost
* of certain opcodes, possibly making contracts go over the 2300 gas limit
* imposed by `transfer`, making them unable to receive funds via
* `transfer`. {sendValue} removes this limitation.
*
* https://diligence.consensys.net/posts/2019/09/stop-using-soliditys-transfer-now/[Learn more].
*
* IMPORTANT: because control is transferred to `recipient`, care must be
* taken to not create reentrancy vulnerabilities. Consider using
* {ReentrancyGuard} or the
* https://solidity.readthedocs.io/en/v0.5.11/security-considerations.html#use-the-checks-effects-interactions-pattern[checks-effects-interactions pattern].
*/
function sendValue(address payable recipient, uint256 amount) internal {
require(address(this).balance >= amount, "Address: insufficient balance");
// solhint-disable-next-line avoid-low-level-calls, avoid-call-value
(bool success, ) = recipient.call{ value: amount }("");
require(success, "Address: unable to send value, recipient may have reverted");
}
/**
* @dev Performs a Solidity function call using a low level `call`. A
* plain`call` is an unsafe replacement for a function call: use this
* function instead.
*
* If `target` reverts with a revert reason, it is bubbled up by this
* function (like regular Solidity function calls).
*
* Returns the raw returned data. To convert to the expected return value,
* use https://solidity.readthedocs.io/en/latest/units-and-global-variables.html?highlight=abi.decode#abi-encoding-and-decoding-functions[`abi.decode`].
*
* Requirements:
*
* - `target` must be a contract.
* - calling `target` with `data` must not revert.
*
* _Available since v3.1._
*/
function functionCall(address target, bytes memory data) internal returns (bytes memory) {
return functionCall(target, data, "Address: low-level call failed");
}
/**
* @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], but with
* `errorMessage` as a fallback revert reason when `target` reverts.
*
* _Available since v3.1._
*/
function functionCall(address target, bytes memory data, string memory errorMessage) internal returns (bytes memory) {
return functionCallWithValue(target, data, 0, errorMessage);
}
/**
* @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
* but also transferring `value` wei to `target`.
*
* Requirements:
*
* - the calling contract must have an ETH balance of at least `value`.
* - the called Solidity function must be `payable`.
*
* _Available since v3.1._
*/
function functionCallWithValue(address target, bytes memory data, uint256 value) internal returns (bytes memory) {
return functionCallWithValue(target, data, value, "Address: low-level call with value failed");
}
/**
* @dev Same as {xref-Address-functionCallWithValue-address-bytes-uint256-}[`functionCallWithValue`], but
* with `errorMessage` as a fallback revert reason when `target` reverts.
*
* _Available since v3.1._
*/
function functionCallWithValue(address target, bytes memory data, uint256 value, string memory errorMessage) internal returns (bytes memory) {
require(address(this).balance >= value, "Address: insufficient balance for call");
require(isContract(target), "Address: call to non-contract");
// solhint-disable-next-line avoid-low-level-calls
(bool success, bytes memory returndata) = target.call{ value: value }(data);
return _verifyCallResult(success, returndata, errorMessage);
}
/**
* @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
* but performing a static call.
*
* _Available since v3.3._
*/
function functionStaticCall(address target, bytes memory data) internal view returns (bytes memory) {
return functionStaticCall(target, data, "Address: low-level static call failed");
}
/**
* @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`],
* but performing a static call.
*
* _Available since v3.3._
*/
function functionStaticCall(address target, bytes memory data, string memory errorMessage) internal view returns (bytes memory) {
require(isContract(target), "Address: static call to non-contract");
// solhint-disable-next-line avoid-low-level-calls
(bool success, bytes memory returndata) = target.staticcall(data);
return _verifyCallResult(success, returndata, errorMessage);
}
/**
* @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
* but performing a delegate call.
*
* _Available since v3.3._
*/
function functionDelegateCall(address target, bytes memory data) internal returns (bytes memory) {
return functionDelegateCall(target, data, "Address: low-level delegate call failed");
}
/**
* @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`],
* but performing a delegate call.
*
* _Available since v3.3._
*/
function functionDelegateCall(address target, bytes memory data, string memory errorMessage) internal returns (bytes memory) {
require(isContract(target), "Address: delegate call to non-contract");
// solhint-disable-next-line avoid-low-level-calls
(bool success, bytes memory returndata) = target.delegatecall(data);
return _verifyCallResult(success, returndata, errorMessage);
}
function _verifyCallResult(bool success, bytes memory returndata, string memory errorMessage) private pure returns(bytes memory) {
if (success) {
return returndata;
} else {
// Look for revert reason and bubble it up if present
if (returndata.length > 0) {
// The easiest way to bubble the revert reason is using memory via assembly
// solhint-disable-next-line no-inline-assembly
assembly {
let returndata_size := mload(returndata)
revert(add(32, returndata), returndata_size)
}
} else {
revert(errorMessage);
}
}
}
}
// File contracts/core/interfaces/IShortsTracker.sol
//
pragma solidity 0.6.12;
interface IShortsTracker {
function isGlobalShortDataReady() external view returns (bool);
function globalShortAveragePrices(address _token) external view returns (uint256);
function getNextGlobalShortData(
address _account,
address _collateralToken,
address _indexToken,
uint256 _nextPrice,
uint256 _sizeDelta,
bool _isIncrease
) external view returns (uint256, uint256);
function updateGlobalShortData(
address _account,
address _collateralToken,
address _indexToken,
bool _isLong,
uint256 _sizeDelta,
uint256 _markPrice,
bool _isIncrease
) external;
function setIsGlobalShortDataReady(bool value) external;
function setInitData(address[] calldata _tokens, uint256[] calldata _averagePrices) external;
}
// File contracts/libraries/token/SafeERC20.sol
//
pragma solidity 0.6.12;
/**
* @title SafeERC20
* @dev Wrappers around ERC20 operations that throw on failure (when the token
* contract returns false). Tokens that return no value (and instead revert or
* throw on failure) are also supported, non-reverting calls are assumed to be
* successful.
* To use this library you can add a `using SafeERC20 for IERC20;` statement to your contract,
* which allows you to call the safe operations as `token.safeTransfer(...)`, etc.
*/
library SafeERC20 {
using SafeMath for uint256;
using Address for address;
function safeTransfer(IERC20 token, address to, uint256 value) internal {
_callOptionalReturn(token, abi.encodeWithSelector(token.transfer.selector, to, value));
}
function safeTransferFrom(IERC20 token, address from, address to, uint256 value) internal {
_callOptionalReturn(token, abi.encodeWithSelector(token.transferFrom.selector, from, to, value));
}
/**
* @dev Deprecated. This function has issues similar to the ones found in
* {IERC20-approve}, and its usage is discouraged.
*
* Whenever possible, use {safeIncreaseAllowance} and
* {safeDecreaseAllowance} instead.
*/
function safeApprove(IERC20 token, address spender, uint256 value) internal {
// safeApprove should only be called when setting an initial allowance,
// or when resetting it to zero. To increase and decrease it, use
// 'safeIncreaseAllowance' and 'safeDecreaseAllowance'
// solhint-disable-next-line max-line-length
require((value == 0) || (token.allowance(address(this), spender) == 0),
"SafeERC20: approve from non-zero to non-zero allowance"
);
_callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, value));
}
function safeIncreaseAllowance(IERC20 token, address spender, uint256 value) internal {
uint256 newAllowance = token.allowance(address(this), spender).add(value);
_callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance));
}
function safeDecreaseAllowance(IERC20 token, address spender, uint256 value) internal {
uint256 newAllowance = token.allowance(address(this), spender).sub(value, "SafeERC20: decreased allowance below zero");
_callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance));
}
/**
* @dev Imitates a Solidity high-level call (i.e. a regular function call to a contract), relaxing the requirement
* on the return value: the return value is optional (but if data is returned, it must not be false).
* @param token The token targeted by the call.
* @param data The call data (encoded using abi.encode or one of its variants).
*/
function _callOptionalReturn(IERC20 token, bytes memory data) private {
// We need to perform a low level call here, to bypass Solidity's return data size checking mechanism, since
// we're implementing it ourselves. We use {Address.functionCall} to perform this call, which verifies that
// the target address contains contract code and also asserts for success in the low-level call.
bytes memory returndata = address(token).functionCall(data, "SafeERC20: low-level call failed");
if (returndata.length > 0) { // Return data is optional
// solhint-disable-next-line max-line-length
require(abi.decode(returndata, (bool)), "SafeERC20: ERC20 operation did not succeed");
}
}
}
// File contracts/core/interfaces/IBasePositionManager.sol
//
pragma solidity 0.6.12;
interface IBasePositionManager {
function maxGlobalLongSizes(address _token) external view returns (uint256);
function maxGlobalShortSizes(address _token) external view returns (uint256);
}
// File contracts/libraries/utils/ReentrancyGuard.sol
//
pragma solidity 0.6.12;
/**
* @dev Contract module that helps prevent reentrant calls to a function.
*
* Inheriting from `ReentrancyGuard` will make the {nonReentrant} modifier
* available, which can be applied to functions to make sure there are no nested
* (reentrant) calls to them.
*
* Note that because there is a single `nonReentrant` guard, functions marked as
* `nonReentrant` may not call one another. This can be worked around by making
* those functions `private`, and then adding `external` `nonReentrant` entry
* points to them.
*
* TIP: If you would like to learn more about reentrancy and alternative ways
* to protect against it, check out our blog post
* https://blog.openzeppelin.com/reentrancy-after-istanbul/[Reentrancy After Istanbul].
*/
contract ReentrancyGuard {
// Booleans are more expensive than uint256 or any type that takes up a full
// word because each write operation emits an extra SLOAD to first read the
// slot's contents, replace the bits taken up by the boolean, and then write
// back. This is the compiler's defense against contract upgrades and
// pointer aliasing, and it cannot be disabled.
// The values being non-zero value makes deployment a bit more expensive,
// but in exchange the refund on every call to nonReentrant will be lower in
// amount. Since refunds are capped to a percentage of the total
// transaction's gas, it is best to keep them low in cases like this one, to
// increase the likelihood of the full refund coming into effect.
uint256 private constant _NOT_ENTERED = 1;
uint256 private constant _ENTERED = 2;
uint256 private _status;
constructor () internal {
_status = _NOT_ENTERED;
}
/**
* @dev Prevents a contract from calling itself, directly or indirectly.
* Calling a `nonReentrant` function from another `nonReentrant`
* function is not supported. It is possible to prevent this from happening
* by making the `nonReentrant` function external, and make it call a
* `private` function that does the actual work.
*/
modifier nonReentrant() {
// On the first call to nonReentrant, _notEntered will be true
require(_status != _ENTERED, "ReentrancyGuard: reentrant call");
// Any calls to nonReentrant after this point will fail
_status = _ENTERED;
_;
// By storing the original value once again, a refund is triggered (see
// https://eips.ethereum.org/EIPS/eip-2200)
_status = _NOT_ENTERED;
}
}
// File contracts/referrals/interfaces/IReferralStorage.sol
//
pragma solidity 0.6.12;
interface IReferralStorage {
function codeOwners(bytes32 _code) external view returns (address);
function traderReferralCodes(address _account) external view returns (bytes32);
function referrerDiscountShares(address _account) external view returns (uint256);
function referrerTiers(address _account) external view returns (uint256);
function getTraderReferralInfo(address _account) external view returns (bytes32, address);
function setTraderReferralCode(address _account, bytes32 _code) external;
function setTier(uint256 _tierId, uint256 _totalRebate, uint256 _discountShare) external;
function setReferrerTier(address _referrer, uint256 _tierId) external;
function govSetCodeOwner(bytes32 _code, address _newAccount) external;
}
// File contracts/core/interfaces/IOrderBook.sol
//
pragma solidity 0.6.12;
interface IOrderBook {
function getSwapOrder(address _account, uint256 _orderIndex) external view returns (
address path0,
address path1,
address path2,
uint256 amountIn,
uint256 minOut,
uint256 triggerRatio,
bool triggerAboveThreshold,
bool shouldUnwrap,
uint256 executionFee
);
function getIncreaseOrder(address _account, uint256 _orderIndex) external view returns (
address purchaseToken,
uint256 purchaseTokenAmount,
address collateralToken,
address indexToken,
uint256 sizeDelta,
bool isLong,
uint256 triggerPrice,
bool triggerAboveThreshold,
uint256 executionFee
);
function getDecreaseOrder(address _account, uint256 _orderIndex) external view returns (
address collateralToken,
uint256 collateralDelta,
address indexToken,
uint256 sizeDelta,
bool isLong,
uint256 triggerPrice,
bool triggerAboveThreshold,
uint256 executionFee
);
function executeSwapOrder(address, uint256, address payable) external;
function executeDecreaseOrder(address, uint256, address payable) external;
function executeIncreaseOrder(address, uint256, address payable) external;
}
// File contracts/peripherals/interfaces/ITimelock.sol
//
pragma solidity 0.6.12;
interface ITimelock {
function setAdmin(address _admin) external;
function enableLeverage(address _vault) external;
function disableLeverage(address _vault) external;
function setIsLeverageEnabled(address _vault, bool _isLeverageEnabled) external;
function signalSetGov(address _target, address _gov) external;
}
// File contracts/core/interfaces/IVaultUtils.sol
//
pragma solidity 0.6.12;
interface IVaultUtils {
function updateCumulativeFundingRate(address _collateralToken, address _indexToken) external returns (bool);
function validateIncreasePosition(address _account, address _collateralToken, address _indexToken, uint256 _sizeDelta, bool _isLong) external view;
function validateDecreasePosition(address _account, address _collateralToken, address _indexToken, uint256 _collateralDelta, uint256 _sizeDelta, bool _isLong, address _receiver) external view;
function validateLiquidation(address _account, address _collateralToken, address _indexToken, bool _isLong, bool _raise) external view returns (uint256, uint256);
function getEntryFundingRate(address _collateralToken, address _indexToken, bool _isLong) external view returns (uint256);
function getPositionFee(address _account, address _collateralToken, address _indexToken, bool _isLong, uint256 _sizeDelta) external view returns (uint256);
function getFundingFee(address _account, address _collateralToken, address _indexToken, bool _isLong, uint256 _size, uint256 _entryFundingRate) external view returns (uint256);
function getBuyUsdgFeeBasisPoints(address _token, uint256 _usdgAmount) external view returns (uint256);
function getSellUsdgFeeBasisPoints(address _token, uint256 _usdgAmount) external view returns (uint256);
function getSwapFeeBasisPoints(address _tokenIn, address _tokenOut, uint256 _usdgAmount) external view returns (uint256);
function getFeeBasisPoints(address _token, uint256 _usdgDelta, uint256 _feeBasisPoints, uint256 _taxBasisPoints, bool _increment) external view returns (uint256);
}
// File contracts/core/interfaces/IVault.sol
//
pragma solidity 0.6.12;
interface IVault {
function isInitialized() external view returns (bool);
function isSwapEnabled() external view returns (bool);
function isLeverageEnabled() external view returns (bool);
function setVaultUtils(IVaultUtils _vaultUtils) external;
function setError(uint256 _errorCode, string calldata _error) external;
function router() external view returns (address);
function usdg() external view returns (address);
function gov() external view returns (address);
function whitelistedTokenCount() external view returns (uint256);
function maxLeverage() external view returns (uint256);
function minProfitTime() external view returns (uint256);
function hasDynamicFees() external view returns (bool);
function fundingInterval() external view returns (uint256);
function totalTokenWeights() external view returns (uint256);
function getTargetUsdgAmount(address _token) external view returns (uint256);
function inManagerMode() external view returns (bool);
function inPrivateLiquidationMode() external view returns (bool);
function maxGasPrice() external view returns (uint256);
function approvedRouters(address _account, address _router) external view returns (bool);
function isLiquidator(address _account) external view returns (bool);
function isManager(address _account) external view returns (bool);
function minProfitBasisPoints(address _token) external view returns (uint256);
function tokenBalances(address _token) external view returns (uint256);
function lastFundingTimes(address _token) external view returns (uint256);
function setMaxLeverage(uint256 _maxLeverage) external;
function setInManagerMode(bool _inManagerMode) external;
function setManager(address _manager, bool _isManager) external;
function setIsSwapEnabled(bool _isSwapEnabled) external;
function setIsLeverageEnabled(bool _isLeverageEnabled) external;
function setMaxGasPrice(uint256 _maxGasPrice) external;
function setUsdgAmount(address _token, uint256 _amount) external;
function setBufferAmount(address _token, uint256 _amount) external;
function setMaxGlobalShortSize(address _token, uint256 _amount) external;
function setInPrivateLiquidationMode(bool _inPrivateLiquidationMode) external;
function setLiquidator(address _liquidator, bool _isActive) external;
function setFundingRate(uint256 _fundingInterval, uint256 _fundingRateFactor, uint256 _stableFundingRateFactor) external;
function setFees(
uint256 _taxBasisPoints,
uint256 _stableTaxBasisPoints,
uint256 _mintBurnFeeBasisPoints,
uint256 _swapFeeBasisPoints,
uint256 _stableSwapFeeBasisPoints,
uint256 _marginFeeBasisPoints,
uint256 _liquidationFeeUsd,
uint256 _minProfitTime,
bool _hasDynamicFees
) external;
function setTokenConfig(
address _token,
uint256 _tokenDecimals,
uint256 _redemptionBps,
uint256 _minProfitBps,
uint256 _maxUsdgAmount,
bool _isStable,
bool _isShortable
) external;
function setPriceFeed(address _priceFeed) external;
function withdrawFees(address _token, address _receiver) external returns (uint256);
function directPoolDeposit(address _token) external;
function buyUSDG(address _token, address _receiver) external returns (uint256);
function sellUSDG(address _token, address _receiver) external returns (uint256);
function swap(address _tokenIn, address _tokenOut, address _receiver) external returns (uint256);
function increasePosition(address _account, address _collateralToken, address _indexToken, uint256 _sizeDelta, bool _isLong) external;
function decreasePosition(address _account, address _collateralToken, address _indexToken, uint256 _collateralDelta, uint256 _sizeDelta, bool _isLong, address _receiver) external returns (uint256);
function validateLiquidation(address _account, address _collateralToken, address _indexToken, bool _isLong, bool _raise) external view returns (uint256, uint256);
function liquidatePosition(address _account, address _collateralToken, address _indexToken, bool _isLong, address _feeReceiver) external;
function tokenToUsdMin(address _token, uint256 _tokenAmount) external view returns (uint256);
function priceFeed() external view returns (address);
function fundingRateFactor() external view returns (uint256);
function stableFundingRateFactor() external view returns (uint256);
function cumulativeFundingRates(address _token) external view returns (uint256);
function getNextFundingRate(address _token) external view returns (uint256);
function getFeeBasisPoints(address _token, uint256 _usdgDelta, uint256 _feeBasisPoints, uint256 _taxBasisPoints, bool _increment) external view returns (uint256);
function liquidationFeeUsd() external view returns (uint256);
function taxBasisPoints() external view returns (uint256);
function stableTaxBasisPoints() external view returns (uint256);
function mintBurnFeeBasisPoints() external view returns (uint256);
function swapFeeBasisPoints() external view returns (uint256);
function stableSwapFeeBasisPoints() external view returns (uint256);
function marginFeeBasisPoints() external view returns (uint256);
function allWhitelistedTokensLength() external view returns (uint256);
function allWhitelistedTokens(uint256) external view returns (address);
function whitelistedTokens(address _token) external view returns (bool);
function stableTokens(address _token) external view returns (bool);
function shortableTokens(address _token) external view returns (bool);
function feeReserves(address _token) external view returns (uint256);
function globalShortSizes(address _token) external view returns (uint256);
function globalShortAveragePrices(address _token) external view returns (uint256);
function maxGlobalShortSizes(address _token) external view returns (uint256);
function tokenDecimals(address _token) external view returns (uint256);
function tokenWeights(address _token) external view returns (uint256);
function guaranteedUsd(address _token) external view returns (uint256);
function poolAmounts(address _token) external view returns (uint256);
function bufferAmounts(address _token) external view returns (uint256);
function reservedAmounts(address _token) external view returns (uint256);
function usdgAmounts(address _token) external view returns (uint256);
function maxUsdgAmounts(address _token) external view returns (uint256);
function getRedemptionAmount(address _token, uint256 _usdgAmount) external view returns (uint256);
function getMaxPrice(address _token) external view returns (uint256);
function getMinPrice(address _token) external view returns (uint256);
function getDelta(address _indexToken, uint256 _size, uint256 _averagePrice, bool _isLong, uint256 _lastIncreasedTime) external view returns (bool, uint256);
function getPosition(address _account, address _collateralToken, address _indexToken, bool _isLong) external view returns (uint256, uint256, uint256, uint256, uint256, uint256, bool, uint256);
}
// File contracts/core/BasePositionManager.sol
//
pragma solidity ^0.6.0;
contract BasePositionManager is IBasePositionManager, ReentrancyGuard, Governable {
using SafeMath for uint256;
using SafeERC20 for IERC20;
using Address for address payable;
uint256 public constant BASIS_POINTS_DIVISOR = 10000;
address public admin;
address public vault;
address public shortsTracker;
address public router;
address public weth;
// to prevent using the deposit and withdrawal of collateral as a zero fee swap,
// there is a small depositFee charged if a collateral deposit results in the decrease
// of leverage for an existing position
// increasePositionBufferBps allows for a small amount of decrease of leverage
uint256 public depositFee;
uint256 public increasePositionBufferBps = 100;
address public referralStorage;
mapping (address => uint256) public feeReserves;
mapping (address => uint256) public override maxGlobalLongSizes;
mapping (address => uint256) public override maxGlobalShortSizes;
event SetDepositFee(uint256 depositFee);
event SetIncreasePositionBufferBps(uint256 increasePositionBufferBps);
event SetReferralStorage(address referralStorage);
event SetAdmin(address admin);
event WithdrawFees(address token, address receiver, uint256 amount);
event SetMaxGlobalSizes(
address[] tokens,
uint256[] longSizes,
uint256[] shortSizes
);
event IncreasePositionReferral(
address account,
uint256 sizeDelta,
uint256 marginFeeBasisPoints,
bytes32 referralCode,
address referrer
);
event DecreasePositionReferral(
address account,
uint256 sizeDelta,
uint256 marginFeeBasisPoints,
bytes32 referralCode,
address referrer
);
modifier onlyAdmin() {
require(msg.sender == admin, "BasePositionManager: forbidden");
_;
}
constructor(
address _vault,
address _router,
address _shortsTracker,
address _weth,
uint256 _depositFee
) public {
vault = _vault;
router = _router;
weth = _weth;
depositFee = _depositFee;
shortsTracker = _shortsTracker;
admin = msg.sender;
}
receive() external payable {
require(msg.sender == weth, "BasePositionManager: invalid sender");
}
function setAdmin(address _admin) external onlyGov {
admin = _admin;
emit SetAdmin(_admin);
}
function setDepositFee(uint256 _depositFee) external onlyAdmin {
depositFee = _depositFee;
emit SetDepositFee(_depositFee);
}
function setIncreasePositionBufferBps(uint256 _increasePositionBufferBps) external onlyAdmin {
increasePositionBufferBps = _increasePositionBufferBps;
emit SetIncreasePositionBufferBps(_increasePositionBufferBps);
}
function setReferralStorage(address _referralStorage) external onlyAdmin {
referralStorage = _referralStorage;
emit SetReferralStorage(_referralStorage);
}
function setMaxGlobalSizes(
address[] memory _tokens,
uint256[] memory _longSizes,
uint256[] memory _shortSizes
) external onlyAdmin {
for (uint256 i = 0; i < _tokens.length; i++) {
address token = _tokens[i];
maxGlobalLongSizes[token] = _longSizes[i];
maxGlobalShortSizes[token] = _shortSizes[i];
}
emit SetMaxGlobalSizes(_tokens, _longSizes, _shortSizes);
}
function withdrawFees(address _token, address _receiver) external onlyAdmin {
uint256 amount = feeReserves[_token];
if (amount == 0) { return; }
feeReserves[_token] = 0;
IERC20(_token).safeTransfer(_receiver, amount);
emit WithdrawFees(_token, _receiver, amount);
}
function approve(address _token, address _spender, uint256 _amount) external onlyGov {
IERC20(_token).approve(_spender, _amount);
}
function sendValue(address payable _receiver, uint256 _amount) external onlyGov {
_receiver.sendValue(_amount);
}
function _validateMaxGlobalSize(address _indexToken, bool _isLong, uint256 _sizeDelta) internal view {
if (_sizeDelta == 0) {
return;
}
if (_isLong) {
uint256 maxGlobalLongSize = maxGlobalLongSizes[_indexToken];
if (maxGlobalLongSize > 0 && IVault(vault).guaranteedUsd(_indexToken).add(_sizeDelta) > maxGlobalLongSize) {
revert("BasePositionManager: max global longs exceeded");
}
} else {
uint256 maxGlobalShortSize = maxGlobalShortSizes[_indexToken];
if (maxGlobalShortSize > 0 && IVault(vault).globalShortSizes(_indexToken).add(_sizeDelta) > maxGlobalShortSize) {
revert("BasePositionManager: max global shorts exceeded");
}
}
}
function _increasePosition(address _account, address _collateralToken, address _indexToken, uint256 _sizeDelta, bool _isLong, uint256 _price) internal {
address _vault = vault;
uint256 markPrice = _isLong ? IVault(_vault).getMaxPrice(_indexToken) : IVault(_vault).getMinPrice(_indexToken);
if (_isLong) {
require(markPrice <= _price, "BasePositionManager: mark price higher than limit");
} else {
require(markPrice >= _price, "BasePositionManager: mark price lower than limit");
}
_validateMaxGlobalSize(_indexToken, _isLong, _sizeDelta);
address timelock = IVault(_vault).gov();
// should be called strictly before position is updated in Vault
IShortsTracker(shortsTracker).updateGlobalShortData(_account, _collateralToken, _indexToken, _isLong, _sizeDelta, markPrice, true);
IRouter(router).pluginIncreasePosition(_account, _collateralToken, _indexToken, _sizeDelta, _isLong);
_emitIncreasePositionReferral(_account, _sizeDelta);
}
function _decreasePosition(address _account, address _collateralToken, address _indexToken, uint256 _collateralDelta, uint256 _sizeDelta, bool _isLong, address _receiver, uint256 _price) internal returns (uint256) {
address _vault = vault;
uint256 markPrice = _isLong ? IVault(_vault).getMinPrice(_indexToken) : IVault(_vault).getMaxPrice(_indexToken);
if (_isLong) {
require(markPrice >= _price, "BasePositionManager: mark price lower than limit");
} else {
require(markPrice <= _price, "BasePositionManager: mark price higher than limit");
}
address timelock = IVault(_vault).gov();
// should be called strictly before position is updated in Vault
IShortsTracker(shortsTracker).updateGlobalShortData(_account, _collateralToken, _indexToken, _isLong, _sizeDelta, markPrice, false);
uint256 amountOut = IRouter(router).pluginDecreasePosition(_account, _collateralToken, _indexToken, _collateralDelta, _sizeDelta, _isLong, _receiver);
_emitDecreasePositionReferral(_account, _sizeDelta);
return amountOut;
}
function _emitIncreasePositionReferral(address _account, uint256 _sizeDelta) internal {
address _referralStorage = referralStorage;
if (_referralStorage == address(0)) {
return;
}
(bytes32 referralCode, address referrer) = IReferralStorage(_referralStorage).getTraderReferralInfo(_account);
emit IncreasePositionReferral(
_account,
_sizeDelta,
IVault(vault).marginFeeBasisPoints(),
referralCode,
referrer
);
}
function _emitDecreasePositionReferral(address _account, uint256 _sizeDelta) internal {
address _referralStorage = referralStorage;
if (_referralStorage == address(0)) {
return;
}
(bytes32 referralCode, address referrer) = IReferralStorage(_referralStorage).getTraderReferralInfo(_account);
if (referralCode == bytes32(0)) {
return;
}
emit DecreasePositionReferral(
_account,
_sizeDelta,
IVault(vault).marginFeeBasisPoints(),
referralCode,
referrer
);
}
function _swap(address[] memory _path, uint256 _minOut, address _receiver) internal returns (uint256) {
if (_path.length == 2) {
return _vaultSwap(_path[0], _path[1], _minOut, _receiver);
}
revert("BasePositionManager: invalid _path.length");
}
function _vaultSwap(address _tokenIn, address _tokenOut, uint256 _minOut, address _receiver) internal returns (uint256) {
uint256 amountOut = IVault(vault).swap(_tokenIn, _tokenOut, _receiver);
require(amountOut >= _minOut, "BasePositionManager: insufficient amountOut");
return amountOut;
}
function _transferInETH() internal {
if (msg.value != 0) {
IWETH(weth).deposit{value: msg.value}();
}
}
function _transferOutETHWithGasLimitIgnoreFail(uint256 _amountOut, address payable _receiver) internal {
IWETH(weth).withdraw(_amountOut);
// use `send` instead of `transfer` to not revert whole transaction in case ETH transfer was failed
// it has limit of 2300 gas
// this is to avoid front-running
_receiver.send(_amountOut);
}
function _collectFees(
address _account,
address[] memory _path,
uint256 _amountIn,
address _indexToken,
bool _isLong,
uint256 _sizeDelta
) internal returns (uint256) {
bool shouldDeductFee = _shouldDeductFee(
_account,
_path,
_amountIn,
_indexToken,
_isLong,
_sizeDelta
);
if (shouldDeductFee) {
uint256 afterFeeAmount = _amountIn.mul(BASIS_POINTS_DIVISOR.sub(depositFee)).div(BASIS_POINTS_DIVISOR);
uint256 feeAmount = _amountIn.sub(afterFeeAmount);
address feeToken = _path[_path.length - 1];
feeReserves[feeToken] = feeReserves[feeToken].add(feeAmount);
return afterFeeAmount;
}
return _amountIn;
}
function _shouldDeductFee(
address _account,
address[] memory _path,
uint256 _amountIn,
address _indexToken,
bool _isLong,
uint256 _sizeDelta
) internal view returns (bool) {
// if the position is a short, do not charge a fee
if (!_isLong) { return false; }
// if the position size is not increasing, this is a collateral deposit
if (_sizeDelta == 0) { return true; }
address collateralToken = _path[_path.length - 1];
IVault _vault = IVault(vault);
(uint256 size, uint256 collateral, , , , , , ) = _vault.getPosition(_account, collateralToken, _indexToken, _isLong);
// if there is no existing position, do not charge a fee
if (size == 0) { return false; }
uint256 nextSize = size.add(_sizeDelta);
uint256 collateralDelta = _vault.tokenToUsdMin(collateralToken, _amountIn);
uint256 nextCollateral = collateral.add(collateralDelta);
uint256 prevLeverage = size.mul(BASIS_POINTS_DIVISOR).div(collateral);
// allow for a maximum of a increasePositionBufferBps decrease since there might be some swap fees taken from the collateral
uint256 nextLeverage = nextSize.mul(BASIS_POINTS_DIVISOR + increasePositionBufferBps).div(nextCollateral);
// deduct a fee if the leverage is decreased
return nextLeverage < prevLeverage;
}
}
// File contracts/core/interfaces/IPositionRouterCallbackReceiver.sol
//
pragma solidity ^0.6.0;
interface IPositionRouterCallbackReceiver {
function gmxPositionCallback(bytes32 positionKey, bool isExecuted, bool isIncrease) external;
}
// File contracts/core/interfaces/IPositionRouter.sol
//
pragma solidity 0.6.12;
interface IPositionRouter {
function increasePositionRequestKeysStart() external returns (uint256);
function decreasePositionRequestKeysStart() external returns (uint256);
function executeIncreasePositions(uint256 _count, address payable _executionFeeReceiver) external;
function executeDecreasePositions(uint256 _count, address payable _executionFeeReceiver) external;
}
// File contracts/core/PositionRouter.sol
//
pragma solidity ^0.6.0;
contract PositionRouter is BasePositionManager, IPositionRouter {
using Address for address;
struct IncreasePositionRequest {
address account;
address[] path;
address indexToken;
uint256 amountIn;
uint256 minOut;
uint256 sizeDelta;
bool isLong;
uint256 acceptablePrice;
uint256 executionFee;
uint256 blockNumber;
uint256 blockTime;
bool hasCollateralInETH;
address callbackTarget;
}
struct DecreasePositionRequest {
address account;
address[] path;
address indexToken;
uint256 collateralDelta;
uint256 sizeDelta;
bool isLong;
address receiver;
uint256 acceptablePrice;
uint256 minOut;
uint256 executionFee;
uint256 blockNumber;
uint256 blockTime;
bool withdrawETH;
address callbackTarget;
}
uint256 public minExecutionFee;
uint256 public minBlockDelayKeeper;
uint256 public minTimeDelayPublic;
uint256 public maxTimeDelay;
bool public isLeverageEnabled = true;
bytes32[] public increasePositionRequestKeys;
bytes32[] public decreasePositionRequestKeys;
uint256 public override increasePositionRequestKeysStart;
uint256 public override decreasePositionRequestKeysStart;
uint256 public callbackGasLimit;
mapping (address => bool) public isPositionKeeper;
mapping (address => uint256) public increasePositionsIndex;
mapping (bytes32 => IncreasePositionRequest) public increasePositionRequests;
mapping (address => uint256) public decreasePositionsIndex;
mapping (bytes32 => DecreasePositionRequest) public decreasePositionRequests;
event CreateIncreasePosition(
address indexed account,
address[] path,
address indexToken,
uint256 amountIn,
uint256 minOut,
uint256 sizeDelta,
bool isLong,
uint256 acceptablePrice,
uint256 executionFee,
uint256 index,
uint256 queueIndex,
uint256 blockNumber,
uint256 blockTime,
uint256 gasPrice
);
event ExecuteIncreasePosition(
address indexed account,
address[] path,
address indexToken,
uint256 amountIn,
uint256 minOut,
uint256 sizeDelta,
bool isLong,
uint256 acceptablePrice,
uint256 executionFee,
uint256 blockGap,
uint256 timeGap
);
event CancelIncreasePosition(
address indexed account,
address[] path,
address indexToken,
uint256 amountIn,
uint256 minOut,
uint256 sizeDelta,
bool isLong,
uint256 acceptablePrice,
uint256 executionFee,
uint256 blockGap,
uint256 timeGap
);
event CreateDecreasePosition(
address indexed account,
address[] path,
address indexToken,
uint256 collateralDelta,
uint256 sizeDelta,
bool isLong,
address receiver,
uint256 acceptablePrice,
uint256 minOut,
uint256 executionFee,
uint256 index,
uint256 queueIndex,
uint256 blockNumber,
uint256 blockTime
);
event ExecuteDecreasePosition(
address indexed account,
address[] path,
address indexToken,
uint256 collateralDelta,
uint256 sizeDelta,
bool isLong,
address receiver,
uint256 acceptablePrice,
uint256 minOut,
uint256 executionFee,
uint256 blockGap,
uint256 timeGap
);
event CancelDecreasePosition(
address indexed account,
address[] path,
address indexToken,
uint256 collateralDelta,
uint256 sizeDelta,
bool isLong,
address receiver,
uint256 acceptablePrice,
uint256 minOut,
uint256 executionFee,
uint256 blockGap,
uint256 timeGap
);
event SetPositionKeeper(address indexed account, bool isActive);
event SetMinExecutionFee(uint256 minExecutionFee);
event SetIsLeverageEnabled(bool isLeverageEnabled);
event SetDelayValues(uint256 minBlockDelayKeeper, uint256 minTimeDelayPublic, uint256 maxTimeDelay);
event SetRequestKeysStartValues(uint256 increasePositionRequestKeysStart, uint256 decreasePositionRequestKeysStart);
event SetCallbackGasLimit(uint256 callbackGasLimit);
event Callback(address callbackTarget, bool success);
modifier onlyPositionKeeper() {
require(isPositionKeeper[msg.sender], "403");
_;
}
constructor(
address _vault,
address _router,
address _weth,
address _shortsTracker,
uint256 _depositFee,
uint256 _minExecutionFee
) public BasePositionManager(_vault, _router, _shortsTracker, _weth, _depositFee) {
minExecutionFee = _minExecutionFee;
}
function setPositionKeeper(address _account, bool _isActive) external onlyAdmin {
isPositionKeeper[_account] = _isActive;
emit SetPositionKeeper(_account, _isActive);
}
function setCallbackGasLimit(uint256 _callbackGasLimit) external onlyAdmin {
callbackGasLimit = _callbackGasLimit;
emit SetCallbackGasLimit(_callbackGasLimit);
}
function setMinExecutionFee(uint256 _minExecutionFee) external onlyAdmin {
minExecutionFee = _minExecutionFee;
emit SetMinExecutionFee(_minExecutionFee);
}
function setIsLeverageEnabled(bool _isLeverageEnabled) external onlyAdmin {
isLeverageEnabled = _isLeverageEnabled;
emit SetIsLeverageEnabled(_isLeverageEnabled);
}
function setDelayValues(uint256 _minBlockDelayKeeper, uint256 _minTimeDelayPublic, uint256 _maxTimeDelay) external onlyAdmin {
minBlockDelayKeeper = _minBlockDelayKeeper;
minTimeDelayPublic = _minTimeDelayPublic;
maxTimeDelay = _maxTimeDelay;
emit SetDelayValues(_minBlockDelayKeeper, _minTimeDelayPublic, _maxTimeDelay);
}
function setRequestKeysStartValues(uint256 _increasePositionRequestKeysStart, uint256 _decreasePositionRequestKeysStart) external onlyAdmin {
increasePositionRequestKeysStart = _increasePositionRequestKeysStart;
decreasePositionRequestKeysStart = _decreasePositionRequestKeysStart;
emit SetRequestKeysStartValues(_increasePositionRequestKeysStart, _decreasePositionRequestKeysStart);
}
function executeIncreasePositions(uint256 _endIndex, address payable _executionFeeReceiver) external override onlyPositionKeeper {
uint256 index = increasePositionRequestKeysStart;
uint256 length = increasePositionRequestKeys.length;
if (index >= length) { return; }
if (_endIndex > length) {
_endIndex = length;
}
while (index < _endIndex) {
bytes32 key = increasePositionRequestKeys[index];
// if the request was executed then delete the key from the array
// if the request was not executed then break from the loop, this can happen if the
// minimum number of blocks has not yet passed
// an error could be thrown if the request is too old or if the slippage is
// higher than what the user specified, or if there is insufficient liquidity for the position
// in case an error was thrown, cancel the request
try this.executeIncreasePosition(key, _executionFeeReceiver) returns (bool _wasExecuted) {
if (!_wasExecuted) { break; }
} catch {
// wrap this call in a try catch to prevent invalid cancels from blocking the loop
try this.cancelIncreasePosition(key, _executionFeeReceiver) returns (bool _wasCancelled) {
if (!_wasCancelled) { break; }
} catch {}
}
delete increasePositionRequestKeys[index];
index++;
}
increasePositionRequestKeysStart = index;
}
function executeDecreasePositions(uint256 _endIndex, address payable _executionFeeReceiver) external override onlyPositionKeeper {
uint256 index = decreasePositionRequestKeysStart;
uint256 length = decreasePositionRequestKeys.length;
if (index >= length) { return; }
if (_endIndex > length) {
_endIndex = length;
}
while (index < _endIndex) {
bytes32 key = decreasePositionRequestKeys[index];
// if the request was executed then delete the key from the array
// if the request was not executed then break from the loop, this can happen if the
// minimum number of blocks has not yet passed
// an error could be thrown if the request is too old
// in case an error was thrown, cancel the request
try this.executeDecreasePosition(key, _executionFeeReceiver) returns (bool _wasExecuted) {
if (!_wasExecuted) { break; }
} catch {
// wrap this call in a try catch to prevent invalid cancels from blocking the loop
try this.cancelDecreasePosition(key, _executionFeeReceiver) returns (bool _wasCancelled) {
if (!_wasCancelled) { break; }
} catch {}
}
delete decreasePositionRequestKeys[index];
index++;
}
decreasePositionRequestKeysStart = index;
}
function createIncreasePosition(
address[] memory _path,
address _indexToken,
uint256 _amountIn,
uint256 _minOut,
uint256 _sizeDelta,
bool _isLong,
uint256 _acceptablePrice,
uint256 _executionFee,
bytes32 _referralCode,
address _callbackTarget
) external payable nonReentrant returns (bytes32) {
require(_executionFee >= minExecutionFee, "fee");
require(msg.value == _executionFee, "val");
require(_path.length == 1 || _path.length == 2, "len");
_transferInETH();
_setTraderReferralCode(_referralCode);
if (_amountIn > 0) {
IRouter(router).pluginTransfer(_path[0], msg.sender, address(this), _amountIn);
}
return _createIncreasePosition(
msg.sender,
_path,
_indexToken,
_amountIn,
_minOut,
_sizeDelta,
_isLong,
_acceptablePrice,
_executionFee,
false,
_callbackTarget
);
}
function createIncreasePositionETH(
address[] memory _path,
address _indexToken,
uint256 _minOut,
uint256 _sizeDelta,
bool _isLong,
uint256 _acceptablePrice,
uint256 _executionFee,
bytes32 _referralCode,
address _callbackTarget
) external payable nonReentrant returns (bytes32) {
require(_executionFee >= minExecutionFee, "fee");
require(msg.value >= _executionFee, "val");
require(_path.length == 1 || _path.length == 2, "len");
require(_path[0] == weth, "path");
_transferInETH();
_setTraderReferralCode(_referralCode);
uint256 amountIn = msg.value.sub(_executionFee);
return _createIncreasePosition(
msg.sender,
_path,
_indexToken,
amountIn,
_minOut,
_sizeDelta,
_isLong,
_acceptablePrice,
_executionFee,
true,
_callbackTarget
);
}
function createDecreasePosition(
address[] memory _path,
address _indexToken,
uint256 _collateralDelta,
uint256 _sizeDelta,
bool _isLong,
address _receiver,
uint256 _acceptablePrice,
uint256 _minOut,
uint256 _executionFee,
bool _withdrawETH,
address _callbackTarget
) external payable nonReentrant returns (bytes32) {
require(_executionFee >= minExecutionFee, "fee");
require(msg.value == _executionFee, "val");
require(_path.length == 1 || _path.length == 2, "len");
if (_withdrawETH) {
require(_path[_path.length - 1] == weth, "path");
}
_transferInETH();
return _createDecreasePosition(
msg.sender,
_path,
_indexToken,
_collateralDelta,
_sizeDelta,
_isLong,
_receiver,
_acceptablePrice,
_minOut,
_executionFee,
_withdrawETH,
_callbackTarget
);
}
function getRequestQueueLengths() external view returns (uint256, uint256, uint256, uint256) {
return (
increasePositionRequestKeysStart,
increasePositionRequestKeys.length,
decreasePositionRequestKeysStart,
decreasePositionRequestKeys.length
);
}
function executeIncreasePosition(bytes32 _key, address payable _executionFeeReceiver) public nonReentrant returns (bool) {
IncreasePositionRequest memory request = increasePositionRequests[_key];
// if the request was already executed or cancelled, return true so that the executeIncreasePositions loop will continue executing the next request
if (request.account == address(0)) { return true; }
bool shouldExecute = _validateExecution(request.blockNumber, request.blockTime, request.account);
if (!shouldExecute) { return false; }
delete increasePositionRequests[_key];
if (request.amountIn > 0) {
uint256 amountIn = request.amountIn;
if (request.path.length > 1) {
IERC20(request.path[0]).safeTransfer(vault, request.amountIn);
amountIn = _swap(request.path, request.minOut, address(this));
}
uint256 afterFeeAmount = _collectFees(msg.sender, request.path, amountIn, request.indexToken, request.isLong, request.sizeDelta);
IERC20(request.path[request.path.length - 1]).safeTransfer(vault, afterFeeAmount);
}
_increasePosition(request.account, request.path[request.path.length - 1], request.indexToken, request.sizeDelta, request.isLong, request.acceptablePrice);
_transferOutETHWithGasLimitIgnoreFail(request.executionFee, _executionFeeReceiver);
emit ExecuteIncreasePosition(
request.account,
request.path,
request.indexToken,
request.amountIn,
request.minOut,
request.sizeDelta,
request.isLong,
request.acceptablePrice,
request.executionFee,
block.number.sub(request.blockNumber),
block.timestamp.sub(request.blockTime)
);
_callRequestCallback(request.callbackTarget, _key, true, true);
return true;
}
function cancelIncreasePosition(bytes32 _key, address payable _executionFeeReceiver) public nonReentrant returns (bool) {
IncreasePositionRequest memory request = increasePositionRequests[_key];
// if the request was already executed or cancelled, return true so that the executeIncreasePositions loop will continue executing the next request
if (request.account == address(0)) { return true; }
bool shouldCancel = _validateCancellation(request.blockNumber, request.blockTime, request.account);
if (!shouldCancel) { return false; }
delete increasePositionRequests[_key];
if (request.hasCollateralInETH) {
_transferOutETHWithGasLimitIgnoreFail(request.amountIn, payable(request.account));
} else {
IERC20(request.path[0]).safeTransfer(request.account, request.amountIn);
}
_transferOutETHWithGasLimitIgnoreFail(request.executionFee, _executionFeeReceiver);
emit CancelIncreasePosition(
request.account,
request.path,
request.indexToken,
request.amountIn,
request.minOut,
request.sizeDelta,
request.isLong,
request.acceptablePrice,
request.executionFee,
block.number.sub(request.blockNumber),
block.timestamp.sub(request.blockTime)
);
_callRequestCallback(request.callbackTarget, _key, false, true);
return true;
}
function executeDecreasePosition(bytes32 _key, address payable _executionFeeReceiver) public nonReentrant returns (bool) {
DecreasePositionRequest memory request = decreasePositionRequests[_key];
// if the request was already executed or cancelled, return true so that the executeDecreasePositions loop will continue executing the next request
if (request.account == address(0)) { return true; }
bool shouldExecute = _validateExecution(request.blockNumber, request.blockTime, request.account);
if (!shouldExecute) { return false; }
delete decreasePositionRequests[_key];
uint256 amountOut = _decreasePosition(request.account, request.path[0], request.indexToken, request.collateralDelta, request.sizeDelta, request.isLong, address(this), request.acceptablePrice);
if (amountOut > 0) {
if (request.path.length > 1) {
IERC20(request.path[0]).safeTransfer(vault, amountOut);
amountOut = _swap(request.path, request.minOut, address(this));
}
if (request.withdrawETH) {
_transferOutETHWithGasLimitIgnoreFail(amountOut, payable(request.receiver));
} else {
IERC20(request.path[request.path.length - 1]).safeTransfer(request.receiver, amountOut);
}
}
_transferOutETHWithGasLimitIgnoreFail(request.executionFee, _executionFeeReceiver);
emit ExecuteDecreasePosition(
request.account,
request.path,
request.indexToken,
request.collateralDelta,
request.sizeDelta,
request.isLong,
request.receiver,
request.acceptablePrice,
request.minOut,
request.executionFee,
block.number.sub(request.blockNumber),
block.timestamp.sub(request.blockTime)
);
_callRequestCallback(request.callbackTarget, _key, true, false);
return true;
}
function cancelDecreasePosition(bytes32 _key, address payable _executionFeeReceiver) public nonReentrant returns (bool) {
DecreasePositionRequest memory request = decreasePositionRequests[_key];
// if the request was already executed or cancelled, return true so that the executeDecreasePositions loop will continue executing the next request
if (request.account == address(0)) { return true; }
bool shouldCancel = _validateCancellation(request.blockNumber, request.blockTime, request.account);
if (!shouldCancel) { return false; }
delete decreasePositionRequests[_key];
_transferOutETHWithGasLimitIgnoreFail(request.executionFee, _executionFeeReceiver);
emit CancelDecreasePosition(
request.account,
request.path,
request.indexToken,
request.collateralDelta,
request.sizeDelta,
request.isLong,
request.receiver,
request.acceptablePrice,
request.minOut,
request.executionFee,
block.number.sub(request.blockNumber),
block.timestamp.sub(request.blockTime)
);
_callRequestCallback(request.callbackTarget, _key, false, false);
return true;
}
function getRequestKey(address _account, uint256 _index) public pure returns (bytes32) {
return keccak256(abi.encodePacked(_account, _index));
}
function getIncreasePositionRequestPath(bytes32 _key) public view returns (address[] memory) {
IncreasePositionRequest memory request = increasePositionRequests[_key];
return request.path;
}
function getDecreasePositionRequestPath(bytes32 _key) public view returns (address[] memory) {
DecreasePositionRequest memory request = decreasePositionRequests[_key];
return request.path;
}
function _setTraderReferralCode(bytes32 _referralCode) internal {
if (_referralCode != bytes32(0) && referralStorage != address(0)) {
IReferralStorage(referralStorage).setTraderReferralCode(msg.sender, _referralCode);
}
}
function _validateExecution(uint256 _positionBlockNumber, uint256 _positionBlockTime, address _account) internal view returns (bool) {
if (_positionBlockTime.add(maxTimeDelay) <= block.timestamp) {
revert("expired");
}
bool isKeeperCall = msg.sender == address(this) || isPositionKeeper[msg.sender];
if (!isLeverageEnabled && !isKeeperCall) {
revert("403");
}
if (isKeeperCall) {
return _positionBlockNumber.add(minBlockDelayKeeper) <= block.number;
}
require(msg.sender == _account, "403");
require(_positionBlockTime.add(minTimeDelayPublic) <= block.timestamp, "delay");
return true;
}
function _validateCancellation(uint256 _positionBlockNumber, uint256 _positionBlockTime, address _account) internal view returns (bool) {
bool isKeeperCall = msg.sender == address(this) || isPositionKeeper[msg.sender];
if (!isLeverageEnabled && !isKeeperCall) {
revert("403");
}
if (isKeeperCall) {
return _positionBlockNumber.add(minBlockDelayKeeper) <= block.number;
}
require(msg.sender == _account, "403");
require(_positionBlockTime.add(minTimeDelayPublic) <= block.timestamp, "delay");
return true;
}
function _createIncreasePosition(
address _account,
address[] memory _path,
address _indexToken,
uint256 _amountIn,
uint256 _minOut,
uint256 _sizeDelta,
bool _isLong,
uint256 _acceptablePrice,
uint256 _executionFee,
bool _hasCollateralInETH,
address _callbackTarget
) internal returns (bytes32) {
IncreasePositionRequest memory request = IncreasePositionRequest(
_account,
_path,
_indexToken,
_amountIn,
_minOut,
_sizeDelta,
_isLong,
_acceptablePrice,
_executionFee,
block.number,
block.timestamp,
_hasCollateralInETH,
_callbackTarget
);
(uint256 index, bytes32 requestKey) = _storeIncreasePositionRequest(request);
emit CreateIncreasePosition(
_account,
_path,
_indexToken,
_amountIn,
_minOut,
_sizeDelta,
_isLong,
_acceptablePrice,
_executionFee,
index,
increasePositionRequestKeys.length - 1,
block.number,
block.timestamp,
tx.gasprice
);
return requestKey;
}
function _storeIncreasePositionRequest(IncreasePositionRequest memory _request) internal returns (uint256, bytes32) {
address account = _request.account;
uint256 index = increasePositionsIndex[account].add(1);
increasePositionsIndex[account] = index;
bytes32 key = getRequestKey(account, index);
increasePositionRequests[key] = _request;
increasePositionRequestKeys.push(key);
return (index, key);
}
function _storeDecreasePositionRequest(DecreasePositionRequest memory _request) internal returns (uint256, bytes32) {
address account = _request.account;
uint256 index = decreasePositionsIndex[account].add(1);
decreasePositionsIndex[account] = index;
bytes32 key = getRequestKey(account, index);
decreasePositionRequests[key] = _request;
decreasePositionRequestKeys.push(key);
return (index, key);
}
function _createDecreasePosition(
address _account,
address[] memory _path,
address _indexToken,
uint256 _collateralDelta,
uint256 _sizeDelta,
bool _isLong,
address _receiver,
uint256 _acceptablePrice,
uint256 _minOut,
uint256 _executionFee,
bool _withdrawETH,
address _callbackTarget
) internal returns (bytes32) {
DecreasePositionRequest memory request = DecreasePositionRequest(
_account,
_path,
_indexToken,
_collateralDelta,
_sizeDelta,
_isLong,
_receiver,
_acceptablePrice,
_minOut,
_executionFee,
block.number,
block.timestamp,
_withdrawETH,
_callbackTarget
);
(uint256 index, bytes32 requestKey) = _storeDecreasePositionRequest(request);
emit CreateDecreasePosition(
request.account,
request.path,
request.indexToken,
request.collateralDelta,
request.sizeDelta,
request.isLong,
request.receiver,
request.acceptablePrice,
request.minOut,
request.executionFee,
index,
decreasePositionRequestKeys.length - 1,
block.number,
block.timestamp
);
return requestKey;
}
function _callRequestCallback(
address _callbackTarget,
bytes32 _key,
bool _wasExecuted,
bool _isIncrease
) internal {
if (_callbackTarget == address(0)) {
return;
}
if (!_callbackTarget.isContract()) {
return;
}
uint256 _gasLimit = callbackGasLimit;
if (_gasLimit == 0) {
return;
}
bool success;
try IPositionRouterCallbackReceiver(_callbackTarget).gmxPositionCallback{ gas: _gasLimit }(_key, _wasExecuted, _isIncrease) {
success = true;
} catch {}
emit Callback(_callbackTarget, success);
}
}