-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathspawning.rs
81 lines (74 loc) · 2.39 KB
/
spawning.rs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
use futures::future::join_all;
use reqwest::Client;
use tokio::{spawn, try_join};
/// # Task Spawning
/// -----------------
///
/// Task Spawning is the process of running another task when one task is in
/// sleep mode. This process utilizes the idle cpu to continue running another
/// thread when one thread is in waiting mode.
///
/// The following example illustrates the task spawnning process when one task
/// is set to idle.
/// We have multiple API requests to the server, which might have different
/// response time based on the API endpoint. While one request waits the response,
/// another will start requesting the data again.
///
/// In the following example, the first request will have slower response
/// and the second will have faster one, because of which, second thread will be
/// spawnned while first thread waits for the response
async fn request(message: &str, delay: usize) {
println!("⛔ Request for: {message}");
let client = Client::new();
if let Ok(resp) = client
.get(format!("https://httpbin.org/delay/{delay}"))
.send()
.await
{
println!("✅ Response for {message}: {}", resp.text().await.unwrap());
}
}
#[tokio::main]
async fn main() {
{
println!("Spawning");
let slower = spawn(request("First Request", 5));
let faster = spawn(request("Second Request", 1));
let _ = try_join!(slower, faster);
}
/*
Output:
----------
Spawning
⛔ Request for: First Request
⛔ Request for: Second Request
✅ Response for Second Request: {
"args": {},
...
"origin": "27.34.73.162",
"url": "https://httpbin.org/delay/1"
}
✅ Response for First Request: {
"args": {},
...
"origin": "27.34.73.162",
"url": "https://httpbin.org/delay/5"
}
*/
// spawning and joining from iterators
// here, we can see the similar behavior as of above, but in case of using
// different keywords and identifiers, we create iterators and join all of
// the responses at once using `future` trait.
{
let tasks = vec![
("First Request", 5),
("Second Request", 2),
("Third Request", 1),
];
let handles = tasks
.into_iter()
.map(|(message, delay)| spawn(request(message, delay)))
.collect::<Vec<_>>();
join_all(handles).await;
}
}