sui_core/authority/
shared_object_congestion_tracker.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
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
// Copyright (c) Mysten Labs, Inc.
// SPDX-License-Identifier: Apache-2.0

use super::execution_time_estimator::ExecutionTimeEstimator;
use crate::authority::transaction_deferral::DeferralKey;
use crate::consensus_handler::ConsensusCommitInfo;
use mysten_common::fatal;
use serde::{Deserialize, Serialize};
use std::collections::HashMap;
use sui_protocol_config::{PerObjectCongestionControlMode, ProtocolConfig};
use sui_types::base_types::{ObjectID, TransactionDigest};
use sui_types::error::SuiResult;
use sui_types::executable_transaction::VerifiedExecutableTransaction;
use sui_types::messages_consensus::Round;
use sui_types::transaction::{Argument, SharedInputObject, TransactionDataAPI};
use tracing::trace;

#[derive(PartialEq, Eq, Clone, Debug)]
struct Params {
    mode: PerObjectCongestionControlMode,
    for_randomness: bool,
    max_accumulated_txn_cost_per_object_in_commit: u64,
    gas_budget_based_txn_cost_cap_factor: Option<u64>,
    gas_budget_based_txn_cost_absolute_cap: Option<u64>,
    max_txn_cost_overage_per_object_in_commit: u64,
    allowed_txn_cost_overage_burst_per_object_in_commit: u64,
}

impl Params {
    // Get the target budget per commit. Over the long term, the scheduler will try to
    // schedule no more than this much work per object per commit on average.
    pub fn commit_budget(&self, commit_info: &ConsensusCommitInfo) -> u64 {
        match self.mode {
            PerObjectCongestionControlMode::ExecutionTimeEstimate(params) => {
                let estimated_commit_period = commit_info.estimated_commit_period();
                let commit_period_micros = estimated_commit_period.as_micros() as u64;
                let mut budget = commit_period_micros
                    .checked_mul(params.target_utilization)
                    .unwrap_or(u64::MAX)
                    / 100;
                if self.for_randomness {
                    budget = budget
                        .checked_mul(params.randomness_scalar)
                        .unwrap_or(u64::MAX)
                        / 100;
                }
                budget
            }
            _ => self.max_accumulated_txn_cost_per_object_in_commit,
        }
    }

    // The amount scheduled in a commit can "burst" up to this much over the target budget.
    // The per-object debt limit will enforce the average limit over time.
    pub fn max_burst(&self) -> u64 {
        match self.mode {
            PerObjectCongestionControlMode::ExecutionTimeEstimate(params) => {
                let mut burst = params.allowed_txn_cost_overage_burst_limit_us;
                if self.for_randomness {
                    burst = burst
                        .checked_mul(params.randomness_scalar)
                        .unwrap_or(u64::MAX)
                        / 100;
                }
                burst
            }
            _ => self.allowed_txn_cost_overage_burst_per_object_in_commit,
        }
    }

    // The absolute maximum to schedule per commit, even for a single transaction.
    // This should normally be very high, otherwise some transactions could be
    // unschedulable regardless of congestion.
    pub fn max_overage(&self) -> u64 {
        match self.mode {
            PerObjectCongestionControlMode::ExecutionTimeEstimate(_) => u64::MAX,
            _ => self.max_txn_cost_overage_per_object_in_commit,
        }
    }

    pub fn gas_budget_based_txn_cost_cap_factor(&self) -> u64 {
        match self.mode {
            PerObjectCongestionControlMode::TotalGasBudgetWithCap => self
                .gas_budget_based_txn_cost_cap_factor
                .expect("cap factor must be set if TotalGasBudgetWithCap mode is used."),
            _ => fatal!(
                "gas_budget_based_txn_cost_cap_factor is only used in TotalGasBudgetWithCap mode."
            ),
        }
    }

    pub fn gas_budget_based_txn_cost_absolute_cap(&self) -> Option<u64> {
        match self.mode {
            PerObjectCongestionControlMode::TotalGasBudgetWithCap => {
                self.gas_budget_based_txn_cost_absolute_cap
            }
            _ => fatal!(
                "gas_budget_based_txn_cost_absolute_cap is only used in TotalGasBudgetWithCap mode."
            ),
        }
    }
}

// SharedObjectCongestionTracker stores the accumulated cost of executing transactions on an object, for
// all transactions in a consensus commit.
//
// Cost is an indication of transaction execution latency. When transactions are scheduled by
// the consensus handler, each scheduled transaction adds cost (execution latency) to all the objects it
// reads or writes.
//
// The goal of this data structure is to capture the critical path of transaction execution latency on each
// objects.
//
// The mode field determines how the cost is calculated. The cost can be calculated based on the total gas
// budget, or total number of transaction count.
#[derive(PartialEq, Eq, Clone, Debug)]
pub struct SharedObjectCongestionTracker {
    object_execution_cost: HashMap<ObjectID, u64>,
    params: Params,
}

impl SharedObjectCongestionTracker {
    pub fn new(
        initial_object_debts: impl IntoIterator<Item = (ObjectID, u64)>,
        mode: PerObjectCongestionControlMode,
        for_randomness: bool,
        max_accumulated_txn_cost_per_object_in_commit: Option<u64>,
        gas_budget_based_txn_cost_cap_factor: Option<u64>,
        gas_budget_based_txn_cost_absolute_cap_commit_count: Option<u64>,
        max_txn_cost_overage_per_object_in_commit: u64,
        allowed_txn_cost_overage_burst_per_object_in_commit: u64,
    ) -> Self {
        assert!(
            allowed_txn_cost_overage_burst_per_object_in_commit <= max_txn_cost_overage_per_object_in_commit,
            "burst limit must be <= absolute limit; allowed_txn_cost_overage_burst_per_object_in_commit = {allowed_txn_cost_overage_burst_per_object_in_commit}, max_txn_cost_overage_per_object_in_commit = {max_txn_cost_overage_per_object_in_commit}"
        );

        let object_execution_cost: HashMap<ObjectID, u64> =
            initial_object_debts.into_iter().collect();
        let max_accumulated_txn_cost_per_object_in_commit =
            if mode == PerObjectCongestionControlMode::None {
                0
            } else {
                max_accumulated_txn_cost_per_object_in_commit.expect(
                    "max_accumulated_txn_cost_per_object_in_commit must be set if mode is not None",
                )
            };
        let gas_budget_based_txn_cost_absolute_cap =
            gas_budget_based_txn_cost_absolute_cap_commit_count
                .map(|m| m * max_accumulated_txn_cost_per_object_in_commit);
        trace!(
            "created SharedObjectCongestionTracker with
             {} initial object debts,
             mode: {mode:?}, 
             max_accumulated_txn_cost_per_object_in_commit: {max_accumulated_txn_cost_per_object_in_commit:?}, 
             gas_budget_based_txn_cost_cap_factor: {gas_budget_based_txn_cost_cap_factor:?}, 
             gas_budget_based_txn_cost_absolute_cap: {gas_budget_based_txn_cost_absolute_cap:?}, 
             max_txn_cost_overage_per_object_in_commit: {max_txn_cost_overage_per_object_in_commit:?}",
            object_execution_cost.len(),
        );
        Self {
            object_execution_cost,
            params: Params {
                mode,
                for_randomness,
                max_accumulated_txn_cost_per_object_in_commit,
                gas_budget_based_txn_cost_cap_factor,
                gas_budget_based_txn_cost_absolute_cap,
                max_txn_cost_overage_per_object_in_commit,
                allowed_txn_cost_overage_burst_per_object_in_commit,
            },
        }
    }

    pub fn from_protocol_config(
        initial_object_debts: impl IntoIterator<Item = (ObjectID, u64)>,
        protocol_config: &ProtocolConfig,
        for_randomness: bool,
    ) -> SuiResult<Self> {
        let max_accumulated_txn_cost_per_object_in_commit =
            protocol_config.max_accumulated_txn_cost_per_object_in_mysticeti_commit_as_option();
        Ok(Self::new(
            initial_object_debts,
            protocol_config.per_object_congestion_control_mode(),
            for_randomness,
            if for_randomness {
                protocol_config
                    .max_accumulated_randomness_txn_cost_per_object_in_mysticeti_commit_as_option()
                    .or(max_accumulated_txn_cost_per_object_in_commit)
            } else {
                max_accumulated_txn_cost_per_object_in_commit
            },
            protocol_config.gas_budget_based_txn_cost_cap_factor_as_option(),
            protocol_config.gas_budget_based_txn_cost_absolute_cap_commit_count_as_option(),
            protocol_config
                .max_txn_cost_overage_per_object_in_commit_as_option()
                .unwrap_or(0),
            protocol_config
                .allowed_txn_cost_overage_burst_per_object_in_commit_as_option()
                .unwrap_or(0),
        ))
    }

    // Given a list of shared input objects, returns the starting cost of a transaction that operates on
    // these objects.
    //
    // Starting cost is a proxy for the starting time of the transaction. It is determined by all the input
    // shared objects' last write.
    pub fn compute_tx_start_at_cost(&self, shared_input_objects: &[SharedInputObject]) -> u64 {
        shared_input_objects
            .iter()
            .map(|obj| *self.object_execution_cost.get(&obj.id).unwrap_or(&0))
            .max()
            .expect("There must be at least one object in shared_input_objects.")
    }

    pub fn get_tx_cost(
        &self,
        execution_time_estimator: Option<&ExecutionTimeEstimator>,
        cert: &VerifiedExecutableTransaction,
    ) -> Option<u64> {
        match &self.params.mode {
            PerObjectCongestionControlMode::None => None,
            PerObjectCongestionControlMode::TotalGasBudget => Some(cert.gas_budget()),
            PerObjectCongestionControlMode::TotalTxCount => Some(1),
            PerObjectCongestionControlMode::TotalGasBudgetWithCap => {
                Some(std::cmp::min(cert.gas_budget(), self.get_tx_cost_cap(cert)))
            }
            PerObjectCongestionControlMode::ExecutionTimeEstimate(_) => Some(
                execution_time_estimator
                    .expect("`execution_time_estimator` must be set for PerObjectCongestionControlMode::ExecutionTimeEstimate")
                    .get_estimate(cert.transaction_data())
                    .as_micros()
                    .try_into()
                    .unwrap_or(u64::MAX),
            ),
        }
    }

    // Given a transaction, returns the deferral key and the congested objects if the transaction should be deferred.
    pub fn should_defer_due_to_object_congestion(
        &self,
        execution_time_estimator: Option<&ExecutionTimeEstimator>,
        cert: &VerifiedExecutableTransaction,
        previously_deferred_tx_digests: &HashMap<TransactionDigest, DeferralKey>,
        commit_info: &ConsensusCommitInfo,
    ) -> Option<(DeferralKey, Vec<ObjectID>)> {
        let commit_round = commit_info.round;

        let tx_cost = self.get_tx_cost(execution_time_estimator, cert)?;

        let shared_input_objects: Vec<_> = cert.shared_input_objects().collect();
        if shared_input_objects.is_empty() {
            // This is an owned object only transaction. No need to defer.
            return None;
        }
        let start_cost = self.compute_tx_start_at_cost(&shared_input_objects);
        let end_cost = start_cost.saturating_add(tx_cost);

        let budget = self.params.commit_budget(commit_info);

        // Allow tx if it's within configured limits.
        let burst_limit = budget.saturating_add(self.params.max_burst());
        let absolute_limit = budget.saturating_add(self.params.max_overage());

        if start_cost <= burst_limit && end_cost <= absolute_limit {
            return None;
        }

        // Finds out the congested objects.
        //
        // Note that the congested objects here may be caused by transaction dependency of other congested objects.
        // Consider in a consensus commit, there are many transactions touching object A, and later in processing the
        // consensus commit, there is a transaction touching both object A and B. Although there are fewer transactions
        // touching object B, becase it's starting execution is delayed due to dependency to other transactions on
        // object A, it may be shown up as congested objects.
        let mut congested_objects = vec![];
        for obj in shared_input_objects {
            // TODO: right now, we only return objects that are on the execution critical path in this consensus commit.
            // However, for objects that are no on the critical path, they may potentially also be congested (e.g., an
            // object has start cost == start_cost - 1, and adding the gas budget will exceed the limit). We don't
            // return them for now because it's unclear how they can be used to return suggested gas price for the
            // user. We need to revisit this later once we have a clear idea of how to determine the suggested gas price.
            if &start_cost == self.object_execution_cost.get(&obj.id).unwrap_or(&0) {
                congested_objects.push(obj.id);
            }
        }

        assert!(!congested_objects.is_empty());

        let deferral_key =
            if let Some(previous_key) = previously_deferred_tx_digests.get(cert.digest()) {
                // This transaction has been deferred in previous consensus commit. Use its previous deferred_from_round.
                DeferralKey::new_for_consensus_round(
                    commit_round + 1,
                    previous_key.deferred_from_round(),
                )
            } else {
                // This transaction has not been deferred before. Use the current commit round
                // as the deferred_from_round.
                DeferralKey::new_for_consensus_round(commit_round + 1, commit_round)
            };
        Some((deferral_key, congested_objects))
    }

    // Update shared objects' execution cost used in `cert` using `cert`'s execution cost.
    // This is called when `cert` is scheduled for execution.
    pub fn bump_object_execution_cost(
        &mut self,
        execution_time_estimator: Option<&ExecutionTimeEstimator>,
        cert: &VerifiedExecutableTransaction,
    ) {
        let Some(tx_cost) = self.get_tx_cost(execution_time_estimator, cert) else {
            return;
        };

        let shared_input_objects: Vec<_> = cert.shared_input_objects().collect();
        let start_cost = self.compute_tx_start_at_cost(&shared_input_objects);
        let end_cost = start_cost.saturating_add(tx_cost);

        for obj in shared_input_objects {
            if obj.mutable {
                let old_end_cost = self.object_execution_cost.insert(obj.id, end_cost);
                assert!(old_end_cost.is_none() || old_end_cost.unwrap() <= end_cost);
            }
        }
    }

    // Returns accumulated debts for objects whose budgets have been exceeded over the course
    // of the commit. Consumes the tracker object, since this should only be called once after
    // all tx have been processed.
    pub fn accumulated_debts(self, commit_info: &ConsensusCommitInfo) -> Vec<(ObjectID, u64)> {
        if self.params.max_overage() == 0 {
            return vec![]; // early-exit if overage is not allowed
        }

        self.object_execution_cost
            .into_iter()
            .filter_map(|(obj_id, cost)| {
                let remaining_cost = cost.saturating_sub(self.params.commit_budget(commit_info));
                if remaining_cost > 0 {
                    Some((obj_id, remaining_cost))
                } else {
                    None
                }
            })
            .collect()
    }

    // Returns the maximum cost of all objects.
    pub fn max_cost(&self) -> u64 {
        self.object_execution_cost
            .values()
            .max()
            .copied()
            .unwrap_or(0)
    }

    fn get_tx_cost_cap(&self, cert: &VerifiedExecutableTransaction) -> u64 {
        let mut number_of_move_call = 0;
        let mut number_of_move_input = 0;
        for command in cert.transaction_data().kind().iter_commands() {
            if let sui_types::transaction::Command::MoveCall(move_call) = command {
                number_of_move_call += 1;
                for aug in move_call.arguments.iter() {
                    if let Argument::Input(_) = aug {
                        number_of_move_input += 1;
                    }
                }
            }
        }
        let cap = (number_of_move_call + number_of_move_input) as u64
            * self.params.gas_budget_based_txn_cost_cap_factor();

        // Apply absolute cap if configured.
        std::cmp::min(
            cap,
            self.params
                .gas_budget_based_txn_cost_absolute_cap()
                .unwrap_or(u64::MAX),
        )
    }
}

#[derive(Clone, Copy, Debug, Serialize, Deserialize)]
pub enum CongestionPerObjectDebt {
    V1(Round, u64),
}

impl CongestionPerObjectDebt {
    pub fn new(round: Round, debt: u64) -> Self {
        Self::V1(round, debt)
    }

    pub fn into_v1(self) -> (Round, u64) {
        match self {
            Self::V1(round, debt) => (round, debt),
        }
    }
}

#[cfg(test)]
mod object_cost_tests {
    use super::*;

    use rstest::rstest;
    use std::time::Duration;
    use sui_protocol_config::ExecutionTimeEstimateParams;
    use sui_test_transaction_builder::TestTransactionBuilder;
    use sui_types::base_types::{random_object_ref, SequenceNumber};
    use sui_types::crypto::{get_key_pair, AccountKeyPair};
    use sui_types::programmable_transaction_builder::ProgrammableTransactionBuilder;
    use sui_types::transaction::{CallArg, ObjectArg, VerifiedTransaction};
    use sui_types::Identifier;

    fn construct_shared_input_objects(objects: &[(ObjectID, bool)]) -> Vec<SharedInputObject> {
        objects
            .iter()
            .map(|(id, mutable)| SharedInputObject {
                id: *id,
                initial_shared_version: SequenceNumber::new(),
                mutable: *mutable,
            })
            .collect()
    }

    #[test]
    fn test_compute_tx_start_at_cost() {
        let object_id_0 = ObjectID::random();
        let object_id_1 = ObjectID::random();
        let object_id_2 = ObjectID::random();

        let shared_object_congestion_tracker = SharedObjectCongestionTracker::new(
            [(object_id_0, 5), (object_id_1, 10)],
            PerObjectCongestionControlMode::TotalGasBudget,
            false,
            Some(0), // not part of this test
            None,
            None,
            0,
            0,
        );

        let shared_input_objects = construct_shared_input_objects(&[(object_id_0, false)]);
        assert_eq!(
            shared_object_congestion_tracker.compute_tx_start_at_cost(&shared_input_objects),
            5
        );

        let shared_input_objects = construct_shared_input_objects(&[(object_id_1, true)]);
        assert_eq!(
            shared_object_congestion_tracker.compute_tx_start_at_cost(&shared_input_objects),
            10
        );

        let shared_input_objects =
            construct_shared_input_objects(&[(object_id_0, false), (object_id_1, false)]);
        assert_eq!(
            shared_object_congestion_tracker.compute_tx_start_at_cost(&shared_input_objects),
            10
        );

        let shared_input_objects =
            construct_shared_input_objects(&[(object_id_0, true), (object_id_1, true)]);
        assert_eq!(
            shared_object_congestion_tracker.compute_tx_start_at_cost(&shared_input_objects),
            10
        );

        // Test tx that touch object for the first time, which should start from 0.
        let shared_input_objects = construct_shared_input_objects(&[(object_id_2, true)]);
        assert_eq!(
            shared_object_congestion_tracker.compute_tx_start_at_cost(&shared_input_objects),
            0
        );
    }

    // Builds a certificate with a list of shared objects and their mutability. The certificate is only used to
    // test the SharedObjectCongestionTracker functions, therefore the content other than shared inputs and gas budget
    // are not important.
    fn build_transaction(
        objects: &[(ObjectID, bool)],
        gas_budget: u64,
    ) -> VerifiedExecutableTransaction {
        let (sender, keypair): (_, AccountKeyPair) = get_key_pair();
        let gas_object = random_object_ref();
        VerifiedExecutableTransaction::new_system(
            VerifiedTransaction::new_unchecked(
                TestTransactionBuilder::new(sender, gas_object, 1000)
                    .with_gas_budget(gas_budget)
                    .move_call(
                        ObjectID::random(),
                        "unimportant_module",
                        "unimportant_function",
                        objects
                            .iter()
                            .map(|(id, mutable)| {
                                CallArg::Object(ObjectArg::SharedObject {
                                    id: *id,
                                    initial_shared_version: SequenceNumber::new(),
                                    mutable: *mutable,
                                })
                            })
                            .collect(),
                    )
                    .build_and_sign(&keypair),
            ),
            0,
        )
    }

    fn build_programmable_transaction(
        objects: &[(ObjectID, bool)],
        number_of_commands: u64,
        gas_budget: u64,
    ) -> VerifiedExecutableTransaction {
        let (sender, keypair): (_, AccountKeyPair) = get_key_pair();
        let gas_object = random_object_ref();

        let package_id = ObjectID::random();
        let mut pt_builder = ProgrammableTransactionBuilder::new();
        let mut arguments = Vec::new();
        for object in objects {
            arguments.push(
                pt_builder
                    .obj(ObjectArg::SharedObject {
                        id: object.0,
                        initial_shared_version: SequenceNumber::new(),
                        mutable: object.1,
                    })
                    .unwrap(),
            );
        }
        for _ in 0..number_of_commands {
            pt_builder.programmable_move_call(
                package_id,
                Identifier::new("unimportant_module").unwrap(),
                Identifier::new("unimportant_function").unwrap(),
                vec![],
                arguments.clone(),
            );
        }

        let pt = pt_builder.finish();
        VerifiedExecutableTransaction::new_system(
            VerifiedTransaction::new_unchecked(
                TestTransactionBuilder::new(sender, gas_object, 1000)
                    .with_gas_budget(gas_budget)
                    .programmable(pt)
                    .build_and_sign(&keypair),
            ),
            0,
        )
    }

    #[rstest]
    fn test_should_defer_return_correct_congested_objects(
        #[values(
            PerObjectCongestionControlMode::TotalGasBudget,
            PerObjectCongestionControlMode::TotalTxCount,
            PerObjectCongestionControlMode::TotalGasBudgetWithCap
        )]
        mode: PerObjectCongestionControlMode,
    ) {
        let execution_time_estimator = ExecutionTimeEstimator::new_for_testing();

        // Creates two shared objects and three transactions that operate on these objects.
        let shared_obj_0 = ObjectID::random();
        let shared_obj_1 = ObjectID::random();

        let tx_gas_budget = 100;

        // Set max_accumulated_txn_cost_per_object_in_commit to only allow 1 transaction to go through.
        let max_accumulated_txn_cost_per_object_in_commit = match mode {
            PerObjectCongestionControlMode::None => unreachable!(),
            PerObjectCongestionControlMode::TotalGasBudget => tx_gas_budget + 1,
            PerObjectCongestionControlMode::TotalTxCount => 2,
            PerObjectCongestionControlMode::TotalGasBudgetWithCap => tx_gas_budget - 1,
            PerObjectCongestionControlMode::ExecutionTimeEstimate(_) => 0, // ignored
        };

        let shared_object_congestion_tracker = match mode {
            PerObjectCongestionControlMode::None => unreachable!(),
            PerObjectCongestionControlMode::TotalGasBudget => {
                // Construct object execution cost as following
                //                1     10
                // object 0:            |
                // object 1:      |
                SharedObjectCongestionTracker::new(
                    [(shared_obj_0, 10), (shared_obj_1, 1)],
                    mode,
                    false,
                    Some(max_accumulated_txn_cost_per_object_in_commit),
                    None,
                    None,
                    0,
                    0,
                )
            }
            PerObjectCongestionControlMode::TotalTxCount => {
                // Construct object execution cost as following
                //                1     2
                // object 0:            |
                // object 1:      |
                SharedObjectCongestionTracker::new(
                    [(shared_obj_0, 2), (shared_obj_1, 1)],
                    mode,
                    false,
                    Some(max_accumulated_txn_cost_per_object_in_commit),
                    None,
                    None,
                    0,
                    0,
                )
            }
            PerObjectCongestionControlMode::TotalGasBudgetWithCap => {
                // Construct object execution cost as following
                //                1     10
                // object 0:            |
                // object 1:      |
                SharedObjectCongestionTracker::new(
                    [(shared_obj_0, 10), (shared_obj_1, 1)],
                    mode,
                    false,
                    Some(max_accumulated_txn_cost_per_object_in_commit),
                    Some(45), // Make the cap just less than the gas budget, there are 1 objects in tx.
                    None,
                    0,
                    0,
                )
            }
            PerObjectCongestionControlMode::ExecutionTimeEstimate(_) => {
                // Construct object execution cost as following
                //                0     750
                // object 0:            |
                // object 1:      |
                SharedObjectCongestionTracker::new(
                    [(shared_obj_0, 750), (shared_obj_1, 0)],
                    mode,
                    false,
                    Some(max_accumulated_txn_cost_per_object_in_commit),
                    None,
                    None,
                    0,
                    0,
                )
            }
        };

        // Read/write to object 0 should be deferred.
        for mutable in [true, false].iter() {
            let tx = build_transaction(&[(shared_obj_0, *mutable)], tx_gas_budget);
            if let Some((_, congested_objects)) = shared_object_congestion_tracker
                .should_defer_due_to_object_congestion(
                    Some(&execution_time_estimator),
                    &tx,
                    &HashMap::new(),
                    &ConsensusCommitInfo::new_for_congestion_test(
                        0,
                        0,
                        Duration::from_micros(1_500),
                    ),
                )
            {
                assert_eq!(congested_objects.len(), 1);
                assert_eq!(congested_objects[0], shared_obj_0);
            } else {
                panic!("should defer");
            }
        }

        // Read/write to object 1 should go through.
        // When congestion control mode is TotalGasBudgetWithCap, even though the gas budget is over the limit,
        // the cap should prevent the transaction from being deferred.
        for mutable in [true, false].iter() {
            let tx = build_transaction(&[(shared_obj_1, *mutable)], tx_gas_budget);
            assert!(shared_object_congestion_tracker
                .should_defer_due_to_object_congestion(
                    Some(&execution_time_estimator),
                    &tx,
                    &HashMap::new(),
                    &ConsensusCommitInfo::new_for_congestion_test(
                        0,
                        0,
                        Duration::from_micros(1_500),
                    ),
                )
                .is_none());
        }

        // Transactions touching both objects should be deferred, with object 0 as the congested object.
        for mutable_0 in [true, false].iter() {
            for mutable_1 in [true, false].iter() {
                let tx = build_transaction(
                    &[(shared_obj_0, *mutable_0), (shared_obj_1, *mutable_1)],
                    tx_gas_budget,
                );
                if let Some((_, congested_objects)) = shared_object_congestion_tracker
                    .should_defer_due_to_object_congestion(
                        Some(&execution_time_estimator),
                        &tx,
                        &HashMap::new(),
                        &ConsensusCommitInfo::new_for_congestion_test(
                            0,
                            0,
                            Duration::from_micros(1_500),
                        ),
                    )
                {
                    assert_eq!(congested_objects.len(), 1);
                    assert_eq!(congested_objects[0], shared_obj_0);
                } else {
                    panic!("should defer");
                }
            }
        }
    }

    #[rstest]
    fn test_should_defer_return_correct_deferral_key(
        #[values(
            PerObjectCongestionControlMode::TotalGasBudget,
            PerObjectCongestionControlMode::TotalTxCount,
            PerObjectCongestionControlMode::TotalGasBudgetWithCap,
            PerObjectCongestionControlMode::ExecutionTimeEstimate(ExecutionTimeEstimateParams {
                target_utilization: 0,
                allowed_txn_cost_overage_burst_limit_us: 0,
                max_estimate_us: u64::MAX,
                randomness_scalar: 0,
            }),
        )]
        mode: PerObjectCongestionControlMode,
    ) {
        let execution_time_estimator = ExecutionTimeEstimator::new_for_testing();

        let shared_obj_0 = ObjectID::random();
        let tx = build_transaction(&[(shared_obj_0, true)], 100);

        let shared_object_congestion_tracker = SharedObjectCongestionTracker::new(
            [(shared_obj_0, 1)], // set initial cost that exceeds 0 burst limit
            mode,
            false,
            Some(0), // Make should_defer_due_to_object_congestion always defer transactions.
            Some(2),
            None,
            0,
            0,
        );

        // Insert a random pre-existing transaction.
        let mut previously_deferred_tx_digests = HashMap::new();
        previously_deferred_tx_digests.insert(
            TransactionDigest::random(),
            DeferralKey::ConsensusRound {
                future_round: 10,
                deferred_from_round: 5,
            },
        );

        // Test deferral key for a transaction that has not been deferred before.
        if let Some((
            DeferralKey::ConsensusRound {
                future_round,
                deferred_from_round,
            },
            _,
        )) = shared_object_congestion_tracker.should_defer_due_to_object_congestion(
            Some(&execution_time_estimator),
            &tx,
            &previously_deferred_tx_digests,
            &ConsensusCommitInfo::new_for_congestion_test(
                10,
                10,
                Duration::from_micros(10_000_000),
            ),
        ) {
            assert_eq!(future_round, 11);
            assert_eq!(deferred_from_round, 10);
        } else {
            panic!("should defer");
        }

        // Insert `tx` as previously deferred transaction due to randomness.
        previously_deferred_tx_digests.insert(
            *tx.digest(),
            DeferralKey::Randomness {
                deferred_from_round: 4,
            },
        );

        // New deferral key should have deferred_from_round equal to the deferred randomness round.
        if let Some((
            DeferralKey::ConsensusRound {
                future_round,
                deferred_from_round,
            },
            _,
        )) = shared_object_congestion_tracker.should_defer_due_to_object_congestion(
            Some(&execution_time_estimator),
            &tx,
            &previously_deferred_tx_digests,
            &ConsensusCommitInfo::new_for_congestion_test(
                10,
                10,
                Duration::from_micros(10_000_000),
            ),
        ) {
            assert_eq!(future_round, 11);
            assert_eq!(deferred_from_round, 4);
        } else {
            panic!("should defer");
        }

        // Insert `tx` as previously deferred consensus transaction.
        previously_deferred_tx_digests.insert(
            *tx.digest(),
            DeferralKey::ConsensusRound {
                future_round: 10,
                deferred_from_round: 5,
            },
        );

        // New deferral key should have deferred_from_round equal to the one in the old deferral key.
        if let Some((
            DeferralKey::ConsensusRound {
                future_round,
                deferred_from_round,
            },
            _,
        )) = shared_object_congestion_tracker.should_defer_due_to_object_congestion(
            Some(&execution_time_estimator),
            &tx,
            &previously_deferred_tx_digests,
            &ConsensusCommitInfo::new_for_congestion_test(
                10,
                10,
                Duration::from_micros(10_000_000),
            ),
        ) {
            assert_eq!(future_round, 11);
            assert_eq!(deferred_from_round, 5);
        } else {
            panic!("should defer");
        }
    }

    #[rstest]
    fn test_should_defer_allow_overage(
        #[values(
            PerObjectCongestionControlMode::TotalGasBudget,
            PerObjectCongestionControlMode::TotalTxCount,
            PerObjectCongestionControlMode::TotalGasBudgetWithCap,
            PerObjectCongestionControlMode::ExecutionTimeEstimate(ExecutionTimeEstimateParams {
                target_utilization: 16,
                allowed_txn_cost_overage_burst_limit_us: 0,
                randomness_scalar: 0,
                max_estimate_us: u64::MAX,
            }),
        )]
        mode: PerObjectCongestionControlMode,
    ) {
        telemetry_subscribers::init_for_testing();

        let execution_time_estimator = ExecutionTimeEstimator::new_for_testing();

        // Creates two shared objects and three transactions that operate on these objects.
        let shared_obj_0 = ObjectID::random();
        let shared_obj_1 = ObjectID::random();

        let tx_gas_budget = 100;

        // Set max_accumulated_txn_cost_per_object_in_commit to only allow 1 transaction to go through
        // before overage occurs.
        let max_accumulated_txn_cost_per_object_in_commit = match mode {
            PerObjectCongestionControlMode::None => unreachable!(),
            PerObjectCongestionControlMode::TotalGasBudget => tx_gas_budget + 1,
            PerObjectCongestionControlMode::TotalTxCount => 2,
            PerObjectCongestionControlMode::TotalGasBudgetWithCap => tx_gas_budget - 1,
            PerObjectCongestionControlMode::ExecutionTimeEstimate(_) => 0, // ignored
        };

        let shared_object_congestion_tracker = match mode {
            PerObjectCongestionControlMode::None => unreachable!(),
            PerObjectCongestionControlMode::TotalGasBudget => {
                // Construct object execution cost as following
                //                90    102
                // object 0:            |
                // object 1:      |
                SharedObjectCongestionTracker::new(
                    [(shared_obj_0, 102), (shared_obj_1, 90)],
                    mode,
                    false,
                    Some(max_accumulated_txn_cost_per_object_in_commit),
                    None,
                    None,
                    max_accumulated_txn_cost_per_object_in_commit * 10,
                    0,
                )
            }
            PerObjectCongestionControlMode::TotalTxCount => {
                // Construct object execution cost as following
                //                2     3
                // object 0:            |
                // object 1:      |
                SharedObjectCongestionTracker::new(
                    [(shared_obj_0, 3), (shared_obj_1, 2)],
                    mode,
                    false,
                    Some(max_accumulated_txn_cost_per_object_in_commit),
                    None,
                    None,
                    max_accumulated_txn_cost_per_object_in_commit * 10,
                    0,
                )
            }
            PerObjectCongestionControlMode::TotalGasBudgetWithCap => {
                // Construct object execution cost as following
                //                90    100
                // object 0:            |
                // object 1:      |
                SharedObjectCongestionTracker::new(
                    [(shared_obj_0, 100), (shared_obj_1, 90)],
                    mode,
                    false,
                    Some(max_accumulated_txn_cost_per_object_in_commit),
                    Some(45), // Make the cap just less than the gas budget, there are 1 objects in tx.
                    None,
                    max_accumulated_txn_cost_per_object_in_commit * 10,
                    0,
                )
            }
            PerObjectCongestionControlMode::ExecutionTimeEstimate(_) => {
                // Construct object execution cost as following
                //                300K  1.7M
                // object 0:            |
                // object 1:      |
                SharedObjectCongestionTracker::new(
                    [(shared_obj_0, 1_700_000), (shared_obj_1, 300_000)],
                    mode,
                    false,
                    Some(max_accumulated_txn_cost_per_object_in_commit),
                    None,
                    None,
                    max_accumulated_txn_cost_per_object_in_commit * 10,
                    0,
                )
            }
        };

        // Read/write to object 0 should be deferred.
        for mutable in [true, false].iter() {
            let tx = build_transaction(&[(shared_obj_0, *mutable)], tx_gas_budget);
            if let Some((_, congested_objects)) = shared_object_congestion_tracker
                .should_defer_due_to_object_congestion(
                    Some(&execution_time_estimator),
                    &tx,
                    &HashMap::new(),
                    &ConsensusCommitInfo::new_for_congestion_test(
                        0,
                        0,
                        Duration::from_micros(10_000_000),
                    ),
                )
            {
                assert_eq!(congested_objects.len(), 1);
                assert_eq!(congested_objects[0], shared_obj_0);
            } else {
                panic!("should defer");
            }
        }

        // Read/write to object 1 should go through even though the budget is exceeded.
        for mutable in [true, false].iter() {
            let tx = build_transaction(&[(shared_obj_1, *mutable)], tx_gas_budget);
            assert!(shared_object_congestion_tracker
                .should_defer_due_to_object_congestion(
                    Some(&execution_time_estimator),
                    &tx,
                    &HashMap::new(),
                    &ConsensusCommitInfo::new_for_congestion_test(
                        0,
                        0,
                        Duration::from_micros(10_000_000)
                    ),
                )
                .is_none());
        }

        // Transactions touching both objects should be deferred, with object 0 as the congested object.
        for mutable_0 in [true, false].iter() {
            for mutable_1 in [true, false].iter() {
                let tx = build_transaction(
                    &[(shared_obj_0, *mutable_0), (shared_obj_1, *mutable_1)],
                    tx_gas_budget,
                );
                if let Some((_, congested_objects)) = shared_object_congestion_tracker
                    .should_defer_due_to_object_congestion(
                        Some(&execution_time_estimator),
                        &tx,
                        &HashMap::new(),
                        &ConsensusCommitInfo::new_for_congestion_test(
                            0,
                            0,
                            Duration::from_micros(10_000_000),
                        ),
                    )
                {
                    assert_eq!(congested_objects.len(), 1);
                    assert_eq!(congested_objects[0], shared_obj_0);
                } else {
                    panic!("should defer");
                }
            }
        }
    }

    #[rstest]
    fn test_should_defer_allow_overage_with_burst(
        #[values(
            PerObjectCongestionControlMode::TotalGasBudget,
            PerObjectCongestionControlMode::TotalTxCount,
            PerObjectCongestionControlMode::TotalGasBudgetWithCap,
            PerObjectCongestionControlMode::ExecutionTimeEstimate(ExecutionTimeEstimateParams {
                target_utilization: 16,
                allowed_txn_cost_overage_burst_limit_us: 1_500_000,
                randomness_scalar: 0,
                max_estimate_us: u64::MAX,
            }),
        )]
        mode: PerObjectCongestionControlMode,
    ) {
        telemetry_subscribers::init_for_testing();

        let execution_time_estimator = ExecutionTimeEstimator::new_for_testing();

        let shared_obj_0 = ObjectID::random();
        let shared_obj_1 = ObjectID::random();

        let tx_gas_budget = 100;

        // Set max_accumulated_txn_cost_per_object_in_commit to allow 1 transaction to go through
        // before overage occurs.
        let max_accumulated_txn_cost_per_object_in_commit = match mode {
            PerObjectCongestionControlMode::None => unreachable!(),
            PerObjectCongestionControlMode::TotalGasBudget => tx_gas_budget,
            PerObjectCongestionControlMode::TotalTxCount => 2,
            PerObjectCongestionControlMode::TotalGasBudgetWithCap => tx_gas_budget,
            PerObjectCongestionControlMode::ExecutionTimeEstimate(_) => 0, // ignored
        };

        // Set burst limit to allow 1 extra transaction to go through.
        let allowed_txn_cost_overage_burst_per_object_in_commit = match mode {
            PerObjectCongestionControlMode::None => unreachable!(),
            PerObjectCongestionControlMode::TotalGasBudget => tx_gas_budget * 2,
            PerObjectCongestionControlMode::TotalTxCount => 2,
            PerObjectCongestionControlMode::TotalGasBudgetWithCap => tx_gas_budget * 2,
            PerObjectCongestionControlMode::ExecutionTimeEstimate(_) => 0, // ignored
        };

        let shared_object_congestion_tracker = match mode {
            PerObjectCongestionControlMode::None => unreachable!(),
            PerObjectCongestionControlMode::TotalGasBudget => {
                // Construct object execution cost as following
                //                199   301
                // object 0:            |
                // object 1:      |
                //
                // burst limit is 100 + 200 = 300
                // tx cost is 100 (gas budget)
                SharedObjectCongestionTracker::new(
                    [(shared_obj_0, 301), (shared_obj_1, 199)],
                    mode,
                    false,
                    Some(max_accumulated_txn_cost_per_object_in_commit),
                    None,
                    None,
                    max_accumulated_txn_cost_per_object_in_commit * 10,
                    allowed_txn_cost_overage_burst_per_object_in_commit,
                )
            }
            PerObjectCongestionControlMode::TotalTxCount => {
                // Construct object execution cost as following
                //                4     5
                // object 0:            |
                // object 1:      |
                //
                // burst limit is 2 + 2 = 4
                // tx cost is 1 (tx count)
                SharedObjectCongestionTracker::new(
                    [(shared_obj_0, 5), (shared_obj_1, 4)],
                    mode,
                    false,
                    Some(max_accumulated_txn_cost_per_object_in_commit),
                    None,
                    None,
                    max_accumulated_txn_cost_per_object_in_commit * 10,
                    allowed_txn_cost_overage_burst_per_object_in_commit,
                )
            }
            PerObjectCongestionControlMode::TotalGasBudgetWithCap => {
                // Construct object execution cost as following
                //                250   301
                // object 0:            |
                // object 1:      |
                //
                // burst limit is 100 + 200 = 300
                // tx cost is 90 (gas budget capped at 45*(1 move call + 1 input))
                SharedObjectCongestionTracker::new(
                    [(shared_obj_0, 301), (shared_obj_1, 250)],
                    mode,
                    false,
                    Some(max_accumulated_txn_cost_per_object_in_commit),
                    Some(45), // Make the cap just less than the gas budget, there are 1 objects in tx.
                    None,
                    max_accumulated_txn_cost_per_object_in_commit * 10,
                    allowed_txn_cost_overage_burst_per_object_in_commit,
                )
            }
            PerObjectCongestionControlMode::ExecutionTimeEstimate(_) => {
                // Construct object execution cost as following
                //                4M    2M
                // object 0:            |
                // object 1:      |
                //
                // burst limit is 1.6M + 1.5M = 3.1M
                // tx cost is 1.5M (default)
                SharedObjectCongestionTracker::new(
                    [(shared_obj_0, 4_000_000), (shared_obj_1, 2_000_000)],
                    mode,
                    false,
                    Some(max_accumulated_txn_cost_per_object_in_commit),
                    None,
                    None,
                    max_accumulated_txn_cost_per_object_in_commit * 10,
                    allowed_txn_cost_overage_burst_per_object_in_commit,
                )
            }
        };

        // Read/write to object 0 should be deferred.
        for mutable in [true, false].iter() {
            let tx = build_transaction(&[(shared_obj_0, *mutable)], tx_gas_budget);
            if let Some((_, congested_objects)) = shared_object_congestion_tracker
                .should_defer_due_to_object_congestion(
                    Some(&execution_time_estimator),
                    &tx,
                    &HashMap::new(),
                    &ConsensusCommitInfo::new_for_congestion_test(
                        0,
                        0,
                        Duration::from_micros(10_000_000),
                    ),
                )
            {
                assert_eq!(congested_objects.len(), 1);
                assert_eq!(congested_objects[0], shared_obj_0);
            } else {
                panic!("should defer");
            }
        }

        // Read/write to object 1 should go through even though the budget is exceeded
        // even before the cost of this tx is considered.
        for mutable in [true, false].iter() {
            let tx = build_transaction(&[(shared_obj_1, *mutable)], tx_gas_budget);
            assert!(shared_object_congestion_tracker
                .should_defer_due_to_object_congestion(
                    Some(&execution_time_estimator),
                    &tx,
                    &HashMap::new(),
                    &ConsensusCommitInfo::new_for_congestion_test(
                        0,
                        0,
                        Duration::from_micros(10_000_000)
                    ),
                )
                .is_none());
        }

        // Transactions touching both objects should be deferred, with object 0 as the congested object.
        for mutable_0 in [true, false].iter() {
            for mutable_1 in [true, false].iter() {
                let tx = build_transaction(
                    &[(shared_obj_0, *mutable_0), (shared_obj_1, *mutable_1)],
                    tx_gas_budget,
                );
                if let Some((_, congested_objects)) = shared_object_congestion_tracker
                    .should_defer_due_to_object_congestion(
                        Some(&execution_time_estimator),
                        &tx,
                        &HashMap::new(),
                        &ConsensusCommitInfo::new_for_congestion_test(
                            0,
                            0,
                            Duration::from_micros(10_000_000),
                        ),
                    )
                {
                    assert_eq!(congested_objects.len(), 1);
                    assert_eq!(congested_objects[0], shared_obj_0);
                } else {
                    panic!("should defer");
                }
            }
        }
    }

    #[rstest]
    fn test_bump_object_execution_cost(
        #[values(
            PerObjectCongestionControlMode::TotalGasBudget,
            PerObjectCongestionControlMode::TotalTxCount,
            PerObjectCongestionControlMode::TotalGasBudgetWithCap,
            PerObjectCongestionControlMode::ExecutionTimeEstimate(ExecutionTimeEstimateParams {
                // all params ignored in this test
                target_utilization: 0,
                allowed_txn_cost_overage_burst_limit_us: 0,
                randomness_scalar: 0,
                max_estimate_us: u64::MAX,
            }),
        )]
        mode: PerObjectCongestionControlMode,
    ) {
        telemetry_subscribers::init_for_testing();

        let execution_time_estimator = ExecutionTimeEstimator::new_for_testing();

        let object_id_0 = ObjectID::random();
        let object_id_1 = ObjectID::random();
        let object_id_2 = ObjectID::random();

        let cap_factor = Some(1);

        let mut shared_object_congestion_tracker = SharedObjectCongestionTracker::new(
            [(object_id_0, 5), (object_id_1, 10)],
            mode,
            false,
            Some(0), // not part of this test
            cap_factor,
            None,
            0,
            0,
        );
        assert_eq!(shared_object_congestion_tracker.max_cost(), 10);

        // Read two objects should not change the object execution cost.
        let cert = build_transaction(&[(object_id_0, false), (object_id_1, false)], 10);
        shared_object_congestion_tracker
            .bump_object_execution_cost(Some(&execution_time_estimator), &cert);
        assert_eq!(
            shared_object_congestion_tracker,
            SharedObjectCongestionTracker::new(
                [(object_id_0, 5), (object_id_1, 10)],
                mode,
                false,
                Some(0), // not part of this test
                cap_factor,
                None,
                0,
                0,
            )
        );
        assert_eq!(shared_object_congestion_tracker.max_cost(), 10);

        // Write to object 0 should only bump object 0's execution cost. The start cost should be object 1's cost.
        let cert = build_transaction(&[(object_id_0, true), (object_id_1, false)], 10);
        shared_object_congestion_tracker
            .bump_object_execution_cost(Some(&execution_time_estimator), &cert);
        let expected_object_0_cost = match mode {
            PerObjectCongestionControlMode::None => unreachable!(),
            PerObjectCongestionControlMode::TotalGasBudget => 20,
            PerObjectCongestionControlMode::TotalTxCount => 11,
            PerObjectCongestionControlMode::TotalGasBudgetWithCap => 13, // 2 objects, 1 command.
            PerObjectCongestionControlMode::ExecutionTimeEstimate(_) => 1_010,
        };
        assert_eq!(
            shared_object_congestion_tracker,
            SharedObjectCongestionTracker::new(
                [(object_id_0, expected_object_0_cost), (object_id_1, 10)],
                mode,
                false,
                Some(0), // not part of this test
                cap_factor,
                None,
                0,
                0,
            )
        );
        assert_eq!(
            shared_object_congestion_tracker.max_cost(),
            expected_object_0_cost
        );

        // Write to all objects should bump all objects' execution cost, including objects that are seen for the first time.
        let cert = build_transaction(
            &[
                (object_id_0, true),
                (object_id_1, true),
                (object_id_2, true),
            ],
            10,
        );
        let expected_object_cost = match mode {
            PerObjectCongestionControlMode::None => unreachable!(),
            PerObjectCongestionControlMode::TotalGasBudget => 30,
            PerObjectCongestionControlMode::TotalTxCount => 12,
            PerObjectCongestionControlMode::TotalGasBudgetWithCap => 17, // 3 objects, 1 command
            PerObjectCongestionControlMode::ExecutionTimeEstimate(_) => 2_010,
        };
        shared_object_congestion_tracker
            .bump_object_execution_cost(Some(&execution_time_estimator), &cert);
        assert_eq!(
            shared_object_congestion_tracker,
            SharedObjectCongestionTracker::new(
                [
                    (object_id_0, expected_object_cost),
                    (object_id_1, expected_object_cost),
                    (object_id_2, expected_object_cost)
                ],
                mode,
                false,
                Some(0), // not part of this test
                cap_factor,
                None,
                0,
                0,
            )
        );
        assert_eq!(
            shared_object_congestion_tracker.max_cost(),
            expected_object_cost
        );

        // Write to all objects with PTBs containing 7 commands.
        let cert = build_programmable_transaction(
            &[
                (object_id_0, true),
                (object_id_1, true),
                (object_id_2, true),
            ],
            7,
            30,
        );
        let expected_object_cost = match mode {
            PerObjectCongestionControlMode::None => unreachable!(),
            PerObjectCongestionControlMode::TotalGasBudget => 60,
            PerObjectCongestionControlMode::TotalTxCount => 13,
            PerObjectCongestionControlMode::TotalGasBudgetWithCap => 45, // 3 objects, 7 commands
            // previous cost 2_010 + (unknown-command default of 1000 * 7 commands)
            PerObjectCongestionControlMode::ExecutionTimeEstimate(_) => 9_010,
        };
        shared_object_congestion_tracker
            .bump_object_execution_cost(Some(&execution_time_estimator), &cert);
        assert_eq!(
            shared_object_congestion_tracker,
            SharedObjectCongestionTracker::new(
                [
                    (object_id_0, expected_object_cost),
                    (object_id_1, expected_object_cost),
                    (object_id_2, expected_object_cost)
                ],
                mode,
                false,
                Some(0), // not part of this test
                cap_factor,
                None,
                0,
                0,
            )
        );
        assert_eq!(
            shared_object_congestion_tracker.max_cost(),
            expected_object_cost
        );
    }

    #[rstest]
    fn test_accumulated_debts(
        #[values(
            PerObjectCongestionControlMode::TotalGasBudget,
            PerObjectCongestionControlMode::TotalTxCount,
            PerObjectCongestionControlMode::TotalGasBudgetWithCap,
            PerObjectCongestionControlMode::ExecutionTimeEstimate(ExecutionTimeEstimateParams {
                target_utilization: 100,
                // set a burst limit to verify that it does not affect debt calculation.
                allowed_txn_cost_overage_burst_limit_us: 1_600 * 5,
                randomness_scalar: 0,
                max_estimate_us: u64::MAX,
            }),
        )]
        mode: PerObjectCongestionControlMode,
    ) {
        telemetry_subscribers::init_for_testing();

        let execution_time_estimator = ExecutionTimeEstimator::new_for_testing();

        // Creates two shared objects and three transactions that operate on these objects.
        let shared_obj_0 = ObjectID::random();
        let shared_obj_1 = ObjectID::random();

        let tx_gas_budget = 100;

        // Set max_accumulated_txn_cost_per_object_in_commit to only allow 1 transaction to go through
        // before overage occurs.
        let max_accumulated_txn_cost_per_object_in_commit = match mode {
            PerObjectCongestionControlMode::None => unreachable!(),
            PerObjectCongestionControlMode::TotalGasBudget
            | PerObjectCongestionControlMode::TotalGasBudgetWithCap => 90,
            PerObjectCongestionControlMode::TotalTxCount => 2,
            PerObjectCongestionControlMode::ExecutionTimeEstimate(_) => 0, // ignored
        };

        let mut shared_object_congestion_tracker = match mode {
            PerObjectCongestionControlMode::None => unreachable!(),
            PerObjectCongestionControlMode::TotalGasBudget => {
                // Starting with two objects with accumulated cost 80.
                SharedObjectCongestionTracker::new(
                    [(shared_obj_0, 80), (shared_obj_1, 80)],
                    mode,
                    false,
                    Some(max_accumulated_txn_cost_per_object_in_commit),
                    None,
                    None,
                    max_accumulated_txn_cost_per_object_in_commit * 10,
                    // Set a burst limit to verify that it does not affect debt calculation.
                    max_accumulated_txn_cost_per_object_in_commit * 5,
                )
            }
            PerObjectCongestionControlMode::TotalGasBudgetWithCap => {
                // Starting with two objects with accumulated cost 80.
                SharedObjectCongestionTracker::new(
                    [(shared_obj_0, 80), (shared_obj_1, 80)],
                    mode,
                    false,
                    Some(max_accumulated_txn_cost_per_object_in_commit),
                    Some(45),
                    None,
                    max_accumulated_txn_cost_per_object_in_commit * 10,
                    // Set a burst limit to verify that it does not affect debt calculation.
                    max_accumulated_txn_cost_per_object_in_commit * 5,
                )
            }
            PerObjectCongestionControlMode::TotalTxCount => {
                // Starting with two objects with accumulated tx count 2.
                SharedObjectCongestionTracker::new(
                    [(shared_obj_0, 2), (shared_obj_1, 2)],
                    mode,
                    false,
                    Some(max_accumulated_txn_cost_per_object_in_commit),
                    None,
                    None,
                    max_accumulated_txn_cost_per_object_in_commit * 10,
                    // Set a burst limit to verify that it does not affect debt calculation.
                    max_accumulated_txn_cost_per_object_in_commit * 5,
                )
            }
            PerObjectCongestionControlMode::ExecutionTimeEstimate(_) => {
                // Starting with two objects with accumulated cost 500.
                SharedObjectCongestionTracker::new(
                    [(shared_obj_0, 500), (shared_obj_1, 500)],
                    mode,
                    false,
                    Some(max_accumulated_txn_cost_per_object_in_commit),
                    None,
                    None,
                    max_accumulated_txn_cost_per_object_in_commit * 10,
                    // Set a burst limit to verify that it does not affect debt calculation.
                    max_accumulated_txn_cost_per_object_in_commit * 5,
                )
            }
        };

        // Simulate a tx on object 0 that exceeds the budget.
        for mutable in [true, false].iter() {
            let tx = build_transaction(&[(shared_obj_0, *mutable)], tx_gas_budget);
            shared_object_congestion_tracker
                .bump_object_execution_cost(Some(&execution_time_estimator), &tx);
        }

        // Verify that accumulated_debts reports the debt for object 0.
        let accumulated_debts = shared_object_congestion_tracker.accumulated_debts(
            &ConsensusCommitInfo::new_for_congestion_test(0, 0, Duration::from_micros(800)),
        );
        assert_eq!(accumulated_debts.len(), 1);
        match mode {
            PerObjectCongestionControlMode::None => unreachable!(),
            PerObjectCongestionControlMode::TotalGasBudget => {
                assert_eq!(accumulated_debts[0], (shared_obj_0, 90)); // init 80 + cost 100 - budget 90 = 90
            }
            PerObjectCongestionControlMode::TotalGasBudgetWithCap => {
                assert_eq!(accumulated_debts[0], (shared_obj_0, 80)); // init 80 + capped cost 90 - budget 90 = 80
            }
            PerObjectCongestionControlMode::TotalTxCount => {
                assert_eq!(accumulated_debts[0], (shared_obj_0, 1)); // init 2 + 1 tx - budget 2 = 1
            }
            PerObjectCongestionControlMode::ExecutionTimeEstimate(_) => {
                // init 500 + 1000 tx - budget 800 = 700
                assert_eq!(accumulated_debts[0], (shared_obj_0, 700));
            }
        }
    }

    #[test]
    fn test_accumulated_debts_empty() {
        let object_id_0 = ObjectID::random();
        let object_id_1 = ObjectID::random();
        let object_id_2 = ObjectID::random();

        let shared_object_congestion_tracker = SharedObjectCongestionTracker::new(
            [(object_id_0, 5), (object_id_1, 10), (object_id_2, 100)],
            PerObjectCongestionControlMode::TotalGasBudget,
            false,
            Some(100),
            None,
            None,
            0,
            0,
        );

        let accumulated_debts = shared_object_congestion_tracker.accumulated_debts(
            &ConsensusCommitInfo::new_for_congestion_test(0, 0, Duration::ZERO),
        );
        assert!(accumulated_debts.is_empty());
    }

    #[test]
    fn test_tx_cost_absolute_cap() {
        let execution_time_estimator = ExecutionTimeEstimator::new_for_testing();

        let object_id_0 = ObjectID::random();
        let object_id_1 = ObjectID::random();
        let object_id_2 = ObjectID::random();

        let tx_gas_budget = 2000;

        let mut shared_object_congestion_tracker = SharedObjectCongestionTracker::new(
            [(object_id_0, 5), (object_id_1, 10), (object_id_2, 100)],
            PerObjectCongestionControlMode::TotalGasBudgetWithCap,
            false,
            Some(100),
            Some(1000),
            Some(2),
            1000,
            0,
        );

        // Create a transaction using all three objects
        let tx = build_transaction(
            &[
                (object_id_0, false),
                (object_id_1, false),
                (object_id_2, true),
            ],
            tx_gas_budget,
        );

        // Verify that the transaction is allowed to execute.
        // 2000 gas budget would exceed overage limit of 1000 but is capped to 200 by the absolute cap.
        assert!(shared_object_congestion_tracker
            .should_defer_due_to_object_congestion(
                Some(&execution_time_estimator),
                &tx,
                &HashMap::new(),
                &ConsensusCommitInfo::new_for_congestion_test(0, 0, Duration::ZERO),
            )
            .is_none());

        // Verify max cost after bumping is limited by the absolute cap.
        shared_object_congestion_tracker
            .bump_object_execution_cost(Some(&execution_time_estimator), &tx);
        assert_eq!(300, shared_object_congestion_tracker.max_cost());

        // Verify accumulated debts still uses the per-commit budget to decrement.
        let accumulated_debts = shared_object_congestion_tracker.accumulated_debts(
            &ConsensusCommitInfo::new_for_congestion_test(0, 0, Duration::ZERO),
        );
        assert_eq!(accumulated_debts.len(), 1);
        assert_eq!(accumulated_debts[0], (object_id_2, 200));
    }
}