Threads

Threads em Rust funcionam de maneira semelhante Ă s threads em outras linguagens:

use std::thread;
use std::time::Duration;

fn main() {
    thread::spawn(|| {
        for i in 1..10 {
            println!("Count in thread: {i}!");
            thread::sleep(Duration::from_millis(5));
        }
    });

    for i in 1..5 {
        println!("Main thread: {i}");
        thread::sleep(Duration::from_millis(5));
    }
}
  • Threads sĂŁo todas “daemon threads”, o thread principal nĂŁo espera por elas.
  • “Panics” em threads sĂŁo independentes uns dos outros.
    • “Panics” podem carregar um payload (carga Ăștil), que pode ser descompactado com downcast_ref.

Pontos chave:

  • Notice that the thread is stopped before it reaches 10 — the main thread is not waiting.

  • Use let handle = thread::spawn(...) and later handle.join() to wait for the thread to finish.

  • Trigger a panic in the thread, notice how this doesn’t affect main.

  • Use the Result return value from handle.join() to get access to the panic payload. This is a good time to talk about Any.