rust-tokio发布考古

源头: Carl Lerche  Aug 4, 2016

​ I’m very excited to announce a project that has been a long time in the making.
我很兴奋地宣布一个酝酿已久的项目。

Tokio is a network application framework for rapid development and highly scalable deployments of clients and servers in the Rust programming language. ​

Tokio 是一个网络应用框架,用于Rust编程语言中客户端和服务器的快速开发和高度可扩展的部署。

It strives to make writing robust, scalable, and production ready network clients and servers as easy as possible. It does this by focusing on small and reusable components… and by being really, really, fast.

它致力于尽可能轻松地编写健壮、可扩展且可用于生产的网络客户端和服务器。 它通过专注于小型且可重复使用的组件来实现这一点……并且非常非常快。

GitHub - tokio-rs/tokio: A runtime for writing reliable asynchronous applications with Rust. Provides I/O, networking, scheduling, timers, ...

Let’s start our tour of Tokio.
让我们开始我们的Tokio之旅。

Service Trait 服务特点

​Writing composable and reusable components is made possible by standardizing the interface that clients and servers use. In Tokio, this standardized interface is the `Service` trait and it is the cornerstone of Tokio’s building blocks. This trait is heavily inspired (Ok, stolen) from Finagle. ​
通过标准化客户端和服务器使用的接口,可编写可组合和可重用的组件。 在 Tokio 中,这个标准化接口是“Service”特征,它是 Tokio 构建块的基石。 这个特性很大程度上受到 Finagle 的启发(好吧,是偷来的)。

Here is what the Service trait looks like:
下面是Service trait的样子:

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;
}

A relatively simple trait, but it unlocks a world of possibility. This symmetric and uniform API reduces your server or client into a function, thus enabling middleware (or filters, depending on your lingo).

这是一个相对简单的特征,但它开启了一个充满可能性的世界。 这种对称且统一的 API 将您的服务器或客户端简化为一个函数,从而启用中间件(或过滤器,具体取决于您的常用术语)。

A Service is an asynchronous function from Request to Response, where asynchronicity is managed by the brilliant Futures crate.
服务是从请求到响应的异步功能,其中的异步性由出色的Futures crate管理。

A middleware is a component that acts both as a client and a server. It intercepts a request, modifies it, and passes it on to an upstream Service value.

中间件是一个既当客户端又当服务器的组件。 它拦截请求,修改请求,并将其传递给上游Service值。

Let us use timeouts as an example, something every network application requires.
让我们以超时为例,这是每个网络应用程序都需要的。

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 typelet timeout = self.timer.timeout(self.delay).and_then(|timeout| Err(Self::Error::from(timeout)));// Call the upstream service, passing along the requestself.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()}
}

This Timeout middleware, shown above, only has to be written once, then it can be inserted as part of any network client for any protocol, as shown below.

如上所示,这个超时中间件只需编写一次,然后它就可以作为任何协议的任何网络客户端的一部分插入,如下所示。

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 responseOk(())}).forget(); // Process the future

Now, the really interesting thing is that the exact same middleware could be used in a server as well, shown below.
现在,真正有趣的事情是,完全相同的中间件也可以在服务器中使用,如下所示。

http::Server::new().serve(Timeout::new(MyService, Duration::from_secs(60)));

Tokio’s Reactor Tokio’s 的Reactor 

The Service trait addresses how all the various network services fit together to build one cohesive application, but it doesn’t care about the details of how each service is built. This is where the Tokio reactor fits in.
Service trait解决了如何将各种网络服务组合在一起以构建一个高内聚应用程序的问题,但它并不关心每个服务是如何构建的细节。这就是Tokio reactor的用武之地。

The Tokio reactor is a non-blocking runtime built on top of Mio. It has the job of scheduling tasks to run based on readiness notifications of the underlying sockets.
Tokio Reactor 是构建在 Mio 之上的非阻塞运行时。 它的任务是根据底层socket的就绪通知来调度任务运行。

Let us start with a simple example: listening on a socket and accepting inbound connections.
让我们从一个简单的例子开始:监听socket并接受入站连接。

struct Listener {socket: TcpListener,
}impl Task for Listener {fn tick(&mut self) -> io::Result<Tick> {// As long as there are sockets to accept, accept and process themwhile let Some(socket) = try!(self.socket.accept()) {// Do something with the socket}Ok(Tick::WouldBlock)}
}pub fn main() {let reactor = Reactor::default().unwrap();// Run a closure on the reactorreactor.handle().oneshot(|| {let addr = "0.0.0.0:0".parse().unwrap();let listener = try!(TcpListener::bind(&addr));// Schedule the task managing the listenerreactor::schedule(Listener { socket: listener });Ok(())});reactor.run();
}

Look at all the things that I’m not doing. This is all non-blocking code. There is no interest explicitly registered with the reactor, there are no callbacks passed around, everything happens right there in the `tick` function.

看看我没有做的所有事情,这都是非阻塞代码。 没有向reactor显式登记注册,没有回调传递,一切都发生在“tick”函数中。

This is where I think Tokio does something new and interesting (if this has been done before, I am not aware of it).
这就是我认为Tokio 做了一些新的有趣的事情的地方(如果这是以前做过的,我不知道)。

Instead of requiring that you explicitly register interest in a socket in order to receive readiness notifications, as Mio requires, Tokio observes which sources (in this case, a TcpListener) the task depends on by noticing which sources the task uses. In other words, by simply using your sockets, timers, channels, etc… you are expressing readiness interest to the reactor.
Mio要求您显式地注册对socket 的兴趣以接收就绪通知,而不是像Mio那样,Tokio 通过注意任务使用的哪些源来观察任务所依赖的源(在本例中是TcpListener)。换句话说,通过简单地使用你的sockets,计时器,通道等..

So, in this example, the first time the reactor calls the Listener task, `self.socket.accept()` will return `Ok(None)` which indicates that the listener socket is not ready to complete the accept operation. However, the listener socket will also register interest in itself with the reactor. When the listener becomes ready, the task is invoked again by the reactor. This time the accept will succeed. The reactor is able to make its observations with virtually no performance overhead. You can see for yourself if you don’t believe me. ​

因此,在这个例子中,反应器第一次调用监听器任务时,“self.socket.accept()”将返回“Ok(None)”,这表明listener socket尚未准备好完成接受操作。 然而,listener socket也会向reactor注册登记。 当listener准备就绪时,reactor将再次调用该任务。 这次accept就成功了。

该reactor能够在几乎没有任何性能开销的情况下进行观测。 如果您不相信我,您可以亲自看看。

​ This pattern works out nicely for more complex cases as well. I’m looking forward to seeing what people come up with. ​
这种模式也适用于更复杂的情况。我很期待看到人们想出什么。

Community 社区

Tokio is now open to the world while still at a very early stage. This is intentional. Release early, release often. I am hoping to get the Rust community involved now to shape the direction of Tokio and to get the protocol & middleware ecosystem jump started. It is up to you to build these reusable components and share them.
Tokio 现在向世界开放,但仍处于非常早期的阶段。这是故意的。尽早发布,经常发布。我希望现在就让 Rust 社区参与进来,以塑造 Tokio 的方向,并让协议和中间件生态系统快速启动。 您可以构建这些可重用组件并共享它们。

Do you want a Cassandra driver? Write it. Do you want an HTTP 2 server? Do it!
你想要一个Cassandra 数据库驱动程序吗?开始写吧。你想要一个HTTP 2服务器吗?动手吧!

A number of Rust community members have already jumped in to help shape Tokio to what it is today.
一些Rust社区成员已经加入进来,帮助时雄塑造今天的样子​ 。

Sean McArthur of Hyper has already started working to integrate the Tokio reactor in Hyper for the 0.10 release. His feedback has been invaluable. We already have a proof of concept HTTP server providing a Service trait based API. ​
Hyper 的 Sean McArthur 已经开始致力于将 Tokio Reactor 集成到 Hyper 0.10 版本中。他的反馈是无价的。我们已经有了一个概念验证 HTTP 服务器,提供基于服务特征的 API​ 。 ​

Tikue is working on getting his RPC framework Tarpc working on Tokio using the provided building blocks. We’ve already discovered further components Tokio could provide to reduce the amount of time he has to spend writing networking code. ​

Tikue 正在致力于使用提供的构建块让他的 RPC 框架 Tarpc 在 Tokio 上运行。 我们已经发现 Tokio 可以提供更多组件来减少他编写网络代码所需的时间。 ​

This is the beginning, not the end. There is still so much to do and I hope that we can all do it together. If you want to build something with Tokio, get involved. Talk to me and the other members of the Tokio community.  Let’s build this together.

这是开始,而不是结束。 还有很多事情要做,我希望我们大家能够一起完成。 如果您想与 Tokio 一起构建一些东西,请参与其中。 与我和 Tokio 社区的其他成员交谈。 让我们一起构建这个。

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/801740.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

7-36 输入年份和月份

输入一个年份和月份&#xff0c;输出这个月的天数。 输入格式: 输入年份year和月份month&#xff0c;年份和月份中间用一个空格隔开。 输出格式: 输入year年的month月对应的天数。 输入样例: 2000 2输出样例: 29输入样例: 1900 2输出样例: 28输入样例: 1900 6输出样例…

基于单片机数码管20V电压表仿真设计

**单片机设计介绍&#xff0c;基于单片机数码管20V电压表仿真设计 文章目录 一 概要二、功能设计设计思路 三、 软件设计原理图 五、 程序六、 文章目录 一 概要 基于单片机数码管20V电压表仿真设计的主要目的是通过单片机和数码管显示电路实现一个能够测量0到20V直流电压的电…

南京博物院自动化预约

代码 import timeimport requests from selenium import webdriver from selenium.webdriver.common.by import By from selenium.webdriver.support.ui import WebDriverWait from selenium.webdriver.support import expected_conditions as EC# 创建Edge浏览器实例 driver …

如果用大模型考公,kimi、通义千问谁能考高分?

都说大模型要超越人类了&#xff0c;今天就试试让kimi和通义千问做公务员考试题目&#xff0c;谁能考高分&#xff1f; 测评结果再次让人震惊&#xff01; 问题提干&#xff1a;大小两种规格的盒装鸡蛋&#xff0c;大盒装23个&#xff0c;小盒装16个&#xff0c;采购员小王买了…

【鸿蒙开发】系统组件Row

Row组件 Row沿水平方向布局容器 接口&#xff1a; Row(value?:{space?: number | string }) 参数&#xff1a; 参数名 参数类型 必填 参数描述 space string | number 否 横向布局元素间距。 从API version 9开始&#xff0c;space为负数或者justifyContent设置为…

用vue.js写案例——ToDoList待办事项 (步骤和全码解析)

目录 一.准备工作 二.编写各个组件的页面结构 三.实现初始任务列表的渲染 四.新增任务 五.删除任务 六.展示未完成条数 七.切换状态-筛选数据 八.待办事项&#xff08;全&#xff09;代码 一.准备工作 在开发“ToDoList”案例之前&#xff0c;需要先完成一些准备工作&a…

电力变压器数据集介绍和预处理

1 电力变压器数据集介绍 1.1 数据背景 在这个Github仓库中&#xff0c;作者提供了几个可以用于长序列时间序列问题的数据集。所有数据集都经过了预处理&#xff0c;并存储为.csv文件。数据集的范围从2016/07到2018/07。 ETT-small: 含有2个电力变压器&#xff08;来自2个站点…

React - 你使用过高阶组件吗

难度级别:初级及以上 提问概率:55% 高阶组件并不能单纯的说它是一个函数,或是一个组件,在React中,函数也可以做为一种组件。而高阶组件就是将一个组件做为入参,被传入一个函数或者组件中,经过一定的加工处理,最终再返回一个组件的组合…

使用卷积神经网络(CNN)识别验证码

验证码&#xff08;CAPTCHA&#xff09;是一种常见的用于区分人类和机器的技术&#xff0c;它要求用户完成一些简单的任务或者输入一些字符以验证其身份。本文将介绍如何使用卷积神经网络&#xff08;CNN&#xff09;来识别常见的字符验证码&#xff0c;并提供详细的代码示例。…

公网环境下如何端口映射?

公网端口映射是一种网络技术&#xff0c;它允许将本地网络中的设备暴露在公共互联网上&#xff0c;以便能够从任何地方访问这些设备。通过公网端口映射&#xff0c;用户可以通过互联网直接访问和控制局域网中的设备&#xff0c;而无需在本地网络中进行复杂的配置。 公网端口映射…

动态规划基础思想

本页面主要介绍了动态规划的基本思想,以及动态规划中状态及状态转移方程的设计思路,帮助各位初学者对动态规划有一个初步的了解。 本部分的其他页面,将介绍各种类型问题中动态规划模型的建立方法,以及一些动态规划的优化技巧。 引入 [IOI1994] 数字三角形](https://www.…

AUTOSAR配置工具开发教程 - 开篇

简介 本系列的教程&#xff0c;主要讲述如何自己开发一套简单的AUTOSAR ECU配置工具。适用于有C# WPF基础的人员。 简易介绍见&#xff1a;如何打造AUTOSAR工具_autosar_mod_ecuconfigurationparameters-CSDN博客 实现版本 AUTOSAR 4.0.3AUTOSAR 4.2.2AUTOSAR 4.4.0 效果 …

GD32零基础教程第一节(开发环境搭建及工程模板介绍)

文章目录 前言一、MDK keil5安装二、设备支持包安装三、CH340串口驱动安装四、STLINIK驱动安装五、工程风格介绍总结 前言 本篇文章正式带大家开始学习GD32F407VET6国产单片机的学习&#xff0c;国产单片机性能强&#xff0c;而且价格也便宜&#xff0c;下面就开始带大家来介绍…

Unity 主线程和其他线程之间的数据访问

在Unity中&#xff0c;主线程和其他线程之间的数据访问需要小心处理&#xff0c;因为在多线程环境下&#xff0c;不当的数据访问可能导致竞争条件和数据不一致性。 在Unity中&#xff0c;主线程通常用于处理用户输入、更新游戏逻辑和渲染。其他线程通常用于执行耗时的计算、加…

如何保障人工智能系统开发的安全?

原文地址&#xff1a;https://venturebeat.com/ai/how-to-secure-ai-system-development/ 数据科学家、人工智能工程师和网络安全专家如果在开发过程中未能确保人工智能系统的安全性&#xff0c;可能会使组织面临巨大的经济损失和声誉风险。那么&#xff0c;他们应采取哪些措施…

LeetCode-移除元素

题目 给你一个数组 nums 和一个值 val&#xff0c;你需要 原地 移除所有数值等于 val 的元素&#xff0c;并返回移除后数组的新长度。 不要使用额外的数组空间&#xff0c;你必须仅使用 O(1) 额外空间并 原地 修改输入数组。 元素的顺序可以改变。你不需要考虑数组中超出新长…

【SQL】数据操作语言(DML):学习插入、更新和删除数据

数据查询语言&#xff08;DQL&#xff09;用于从数据库中检索数据&#xff0c;主要通过SELECT语句来实现。SELECT语句允许用户指定要检索的数据列、表以及任何筛选条件。以下是对DQL的详细介绍以及多个示例&#xff1a; SELECT语句基础结构&#xff1a; sql SELECT column1,…

如何使用群晖Synology Drive结合cpolar内网穿透实现同步Obsidian笔记文件

文章目录 一、简介软件特色演示&#xff1a; 二、使用免费群晖虚拟机搭建群晖Synology Drive服务&#xff0c;实现局域网同步1 安装并设置Synology Drive套件2 局域网内同步文件测试 三、内网穿透群晖Synology Drive&#xff0c;实现异地多端同步Windows 安装 Cpolar步骤&#…

PostgreSQL Systemctl启动设置

root用户 cd /usr/lib/systemd/system vi postgresql.service #增加下面内容&#xff0c;并根据实际内容修改 [Unit] DescriptionPostgreSQL database server Afternetwork.target [Service] Typeforking Userpostgres Grouppostgres OOMScoreAdjust-1000 EnvironmentPG_OOM_A…

软件设计师-基础知识科目-数据结构3

三、 数据结构&#xff1a; 时间复杂度&#xff1a; 背复杂度对应的代码。Tips&#xff1a;时间复杂度估算看最内层循环&#xff0c;如若没有循环和递归则为O&#xff08;1&#xff09;。 空间复杂度&#xff1a; 需要单独空间存储数据时使用。考点&#xff1a;非递归的空间…