如何从矢量或数组中随机选择一个元素?

coc*_*oco 16 rust

我有一个元素是a的向量(String, String).我如何随机选择其中一个元素?

DK.*_*DK. 27

你想要rand箱子,特别是choose方法.

use rand::seq::SliceRandom; // 0.6.5

fn main() {
    let vs = vec![0, 1, 2, 3, 4];
    println!("{:?}", vs.choose(&mut rand::thread_rng()));
}
Run Code Online (Sandbox Code Playgroud)

  • 我不同意。这种方法与其他语言的唯一区别是需要将特征放入范围内,并且需要手动指定 rng 状态的来源。也许比平常更明确一点,但我觉得还可以。 (10认同)
  • 获取随机元素的方法太复杂了:( (4认同)

小智 6

如果您想选择多个元素,那么random_choice crate 可能适合您:

extern crate random_choice;
use self::random_choice::random_choice;

fn main() {
    let mut samples = vec!["hi", "this", "is", "a", "test!"];
    let weights: Vec<f64> = vec![5.6, 7.8, 9.7, 1.1, 2.0];

    let number_choices = 100;
    let choices = random_choice().random_choice_f64(&samples, &weights, number_choices);

    for choice in choices {
        print!("{}, ", choice);
    }
}
Run Code Online (Sandbox Code Playgroud)


Afs*_*ani 6

使用choose_multiple

use rand::seq::SliceRandom; // 0.6.5

fn main() {
    let samples = vec!["hi", "this", "is", "a", "test!"];
    let sample: Vec<_> = samples
        .choose_multiple(&mut rand::thread_rng(), 1)
        .collect();
    println!("{:?}", sample);
}
Run Code Online (Sandbox Code Playgroud)


joe*_*joe 6

如果您还想删除所选元素,可以使用以下一种方法(使用 crate rand):

let mut vec = vec![0,1,2,3,4,5,6,7,8,9];

let index = (rand::random::<f32>() * vec.len() as f32).floor() as usize;
let value = vec.remove( index );

println!("index: {} value: {}", index, value);
println!("{:?}", vec);
Run Code Online (Sandbox Code Playgroud)

铁锈游乐场

remove(index)删除 at 处的值index(将其后面的所有元素向左移动)并返回位于index( docs ) 处的值。


xji*_*xji 5

已经包含在randcrate中的另一个加权采样选择是WeightedIndex,它有一个例子:

use rand::prelude::*;
use rand::distributions::WeightedIndex;

let choices = ['a', 'b', 'c'];
let weights = [2,   1,   1];
let dist = WeightedIndex::new(&weights).unwrap();
let mut rng = thread_rng();
for _ in 0..100 {
    // 50% chance to print 'a', 25% chance to print 'b', 25% chance to print 'c'
    println!("{}", choices[dist.sample(&mut rng)]);
}

let items = [('a', 0), ('b', 3), ('c', 7)];
let dist2 = WeightedIndex::new(items.iter().map(|item| item.1)).unwrap();
for _ in 0..100 {
    // 0% chance to print 'a', 30% chance to print 'b', 70% chance to print 'c'
    println!("{}", items[dist2.sample(&mut rng)].0);
}
Run Code Online (Sandbox Code Playgroud)