Title here
Summary here
对于Result<T, E>类型,我们需要频繁使用Match来获取其中的值,当我们在写主逻辑时可以先不考虑错误处理,此时使用unwrap()方法可以快速获取其中的值,如果有错误则会panic。
use std::fs::File;
fn main() {
let f = File::open("hello.txt");
let f = match f {
Ok(file) => file,
Err(error) => {
panic!("Problem opening the file: {:?}", error)
},
};
}
如果用unwrap
use std::fs::File;
fn main() {
let f = File::open("hello.txt").unwrap();
}
如果要自定义panic信息,可以使用expect()方法
use std::fs::File;
fn main() {
let f = File::open("hello.txt").expect("Failed to open hello.txt");
}
上面的unwrap()显然比较粗糙。
我们看一下下面的例子:
use std::fs::File;
use std::io::{self, Read};
fn read_username_from_file() -> Result<String, io::Error> {
let username_file_result = File::open("hello.txt");
let mut username_file = match username_file_result {
Ok(file) => file,
Err(e) => return Err(e),
};
let mut username = String::new();
match username_file.read_to_string(&mut username) {
Ok(_) => Ok(username),
Err(e) => Err(e),
}
}
因为Result处理非常常见,所以提供了?代替频繁的Match,并且可以链式调用。这里要注意的是?只能用于返回Result的函数。
use std::fs::File;
use std::io::{self, Read};
fn read_username_from_file() -> Result<String, io::Error> {
let mut username = String::new();
File::open("hello.txt")?.read_to_string(&mut username)?;
Ok(username)
}
?同样还适用于返回Option的函数。
fn last_char_of_first_line(text: &str) -> Option<char> {
text.lines().next()?.chars().last()
}