async/await

從高層次的角度來看,非同步的 Rust 程式碼看起來很像「一般的」同步程式碼:

use futures::executor::block_on;

async fn count_to(count: i32) {
    for i in 1..=count {
        println!("Count is: {i}!");
    }
}

async fn async_main(count: i32) {
    count_to(count).await;
}

fn main() {
    block_on(async_main(10));
}

重要須知:

  • 注意這只是一個簡化過的程式碼,目的是要示範程式語法。這份範例程式碼當中並沒有需要長時間運行的操作,也沒有真正的併行處理!

  • 如何得知非同步函數的回傳型別?

    • main 函數中使用 let feature: () = async_main(10); 以查看型態。
  • 「async」這個關鍵字只是個程式碼語法糖。編譯器會將函數回傳型態以 future 取代。

  • 你不能把 main 函數標示成非同步函數,除非你對編譯器額外設定了如何處理回傳的 future 的方式。

  • 你需要處理器去執行非同步的程式碼。block_on 會阻塞當前的執行緒,直到 future 已執行完畢。

  • .await 會非同步地等待其他操作執行完畢。別於 block_on.await 不會阻塞當前的執行緒。

  • .await 只能用在 async 函數(或程式碼區塊,之後會介紹)中。