blob: e6f5e89c040d159f4fbab63d5690b599e6701887 [file] [log] [blame]
Jakub Kotur2b588ff2020-12-21 17:28:14 +01001//! An asynchronous fibonacci sequence generator.
2
3use std::thread;
4
5use crossbeam_channel::{bounded, Sender};
6
7// Sends the Fibonacci sequence into the channel until it becomes disconnected.
8fn fibonacci(sender: Sender<u64>) {
9 let (mut x, mut y) = (0, 1);
10 while sender.send(x).is_ok() {
11 let tmp = x;
12 x = y;
David LeGare54fc8482022-03-01 18:58:39 +000013 y += tmp;
Jakub Kotur2b588ff2020-12-21 17:28:14 +010014 }
15}
16
17fn main() {
18 let (s, r) = bounded(0);
19 thread::spawn(|| fibonacci(s));
20
21 // Print the first 20 Fibonacci numbers.
22 for num in r.iter().take(20) {
23 println!("{}", num);
24 }
25}