在本文中,我将比较 Go 的原生 HTTP 服务器和 Rust 的 Hyper HTTP 服务器。根据我的研究,我发现 Hyper 是 Rust 方面最受欢迎的服务器选择。如果有更好和流行的替代品,请告诉我。

比较是公平的,因为两者都是生成机器代码的编译语言。让我们运行测试并检查结果。

在继续之前,其他比较如下:

测试设置

这些测试在具有16G RAM的MacBook Pro M1上执行。

软件版本为:

  • Go v1.20.2
  • Rust v1.68.2

在这两种情况下,hello world HTTP 服务器代码如下所示:

Go

package main

import (
  "io"
  "net/http"
)

func main() {
  http.HandleFunc("/", helloWorld)
  http.ListenAndServe(":3000", nil)
}

func helloWorld(w http.ResponseWriter, r *http.Request) {
  io.WriteString(w, "Hello world!")
}

Rust

use std::convert::Infallible;
use std::net::SocketAddr;

use bytes::Bytes;
use http_body_util::Full;
use hyper::server::conn::http1;
use hyper::service::service_fn;
use hyper::{Request, Response};
use tokio::net::TcpListener;

async fn hello(_: Request<hyper::body::Incoming>) -> Result<Response<Full<Bytes>>, Infallible> {
  let response = Response::builder()
    .header("Content-type", "text/plain")
    .body(Full::new(Bytes::from("Hello World!")))
    .unwrap();
  Ok(response)
}

#[tokio::main]
pub async fn main() -> Result<(), Box<dyn std::error::Error + Send + Sync>> {
  let addr: SocketAddr = ([127, 0, 0, 1], 3000).into();
  let listener = TcpListener::bind(addr).await?;
  loop {
    let (stream, _) = listener.accept().await?;
    tokio::task::spawn(async move {
      if let Err(err) = http1::Builder::new()
        .serve_connection(stream, service_fn(hello)).await {
          println!("Error serving connection: {:?}", err);
        }
    });
  }
}

Cargo.toml

[package]
name = "hello_world"
version = "0.1.0"
edition = "2021"

[dependencies]
bytes = "1"
hyper = { version = "1.0.0-rc.3", features = ["full"] }
tokio = { version = "1", features = ["full"] }
http-body-util = "0.1.0-rc.2" 

运行测试

每个测试针对 5M(500 万个)请求执行。

对 10、100 和 300 个并发连接执行测试。

负载测试是使用庞巴迪HTTP测试工具进行的。

下表显示了每个并发级别的结果:

10 concurrent connections 100 concurrent connections 300 concurrent connections

分析

与 Bun 和 Deno 相比,这次的竞争是公平的,因为 Go 和 Rust 都是编译语言。它们生成直接运行的机器代码。但是,就性能而言,Rust 在各个方面都击败了 Go。

获胜者:Rust

再一次,以下是其他比较: