Let’s see how it all works in practice. Make sure that delayserver is up and running, because we’ll need it for these examples to work.
The goal is to send a set of requests to delayserver with varying delays and then use epoll to wait for the responses. Therefore, we’ll only use epoll to track read events in this example. The program doesn’t do much more than that for now.
The first thing we do is to make sure our main.rs file is set up correctly:
ch04/a-epoll/src/main.rs
use std::{io::{self, Read, Result, Write}, net::TcpStream};
use ffi::Event;
use poll::Poll;
mod ffi;
mod poll;
We import a few types from our own crate and from the standard library, which we’ll need going forward, as well as declaring our two modules.
We’ll be working directly with TcpStreams in this example, and that means that we’ll have to format the HTTP requests we make to our delayserver ourselves.
The server will accept GET requests, so we create a small helper function to format a valid HTTP GET request for us:
ch04/a-epoll/src/main.rs
fn get_req(path &str) -> Vec<u8> {
format!(
“GET {path} HTTP/1.1\r\n\
Host: localhost\r\n\
Connection: close\r\n\
\r\n”
)
}
The preceding code simply takes a path as an input argument and formats a valid GET request with it. The path is the part of the URL after the scheme and host. In our case, the path would be everything in bold in the following URL: http://localhost:8080/2000/hello-world.
Next up is our main function. It’s divided into two parts:
- Setup and sending requests
- Wait and handle incoming events
The first part of the main function looks like this:
fn main() -> Result<()> {
let mut poll = Poll::new()?;
let n_events = 5;
let mut streams = vec![];
let addr = “localhost:8080”;
for i in 0..n_events {
let delay = (n_events – i) * 1000;
let url_path = format!(“/{delay}/request-{i}”);
let request = get_req(&url_path);
let mut stream = std::net::TcpStream::connect(addr)?;
stream.set_nonblocking(true)?;
stream.write_all(request.as_bytes())?;
poll.registry()
.register(&stream, i, ffi::EPOLLIN | ffi::EPOLLET)?;
streams.push(stream);
}
The first thing we do is to create a new Poll instance. We also specify what number of events we want to create and handle in our example.
The next step is creating a variable to hold a collection of Vec<TcpStream> objects.
We also store the address to our local delayserver in a variable called addr.
The next part is where we create a set of requests that we issue to our delayserver, which will eventually respond to us. For each request, we expect a read event to happen sometime later on in the TcpStream we sent the request on.
The first thing we do in the loop is set the delay time in milliseconds. Setting the delay to (n_events – i) * 1000 simply sets the first request we make to have the longest timeout, so we should expect the responses to arrive in the reverse order from which they were sent.
Leave a Reply