Select
Select ์ฐ์ฐ์ ์ฌ๋ฌ future๋ค ๋ชจ๋์ ๋ํด์ ์ค๋น๋ ๋ ๊น์ง ๊ธฐ๋ค๋ฆฌ๋ค๊ฐ, ๊ทธ ์ค ์ด๋ค ํ future๊ฐ ์ต์ด๋ก ์ค๋น ์ํ๊ฐ ๋๋ฉด ํด๋น future์ ๊ฒฐ๊ณผ๊ฐ์ ๋ฆฌํดํฉ๋๋ค. ์ด๊ฒ์ ์๋ฐ์คํฌ๋ฆฝํธ์์์ Promise.race
์ ๋น์ทํฉ๋๋ค. ํ์ด์ฌ์์๋ผ๋ฉด asyncio.wait(task_set, return_when=asyncio.FIRST_COMPLETED)
๊ฐ ํ๋ ๋์๊ณผ ๋น์ทํฉ๋๋ค.
select!
์์๋, match
๋ฌธ๊ณผ ๋น์ทํ๊ฒ, pattern = future => statement
ํํ์ ๋ธ๋์น(arm) ๋ค์ด ์์ต๋๋ค. ์ด๋ค โfutureโ๊ฐ ์งํ ๊ฐ๋ฅ ์ํ๊ฐ ๋๋ฉด โ๊ทธ future
์ ๊ฒฐ๊ณผ๊ฐ์ด pattern
์ผ๋ก ๋ฐ์ธ๋ฉ ๋๋ฉฐ, ๊ทธ ์ํ์์ `statementโ๊ฐ ์ํ๋ฉ๋๋ค.
use tokio::sync::mpsc::{self, Receiver}; use tokio::time::{sleep, Duration}; #[derive(Debug, PartialEq)] enum Animal { Cat { name: String }, Dog { name: String }, } async fn first_animal_to_finish_race( mut cat_rcv: Receiver<String>, mut dog_rcv: Receiver<String>, ) -> Option<Animal> { tokio::select! { cat_name = cat_rcv.recv() => Some(Animal::Cat { name: cat_name? }), dog_name = dog_rcv.recv() => Some(Animal::Dog { name: dog_name? }) } } #[tokio::main] async fn main() { let (cat_sender, cat_receiver) = mpsc::channel(32); let (dog_sender, dog_receiver) = mpsc::channel(32); tokio::spawn(async move { sleep(Duration::from_millis(500)).await; cat_sender .send(String::from("Felix")) .await .expect("Failed to send cat."); }); tokio::spawn(async move { sleep(Duration::from_millis(50)).await; dog_sender .send(String::from("Rex")) .await .expect("Failed to send dog."); }); let winner = first_animal_to_finish_race(cat_receiver, dog_receiver) .await .expect("Failed to receive winner"); println!("Winner is {winner:?}"); }
-
In this example, we have a race between a cat and a dog.
first_animal_to_finish_race
listens to both channels and will pick whichever arrives first. Since the dog takes 50ms, it wins against the cat that take 500ms. -
You can use
oneshot
channels in this example as the channels are supposed to receive only onesend
. -
Try adding a deadline to the race, demonstrating selecting different sorts of futures.
-
Note that
select!
drops unmatched branches, which cancels their futures. It is easiest to use when every execution ofselect!
creates new futures.- An alternative is to pass
&mut future
instead of the future itself, but this can lead to issues, further discussed in the pinning slide.
- An alternative is to pass