将一串数字转换为Rust中的int / Array数组

问题描述 投票:8回答:3

我在STDIN上写了一串数字(例如“4 10 30 232312”),我想读取并转换为Rust中的int(或向量)数组,找不到正确的方法,到目前为止我有:

use std::io;

fn main() {
    let mut reader = io::stdin();
    let numbers = reader.read_line().unwrap();
}

先感谢您

arrays string converter rust
3个回答
13
投票

针对Rust 1.x进行了更新

你可以这样做:

use std::io::{self, BufRead};                   // (a)

fn main() {
    let reader = io::stdin();
    let numbers: Vec<i32> = 
        reader.lock()                           // (0)
              .lines().next().unwrap().unwrap() // (1)
              .split(' ').map(|s| s.trim())     // (2)
              .filter(|s| !s.is_empty())        // (3)
              .map(|s| s.parse().unwrap())      // (4)
              .collect();                       // (5)
    println!("{:?}", numbers);
}

首先,我们使用stdin的锁定,它允许您使用stdin作为缓冲读取器(默认情况下,Rust中的stdin是无缓冲的;您需要在其上调用lock()方法以获取它的缓冲版本,但此缓冲版本仅一个用于程序中的所有线程,因此应该同步对它的访问)。

接下来,我们阅读下一行(1);我正在使用lines()迭代器,其next()方法返回Option<io::Result<String>>,因此要获得String,你需要unwrap()两次。

然后我们用空格分割它并从额外的空格中修剪得到的块(2),删除修剪后留下的空块(3),将字符串转换为i32s(4)并将结果收集到向量(5)。

我们还需要导入std::io::BufRead特征(a)才能使用lines()方法。

如果您事先知道您的输入在数字之间不会包含多个空格,则可以省略步骤(3)并将trim()调用从(2)移动到(1):

let numbers: Vec<i32> = 
    reader.lock()
          .lines().next().unwrap().unwrap()
          .trim().split(' ')
          .map(|s| s.parse().unwrap())
          .collect();

更新

但是,Rust已经提供了一种将字符串拆分为空格分隔的单词序列的方法,称为split_whitespace()

let numbers: Vec<i32> =
    reader.read_line().unwrap().as_slice()
        .split_whitespace()
        .map(|s| s.parse().unwrap())
        .collect()

split_whitespace()实际上只是split()filter()的组合,就像我原来的例子一样。它使用split()参数中的函数,虽然它检查不同类型的空格,而不仅仅是空格字符。你可以找到它的来源是here


12
投票

在Rust 1.5.x上,一个可行的解决方案是:

fn main() {    
    let mut numbers = String::new();

    io::stdin().read_line(&mut numbers).ok().expect("read error");

    let numbers: Vec<i32> = numbers
        .split_whitespace()
        .map(|s| s.parse().unwrap())
        .collect();

    for num in numbers {
        println!("{}", num);
    }
}

1
投票

更安全的版本。这个跳过失败的解析,因此失败的解包不会引起恐慌。使用read_line读取单行。

let mut buf = String::new();

// use read_line for reading single line 
std::io::stdin().read_to_string(&mut buf).expect("");

// this one skips failed parses so that failed unwrap doesn't panic
let v: Vec<i32> = buf.split_whitespace().filter_map(|w| w.parse().ok()).collect();

你甚至可以像这样阅读Vector of Vectors。

let stdin = io::stdin();
let locked = stdin.lock();
let vv: Vec<Vec<i32>> = locked.lines()
    .filter_map(
        |l| l.ok().map(
            |s| s.split_whitespace()
                 .filter_map(|word| word.parse().ok())
                 .collect()))
    .collect();

上面的一个适用于输入

2 424 -42 124
42 242 23 22 241
24 12 3 232 445

然后把它变成

[[2, 424, -42, 124],
[42, 242, 23, 22, 241],
[24, 12, 3, 232, 445]]

filter_map接受一个关闭,返回Option<T>并过滤掉所有Nones。

ok()Result<R,E>变为Option<R>,以便在这种情况下可以过滤错误。

© www.soinside.com 2019 - 2024. All rights reserved.