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
use std::{rc::Rc, str::FromStr};
pub use anchor_client::{
solana_sdk::{
commitment_config::{CommitmentConfig, CommitmentLevel},
native_token::LAMPORTS_PER_SOL,
pubkey::Pubkey,
signature::{Keypair, Signature, Signer},
system_instruction, system_program, sysvar,
transaction::Transaction,
},
Client, Program,
};
use console::{style, Style};
use dialoguer::{theme::ColorfulTheme, Confirm};
use mpl_candy_machine::{accounts as nft_accounts, instruction as nft_instruction};
use solana_account_decoder::UiAccountEncoding;
use solana_client::{
rpc_config::{RpcAccountInfoConfig, RpcProgramAccountsConfig},
rpc_filter::{Memcmp, MemcmpEncodedBytes, RpcFilterType},
};
use crate::{
candy_machine::CANDY_MACHINE_ID,
common::*,
setup::{setup_client, sugar_setup},
utils::*,
};
pub struct WithdrawArgs {
pub candy_machine: Option<String>,
pub keypair: Option<String>,
pub rpc_url: Option<String>,
pub list: bool,
}
pub fn process_withdraw(args: WithdrawArgs) -> Result<()> {
println!(
"{} {}Initializing connection",
style("[1/2]").bold().dim(),
COMPUTER_EMOJI
);
let pb = spinner_with_style();
pb.set_message("Connecting...");
let (program, payer) = setup_withdraw(args.keypair, args.rpc_url)?;
pb.finish_with_message("Connected");
println!(
"\n{} {}{} funds",
style("[2/2]").bold().dim(),
WITHDRAW_EMOJI,
if args.list { "Listing" } else { "Retrieving" }
);
let candy_machine = if args.list { None } else { args.candy_machine };
match &candy_machine {
Some(candy_machine) => {
let candy_machine = Pubkey::from_str(candy_machine)?;
let pb = spinner_with_style();
pb.set_message("Draining candy machine...");
do_withdraw(Rc::new(program), candy_machine, payer)?;
pb.finish_with_message("Done");
}
None => {
let config = RpcProgramAccountsConfig {
filters: Some(vec![RpcFilterType::Memcmp(Memcmp {
offset: 8,
bytes: MemcmpEncodedBytes::Base58(payer.to_string()),
encoding: None,
})]),
account_config: RpcAccountInfoConfig {
encoding: Some(UiAccountEncoding::Base64),
data_slice: None,
commitment: Some(CommitmentConfig {
commitment: CommitmentLevel::Confirmed,
}),
},
with_context: None,
};
let pb = spinner_with_style();
pb.set_message("Looking up candy machines...");
let program = Rc::new(program);
let accounts = program
.rpc()
.get_program_accounts_with_config(&program.id(), config)?;
pb.finish_and_clear();
let mut total = 0.0f64;
accounts.iter().for_each(|account| {
let (_pubkey, account) = account;
total += account.lamports as f64;
});
println!(
"\nFound {} candy machines, total amount: ◎ {}",
accounts.len(),
total / LAMPORTS_PER_SOL as f64
);
if !accounts.is_empty() {
if args.list {
println!("\n{:48} Balance", "Candy Machine ID");
println!("{:-<61}", "-");
for (pubkey, account) in accounts {
println!(
"{:48} {:>12.8}",
pubkey.to_string(),
account.lamports as f64 / LAMPORTS_PER_SOL as f64
);
}
} else {
let warning = format!(
"\n\
+-----------------------------------------------------+\n\
| {} WARNING: This will drain ALL your Candy Machines |\n\
+-----------------------------------------------------+",
WARNING_EMOJI
);
println!("{}\n", style(warning).bold().yellow());
let theme = ColorfulTheme {
success_prefix: style("✔".to_string()).yellow().force_styling(true),
values_style: Style::new().yellow(),
..get_dialoguer_theme()
};
if !Confirm::with_theme(&theme)
.with_prompt("Do you want to continue?")
.interact()?
{
return Err(anyhow!("Withdraw aborted"));
}
let pb = progress_bar_with_style(accounts.len() as u64);
let mut not_drained = 0;
accounts.iter().for_each(|account| {
let (candy_machine, _account) = account;
do_withdraw(program.clone(), *candy_machine, payer).unwrap_or_else(|e| {
not_drained += 1;
error!("Error: {}", e);
});
pb.inc(1);
});
pb.finish();
if not_drained > 0 {
println!(
"{}",
style(format!("Could not drain {} candy machine(s)", not_drained))
.red()
.bold()
.dim()
);
}
}
}
}
}
Ok(())
}
fn setup_withdraw(keypair: Option<String>, rpc_url: Option<String>) -> Result<(Program, Pubkey)> {
let sugar_config = sugar_setup(keypair, rpc_url)?;
let client = setup_client(&sugar_config)?;
let program = client.program(CANDY_MACHINE_ID);
let payer = program.payer();
Ok((program, payer))
}
fn do_withdraw(program: Rc<Program>, candy_machine: Pubkey, payer: Pubkey) -> Result<()> {
program
.request()
.accounts(nft_accounts::WithdrawFunds {
candy_machine,
authority: payer,
})
.args(nft_instruction::WithdrawFunds {})
.send()?;
Ok(())
}