-
Notifications
You must be signed in to change notification settings - Fork 13
/
Copy pathweighted_random.rs
64 lines (53 loc) · 1.62 KB
/
weighted_random.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
extern crate alloc;
use alloc::vec::Vec;
use rand::Rng;
use rand_chacha::{rand_core::SeedableRng, ChaCha20Rng};
/// Parameters needed for weighted-pseudorandom selection algorithm
pub struct WeightedRandomSelectionConfig {
pub size: u16,
}
pub type Weight = u128;
impl WeightedRandomSelectionConfig {
pub fn select_authorities<T: Clone>(
&self,
weighted_candidates: Vec<(T, Weight)>,
seed: <ChaCha20Rng as SeedableRng>::Seed,
) -> Option<Vec<T>> {
select_authorities(weighted_candidates, seed, self)
}
}
pub fn select_authorities<T: Clone>(
weighted_candidates: Vec<(T, Weight)>,
seed: <ChaCha20Rng as SeedableRng>::Seed,
config: &WeightedRandomSelectionConfig,
) -> Option<Vec<T>> {
let size = usize::from(config.size);
let total_weight: Weight = weighted_candidates.iter().map(|(_, weight)| weight).sum();
let mut committee: Vec<T> = alloc::vec![];
let mut rng = ChaCha20Rng::from_seed(seed);
while committee.len() < size && !weighted_candidates.is_empty() {
let selected_index = select_with_weight(&weighted_candidates, total_weight, &mut rng);
let selected = weighted_candidates[selected_index].0.clone();
committee.push(selected);
}
if size <= committee.len() {
Some(committee)
} else {
None
}
}
fn select_with_weight<T>(
candidates: &[(T, Weight)],
total_weight: Weight,
rand: &mut ChaCha20Rng,
) -> usize {
let random_number: u128 = rand.gen_range(0..total_weight);
let mut cumulative_weight: Weight = 0;
for (index, (_, weight)) in candidates.iter().enumerate() {
cumulative_weight += weight;
if cumulative_weight > random_number {
return index;
}
}
panic!("Did not select any candidate");
}