1

我可以解析这样的数字:

map_res(digit1, |s: &str| s.parse::<u16>())

但是只有在一定范围内,我才能解析一个数字?

4

1 回答 1

5

您可以检查解析的数字是否适合该范围,如果不适合则返回错误:

map_res(digit1, |s: &str| {
    // uses std::io::Error for brevity, you'd define your own error
    match s.parse::<u16>() {
        Ok(n) if n < MIN || n > MAX => Err(io::Error::new(io::ErrorKind::Other, "out of range")),
        Ok(n) => Ok(n),
        Err(e) => Err(io::Error::new(io::ErrorKind::Other, e.to_string())),
    }
})

匹配也可以用and_thenandmap_err组合符表示:

map_res(digit1, |s: &str| {
    s.parse::<u16>()
        .map_err(|e| io::Error::new(io::ErrorKind::Other, e.to_string()))
        .and_then(|n| {
            if n < MIN || n > MAX {
                Err(io::Error::new(io::ErrorKind::Other, "out of range"))
            } else {
                Ok(n)
            }
        })
})
于 2020-12-05T12:02:47.303 回答