Drift Protocol v2
This repository provides open source access to Drift's Typescript SDK, Solana Programs, and more.
SDK Guide
The technical documentation for the SDK can be found here, and you can visit Drift's general purpose documentation here.
Installation
npm i @drift-labs/sdk
Getting Started
Setting up a wallet for your program
solana-keygen new
solana address
cd {projectLocation}
echo BOT_PRIVATE_KEY=`cat ~/.config/solana/id.json` >> .env
Concepts
BN / Precision
The Drift SDK uses BigNum (BN), using this package, to represent numerical values. This is because Solana tokens tend to use levels of precision which are too precise for standard Javascript floating point numbers to handle. All numbers in BN are represented as integers, and we will often denote the precision
of the number so that it can be converted back down to a regular number.
Example:
a BigNum: 10,500,000, with precision 10^6, is equal to 10.5 because 10,500,000 / 10^6 = 10.5.
The Drift SDK uses some common precisions, which are available as constants to import from the SDK.
Precision Name | Value |
---|
FUNDING_RATE_BUFFER | 10^3 |
QUOTE_PRECISION | 10^6 |
PEG_PRECISION | 10^6 |
PRICE_PRECISION | 10^6 |
AMM_RESERVE_PRECISION | 10^9 |
Important Note for BigNum division
Because BN only supports integers, you need to be conscious of the numbers you are using when dividing. BN will return the floor when using the regular division function; if you want to get the exact divison, you need to add the modulus of the two numbers as well. There is a helper function convertToNumber
in the SDK which will do this for you.
import {convertToNumber} from @drift-labs/sdk
new BN(10500).div(new BN(1000)).toNumber();
new BN(10500).div(new BN(1000)).toNumber() + BN(10500).mod(new BN(1000)).toNumber();
convertToNumber(new BN(10500), new BN(1000));
Examples
Setting up an account and making a trade
import { BN, Provider } from '@project-serum/anchor';
import { Token, TOKEN_PROGRAM_ID } from '@solana/spl-token';
import { Connection, Keypair, PublicKey } from '@solana/web3.js';
import {
calculateReservePrice,
DriftClient,
User,
initialize,
Markets,
PositionDirection,
convertToNumber,
calculateTradeSlippage,
PRICE_PRECISION,
QUOTE_PRECISION,
Wallet,
} from '@drift-labs/sdk';
export const getTokenAddress = (
mintAddress: string,
userPubKey: string
): Promise<PublicKey> => {
return Token.getAssociatedTokenAddress(
new PublicKey(`ATokenGPvbdGVxr1b2hvZbsiqW5xWH25efTNsLJA8knL`),
TOKEN_PROGRAM_ID,
new PublicKey(mintAddress),
new PublicKey(userPubKey)
);
};
const main = async () => {
const sdkConfig = initialize({ env: 'devnet' });
const privateKey = process.env.BOT_PRIVATE_KEY;
const keypair = Keypair.fromSecretKey(
Uint8Array.from(JSON.parse(privateKey))
);
const wallet = new Wallet(keypair);
const rpcAddress = process.env.RPC_ADDRESS;
const connection = new Connection(rpcAddress);
const provider = new Provider(connection, wallet, Provider.defaultOptions());
const lamportsBalance = await connection.getBalance(wallet.publicKey);
console.log('SOL balance:', lamportsBalance / 10 ** 9);
const usdcTokenAddress = await getTokenAddress(
sdkConfig.USDC_MINT_ADDRESS,
wallet.publicKey.toString()
);
const driftClientPublicKey = new PublicKey(sdkConfig.DRIFT_PROGRAM_ID);
const driftClient = DriftClient.from(
connection,
provider.wallet,
driftClientPublicKey
);
await driftClient.subscribe();
const user = User.from(driftClient, wallet.publicKey);
const userAccountExists = await user.exists();
if (!userAccountExists) {
const depositAmount = new BN(10000).mul(QUOTE_PRECISION);
await driftClient.initializeUserAccountAndDepositCollateral(
depositAmount,
await getTokenAddress(
usdcTokenAddress.toString(),
wallet.publicKey.toString()
)
);
}
await user.subscribe();
const solMarketInfo = Markets.find(
(market) => market.baseAssetSymbol === 'SOL'
);
const currentMarketPrice = calculateReservePrice(
driftClient.getMarket(solMarketInfo.marketIndex)
);
const formattedPrice = convertToNumber(currentMarketPrice, PRICE_PRECISION);
console.log(`Current Market Price is $${formattedPrice}`);
const solMarketAccount = driftClient.getMarket(solMarketInfo.marketIndex);
const slippage = convertToNumber(
calculateTradeSlippage(
PositionDirection.LONG,
new BN(5000).mul(QUOTE_PRECISION),
solMarketAccount
)[0],
PRICE_PRECISION
);
console.log(
`Slippage for a $5000 LONG on the SOL market would be $${slippage}`
);
await driftClient.openPosition(
PositionDirection.LONG,
new BN(5000).mul(QUOTE_PRECISION),
solMarketInfo.marketIndex
);
console.log(`LONGED $5000 worth of SOL`);
await driftClient.openPosition(
PositionDirection.SHORT,
new BN(2000).mul(QUOTE_PRECISION),
solMarketInfo.marketIndex
);
await driftClient.closePosition(solMarketInfo.marketIndex);
};
main();
License
Drift Protocol v1 is licensed under Apache 2.0.
Unless you explicitly state otherwise, any contribution intentionally submitted
for inclusion in Drift SDK by you, as defined in the Apache-2.0 license, shall be
licensed as above, without any additional terms or conditions.