npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

ecklf-tmp-runtime-test

v1.0.144

Published

Rust runtime for Vercel Functions.

Downloads

258

Readme

npm version npm downloads crates.io downloads

Community-maintained package to support using Rust inside Vercel Functions as a Runtime.

Getting Started

Please ensure Vercel CLI and the Rust toolchain is already installed on your system. We recommended setting up Rust with rustup.

Prefer looking at examples?

Step 1 — Add a vercel.json file to your project.

{
  "functions": {
    "api/**/*.rs": {
      "runtime": "[email protected]"
    }
  }
}

This turns every file matching api/**/*.rs into a Vercel Function.

Note: The npm dependency vercel-rust defined in functions does not have to be installed manually.

Step 2 — Create a function. As an example, here is api/handler.rs.

use serde_json::json;
use vercel_runtime::{run, Body, Error, Request, Response, StatusCode};

#[tokio::main]
async fn main() -> Result<(), Error> {
    run(handler).await
}

pub async fn handler(_req: Request) -> Result<Response<Body>, Error> {
    Ok(Response::builder()
        .status(StatusCode::OK)
        .header("Content-Type", "application/json")
        .body(
            json!({
              "message": "你好,世界"
            })
            .to_string()
            .into(),
        )?)
}

Step 3 — Create a Cargo.toml in the root directory of your project.

[package]
name = "my-vercel-api"
version = "0.1.0"
edition = "2021"

[dependencies]
tokio = { version = "1", features = ["macros"] }
serde_json = { version = "1", features = ["raw_value"] }
# Documentation: https://docs.rs/vercel_runtime/latest/vercel_runtime
vercel_runtime = { version = "1.1.0" }

# You can specify a library for shared logic here (optional)
# [lib]
# path = "src-rs/lib.rs"

# Each handler has to be specified as [[bin]]
[[bin]]
name = "handler"
path = "api/handler.rs"

# Note that you need to provide unique names for each binary:
# [[bin]]
# name = "user-id"
# path = "api/user/[id].rs"
#
# [[bin]]
# name = "group-id"
# path = "api/group/[id].rs"

Step 4 — Create a .vercelignore in the root directory of your project to ignore build artifacts.

target/

Step 5 — You're all set. Run vercel dev to develop your project locally. You can connect a Git repository to Vercel, or use vercel to start deploying your project on Vercel.

Should you encounter an "invalid runtime" error when deploying to Vercel, it may be rectified by downgrading your project's NodeJS version from v20 to v18. This is due to a compatibility issue with the build image, which can be further understood by visiting this link. You can modify the NodeJS version through the Vercel admin dashboard by navigating to Projects > Your Project, then selecting Settings. Scroll down to the "Node.js Version" header to make the necessary changes.

Advanced Usage

Toolchain Overrides

An example on how this can be achieved is using a rust-toolchain file adjacent to your Cargo.toml. Please refer to Rust Documentation for more details.

Dependencies

By default builder module supports installing dependencies defined in the Cargo.toml file.

More system dependencies can be installed at build time with the presence of a shell build.sh file in the root directory of your project.

Prebuilt Deployments

When creating a prebuilt deployment, the build output must be for x86_64 linux. To do this, create a Cargo build configuration at .cargo/config.toml with the following contents:

[build]
target = "x86_64-unknown-linux-musl"

# Uncomment below to support Rust cross-compilation from macOS to Linux
# Follow these installation instructions: https://github.com/chinedufn/cross-compile-rust-from-mac-to-linux
# [target.x86_64-unknown-linux-musl]
# linker = "x86_64-unknown-linux-gnu-gcc"

You then can build the file and trigger the deployment via Vercel CLI.

vercel build && vercel deploy --prebuilt

Musl/Static linking

Unfortunately, the AWS Lambda Runtime for Rust relies (tangentially) on proc_macro, which won't compile on musl targets. Without musl, all linking must be dynamic. If you have a crate that relies on system libraries like postgres or mysql, you can include those library files with the includeFiles config option and set the proper environment variables, config, etc. that you need to get the library to compile.

For more information, please see this issue.

Experimental API Bundling

This feature allows you to bundle all of your routes into a single deployed Vercel function. This serves to optimize cold starts, as lambda functions are reused as much as possible. In addition, this has the benefit of only needing to annotate a single [[bin]] in your Cargo.toml.

To enable this behaviour, take the following steps:

Step 1 — Create a api/main.rs.

use vercel_runtime::{bundled_api, run, Body, Error, Request, Response};

#[tokio::main]
async fn main() -> Result<(), Error> {
    run(handler).await
}

// The proc macro `bundled_api` injects a router for all `api/**/*.rs` handler files .
// If you are using cargo workspaces (like `examples/route-merge` in this repository),
// then an additional `path` argument must be passed to the macro. E.g.
// #[bundled_api( path = "examples/route-merge" )]
#[bundled_api]
pub async fn handler(req: Request) -> Result<Response<Body>, Error> {}

Step 2 — Change your vercel.json to only specify your api/main.rs file.

{
  "functions": {
    "api/main.rs": {
      "runtime": "[email protected]"
    }
  }
}

Step 3 — Change your Cargo.toml to specify the binary for main.rs.

[[bin]]
name = "main"
path = "api/main.rs"

Step 4 — Add a handler function to each route in api/**.

// Example api/foo.rs
use vercel_runtime::{Body, Error, Request, Response, StatusCode};

pub async fn handler(_req: Request) -> Result<Response<Body>, Error> {
    Ok(Response::builder()
        .status(StatusCode::OK)
        .header("Content-Type", "application/json")
        .body(Body::Text("Route is /api/foo".into()))?)
}

Contributing

Since this project contains both Rust and Node.js code, you need to install the relevant dependencies. If you're only working on the TypeScript side, you only need to install those dependencies (and vice-versa).

# install node dependencies
pnpm install

# install cargo dependencies
cargo fetch

Builder Module

The npm module vercel-rust is implementing an interface which is primarily taking care of spawning a development server, caching between consecutive builds, and running the compilation. You can read more about the in-depths of implementing a builder here.

Runtime Crate

The crate vercel_runtime is what you will consume in your Rust functions. As the name suggests, the runtime crate takes care of everything that happens during run-time. In specific it takes care of creating a Tower service, which expects a specific handler signature. The flow of an invocation can be visualized as the following:

graph TD
    A["Function Invocation"] --> |"process_request(event: InvocationEvent&lt;VercelEvent&gt;) → Request"| B[Request]
    B --> |"handler_fn(req: Request) → Future&lt;Output = Result&lt;Response&lt;Body&gt;, Error&gt;&gt;"| C["Runtime calls handler_fn"]
    C --> |"Ok(r) => process_response(r)"| D["Response"]

Macro Crate

The crate vercel_runtime_macro enables supporting our API bundling feature. This procedural macro matches all api/**/*.rs routes, imports their respective handlers, and injects router logic to call the correct handlers during runtime.

Router Crate

The crate vercel_runtime_router contains routing logic that is injected for our API bundling feature.

Legacy Runtime

If you are looking for the legacy runtime instructions using vercel_lambda see tree/a9495a0.