-
Notifications
You must be signed in to change notification settings - Fork 10
/
Copy pathbenchmarking.rs
3719 lines (3170 loc) · 123 KB
/
benchmarking.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
// Polimec Blockchain – https://www.polimec.org/
// Copyright (C) Polimec 2022. All rights reserved.
// The Polimec Blockchain is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
// The Polimec Blockchain is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
// You should have received a copy of the GNU General Public License
// along with this program. If not, see <https://www.gnu.org/licenses/>.
// If you feel like getting in touch with us, you can do so at info@polimec.org
//! Benchmarking setup for Funding pallet
use super::*;
use crate::instantiator::*;
use frame_benchmarking::v2::*;
#[cfg(test)]
use frame_support::assert_ok;
use frame_support::{
dispatch::RawOrigin,
traits::{
fungible::{InspectHold, MutateHold},
fungibles::metadata::MetadataDeposit,
OriginTrait,
},
Parameter,
};
#[allow(unused_imports)]
use pallet::Pallet as PalletFunding;
use parity_scale_codec::{Decode, Encode};
use polimec_common::{credentials::InvestorType, ReleaseSchedule};
use polimec_common_test_utils::get_mock_jwt;
use scale_info::prelude::format;
use sp_arithmetic::Percent;
use sp_core::H256;
use sp_io::hashing::blake2_256;
use sp_runtime::traits::{BlakeTwo256, Get, Member, TrailingZeroInput};
const METADATA: &str = r#"
{
"whitepaper":"ipfs_url",
"team_description":"ipfs_url",
"tokenomics":"ipfs_url",
"roadmap":"ipfs_url",
"usage_of_founds":"ipfs_url"
}
"#;
const EDITED_METADATA: &str = r#"
{
"whitepaper":"new_ipfs_url",
"team_description":"new_ipfs_url",
"tokenomics":"new_ipfs_url",
"roadmap":"new_ipfs_url",
"usage_of_founds":"new_ipfs_url"
}
"#;
const ASSET_DECIMALS: u8 = 10;
const US_DOLLAR: u128 = 1_0_000_000_000u128;
const ASSET_UNIT: u128 = 1_0_000_000_000u128;
type BenchInstantiator<T> = Instantiator<T, <T as Config>::AllPalletsWithoutSystem, <T as Config>::RuntimeEvent>;
pub fn usdt_id() -> u32 {
AcceptedFundingAsset::USDT.to_assethub_id()
}
pub fn hashed(data: impl AsRef<[u8]>) -> H256 {
<BlakeTwo256 as sp_runtime::traits::Hash>::hash(data.as_ref())
}
pub fn default_project<T: Config>(nonce: u64, issuer: AccountIdOf<T>) -> ProjectMetadataOf<T>
where
T::Price: From<u128>,
T::Hash: From<H256>,
{
let bounded_name = BoundedVec::try_from("Contribution Token TEST".as_bytes().to_vec()).unwrap();
let bounded_symbol = BoundedVec::try_from("CTEST".as_bytes().to_vec()).unwrap();
let metadata_hash = hashed(format!("{}-{}", METADATA, nonce));
ProjectMetadata {
token_information: CurrencyMetadata { name: bounded_name, symbol: bounded_symbol, decimals: ASSET_DECIMALS },
mainnet_token_max_supply: BalanceOf::<T>::try_from(8_000_000_0_000_000_000u128)
.unwrap_or_else(|_| panic!("Failed to create BalanceOf")),
total_allocation_size: (
BalanceOf::<T>::try_from(50_000_0_000_000_000u128).unwrap_or_else(|_| panic!("Failed to create BalanceOf")),
BalanceOf::<T>::try_from(50_000_0_000_000_000u128).unwrap_or_else(|_| panic!("Failed to create BalanceOf")),
),
minimum_price: 1u128.into(),
ticket_size: TicketSize {
minimum: Some(1u128.try_into().unwrap_or_else(|_| panic!("Failed to create BalanceOf"))),
maximum: None,
},
participants_size: ParticipantsSize { minimum: Some(2), maximum: None },
funding_thresholds: Default::default(),
conversion_rate: 0,
participation_currencies: AcceptedFundingAsset::USDT,
funding_destination_account: issuer,
offchain_information_hash: Some(metadata_hash.into()),
}
}
pub fn default_evaluations<T: Config>() -> Vec<UserToUSDBalance<T>>
where
<T as Config>::Balance: From<u128>,
{
vec![
UserToUSDBalance::new(account::<AccountIdOf<T>>("evaluator_1", 0, 0), (50_000 * US_DOLLAR).into()),
UserToUSDBalance::new(account::<AccountIdOf<T>>("evaluator_2", 0, 0), (25_000 * US_DOLLAR).into()),
UserToUSDBalance::new(account::<AccountIdOf<T>>("evaluator_3", 0, 0), (32_000 * US_DOLLAR).into()),
]
}
pub fn default_bids<T: Config>() -> Vec<BidParams<T>>
where
<T as Config>::Price: From<u128>,
<T as Config>::Balance: From<u128>,
{
vec![
BidParams::new(
account::<AccountIdOf<T>>("bidder_1", 0, 0),
(40_000 * ASSET_UNIT).into(),
1u8,
AcceptedFundingAsset::USDT,
),
BidParams::new(
account::<AccountIdOf<T>>("bidder_2", 0, 0),
(5_000 * ASSET_UNIT).into(),
7u8,
AcceptedFundingAsset::USDT,
),
]
}
pub fn full_bids<T>() -> Vec<BidParams<T>>
where
T: Config,
<T as Config>::Price: From<u128>,
<T as Config>::Balance: From<u128>,
T::Hash: From<H256>,
{
let default_project = default_project::<T>(0, account::<AccountIdOf<T>>("issuer", 0, 0));
let total_ct_for_bids = default_project.total_allocation_size.0;
let total_usd_for_bids = default_project.minimum_price.checked_mul_int(total_ct_for_bids).unwrap();
BenchInstantiator::<T>::generate_bids_from_total_usd(
total_usd_for_bids,
default_project.minimum_price,
default_weights(),
default_bidders::<T>(),
default_bidder_multipliers(),
)
}
pub fn default_community_contributions<T: Config>() -> Vec<ContributionParams<T>>
where
<T as Config>::Price: From<u128>,
<T as Config>::Balance: From<u128>,
{
vec![
ContributionParams::new(
account::<AccountIdOf<T>>("contributor_1", 0, 0),
(10_000 * ASSET_UNIT).into(),
1u8,
AcceptedFundingAsset::USDT,
),
ContributionParams::new(
account::<AccountIdOf<T>>("contributor_2", 0, 0),
(6_000 * ASSET_UNIT).into(),
1u8,
AcceptedFundingAsset::USDT,
),
ContributionParams::new(
account::<AccountIdOf<T>>("contributor_3", 0, 0),
(30_000 * ASSET_UNIT).into(),
1u8,
AcceptedFundingAsset::USDT,
),
]
}
pub fn default_remainder_contributions<T: Config>() -> Vec<ContributionParams<T>>
where
<T as Config>::Price: From<u128>,
<T as Config>::Balance: From<u128>,
{
vec![
ContributionParams::new(
account::<AccountIdOf<T>>("contributor_1", 0, 0),
(10 * ASSET_UNIT).into(),
1u8,
AcceptedFundingAsset::USDT,
),
ContributionParams::new(
account::<AccountIdOf<T>>("bidder_1", 0, 0),
(60 * ASSET_UNIT).into(),
1u8,
AcceptedFundingAsset::USDT,
),
ContributionParams::new(
account::<AccountIdOf<T>>("evaluator_1", 0, 0),
(30 * ASSET_UNIT).into(),
1u8,
AcceptedFundingAsset::USDT,
),
]
}
pub fn default_weights() -> Vec<u8> {
vec![20u8, 15u8, 10u8, 25u8, 30u8]
}
pub fn default_bidders<T: Config>() -> Vec<AccountIdOf<T>> {
vec![
account::<AccountIdOf<T>>("bidder_1", 0, 0),
account::<AccountIdOf<T>>("bidder_2", 0, 0),
account::<AccountIdOf<T>>("bidder_3", 0, 0),
account::<AccountIdOf<T>>("bidder_4", 0, 0),
account::<AccountIdOf<T>>("bidder_5", 0, 0),
]
}
pub fn default_contributors<T: Config>() -> Vec<AccountIdOf<T>> {
vec![
account::<AccountIdOf<T>>("contributor_1", 0, 0),
account::<AccountIdOf<T>>("contributor_2", 0, 0),
account::<AccountIdOf<T>>("contributor_3", 0, 0),
account::<AccountIdOf<T>>("contributor_4", 0, 0),
account::<AccountIdOf<T>>("contributor_5", 0, 0),
]
}
pub fn default_bidder_multipliers() -> Vec<u8> {
vec![20u8, 3u8, 15u8, 13u8, 9u8]
}
pub fn default_community_contributor_multipliers() -> Vec<u8> {
vec![1u8, 5u8, 3u8, 1u8, 2u8]
}
pub fn default_remainder_contributor_multipliers() -> Vec<u8> {
vec![1u8, 10u8, 3u8, 2u8, 4u8]
}
/// Grab an account, seeded by a name and index.
pub fn string_account<AccountId: Decode>(
name: scale_info::prelude::string::String,
index: u32,
seed: u32,
) -> AccountId {
let entropy = (name, index, seed).using_encoded(blake2_256);
Decode::decode(&mut TrailingZeroInput::new(entropy.as_ref()))
.expect("infinite length input; no invalid inputs for type; qed")
}
#[cfg(feature = "std")]
pub fn populate_with_projects<T>(amount: u32, inst: BenchInstantiator<T>) -> BenchInstantiator<T>
where
T: Config
+ frame_system::Config<RuntimeEvent = <T as Config>::RuntimeEvent>
+ pallet_balances::Config<Balance = BalanceOf<T>>,
<T as Config>::RuntimeEvent: TryInto<Event<T>> + Parameter + Member,
<T as Config>::Price: From<u128>,
<T as Config>::Balance: From<u128>,
T::Hash: From<H256>,
<T as frame_system::Config>::AccountId:
Into<<<T as frame_system::Config>::RuntimeOrigin as OriginTrait>::AccountId> + sp_std::fmt::Debug,
<T as pallet_balances::Config>::Balance: Into<BalanceOf<T>>,
{
let states = vec![
ProjectStatus::Application,
ProjectStatus::EvaluationRound,
ProjectStatus::AuctionRound(AuctionPhase::English),
ProjectStatus::CommunityRound,
ProjectStatus::RemainderRound,
ProjectStatus::FundingSuccessful,
]
.into_iter()
.cycle()
.take(amount as usize);
let instantiation_details = states
.map(|state| {
let nonce = inst.get_new_nonce();
let issuer_name: String = format!("issuer_{}", nonce);
let issuer = string_account::<AccountIdOf<T>>(issuer_name, 0, 0);
TestProjectParams::<T> {
expected_state: state,
metadata: default_project::<T>(inst.get_new_nonce(), issuer.clone()),
issuer: issuer.clone(),
evaluations: default_evaluations::<T>(),
bids: default_bids::<T>(),
community_contributions: default_community_contributions::<T>(),
remainder_contributions: default_remainder_contributions::<T>(),
}
})
.collect::<Vec<TestProjectParams<T>>>();
async_features::create_multiple_projects_at(inst, instantiation_details).1
}
// IMPORTANT: make sure your project starts at (block 1 + `total_vecs_in_storage` - `fully_filled_vecs_from_insertion`) to always have room to insert new vecs
pub fn fill_projects_to_update<T: Config>(
fully_filled_vecs_from_insertion: u32,
mut expected_insertion_block: BlockNumberFor<T>,
) {
// fill the `ProjectsToUpdate` vectors from @ expected_insertion_block to @ expected_insertion_block+x, to benchmark all the failed insertion attempts
for _ in 0..fully_filled_vecs_from_insertion {
while ProjectsToUpdate::<T>::try_append(expected_insertion_block, (&69u32, UpdateType::EvaluationEnd)).is_ok() {
continue;
}
expected_insertion_block += 1u32.into();
}
}
// returns how much PLMC was minted and held to the user
pub fn make_ct_deposit_for<T: Config>(user: AccountIdOf<T>, project_id: ProjectId) {
let ct_deposit = T::ContributionTokenCurrency::deposit_required(project_id);
// Reserve plmc deposit to create a contribution token account for this project
if T::NativeCurrency::balance_on_hold(&HoldReason::FutureDeposit(project_id).into(), &user) < ct_deposit {
T::NativeCurrency::hold(&HoldReason::FutureDeposit(project_id).into(), &user, ct_deposit).unwrap();
}
}
pub fn run_blocks_to_execute_next_transition<T: Config>(
project_id: ProjectId,
update_type: UpdateType,
inst: &mut BenchInstantiator<T>,
) {
let pair = inst.get_update_pair(project_id, &update_type);
assert!(pair.is_some());
let (update_block, _) = pair.unwrap();
frame_system::Pallet::<T>::set_block_number(update_block - 1u32.into());
inst.advance_time(One::one()).unwrap();
}
#[benchmarks(
where
T: Config + frame_system::Config<RuntimeEvent = <T as Config>::RuntimeEvent> + pallet_balances::Config<Balance = BalanceOf<T>>,
<T as Config>::RuntimeEvent: TryInto<Event<T>> + Parameter + Member,
<T as Config>::Price: From<u128>,
<T as Config>::Balance: From<u128>,
T::Hash: From<H256>,
<T as frame_system::Config>::AccountId: Into<<<T as frame_system::Config>::RuntimeOrigin as OriginTrait>::AccountId> + sp_std::fmt::Debug,
<T as pallet_balances::Config>::Balance: Into<BalanceOf<T>>,
)]
mod benchmarks {
use super::*;
use itertools::Itertools;
impl_benchmark_test_suite!(PalletFunding, crate::mock::new_test_ext(), crate::mock::TestRuntime);
//
// Extrinsics
//
#[benchmark]
fn create() {
// * setup *
let mut inst = BenchInstantiator::<T>::new(None);
// real benchmark starts at block 0, and we can't call `events()` at block 0
inst.advance_time(1u32.into()).unwrap();
let ed = BenchInstantiator::<T>::get_ed();
let issuer = account::<AccountIdOf<T>>("issuer", 0, 0);
whitelist_account!(issuer);
let project_metadata = default_project::<T>(inst.get_new_nonce(), issuer.clone());
let metadata_deposit = T::ContributionTokenCurrency::calc_metadata_deposit(
project_metadata.token_information.name.as_slice(),
project_metadata.token_information.symbol.as_slice(),
);
inst.mint_plmc_to(vec![UserToPLMCBalance::new(issuer.clone(), ed * 2u64.into() + metadata_deposit)]);
let jwt = get_mock_jwt(issuer.clone(), InvestorType::Institutional);
#[extrinsic_call]
create(RawOrigin::Signed(issuer.clone()), jwt, project_metadata.clone());
// * validity checks *
// Storage
let projects_metadata = ProjectsMetadata::<T>::iter().sorted_by(|a, b| a.0.cmp(&b.0)).collect::<Vec<_>>();
let stored_metadata = &projects_metadata.iter().last().unwrap().1;
let project_id = projects_metadata.iter().last().unwrap().0;
assert_eq!(stored_metadata, &project_metadata);
let project_details = ProjectsDetails::<T>::iter().sorted_by(|a, b| a.0.cmp(&b.0)).collect::<Vec<_>>();
let stored_details = &project_details.iter().last().unwrap().1;
assert_eq!(&stored_details.issuer, &issuer);
// Events
frame_system::Pallet::<T>::assert_last_event(Event::<T>::ProjectCreated { project_id, issuer }.into());
}
#[benchmark]
fn edit_metadata() {
// * setup *
let mut inst = BenchInstantiator::<T>::new(None);
// real benchmark starts at block 0, and we can't call `events()` at block 0
inst.advance_time(1u32.into()).unwrap();
let issuer = account::<AccountIdOf<T>>("issuer", 0, 0);
whitelist_account!(issuer);
let project_metadata = default_project::<T>(inst.get_new_nonce(), issuer.clone());
let project_id = inst.create_new_project(project_metadata.clone(), issuer.clone());
let original_metadata_hash = project_metadata.offchain_information_hash.unwrap();
let edited_metadata_hash: H256 = hashed(EDITED_METADATA);
let jwt = get_mock_jwt(issuer.clone(), InvestorType::Institutional);
#[extrinsic_call]
edit_metadata(RawOrigin::Signed(issuer), jwt, project_id, edited_metadata_hash.into());
// * validity checks *
// Storage
let stored_metadata = ProjectsMetadata::<T>::get(project_id).unwrap();
assert_eq!(stored_metadata.offchain_information_hash, Some(edited_metadata_hash.into()));
assert!(original_metadata_hash != edited_metadata_hash.into());
// Events
frame_system::Pallet::<T>::assert_last_event(Event::<T>::MetadataEdited { project_id }.into());
}
#[benchmark]
fn start_evaluation(
// insertion attempts in add_to_update_store.
x: Linear<1, { <T as Config>::MaxProjectsToUpdateInsertionAttempts::get() - 1 }>,
) {
// * setup *
let mut inst = BenchInstantiator::<T>::new(None);
// real benchmark starts at block 0, and we can't call `events()` at block 0
inst.advance_time(1u32.into()).unwrap();
let issuer = account::<AccountIdOf<T>>("issuer", 0, 0);
whitelist_account!(issuer);
let project_metadata = default_project::<T>(inst.get_new_nonce(), issuer.clone());
let project_id = inst.create_new_project(project_metadata, issuer.clone());
// start_evaluation fn will try to add an automatic transition 1 block after the last evaluation block
let mut block_number: BlockNumberFor<T> = inst.current_block() + T::EvaluationDuration::get() + One::one();
// fill the `ProjectsToUpdate` vectors from @ block_number to @ block_number+x, to benchmark all the failed insertion attempts
for _ in 0..x {
while ProjectsToUpdate::<T>::try_append(block_number, (&69u32, UpdateType::EvaluationEnd)).is_ok() {
continue;
}
block_number += 1u32.into();
}
let jwt = get_mock_jwt(issuer.clone(), InvestorType::Institutional);
#[extrinsic_call]
start_evaluation(RawOrigin::Signed(issuer), jwt, project_id);
// * validity checks *
// Storage
let stored_details = ProjectsDetails::<T>::get(project_id).unwrap();
assert_eq!(stored_details.status, ProjectStatus::EvaluationRound);
let starting_evaluation_info = EvaluationRoundInfoOf::<T> {
total_bonded_usd: Zero::zero(),
total_bonded_plmc: Zero::zero(),
evaluators_outcome: EvaluatorsOutcome::Unchanged,
};
assert_eq!(stored_details.evaluation_round_info, starting_evaluation_info);
let evaluation_transition_points = stored_details.phase_transition_points.evaluation;
match evaluation_transition_points {
BlockNumberPair { start: Some(_), end: Some(_) } => {},
_ => assert!(false, "Evaluation transition points are not set"),
}
// Events
frame_system::Pallet::<T>::assert_last_event(Event::EvaluationStarted { project_id }.into())
}
#[benchmark]
fn start_auction_manually(
// Insertion attempts in add_to_update_store. Total amount of storage items iterated through in `ProjectsToUpdate`. Leave one free to make the extrinsic pass
x: Linear<1, { <T as Config>::MaxProjectsToUpdateInsertionAttempts::get() - 1 }>,
) {
// * setup *
let mut inst = BenchInstantiator::<T>::new(None);
// We need to leave enough block numbers to fill `ProjectsToUpdate` before our project insertion
let time_advance: u32 = x + 2;
frame_system::Pallet::<T>::set_block_number(time_advance.into());
let issuer = account::<AccountIdOf<T>>("issuer", 0, 0);
whitelist_account!(issuer);
let project_metadata = default_project::<T>(inst.get_new_nonce(), issuer.clone());
let project_id = inst.create_evaluating_project(project_metadata, issuer.clone());
let evaluations = default_evaluations();
let plmc_for_evaluating = BenchInstantiator::<T>::calculate_evaluation_plmc_spent(evaluations.clone());
let existential_plmc: Vec<UserToPLMCBalance<T>> = plmc_for_evaluating.accounts().existential_deposits();
let ct_account_deposits: Vec<UserToPLMCBalance<T>> = plmc_for_evaluating.accounts().ct_account_deposits();
inst.mint_plmc_to(existential_plmc);
inst.mint_plmc_to(ct_account_deposits);
inst.mint_plmc_to(plmc_for_evaluating);
inst.advance_time(One::one()).unwrap();
inst.bond_for_users(project_id, evaluations).expect("All evaluations are accepted");
run_blocks_to_execute_next_transition(project_id, UpdateType::EvaluationEnd, &mut inst);
inst.advance_time(1u32.into()).unwrap();
assert_eq!(inst.get_project_details(project_id).status, ProjectStatus::AuctionInitializePeriod);
let current_block = inst.current_block();
// `do_english_auction` fn will try to add an automatic transition 1 block after the last english round block
let insertion_block_number: BlockNumberFor<T> = current_block + T::EnglishAuctionDuration::get() + One::one();
fill_projects_to_update::<T>(x, insertion_block_number);
let jwt = get_mock_jwt(issuer.clone(), InvestorType::Institutional);
#[extrinsic_call]
start_auction(RawOrigin::Signed(issuer), jwt, project_id);
// * validity checks *
// Storage
let stored_details = ProjectsDetails::<T>::get(project_id).unwrap();
assert_eq!(stored_details.status, ProjectStatus::AuctionRound(AuctionPhase::English));
// Events
frame_system::Pallet::<T>::assert_last_event(
Event::<T>::EnglishAuctionStarted { project_id, when: current_block.into() }.into(),
);
}
// possible branches:
// - pays ct account deposit
// - we know this happens only if param x = 0, but we cannot fit it in the linear regression
// - is over max evals per user, and needs to unbond the lowest evaluation
// - this case, we know they paid already for ct account deposit
fn evaluation_setup<T>(x: u32) -> (BenchInstantiator<T>, ProjectId, UserToUSDBalance<T>, BalanceOf<T>, BalanceOf<T>)
where
T: Config,
<T as Config>::Balance: From<u128>,
<T as Config>::Price: From<u128>,
T::Hash: From<H256>,
<T as frame_system::Config>::RuntimeEvent: From<pallet::Event<T>>,
{
// setup
let mut inst = BenchInstantiator::<T>::new(None);
// real benchmark starts at block 0, and we can't call `events()` at block 0
inst.advance_time(1u32.into()).unwrap();
let issuer = account::<AccountIdOf<T>>("issuer", 0, 0);
let test_evaluator = account::<AccountIdOf<T>>("evaluator", 0, 0);
whitelist_account!(test_evaluator);
let project_metadata = default_project::<T>(inst.get_new_nonce(), issuer.clone());
let test_project_id = inst.create_evaluating_project(project_metadata, issuer);
let existing_evaluation = UserToUSDBalance::new(test_evaluator.clone(), (100 * US_DOLLAR).into());
let extrinsic_evaluation = UserToUSDBalance::new(test_evaluator.clone(), (1_000 * US_DOLLAR).into());
let existing_evaluations = vec![existing_evaluation; x as usize];
let plmc_for_existing_evaluations =
BenchInstantiator::<T>::calculate_evaluation_plmc_spent(existing_evaluations.clone());
let plmc_for_extrinsic_evaluation =
BenchInstantiator::<T>::calculate_evaluation_plmc_spent(vec![extrinsic_evaluation.clone()]);
let existential_plmc: Vec<UserToPLMCBalance<T>> =
plmc_for_extrinsic_evaluation.accounts().existential_deposits();
let ct_account_deposits: Vec<UserToPLMCBalance<T>> =
plmc_for_extrinsic_evaluation.accounts().ct_account_deposits();
inst.mint_plmc_to(existential_plmc);
inst.mint_plmc_to(ct_account_deposits);
inst.mint_plmc_to(plmc_for_existing_evaluations.clone());
inst.mint_plmc_to(plmc_for_extrinsic_evaluation.clone());
inst.advance_time(One::one()).unwrap();
// do "x" evaluations for this user
inst.bond_for_users(test_project_id, existing_evaluations).expect("All evaluations are accepted");
let extrinsic_plmc_bonded = plmc_for_extrinsic_evaluation[0].plmc_amount;
let mut total_expected_plmc_bonded = BenchInstantiator::<T>::sum_balance_mappings(vec![
plmc_for_existing_evaluations.clone(),
plmc_for_extrinsic_evaluation.clone(),
]);
// if we are going to unbond evaluations due to being over the limit per user, then deduct them from the total expected plmc bond
if x >= <T as Config>::MaxEvaluationsPerUser::get() {
total_expected_plmc_bonded -= plmc_for_existing_evaluations[0].plmc_amount *
(x as u128 - <T as Config>::MaxEvaluationsPerUser::get() as u128 + 1u128).into();
}
(inst, test_project_id, extrinsic_evaluation, extrinsic_plmc_bonded, total_expected_plmc_bonded)
}
fn evaluation_verification<T>(
mut inst: BenchInstantiator<T>,
project_id: ProjectId,
evaluation: UserToUSDBalance<T>,
extrinsic_plmc_bonded: BalanceOf<T>,
total_expected_plmc_bonded: BalanceOf<T>,
) where
T: Config,
<T as Config>::Balance: From<u128>,
<T as Config>::Price: From<u128>,
T::Hash: From<H256>,
<T as frame_system::Config>::RuntimeEvent: From<pallet::Event<T>>,
{
// * validity checks *
// Storage
let stored_evaluation = Evaluations::<T>::iter_prefix_values((project_id, evaluation.account.clone()))
.sorted_by(|a, b| a.id.cmp(&b.id))
.last()
.unwrap();
match stored_evaluation {
EvaluationInfo {
project_id,
evaluator,
original_plmc_bond,
current_plmc_bond,
rewarded_or_slashed,
..
} if project_id == project_id &&
evaluator == evaluation.account.clone() &&
original_plmc_bond == extrinsic_plmc_bonded &&
current_plmc_bond == extrinsic_plmc_bonded &&
rewarded_or_slashed.is_none() => {},
_ => assert!(false, "Evaluation is not stored correctly"),
}
// Balances
let bonded_plmc = inst.get_reserved_plmc_balances_for(
vec![evaluation.account.clone()],
HoldReason::Evaluation(project_id).into(),
)[0]
.plmc_amount;
assert_eq!(bonded_plmc, total_expected_plmc_bonded);
// Events
frame_system::Pallet::<T>::assert_last_event(
Event::<T>::FundsBonded { project_id, amount: extrinsic_plmc_bonded, bonder: evaluation.account.clone() }
.into(),
);
}
// - We know how many iterations it does in storage
// - We know that it requires a ct deposit
// - We know that it does not require to unbond the lowest evaluation
#[benchmark]
pub fn first_evaluation() {
// How many other evaluations the user did for that same project
let x = 0;
let (inst, project_id, extrinsic_evaluation, extrinsic_plmc_bonded, total_expected_plmc_bonded) =
evaluation_setup::<T>(x);
let jwt = get_mock_jwt(extrinsic_evaluation.account.clone(), InvestorType::Institutional);
#[extrinsic_call]
evaluate(
RawOrigin::Signed(extrinsic_evaluation.account.clone()),
jwt,
project_id,
extrinsic_evaluation.usd_amount,
);
evaluation_verification::<T>(
inst,
project_id,
extrinsic_evaluation,
extrinsic_plmc_bonded,
total_expected_plmc_bonded,
);
}
// - We know that it does not require a ct deposit
// - We know that it does not require to unbond the lowest evaluation.
// - We don't know how many iterations it does in storage (i.e "x")
#[benchmark]
fn second_to_limit_evaluation(
// How many other evaluations the user did for that same project
x: Linear<1, { T::MaxEvaluationsPerUser::get() - 1 }>,
) {
let (inst, project_id, extrinsic_evaluation, extrinsic_plmc_bonded, total_expected_plmc_bonded) =
evaluation_setup::<T>(x);
let jwt = get_mock_jwt(extrinsic_evaluation.account.clone(), InvestorType::Institutional);
#[extrinsic_call]
evaluate(
RawOrigin::Signed(extrinsic_evaluation.account.clone()),
jwt,
project_id,
extrinsic_evaluation.usd_amount,
);
evaluation_verification::<T>(
inst,
project_id,
extrinsic_evaluation,
extrinsic_plmc_bonded,
total_expected_plmc_bonded,
);
}
// - We know how many iterations it does in storage
// - We know that it does not require a ct deposit
// - We know that it requires to unbond the lowest evaluation
#[benchmark]
fn evaluation_over_limit() {
// How many other evaluations the user did for that same project
let x = <T as Config>::MaxEvaluationsPerUser::get();
let (inst, project_id, extrinsic_evaluation, extrinsic_plmc_bonded, total_expected_plmc_bonded) =
evaluation_setup::<T>(x);
let jwt = get_mock_jwt(extrinsic_evaluation.account.clone(), InvestorType::Institutional);
#[extrinsic_call]
evaluate(
RawOrigin::Signed(extrinsic_evaluation.account.clone()),
jwt,
project_id,
extrinsic_evaluation.usd_amount,
);
evaluation_verification::<T>(
inst,
project_id,
extrinsic_evaluation,
extrinsic_plmc_bonded,
total_expected_plmc_bonded,
);
}
fn bid_setup<T>(
existing_bids_count: u32,
do_perform_bid_calls: u32,
) -> (
BenchInstantiator<T>,
ProjectId,
ProjectMetadataOf<T>,
BidParams<T>,
Option<BidParams<T>>,
Vec<(BidParams<T>, PriceOf<T>)>,
Vec<(BidParams<T>, PriceOf<T>)>,
BalanceOf<T>,
BalanceOf<T>,
BalanceOf<T>,
BalanceOf<T>,
)
where
T: Config,
<T as Config>::Balance: From<u128>,
<T as Config>::Price: From<u128>,
T::Hash: From<H256>,
<T as frame_system::Config>::RuntimeEvent: From<pallet::Event<T>>,
{
// * setup *
let mut inst = BenchInstantiator::<T>::new(None);
// real benchmark starts at block 0, and we can't call `events()` at block 0
inst.advance_time(1u32.into()).unwrap();
let issuer = account::<AccountIdOf<T>>("issuer", 0, 0);
let bidder = account::<AccountIdOf<T>>("bidder", 0, 0);
whitelist_account!(bidder);
let project_metadata = default_project::<T>(inst.get_new_nonce(), issuer.clone());
let project_id = inst.create_auctioning_project(project_metadata.clone(), issuer, default_evaluations::<T>());
let existing_bid =
BidParams::new(bidder.clone(), (100u128 * ASSET_UNIT).into(), 5u8, AcceptedFundingAsset::USDT);
let existing_bids = vec![existing_bid; existing_bids_count as usize];
let existing_bids_post_bucketing = BenchInstantiator::<T>::get_actual_price_charged_for_bucketed_bids(
&existing_bids,
project_metadata.clone(),
None,
);
let plmc_for_existing_bids =
BenchInstantiator::<T>::calculate_auction_plmc_charged_from_all_bids_made_or_with_bucket(
&existing_bids,
project_metadata.clone(),
None,
);
let existential_deposits: Vec<UserToPLMCBalance<T>> = vec![bidder.clone()].existential_deposits();
let ct_account_deposits = vec![bidder.clone()].ct_account_deposits();
let usdt_for_existing_bids: Vec<UserToForeignAssets<T>> =
BenchInstantiator::<T>::calculate_auction_funding_asset_charged_from_all_bids_made_or_with_bucket(
&existing_bids,
project_metadata.clone(),
None,
);
let escrow_account = Pallet::<T>::fund_account_id(project_id);
let prev_total_escrow_usdt_locked =
inst.get_free_foreign_asset_balances_for(usdt_id(), vec![escrow_account.clone()]);
inst.mint_plmc_to(plmc_for_existing_bids.clone());
inst.mint_plmc_to(existential_deposits.clone());
inst.mint_plmc_to(ct_account_deposits.clone());
inst.mint_foreign_asset_to(usdt_for_existing_bids.clone());
// do "x" contributions for this user
inst.bid_for_users(project_id, existing_bids.clone()).unwrap();
// to call do_perform_bid several times, we need the bucket to reach its limit. You can only bid over 10 buckets
// in a single bid, since the increase delta is 10% of the total allocation, and you cannot bid more than the allocation.
let mut ct_amount = (1000u128 * ASSET_UNIT).into();
let mut maybe_filler_bid = None;
let new_bidder = account::<AccountIdOf<T>>("new_bidder", 0, 0);
let mut usdt_for_filler_bidder = vec![UserToForeignAssets::<T>::new(
new_bidder.clone(),
Zero::zero(),
AcceptedFundingAsset::USDT.to_assethub_id(),
)];
if do_perform_bid_calls > 0 {
let current_bucket = Buckets::<T>::get(project_id).unwrap();
// first lets bring the bucket to almost its limit with another bidder:
assert!(new_bidder.clone() != bidder.clone());
let bid_params = BidParams::new(new_bidder, current_bucket.amount_left, 1u8, AcceptedFundingAsset::USDT);
maybe_filler_bid = Some(bid_params.clone());
let plmc_for_new_bidder = BenchInstantiator::<T>::calculate_auction_plmc_charged_with_given_price(
&vec![bid_params.clone()],
current_bucket.current_price,
);
let plmc_ed = plmc_for_new_bidder.accounts().existential_deposits();
let plmc_ct_deposit = plmc_for_new_bidder.accounts().ct_account_deposits();
let usdt_for_new_bidder = BenchInstantiator::<T>::calculate_auction_funding_asset_charged_with_given_price(
&vec![bid_params.clone()],
current_bucket.current_price,
);
inst.mint_plmc_to(plmc_for_new_bidder);
inst.mint_plmc_to(plmc_ed);
inst.mint_plmc_to(plmc_ct_deposit);
inst.mint_foreign_asset_to(usdt_for_new_bidder.clone());
inst.bid_for_users(project_id, vec![bid_params]).unwrap();
ct_amount = Percent::from_percent(10) *
project_metadata.total_allocation_size.0 *
(do_perform_bid_calls as u128).into();
usdt_for_filler_bidder = usdt_for_new_bidder;
}
let extrinsic_bid = BidParams::new(bidder.clone(), ct_amount, 1u8, AcceptedFundingAsset::USDT);
let original_extrinsic_bid = extrinsic_bid.clone();
let current_bucket = Buckets::<T>::get(project_id).unwrap();
// we need to call this after bidding `x` amount of times, to get the latest bucket from storage
let extrinsic_bids_post_bucketing = BenchInstantiator::<T>::get_actual_price_charged_for_bucketed_bids(
&vec![extrinsic_bid.clone()],
project_metadata.clone(),
Some(current_bucket),
);
assert_eq!(extrinsic_bids_post_bucketing.len(), (do_perform_bid_calls as usize).max(1usize));
let plmc_for_extrinsic_bids: Vec<UserToPLMCBalance<T>> =
BenchInstantiator::<T>::calculate_auction_plmc_charged_from_all_bids_made_or_with_bucket(
&vec![extrinsic_bid.clone()],
project_metadata.clone(),
Some(current_bucket),
);
let usdt_for_extrinsic_bids: Vec<UserToForeignAssets<T>> =
BenchInstantiator::<T>::calculate_auction_funding_asset_charged_from_all_bids_made_or_with_bucket(
&vec![extrinsic_bid],
project_metadata.clone(),
Some(current_bucket),
);
inst.mint_plmc_to(plmc_for_extrinsic_bids.clone());
inst.mint_foreign_asset_to(usdt_for_extrinsic_bids.clone());
let total_free_plmc = existential_deposits[0].plmc_amount;
let total_plmc_participation_bonded = BenchInstantiator::<T>::sum_balance_mappings(vec![
plmc_for_extrinsic_bids.clone(),
plmc_for_existing_bids.clone(),
]);
let total_free_usdt = Zero::zero();
let total_escrow_usdt_locked = BenchInstantiator::<T>::sum_foreign_mappings(vec![
prev_total_escrow_usdt_locked.clone(),
usdt_for_extrinsic_bids.clone(),
usdt_for_existing_bids.clone(),
usdt_for_filler_bidder.clone(),
]);
(
inst,
project_id,
project_metadata,
original_extrinsic_bid,
maybe_filler_bid,
extrinsic_bids_post_bucketing,
existing_bids_post_bucketing,
total_free_plmc,
total_plmc_participation_bonded,
total_free_usdt,
total_escrow_usdt_locked,
)
}
fn bid_verification<T>(
mut inst: BenchInstantiator<T>,
project_id: ProjectId,
project_metadata: ProjectMetadataOf<T>,
maybe_filler_bid: Option<BidParams<T>>,
extrinsic_bids_post_bucketing: Vec<(BidParams<T>, PriceOf<T>)>,
existing_bids_post_bucketing: Vec<(BidParams<T>, PriceOf<T>)>,
total_free_plmc: BalanceOf<T>,
total_plmc_bonded: BalanceOf<T>,
total_free_usdt: BalanceOf<T>,
total_usdt_locked: BalanceOf<T>,
) -> ()
where
T: Config,
<T as Config>::Balance: From<u128>,
<T as Config>::Price: From<u128>,
T::Hash: From<H256>,
<T as frame_system::Config>::RuntimeEvent: From<pallet::Event<T>>,
{
// * validity checks *
let bidder = extrinsic_bids_post_bucketing[0].0.bidder.clone();
// Storage
for (bid_params, price) in extrinsic_bids_post_bucketing.clone() {
let bid_filter = BidInfoFilter::<T> {
id: None,
project_id: Some(project_id),
bidder: Some(bidder.clone()),
status: Some(BidStatus::YetUnknown),
original_ct_amount: Some(bid_params.amount),
original_ct_usd_price: Some(price),
final_ct_amount: Some(bid_params.amount),
final_ct_usd_price: None,
funding_asset: Some(AcceptedFundingAsset::USDT),
funding_asset_amount_locked: None,
multiplier: Some(bid_params.multiplier),
plmc_bond: None,
plmc_vesting_info: Some(None),
when: None,
funds_released: Some(false),
ct_minted: Some(false),
};
Bids::<T>::iter_prefix_values((project_id, bidder.clone()))
.find(|stored_bid| bid_filter.matches_bid(stored_bid))
.expect("bid not found");
}
// Bucket Storage Check
let bucket_delta_amount = Percent::from_percent(10) * project_metadata.total_allocation_size.0;
let ten_percent_in_price: <T as Config>::Price = PriceOf::<T>::checked_from_rational(1, 10).unwrap();
let mut starting_bucket = Bucket::new(
project_metadata.total_allocation_size.0,
project_metadata.minimum_price,
ten_percent_in_price,
bucket_delta_amount,
);
for (bid_params, _price_) in existing_bids_post_bucketing.clone() {
starting_bucket.update(bid_params.amount);
}
if let Some(bid_params) = maybe_filler_bid {
starting_bucket.update(bid_params.amount);
}
for (bid_params, _price_) in extrinsic_bids_post_bucketing.clone() {
starting_bucket.update(bid_params.amount);
}
let current_bucket = Buckets::<T>::get(project_id).unwrap();
assert_eq!(current_bucket, starting_bucket);
// Balances
let bonded_plmc = inst
.get_reserved_plmc_balances_for(vec![bidder.clone()], HoldReason::Participation(project_id).into())[0]
.plmc_amount;
assert_eq!(bonded_plmc, total_plmc_bonded);
let free_plmc = inst.get_free_plmc_balances_for(vec![bidder.clone()])[0].plmc_amount;
assert_eq!(free_plmc, total_free_plmc);
let escrow_account = Pallet::<T>::fund_account_id(project_id);
let locked_usdt =
inst.get_free_foreign_asset_balances_for(usdt_id(), vec![escrow_account.clone()])[0].asset_amount;
assert_eq!(locked_usdt, total_usdt_locked);
let free_usdt = inst.get_free_foreign_asset_balances_for(usdt_id(), vec![bidder])[0].asset_amount;
assert_eq!(free_usdt, total_free_usdt);
// Events
for (bid_params, _price_) in extrinsic_bids_post_bucketing {
find_event! {
T,
Event::<T>::Bid {
project_id,
amount,
multiplier, ..
},
project_id == project_id,
amount == bid_params.amount,
multiplier == bid_params.multiplier
}
.expect("Event has to be emitted");
}