Use Workers KV directly from Rust
This tutorial will teach you how to read and write to KV directly from Rust using workers-rs ↗.
All of the tutorials assume you have already completed the Get started guide, which gets you set up with a Cloudflare Workers account, C3 ↗, and Wrangler.
To complete this tutorial, you will need:
cargo install cargo-generateOpen a terminal window, and run the following command to generate a Worker project template in Rust:
cargo generate cloudflare/workers-rsThen select template/hello-world-http template, give your project a descriptive name and select enter. A new project should be created in your directory. Open the project in your editor and run npx wrangler dev to compile and run your project.
In this tutorial, you will use Workers KV from Rust to build an app to store and retrieve cities by a given country name.
In the terminal, use Wrangler to create a KV namespace for cities. This generates a configuration to be added to the project:
npx wrangler kv namespace create citiesTo add this configuration to your project, open the Wrangler file and create an entry for kv_namespaces above the build command:
{  "kv_namespaces": [    {      "binding": "cities",      "id": "e29b263ab50e42ce9b637fa8370175e8"    }  ]}kv_namespaces = [  { binding = "cities", id = "e29b263ab50e42ce9b637fa8370175e8" }]
# build command...With this configured, you can access the KV namespace with the binding "cities" from Rust.
For this app, you will create two routes: A POST route to receive and store the city in KV, and a GET route to retrieve the city of a given country. For example, a POST request to /France with a body of {"city": "Paris"} should create an entry of Paris as a city in France. A GET request to /France should retrieve from KV and respond with Paris.
Install Serde ↗ as a project dependency to handle JSON cargo add serde. Then create an app router and a struct for Country in src/lib.rs:
use serde::{Deserialize, Serialize};use worker::*;
#[event(fetch)]async fn fetch(req: Request, env: Env, _ctx: Context) -> Result<Response> {    let router = Router::new();
    #[derive(Serialize, Deserialize, Debug)]    struct Country {        city: String,    }
    router        // TODO:        .post_async("/:country", |_, _| async move { Response::empty() })        // TODO:        .get_async("/:country", |_, _| async move { Response::empty() })        .run(req, env)        .await}For the post handler, you will retrieve the country name from the path and the city name from the request body. Then, you will save this in KV with the country as key and the city as value. Finally, the app will respond with the city name:
.post_async("/:country", |mut req, ctx| async move {    let country = ctx.param("country").unwrap();    let city = match req.json::<Country>().await {        Ok(c) => c.city,        Err(_) => String::from(""),    };    if city.is_empty() {        return Response::error("Bad Request", 400);    };    return match ctx.kv("cities")?.put(country, &city)?.execute().await {        Ok(_) => Response::ok(city),        Err(_) => Response::error("Bad Request", 400),    };})Save the file and make a POST request to test this endpoint:
curl --json '{"city": "Paris"}' http://localhost:8787/FranceTo retrieve cities stored in KV, write a GET route that pulls the country name from the path and searches KV. You also need some error handling if the country is not found:
.get_async("/:country", |_req, ctx| async move {    if let Some(country) = ctx.param("country") {        return match ctx.kv("cities")?.get(country).text().await? {            Some(city) => Response::ok(city),            None => Response::error("Country not found", 404),        };    }    Response::error("Bad Request", 400)})Save and make a curl request to test the endpoint:
curl http://localhost:8787/FranceThe source code for the completed app should include the following:
use serde::{Deserialize, Serialize};use worker::*;
#[event(fetch)]async fn fetch(req: Request, env: Env, _ctx: Context) -> Result<Response> {    let router = Router::new();
    #[derive(Serialize, Deserialize, Debug)]    struct Country {        city: String,    }
    router        .post_async("/:country", |mut req, ctx| async move {            let country = ctx.param("country").unwrap();            let city = match req.json::<Country>().await {                Ok(c) => c.city,                Err(_) => String::from(""),            };            if city.is_empty() {                return Response::error("Bad Request", 400);            };            return match ctx.kv("cities")?.put(country, &city)?.execute().await {                Ok(_) => Response::ok(city),                Err(_) => Response::error("Bad Request", 400),            };        })        .get_async("/:country", |_req, ctx| async move {            if let Some(country) = ctx.param("country") {                return match ctx.kv("cities")?.get(country).text().await? {                    Some(city) => Response::ok(city),                    None => Response::error("Country not found", 404),                };            }            Response::error("Bad Request", 400)        })        .run(req, env)        .await}To deploy your Worker, run the following command:
npx wrangler deployWas this helpful?
- Resources
- API
- New to Cloudflare?
- Directory
- Sponsorships
- Open Source
- Support
- Help Center
- System Status
- Compliance
- GDPR
- Company
- cloudflare.com
- Our team
- Careers
- © 2025 Cloudflare, Inc.
- Privacy Policy
- Terms of Use
- Report Security Issues
- Trademark
-