本文簡要介紹rust語言中 Macro core::try
的用法。
用法
macro_rules! try {
($expr : expr $(,) ?) => { ... };
}
解包結果或傳播其錯誤。
添加了 ?
運算符來替換 try!
,應該使用它來代替。此外,try
是 Rust 2018 中的保留字,因此如果必須使用它,則需要使用 raw-identifier syntax : r#try
。
try!
匹配給定的 Result
。在Ok
變體的情況下,表達式具有包裝值的值。
對於 Err
變體,它會檢索內部錯誤。 try!
然後使用 From
執行轉換。這提供了專門錯誤和更一般錯誤之間的自動轉換。然後立即返回結果錯誤。
由於提前返回,try!
隻能在返回 Result
的函數中使用。
例子
use std::io;
use std::fs::File;
use std::io::prelude::*;
enum MyError {
FileWriteError
}
impl From<io::Error> for MyError {
fn from(e: io::Error) -> MyError {
MyError::FileWriteError
}
}
// The preferred method of quick returning Errors
fn write_to_file_question() -> Result<(), MyError> {
let mut file = File::create("my_best_friends.txt")?;
file.write_all(b"This is a list of my best friends.")?;
Ok(())
}
// The previous method of quick returning Errors
fn write_to_file_using_try() -> Result<(), MyError> {
let mut file = r#try!(File::create("my_best_friends.txt"));
r#try!(file.write_all(b"This is a list of my best friends."));
Ok(())
}
// This is equivalent to:
fn write_to_file_using_match() -> Result<(), MyError> {
let mut file = r#try!(File::create("my_best_friends.txt"));
match file.write_all(b"This is a list of my best friends.") {
Ok(v) => v,
Err(e) => return Err(From::from(e)),
}
Ok(())
}
相關用法
- Rust try_exists用法及代碼示例
- Rust try_from_fn用法及代碼示例
- Rust transmute_copy用法及代碼示例
- Rust transmute用法及代碼示例
- Rust type_name用法及代碼示例
- Rust take_hook用法及代碼示例
- Rust take用法及代碼示例
- Rust thread_local用法及代碼示例
- Rust todo用法及代碼示例
- Rust type_name_of_val用法及代碼示例
- Rust tuple用法及代碼示例
- Rust temp_dir用法及代碼示例
- Rust UdpSocket.set_multicast_loop_v6用法及代碼示例
- Rust i64.overflowing_add_unsigned用法及代碼示例
- Rust Box.downcast用法及代碼示例
- Rust BTreeMap.last_key_value用法及代碼示例
- Rust str.make_ascii_uppercase用法及代碼示例
- Rust u128.checked_pow用法及代碼示例
- Rust usize.wrapping_mul用法及代碼示例
- Rust AtomicU8.fetch_sub用法及代碼示例
- Rust PanicInfo.payload用法及代碼示例
- Rust MaybeUninit.assume_init_mut用法及代碼示例
- Rust String.try_reserve用法及代碼示例
- Rust Mutex.new用法及代碼示例
- Rust f32.exp用法及代碼示例
注:本文由純淨天空篩選整理自rust-lang.org大神的英文原創作品 Macro core::try。非經特殊聲明,原始代碼版權歸原作者所有,本譯文未經允許或授權,請勿轉載或複製。