forked from drift-labs/driftpy
-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathif_stake.py
254 lines (208 loc) · 8.01 KB
/
if_stake.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
import sys
import json
import pprint
sys.path.append("../src/")
from anchorpy import Wallet
from anchorpy import Provider
from solana.rpc.async_api import AsyncClient
from solana.keypair import Keypair
from solana.rpc import commitment
from driftpy.constants.config import configs
from driftpy.drift_client import DriftClient
from driftpy.accounts import *
from driftpy.drift_user import DriftUser
async def view_logs(sig: str, connection: AsyncClient):
connection._commitment = commitment.Confirmed
logs = ""
try:
await connection.confirm_transaction(sig, commitment.Confirmed)
logs = (await connection.get_transaction(sig))["result"]["meta"]["logMessages"]
finally:
connection._commitment = commitment.Processed
pprint.pprint(logs)
async def does_account_exist(connection, address):
rpc_resp = await connection.get_account_info(address)
if rpc_resp["result"]["value"] is None:
return False
return True
async def main(
keypath,
env,
url,
spot_market_index,
if_amount,
operation,
):
with open(keypath, "r") as f:
secret = json.load(f)
kp = Keypair.from_secret_key(bytes(secret))
print("using public key:", kp.public_key)
print("spot market:", spot_market_index)
config = configs[env]
wallet = Wallet(kp)
connection = AsyncClient(url)
provider = Provider(connection, wallet)
from driftpy.constants.numeric_constants import QUOTE_PRECISION
dc = DriftClient.from_config(config, provider)
drift_user = User(dc)
print(dc.program_id)
from spl.token.instructions import get_associated_token_address
spot_market = await get_spot_market_account(dc.program, spot_market_index)
spot_mint = spot_market.mint
print(spot_mint)
ata = get_associated_token_address(wallet.public_key, spot_mint)
balance = await connection.get_token_account_balance(ata)
print("current spot ata balance:", balance["result"]["value"]["uiAmount"])
print("ATA addr:", ata)
if operation == "add" or operation == "remove" and spot_market_index == 1:
ata = get_associated_token_address(dc.authority, spot_market.mint)
if not does_account_exist(connection, ata):
from spl.token.instructions import create_associated_token_account
ix = create_associated_token_account(
dc.authority, dc.authority, spot_market.mint
)
await dc.send_ixs(ix)
# send to WSOL and sync
# https://github.dev/solana-labs/solana-program-library/token/js/src/ix/types.ts
keys = [
AccountMeta(
pubkey=dc.get_associated_token_account_public_key(spot_market_index),
is_signer=False,
is_writable=True,
)
]
data = int.to_bytes(17, 1, "little")
program_id = TOKEN_PROGRAM_ID
ix = TransactionInstruction(keys=keys, program_id=program_id, data=data)
await dc.send_ixs(ix)
spot = await get_spot_market_account(dc.program, spot_market_index)
total_shares = spot.insurance_fund.total_shares
print(f"{operation}ing {if_amount}$ spot...")
spot_percision = 10**spot.decimals
if_amount = int(if_amount * spot_percision)
if operation == "add":
resp = input("confirm adding stake: Y?")
if resp != "Y":
print("confirmation failed exiting...")
return
if_addr = get_insurance_fund_stake_public_key(
dc.program_id, kp.public_key, spot_market_index
)
if not does_account_exist(connection, if_addr):
print("initializing stake account...")
sig = await dc.initialize_insurance_fund_stake(spot_market_index)
print(sig)
print("adding stake ....")
sig = await dc.add_insurance_fund_stake(spot_market_index, if_amount)
print(sig)
elif operation == "cancel":
print("canceling...")
sig = await dc.cancel_request_remove_insurance_fund_stake(spot_market_index)
print(sig)
elif operation == "remove":
resp = input("confirm removing stake: Y?")
if resp != "Y":
print("confirmation failed exiting...")
return
if if_amount is None:
vault_balance = (
await connection.get_token_account_balance(
get_insurance_fund_vault_public_key(
dc.program_id, spot_market_index
)
)
)["result"]["value"]["uiAmount"]
spot_market = await get_spot_market_account(dc.program, spot_market_index)
ifstake = await get_if_stake_account(
dc.program, dc.authority, spot_market_index
)
total_amount = (
vault_balance
* ifstake.if_shares
/ spot_market.insurance_fund.total_shares
)
print(f"claimable amount: {total_amount}$")
if_amount = int(total_amount * QUOTE_PRECISION)
print("requesting to remove if stake...")
ix = await dc.request_remove_insurance_fund_stake(spot_market_index, if_amount)
await view_logs(ix, connection)
print("removing if stake...")
try:
ix = await dc.remove_insurance_fund_stake(spot_market_index)
await view_logs(ix, connection)
except Exception as e:
print(
"unable to unstake -- likely bc not enough time has passed since request"
)
print(e)
return
elif operation == "view":
if_stake = await get_if_stake_account(
dc.program, dc.authority, spot_market_index
)
n_shares = if_stake.if_shares
conn = dc.program.provider.connection
vault_pk = get_insurance_fund_vault_public_key(dc.program_id, spot_market_index)
v_amount = int(
(await conn.get_token_account_balance(vault_pk))["result"]["value"][
"amount"
]
)
balance = v_amount * n_shares / total_shares
print(
f"vault_amount: {v_amount/QUOTE_PRECISION:,.2f}$ \nn_shares: {n_shares} \ntotal_shares: {total_shares} \n>balance: {balance / QUOTE_PRECISION}"
)
elif operation == "settle":
resp = input("confirm settling revenue to if stake: Y?")
if resp != "Y":
print("confirmation failed exiting...")
return
await dc.settle_revenue_to_insurance_fund(spot_market_index)
else:
return
if operation in ["add", "remove"]:
ifstake = await get_if_stake_account(
dc.program, dc.authority, spot_market_index
)
print("total if shares:", ifstake.if_shares)
print("done! :)")
if __name__ == "__main__":
import argparse
import os
parser = argparse.ArgumentParser()
parser.add_argument(
"--keypath", type=str, required=False, default=os.environ.get("ANCHOR_WALLET")
)
parser.add_argument("--env", type=str, default="devnet")
parser.add_argument("--amount", type=float, required=False)
parser.add_argument("--market", type=int, required=True)
parser.add_argument(
"--operation",
choices=["remove", "add", "view", "settle", "cancel"],
required=True,
)
args = parser.parse_args()
if args.operation == "add":
assert args.amount is not None, "adding requires --amount"
if args.operation == "remove" and args.amount is None:
print("removing full IF stake")
if args.keypath is None:
raise NotImplementedError("need to provide keypath or set ANCHOR_WALLET")
match args.env:
case "devnet":
url = "https://api.devnet.solana.com"
case "mainnet":
url = "https://api.mainnet-beta.solana.com"
case _:
raise NotImplementedError("only devnet/mainnet env supported")
import asyncio
asyncio.run(
main(
args.keypath,
args.env,
url,
args.market,
args.amount,
args.operation,
)
)