Rust 程式設計視訊教程對應講解內容-錯誤

linghuyichong發表於2020-01-01

頭條地址:https://www.ixigua.com/i676544267458235648...
B站地址:https://www.bilibili.com/video/av78062009?...
網易雲課堂地址:https://study.163.com/course/introduction....

1、rust語言將錯誤分為兩個類別:可恢復錯誤和不可恢復錯誤
(1)可恢復錯誤通常代表向使用者報告錯誤和重試操作是合理的情況,例如未找到檔案。rust中使用Result<T,E>來實現。
(2)不可恢復錯誤是bug的同義詞,如嘗試訪問超過陣列結尾的位置。rust中通過panic!來實現。

2、panic!

fn main() {
    panic!("crash and burn");
}

3、使用BACKTRACE
例子:

fn main() {
    let v = vec![1, 2, 3];
    v[99];
}

執行時:RUST_BACKTRACE=1(任何不為0的值即可) cargo run,會列印出完整的堆疊。

4、Result<T, E>
原型:

enum Result<T, E> {
    Ok(T),
    Err(E),
}

使用例子:

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)
        },
    };
}

使用match匹配不同的錯誤:

use std::fs::File;
fn main() {
    let f = File::open("hello.txt");
    let f = match f {
        Ok(file) => file,
        Err(error) => match error.kind() {
            ErrorKing::NotFound => println!("Not found!"),
            _ =>panic!("Problem opening the file: {:?}", error),
        },
    };
}

5、失敗時的簡寫
(1)unwrap
例子:

use std::fs::File;
fn main() {
    let f = File::open("hello.txt").unwrap();
}

(2)expect
例子:

use std::fs::File;
fn main() {
    let f = File::open("hello.txt").expect("Failed to open hello.txt");
}
本作品採用《CC 協議》,轉載必須註明作者和本文連結

令狐一衝

相關文章