Tokio Application in Rust
Introduction
Tokyo application in rust is an asynchronous runtime and network application framework. This is developed for fast development and highly scalable deployments of clients and servers in the Rust programming language. It offers the building blocks required for writing network applications. It provides the flexibility to target a wide range of systems. Those systems are from large servers with dozens of cores to minor embedded devices.
In this article, we will understand the Tokio application in the?Rust programming language.
Description
Tokio application is an event-driven platform for writing asynchronous applications with the?Rust programming language. It gives a few major components at a high level:
Benefits of Tokio
Rapid
Trusted
Simple and Easy
Easily modified
领英推荐
Every one of these runtimes comes with multiple knobs to enable users to tune them to their requirements.
Service Trait
Service Trait is a cornerstone of Tokio’s building blocks. It made it possible for writing composable and reusable components by standardizing the interface that clients and servers use.
pub trait Service: Send + 'static {
type Req: Send + 'static;
type Resp: Send + 'static;
type Error: Send + 'static;
type Fut: Future<Item = Self::Resp, Error = Self::Error>;
fn call(&self, req: Self::Req) -> Self::Fut;
}
Timeouts use as an example
pub struct Timeout<T> {
upstream: T,
delay: Duration,
timer: Timer,
}
impl<T> Timeout<T> {
pub fn new(upstream: T, delay: Duration) -> Timeout<T> {
Timeout {
upstream: upstream,
delay: delay,
timer: Timer::default(),
}
}
}
impl<T> Service for Timeout<T>
where T: Service,
T::Error: From<Expired>,
{
type Req = T::Req;
type Resp = T::Resp;
type Error = T::Error;
type Fut = Box<Future<Item = Self::Resp, Error = Self::Error>>;
fn call(&self, req: Self::Req) -> Self::Fut {
// Get a future representing the timeout and map it to the Service error type
let timeout = self.timer.timeout(self.delay)
.and_then(|timeout| Err(Self::Error::from(timeout)));
// Call the upstream service, passing along the request
self.upstream.call(req)
// Wait for either the upstream response or the timeout to happen
.select(timeout)
// Map the result of the select back to the expected Response type
.map(|(v, _)| v)
.map_err(|(e, _)| e)
.boxed()
}
}
let client = Timeout::new(
http::Client::new(),
Duration::from_secs(60));
client.call(http::Request::get("https://www.rust-lang.org"))
.and_then(|response| {
// Process the response
Ok(())
}).forget(); // Process the future
http::Server::new()
.serve(Timeout::new(MyService, Duration::from_secs(60)));
Do not use Tokio when:
For more details visit: https://www.technologiesinindustry4.com