sui_rpc_loadgen/payload/
rpc_command_processor.rs

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
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
// Copyright (c) Mysten Labs, Inc.
// SPDX-License-Identifier: Apache-2.0

use anyhow::{anyhow, Result};
use async_trait::async_trait;
use dashmap::{DashMap, DashSet};
use futures::future::join_all;
use serde::de::DeserializeOwned;
use serde::Serialize;
use shared_crypto::intent::{Intent, IntentMessage};
use std::fmt;
use std::fs::{self, File};
use std::path::PathBuf;
use std::sync::Arc;
use std::time::{Duration, Instant};
use sui_json_rpc_types::{
    SuiExecutionStatus, SuiObjectDataOptions, SuiTransactionBlockDataAPI,
    SuiTransactionBlockEffectsAPI, SuiTransactionBlockResponse, SuiTransactionBlockResponseOptions,
};
use sui_types::digests::TransactionDigest;
use tokio::sync::RwLock;
use tokio::time::sleep;
use tracing::{debug, info};

use crate::load_test::LoadTestConfig;
use sui_sdk::{SuiClient, SuiClientBuilder};
use sui_types::base_types::{ObjectID, ObjectRef, SuiAddress};
use sui_types::crypto::{get_key_pair, AccountKeyPair, EncodeDecodeBase64, Signature, SuiKeyPair};
use sui_types::quorum_driver_types::ExecuteTransactionRequestType;
use sui_types::transaction::{Transaction, TransactionData};

use crate::payload::checkpoint_utils::get_latest_checkpoint_stats;
use crate::payload::validation::chunk_entities;
use crate::payload::{
    Command, CommandData, DryRun, GetAllBalances, GetCheckpoints, GetObject, MultiGetObjects,
    Payload, ProcessPayload, Processor, QueryTransactionBlocks, SignerInfo,
};

use super::MultiGetTransactionBlocks;

pub(crate) const DEFAULT_GAS_BUDGET: u64 = 500_000_000;
pub(crate) const DEFAULT_LARGE_GAS_BUDGET: u64 = 50_000_000_000;
pub(crate) const MAX_NUM_NEW_OBJECTS_IN_SINGLE_TRANSACTION: usize = 120;

#[derive(Clone)]
pub struct RpcCommandProcessor {
    clients: Arc<RwLock<Vec<SuiClient>>>,
    // for equivocation prevention in `WaitForEffectsCert` mode
    object_ref_cache: Arc<DashMap<ObjectID, ObjectRef>>,
    transaction_digests: Arc<DashSet<TransactionDigest>>,
    addresses: Arc<DashSet<SuiAddress>>,
    data_dir: String,
}

impl RpcCommandProcessor {
    pub async fn new(urls: &[String], data_dir: String) -> Self {
        let clients = join_all(urls.iter().map(|url| async {
            SuiClientBuilder::default()
                .max_concurrent_requests(usize::MAX)
                .request_timeout(Duration::from_secs(60))
                .build(url.clone())
                .await
                .unwrap()
        }))
        .await;

        Self {
            clients: Arc::new(RwLock::new(clients)),
            object_ref_cache: Arc::new(DashMap::new()),
            transaction_digests: Arc::new(DashSet::new()),
            addresses: Arc::new(DashSet::new()),
            data_dir,
        }
    }

    async fn process_command_data(
        &self,
        command: &CommandData,
        signer_info: &Option<SignerInfo>,
    ) -> Result<()> {
        match command {
            CommandData::DryRun(ref v) => self.process(v, signer_info).await,
            CommandData::GetCheckpoints(ref v) => self.process(v, signer_info).await,
            CommandData::PaySui(ref v) => self.process(v, signer_info).await,
            CommandData::QueryTransactionBlocks(ref v) => self.process(v, signer_info).await,
            CommandData::MultiGetTransactionBlocks(ref v) => self.process(v, signer_info).await,
            CommandData::MultiGetObjects(ref v) => self.process(v, signer_info).await,
            CommandData::GetObject(ref v) => self.process(v, signer_info).await,
            CommandData::GetAllBalances(ref v) => self.process(v, signer_info).await,
            CommandData::GetReferenceGasPrice(ref v) => self.process(v, signer_info).await,
        }
    }

    pub(crate) async fn get_clients(&self) -> Result<Vec<SuiClient>> {
        let read = self.clients.read().await;
        Ok(read.clone())
    }

    /// sign_and_execute transaction and update `object_ref_cache`
    pub(crate) async fn sign_and_execute(
        &self,
        client: &SuiClient,
        keypair: &SuiKeyPair,
        txn_data: TransactionData,
        request_type: ExecuteTransactionRequestType,
    ) -> SuiTransactionBlockResponse {
        let resp = sign_and_execute(client, keypair, txn_data, request_type).await;
        let effects = resp.effects.as_ref().unwrap();
        let object_ref_cache = self.object_ref_cache.clone();
        // NOTE: for now we don't need to care about deleted objects
        for (owned_object_ref, _) in effects.all_changed_objects() {
            let id = owned_object_ref.object_id();
            let current = object_ref_cache.get_mut(&id);
            match current {
                Some(mut c) => {
                    if c.1 < owned_object_ref.version() {
                        *c = owned_object_ref.reference.to_object_ref();
                    }
                }
                None => {
                    object_ref_cache.insert(id, owned_object_ref.reference.to_object_ref());
                }
            };
        }
        resp
    }

    /// get the latest object ref from local cache, and if not exist, fetch from fullnode
    pub(crate) async fn get_object_ref(
        &self,
        client: &SuiClient,
        object_id: &ObjectID,
    ) -> ObjectRef {
        let object_ref_cache = self.object_ref_cache.clone();
        let current = object_ref_cache.get_mut(object_id);
        match current {
            Some(c) => *c,
            None => {
                let resp = client
                    .read_api()
                    .get_object_with_options(*object_id, SuiObjectDataOptions::new())
                    .await
                    .unwrap_or_else(|_| panic!("Unable to fetch object reference {object_id}"));
                let object_ref = resp.object_ref_if_exists().unwrap_or_else(|| {
                    panic!("Unable to extract object reference {object_id} from response {resp:?}")
                });
                object_ref_cache.insert(*object_id, object_ref);
                object_ref
            }
        }
    }

    pub(crate) fn add_transaction_digests(&self, digests: Vec<TransactionDigest>) {
        // extend method requires mutable access to the underlying DashSet, which is not allowed by the Arc
        for digest in digests {
            self.transaction_digests.insert(digest);
        }
    }

    pub(crate) fn add_addresses_from_response(&self, responses: &[SuiTransactionBlockResponse]) {
        for response in responses {
            let transaction = &response.transaction;
            if let Some(transaction) = transaction {
                let data = &transaction.data;
                self.addresses.insert(*data.sender());
            }
        }
    }

    pub(crate) fn add_object_ids_from_response(&self, responses: &[SuiTransactionBlockResponse]) {
        for response in responses {
            let effects = &response.effects;
            if let Some(effects) = effects {
                let all_changed_objects = effects.all_changed_objects();
                for (object_ref, _) in all_changed_objects {
                    self.object_ref_cache
                        .insert(object_ref.object_id(), object_ref.reference.to_object_ref());
                }
            }
        }
    }

    pub(crate) fn dump_cache_to_file(&self) {
        // TODO: be more granular
        let digests: Vec<TransactionDigest> = self.transaction_digests.iter().map(|x| *x).collect();
        if !digests.is_empty() {
            debug!("dumping transaction digests to file {:?}", digests.len());
            write_data_to_file(
                &digests,
                &format!("{}/{}", &self.data_dir, CacheType::TransactionDigest),
            )
            .unwrap();
        }

        let addresses: Vec<SuiAddress> = self.addresses.iter().map(|x| *x).collect();
        if !addresses.is_empty() {
            debug!("dumping addresses to file {:?}", addresses.len());
            write_data_to_file(
                &addresses,
                &format!("{}/{}", &self.data_dir, CacheType::SuiAddress),
            )
            .unwrap();
        }

        let mut object_ids: Vec<ObjectID> = Vec::new();
        let cloned_object_cache = self.object_ref_cache.clone();

        for item in cloned_object_cache.iter() {
            let object_id = item.key();
            object_ids.push(*object_id);
        }

        if !object_ids.is_empty() {
            debug!("dumping object_ids to file {:?}", object_ids.len());
            write_data_to_file(
                &object_ids,
                &format!("{}/{}", &self.data_dir, CacheType::ObjectID),
            )
            .unwrap();
        }
    }
}

#[async_trait]
impl Processor for RpcCommandProcessor {
    async fn apply(&self, payload: &Payload) -> Result<()> {
        let commands = &payload.commands;
        for command in commands.iter() {
            let repeat_interval = command.repeat_interval;
            let repeat_n_times = command.repeat_n_times;
            for i in 0..=repeat_n_times {
                let start_time = Instant::now();

                self.process_command_data(&command.data, &payload.signer_info)
                    .await?;

                let elapsed_time = start_time.elapsed();
                if elapsed_time < repeat_interval {
                    let sleep_duration = repeat_interval - elapsed_time;
                    sleep(sleep_duration).await;
                }
                let clients = self.get_clients().await?;
                let checkpoint_stats = get_latest_checkpoint_stats(&clients, None).await;
                info!("Repeat {i}: Checkpoint stats {checkpoint_stats}, elapse {:.4} since last repeat", elapsed_time.as_secs_f64());
            }
        }
        Ok(())
    }

    async fn prepare(&self, config: &LoadTestConfig) -> Result<Vec<Payload>> {
        let clients = self.get_clients().await?;
        let Command {
            repeat_n_times,
            repeat_interval,
            ..
        } = &config.command;
        let command_payloads = match &config.command.data {
            CommandData::GetCheckpoints(data) => {
                if !config.divide_tasks {
                    vec![config.command.clone(); config.num_threads]
                } else {
                    divide_checkpoint_tasks(&clients, data, config.num_threads).await
                }
            }
            CommandData::QueryTransactionBlocks(data) => {
                if !config.divide_tasks {
                    vec![config.command.clone(); config.num_threads]
                } else {
                    divide_query_transaction_blocks_tasks(data, config.num_threads).await
                }
            }
            CommandData::MultiGetTransactionBlocks(data) => {
                if !config.divide_tasks {
                    vec![config.command.clone(); config.num_threads]
                } else {
                    divide_multi_get_transaction_blocks_tasks(data, config.num_threads).await
                }
            }
            CommandData::GetAllBalances(data) => {
                if !config.divide_tasks {
                    vec![config.command.clone(); config.num_threads]
                } else {
                    divide_get_all_balances_tasks(data, config.num_threads).await
                }
            }
            CommandData::MultiGetObjects(data) => {
                if !config.divide_tasks {
                    vec![config.command.clone(); config.num_threads]
                } else {
                    divide_multi_get_objects_tasks(data, config.num_threads).await
                }
            }
            CommandData::GetObject(data) => {
                if !config.divide_tasks {
                    vec![config.command.clone(); config.num_threads]
                } else {
                    divide_get_object_tasks(data, config.num_threads).await
                }
            }
            _ => vec![config.command.clone(); config.num_threads],
        };

        let command_payloads = command_payloads.into_iter().map(|command| {
            command
                .with_repeat_interval(*repeat_interval)
                .with_repeat_n_times(*repeat_n_times)
        });

        let coins_and_keys = if config.signer_info.is_some() {
            Some(
                prepare_new_signer_and_coins(
                    clients.first().unwrap(),
                    config.signer_info.as_ref().unwrap(),
                    config.num_threads * config.num_chunks_per_thread,
                    config.max_repeat as u64 + 1,
                )
                .await,
            )
        } else {
            None
        };

        let num_chunks = config.num_chunks_per_thread;
        Ok(command_payloads
            .into_iter()
            .enumerate()
            .map(|(i, command)| Payload {
                commands: vec![command], // note commands is also a vector
                signer_info: coins_and_keys
                    .as_ref()
                    .map(|(coins, encoded_keypair)| SignerInfo {
                        encoded_keypair: encoded_keypair.clone(),
                        gas_payment: Some(coins[num_chunks * i..(i + 1) * num_chunks].to_vec()),
                        gas_budget: None,
                    }),
            })
            .collect())
    }

    fn dump_cache_to_file(&self, config: &LoadTestConfig) {
        if let CommandData::GetCheckpoints(data) = &config.command.data {
            if data.record {
                self.dump_cache_to_file();
            }
        }
    }
}

#[async_trait]
impl<'a> ProcessPayload<'a, &'a DryRun> for RpcCommandProcessor {
    async fn process(&'a self, _op: &'a DryRun, _signer_info: &Option<SignerInfo>) -> Result<()> {
        debug!("DryRun");
        Ok(())
    }
}

fn write_data_to_file<T: Serialize>(data: &T, file_path: &str) -> Result<(), anyhow::Error> {
    let mut path_buf = PathBuf::from(&file_path);
    path_buf.pop();
    fs::create_dir_all(&path_buf).map_err(|e| anyhow!("Error creating directory: {}", e))?;

    let file_name = format!("{}.json", file_path);
    let file = File::create(file_name).map_err(|e| anyhow!("Error creating file: {}", e))?;
    serde_json::to_writer(file, data).map_err(|e| anyhow!("Error writing to file: {}", e))?;

    Ok(())
}

pub enum CacheType {
    SuiAddress,
    TransactionDigest,
    ObjectID,
}

impl fmt::Display for CacheType {
    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
        match self {
            CacheType::SuiAddress => write!(f, "SuiAddress"),
            CacheType::TransactionDigest => write!(f, "TransactionDigest"),
            CacheType::ObjectID => write!(f, "ObjectID"),
        }
    }
}

// TODO(Will): Consider using enums for input and output? Would mean we need to do checks any time we use generic load_cache_from_file
pub fn load_addresses_from_file(filepath: String) -> Vec<SuiAddress> {
    let path = format!("{}/{}", filepath, CacheType::SuiAddress);
    let addresses: Vec<SuiAddress> = read_data_from_file(&path).expect("Failed to read addresses");
    addresses
}

pub fn load_objects_from_file(filepath: String) -> Vec<ObjectID> {
    let path = format!("{}/{}", filepath, CacheType::ObjectID);
    let objects: Vec<ObjectID> = read_data_from_file(&path).expect("Failed to read objects");
    objects
}

pub fn load_digests_from_file(filepath: String) -> Vec<TransactionDigest> {
    let path = format!("{}/{}", filepath, CacheType::TransactionDigest);
    let digests: Vec<TransactionDigest> =
        read_data_from_file(&path).expect("Failed to read transaction digests");
    digests
}

fn read_data_from_file<T: DeserializeOwned>(file_path: &str) -> Result<T, anyhow::Error> {
    let mut path_buf = PathBuf::from(file_path);

    // Check if the file has a JSON extension
    if path_buf.extension().is_none_or(|ext| ext != "json") {
        // If not, add .json to the filename
        path_buf.set_extension("json");
    }

    let path = path_buf.as_path();
    if !path.exists() {
        return Err(anyhow!("File not found: {}", file_path));
    }

    let file = File::open(path).map_err(|e| anyhow::anyhow!("Error opening file: {}", e))?;
    let deserialized_data: T =
        serde_json::from_reader(file).map_err(|e| anyhow!("Deserialization error: {}", e))?;

    Ok(deserialized_data)
}

async fn divide_checkpoint_tasks(
    clients: &[SuiClient],
    data: &GetCheckpoints,
    num_chunks: usize,
) -> Vec<Command> {
    let start = data.start;
    let end = match data.end {
        Some(end) => end,
        None => {
            let end_checkpoints = join_all(clients.iter().map(|client| async {
                client
                    .read_api()
                    .get_latest_checkpoint_sequence_number()
                    .await
                    .expect("get_latest_checkpoint_sequence_number should not fail")
            }))
            .await;
            *end_checkpoints
                .iter()
                .max()
                .expect("get_latest_checkpoint_sequence_number should not return empty")
        }
    };

    let chunk_size = (end - start) / num_chunks as u64;
    (0..num_chunks)
        .map(|i| {
            let start_checkpoint = start + (i as u64) * chunk_size;
            let end_checkpoint = end.min(start + ((i + 1) as u64) * chunk_size);
            Command::new_get_checkpoints(
                start_checkpoint,
                Some(end_checkpoint),
                data.verify_transactions,
                data.verify_objects,
                data.record,
            )
        })
        .collect()
}

async fn divide_query_transaction_blocks_tasks(
    data: &QueryTransactionBlocks,
    num_chunks: usize,
) -> Vec<Command> {
    let chunk_size = if data.addresses.len() < num_chunks {
        1
    } else {
        data.addresses.len() as u64 / num_chunks as u64
    };
    let chunked = chunk_entities(data.addresses.as_slice(), Some(chunk_size as usize));
    chunked
        .into_iter()
        .map(|chunk| Command::new_query_transaction_blocks(data.address_type.clone(), chunk))
        .collect()
}

async fn divide_multi_get_transaction_blocks_tasks(
    data: &MultiGetTransactionBlocks,
    num_chunks: usize,
) -> Vec<Command> {
    let chunk_size = if data.digests.len() < num_chunks {
        1
    } else {
        data.digests.len() as u64 / num_chunks as u64
    };
    let chunked = chunk_entities(data.digests.as_slice(), Some(chunk_size as usize));
    chunked
        .into_iter()
        .map(Command::new_multi_get_transaction_blocks)
        .collect()
}

async fn divide_get_all_balances_tasks(data: &GetAllBalances, num_threads: usize) -> Vec<Command> {
    let per_thread_size = if data.addresses.len() < num_threads {
        1
    } else {
        data.addresses.len() / num_threads
    };

    let chunked = chunk_entities(data.addresses.as_slice(), Some(per_thread_size));
    chunked
        .into_iter()
        .map(|chunk| Command::new_get_all_balances(chunk, data.chunk_size))
        .collect()
}

// TODO: probs can do generic divide tasks
async fn divide_multi_get_objects_tasks(data: &MultiGetObjects, num_chunks: usize) -> Vec<Command> {
    let chunk_size = if data.object_ids.len() < num_chunks {
        1
    } else {
        data.object_ids.len() as u64 / num_chunks as u64
    };
    let chunked = chunk_entities(data.object_ids.as_slice(), Some(chunk_size as usize));
    chunked
        .into_iter()
        .map(Command::new_multi_get_objects)
        .collect()
}

async fn divide_get_object_tasks(data: &GetObject, num_threads: usize) -> Vec<Command> {
    let per_thread_size = if data.object_ids.len() < num_threads {
        1
    } else {
        data.object_ids.len() / num_threads
    };

    let chunked = chunk_entities(data.object_ids.as_slice(), Some(per_thread_size));
    chunked
        .into_iter()
        .map(|chunk| Command::new_get_object(chunk, data.chunk_size))
        .collect()
}

async fn prepare_new_signer_and_coins(
    client: &SuiClient,
    signer_info: &SignerInfo,
    num_coins: usize,
    num_transactions_per_coin: u64,
) -> (Vec<ObjectID>, String) {
    // TODO(chris): consider reference gas price
    let amount_per_coin = num_transactions_per_coin * DEFAULT_GAS_BUDGET;
    let pay_amount = amount_per_coin * num_coins as u64;
    let num_split_txns =
        num_transactions_needed(num_coins, MAX_NUM_NEW_OBJECTS_IN_SINGLE_TRANSACTION);
    let (gas_fee_for_split, gas_fee_for_pay_sui) = (
        DEFAULT_LARGE_GAS_BUDGET * num_split_txns as u64,
        DEFAULT_GAS_BUDGET,
    );

    let primary_keypair = SuiKeyPair::decode_base64(&signer_info.encoded_keypair)
        .expect("Decoding keypair should not fail");
    let sender = SuiAddress::from(&primary_keypair.public());
    let (coin, balance) = get_coin_with_max_balance(client, sender).await;
    // The balance needs to cover `pay_amount` plus
    // 1. gas fee for pay_sui from the primary address to the burner address
    // 2. gas fee for splitting the primary coin into `num_coins`
    let required_balance = pay_amount + gas_fee_for_split + gas_fee_for_pay_sui;
    if required_balance > balance {
        panic!("Current balance {balance} is smaller than require amount of MIST to fund the operation {required_balance}");
    }

    // There is a limit for the number of new objects in a transactions, therefore we need
    // multiple split transactions if the `num_coins` is large
    let split_amounts = calculate_split_amounts(
        num_coins,
        amount_per_coin,
        MAX_NUM_NEW_OBJECTS_IN_SINGLE_TRANSACTION,
    );

    debug!("split_amounts {split_amounts:?}");

    // We don't want to split coins in our primary address because we want to avoid having
    // a million coin objects in our address. We can also fetch directly from the faucet, but in
    // some environment that might not be possible when faucet resource is scarce
    let (burner_address, burner_keypair): (_, AccountKeyPair) = get_key_pair();
    let burner_keypair = SuiKeyPair::Ed25519(burner_keypair);
    let pay_amounts = split_amounts
        .iter()
        .map(|(amount, _)| *amount)
        .chain(std::iter::once(gas_fee_for_split))
        .collect::<Vec<_>>();

    debug!("pay_amounts {pay_amounts:?}");

    pay_sui(
        client,
        &primary_keypair,
        vec![coin],
        DEFAULT_GAS_BUDGET,
        vec![burner_address; pay_amounts.len()],
        pay_amounts,
    )
    .await;

    let coins = get_sui_coin_ids(client, burner_address).await;
    let gas_coin_id = get_coin_with_balance(&coins, gas_fee_for_split);
    let primary_coin = get_coin_with_balance(&coins, split_amounts[0].0);
    assert!(!coins.is_empty());
    let mut results: Vec<ObjectID> = vec![];
    assert!(!split_amounts.is_empty());
    if split_amounts.len() == 1 && split_amounts[0].1 == 0 {
        results.push(get_coin_with_balance(&coins, split_amounts[0].0));
    } else if split_amounts.len() == 1 {
        results.extend(
            split_coins(
                client,
                &burner_keypair,
                primary_coin,
                gas_coin_id,
                split_amounts[0].1 as u64,
            )
            .await,
        );
    } else {
        let (max_amount, max_split) = &split_amounts[0];
        let (remainder_amount, remainder_split) = split_amounts.last().unwrap();
        let primary_coins = coins
            .iter()
            .filter(|(_, balance)| balance == max_amount)
            .map(|(id, _)| (*id, *max_split as u64))
            .chain(
                coins
                    .iter()
                    .filter(|(_, balance)| balance == remainder_amount)
                    .map(|(id, _)| (*id, *remainder_split as u64)),
            )
            .collect::<Vec<_>>();

        for (coin_id, splits) in primary_coins {
            results
                .extend(split_coins(client, &burner_keypair, coin_id, gas_coin_id, splits).await);
        }
    }
    assert_eq!(results.len(), num_coins);
    debug!("Split off {} coins for gas payment {results:?}", num_coins);
    (results, burner_keypair.encode_base64())
}

/// Calculate the number of transactions needed to split the given number of coins.
/// new_coins_per_txn must be greater than 0
fn num_transactions_needed(num_coins: usize, new_coins_per_txn: usize) -> usize {
    assert!(new_coins_per_txn > 0);
    if num_coins == 1 {
        return 0;
    }
    num_coins.div_ceil(new_coins_per_txn)
}

/// Calculate the split amounts for a given number of coins, amount per coin, and maximum number of coins per transaction.
/// Returns a Vec of (primary_coin_amount, split_into_n_coins)
fn calculate_split_amounts(
    num_coins: usize,
    amount_per_coin: u64,
    max_coins_per_txn: usize,
) -> Vec<(u64, usize)> {
    let total_amount = amount_per_coin * num_coins as u64;
    let num_transactions = num_transactions_needed(num_coins, max_coins_per_txn);

    if num_transactions == 0 {
        return vec![(total_amount, 0)];
    }

    let amount_per_transaction = max_coins_per_txn as u64 * amount_per_coin;
    let remaining_amount = total_amount - amount_per_transaction * (num_transactions as u64 - 1);
    let mut split_amounts: Vec<(u64, usize)> =
        vec![(amount_per_transaction, max_coins_per_txn); num_transactions - 1];
    split_amounts.push((
        remaining_amount,
        num_coins - max_coins_per_txn * (num_transactions - 1),
    ));
    split_amounts
}

async fn get_coin_with_max_balance(client: &SuiClient, address: SuiAddress) -> (ObjectID, u64) {
    let coins = get_sui_coin_ids(client, address).await;
    assert!(!coins.is_empty());
    coins.into_iter().max_by(|a, b| a.1.cmp(&b.1)).unwrap()
}

fn get_coin_with_balance(coins: &[(ObjectID, u64)], target: u64) -> ObjectID {
    coins.iter().find(|(_, b)| b == &target).unwrap().0
}

// TODO: move this to the Rust SDK
async fn get_sui_coin_ids(client: &SuiClient, address: SuiAddress) -> Vec<(ObjectID, u64)> {
    match client
        .coin_read_api()
        .get_coins(address, None, None, None)
        .await
    {
        Ok(page) => page
            .data
            .into_iter()
            .map(|c| (c.coin_object_id, c.balance))
            .collect::<Vec<_>>(),
        Err(e) => {
            panic!("get_sui_coin_ids error for address {address} {e}")
        }
    }
    // TODO: implement iteration over next page
}

async fn pay_sui(
    client: &SuiClient,
    keypair: &SuiKeyPair,
    input_coins: Vec<ObjectID>,
    gas_budget: u64,
    recipients: Vec<SuiAddress>,
    amounts: Vec<u64>,
) -> SuiTransactionBlockResponse {
    let sender = SuiAddress::from(&keypair.public());
    let tx = client
        .transaction_builder()
        .pay(sender, input_coins, recipients, amounts, None, gas_budget)
        .await
        .expect("Failed to construct pay sui transaction");
    sign_and_execute(
        client,
        keypair,
        tx,
        ExecuteTransactionRequestType::WaitForLocalExecution,
    )
    .await
}

async fn split_coins(
    client: &SuiClient,
    keypair: &SuiKeyPair,
    coin_to_split: ObjectID,
    gas_payment: ObjectID,
    num_coins: u64,
) -> Vec<ObjectID> {
    let sender = SuiAddress::from(&keypair.public());
    let split_coin_tx = client
        .transaction_builder()
        .split_coin_equal(
            sender,
            coin_to_split,
            num_coins,
            Some(gas_payment),
            DEFAULT_LARGE_GAS_BUDGET,
        )
        .await
        .expect("Failed to construct split coin transaction");
    sign_and_execute(
        client,
        keypair,
        split_coin_tx,
        ExecuteTransactionRequestType::WaitForLocalExecution,
    )
    .await
    .effects
    .unwrap()
    .created()
    .iter()
    .map(|owned_object_ref| owned_object_ref.reference.object_id)
    .chain(std::iter::once(coin_to_split))
    .collect::<Vec<_>>()
}

pub(crate) async fn sign_and_execute(
    client: &SuiClient,
    keypair: &SuiKeyPair,
    txn_data: TransactionData,
    request_type: ExecuteTransactionRequestType,
) -> SuiTransactionBlockResponse {
    let signature = Signature::new_secure(
        &IntentMessage::new(Intent::sui_transaction(), &txn_data),
        keypair,
    );

    let transaction_response = match client
        .quorum_driver_api()
        .execute_transaction_block(
            Transaction::from_data(txn_data, vec![signature]),
            SuiTransactionBlockResponseOptions::new().with_effects(),
            Some(request_type),
        )
        .await
    {
        Ok(response) => response,
        Err(e) => {
            panic!("sign_and_execute error {e}")
        }
    };

    match &transaction_response.effects {
        Some(effects) => {
            if let SuiExecutionStatus::Failure { error } = effects.status() {
                panic!(
                    "Transaction {} failed with error: {}. Transaction Response: {:?}",
                    transaction_response.digest, error, &transaction_response
                );
            }
        }
        None => {
            panic!(
                "Transaction {} has no effects. Response {:?}",
                transaction_response.digest, &transaction_response
            );
        }
    };
    transaction_response
}

#[cfg(test)]
mod tests {
    use super::*;
    use std::{assert_eq, vec};

    #[test]
    fn test_calculate_split_amounts_no_split_needed() {
        let num_coins = 10;
        let amount_per_coin = 100;
        let max_coins_per_txn = 20;
        let expected = vec![(1000, 10)];
        let result = calculate_split_amounts(num_coins, amount_per_coin, max_coins_per_txn);

        assert_eq!(expected, result);
    }

    #[test]
    fn test_calculate_split_amounts_exact_split() {
        let num_coins = 10;
        let amount_per_coin = 100;
        let max_coins_per_txn = 5;
        let expected = vec![(500, 5), (500, 5)];
        let result = calculate_split_amounts(num_coins, amount_per_coin, max_coins_per_txn);

        assert_eq!(expected, result);
    }

    #[test]
    fn test_calculate_split_amounts_with_remainder() {
        let num_coins = 12;
        let amount_per_coin = 100;
        let max_coins_per_txn = 5;
        let expected = vec![(500, 5), (500, 5), (200, 2)];
        let result = calculate_split_amounts(num_coins, amount_per_coin, max_coins_per_txn);

        assert_eq!(expected, result);
    }

    #[test]
    fn test_calculate_split_amounts_single_coin() {
        let num_coins = 1;
        let amount_per_coin = 100;
        let max_coins_per_txn = 5;
        let expected = vec![(100, 0)];
        let result = calculate_split_amounts(num_coins, amount_per_coin, max_coins_per_txn);

        assert_eq!(expected, result);
    }

    #[test]
    fn test_calculate_split_amounts_max_coins_equals_num_coins() {
        let num_coins = 5;
        let amount_per_coin = 100;
        let max_coins_per_txn = 5;
        let expected = vec![(500, 5)];
        let result = calculate_split_amounts(num_coins, amount_per_coin, max_coins_per_txn);

        assert_eq!(expected, result);
    }

    #[test]
    #[should_panic(expected = "assertion failed: new_coins_per_txn > 0")]
    fn test_calculate_split_amounts_zero_max_coins() {
        let num_coins = 5;
        let amount_per_coin = 100;
        let max_coins_per_txn = 0;

        calculate_split_amounts(num_coins, amount_per_coin, max_coins_per_txn);
    }
}