From 128d237ee5bcac32cf71255a9df3b8871befce68 Mon Sep 17 00:00:00 2001 From: Harshil Agrawal Date: Fri, 23 Aug 2024 12:52:09 +0200 Subject: [PATCH 1/9] Add D1 http tutorial --- .../build-an-api-to-access-d1/index.mdx | 371 ++++++++++++++++++ 1 file changed, 371 insertions(+) create mode 100644 src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx diff --git a/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx b/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx new file mode 100644 index 000000000000000..c8cad60e2c36e0a --- /dev/null +++ b/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx @@ -0,0 +1,371 @@ +--- +updated: 2024-08-23 +difficulty: Intermediate +content_type: 📝 Tutorial +pcx_content_type: tutorial +title: Build an API to access D1 using a proxy Worker +products: + - Workers +tags: + - Hono +languages: + - TypeScript + - SQL +--- + +import { Render, PackageManagers } from "~/components"; + +In this tutorial, you will learn how to create an API that allows you to securely run queries against a D1 database. + +This is useful if you want to access a D1 database outside of a Worker or Pages project, customize access controls and/or limit what tables can be queried. + +D1's built-in [REST API](/api/operations/cloudflare-d1-create-database) is best suited for administrative use as the global [Cloudflare API rate limit](../../../fundamentals/api/reference/limits) applies. + +To access a D1 database outside of a Worker project, you need to create an API using a Worker. Your application can then securely interact with this API to run D1 queries. + +:::note + +D1 uses patameterized queries. This prevents SQL injection. To make your API more secure, validate the input using a library like [zod](https://zod.dev/). + +::: + +## Prerequisites + +1. Sign up for a [Cloudflare account](https://dash.cloudflare.com/sign-up/workers-and-pages) if you have not already. +2. Install [`npm`](https://docs.npmjs.com/getting-started). +3. Install [`Node.js`](https://nodejs.org/en/). Use a Node version manager like [Volta](https://volta.sh/) or [nvm](https://github.com/nvm-sh/nvm) to avoid permission issues and change Node.js versions. [Wrangler](/workers/wrangler/install-and-update/) requires a Node version of `16.17.0` or later. + +## 1. Create a new project + +Use [C3](/learning-paths/workers/get-started/c3-and-wrangler/#c3), the command-line tool for Cloudflare's developer products, to create a new directory and initialize a new Worker project: + + + + + +To start developing, change into your new project directory: + +```sh frame="none" +cd d1-http +``` + +## 2. Install Hono + +In this tutorial, you will use [Hono](https://github.com/honojs/hono), an Express.js-style framework, to build the API. To use Hono in this project, install it using `npm`: + + + +## 3. Add API_KEY + +You will need an API Key to make authenticated calls to the API. To ensure that the API Key is secure, you will add it as a [secret](../../../workers/configuration/secrets). For local development, create a `.dev.vars` file in the root directory. Add your API key in the file as follows. + +```env +API_KEY="YOUR_API_KEY" +``` + +Replace `YOUR_API_KEY` with a valid string value. You can also generate this value using the following command. + +```sh +openssl rand -base64 32 +``` + +## 4. Initialise the application + +In the `src/index.ts` file, import the required packages, initialize a new Hono application, and configure the following middleware: + +- [Bearer Auth](https://hono.dev/docs/middleware/builtin/bearer-auth): Adds authentication to the API. +- [Logger](https://hono.dev/docs/middleware/builtin/logger): Allows monitoring the flow of requests and responses. +- [Pretty JSON](https://hono.dev/docs/middleware/builtin/pretty-json): Enables "JSON pretty print" for JSON response bodies. + +```ts title="src/index.ts" +import { Hono } from "hono"; +import { bearerAuth } from "hono/bearer-auth"; +import { logger } from "hono/logger"; +import { prettyJSON } from "hono/pretty-json"; + +type Bindings = { + API_KEY: string; +}; + +const app = new Hono<{ Bindings: Bindings }>(); + +app.use("*", prettyJSON(), logger(), async (c, next) => { + const auth = bearerAuth({ token: c.env.API_KEY }); + return auth(c, next); +}); +``` + +## 5. Add API endpoints + +Next, in the `src/index.ts` file, add the following endpoints: + +- POST `/api/all` +- POST `/api/exec` +- POST `/api/batch` + +```ts title="src/index.ts" +// Paste this code at the end of the src/index.ts file + +app.post("/api/all", async (c) => { + return c.text("/api/all endpoint"); +}); + +app.post("/api/exec", async (c) => { + return c.text("/api/exec endpoint"); +}); + +app.post("/api/batch", async (c) => { + return c.text("/api/batch endpoint"); +}); + +export default app; +``` + +Start the development server by running the following command: + + + +To test the API locally, execute the below cURL command. Replace `YOUR_API_KEY` with the value you set in the `.dev.vars` file. + +```sh frame="none" +curl -H "Authorization: Bearer YOUR_API_KEY" "http://localhost:8787/api/all" --data '{}' +``` + +You should get the following output + +```txt +/api/all endpoint +``` + +The Hono application is now set up. You can test the other enpoints and add more endpoints if needed. The API does not yet return any information from your database. In the next steps, you will create a database, add its bindings, and update the endpoints to interact with the database. + +## 6. Create a database + +If you don't have a D1 database already, you can create a new database with `wrangler d1 create`: + +```sh frame="none" +npx wrangler d1 create d1-http-example +``` + +You might be asked to login to your Cloudflare account. Once logged in, the command will create a new D1 database. You should see a similar output in your terminal. + +```txt +✅ Successfully created DB 'd1-http-example' in region EEUR +Created your new D1 database. + +[[d1_databases]] +binding = "DB" # i.e. available in your Worker on env.DB +database_name = "d1-http-example" +database_id = "1234567890" +``` + +Make a note of the displayed `database_name` and `database_id`. You will use this to reference to the database by creating a [binding](/workers/runtime-apis/bindings/). + +## 7. Add bindings + +Open the `wrangler.toml` file, Wrangler's configuration file. Add the following binding in the file. Make sure that the `database_name` and the `database_id` are correct. + +```toml +[[d1_databases]] +binding = "DB" # i.e. available in your Worker on env.DB +database_name = "d1-http-example" +database_id = "1234567890" +``` + +Next, in your `src/index.ts` file, update the `Bindings` type and add `DB: D1Database`. The updated type should be as follow: + +```ts ins={2} +type Bindings = { + DB: D1Database; + API_KEY: string; +}; +``` + +You can now access the database in the Hono application. + +## 8. Create a table + +To create a table in your newly created database, create a new `schemas/schema.sql` file and paste the following SQL statement into the file. The code will drop any table named `posts` if it exists and then create a new table `posts` with the field `id`, `author`, `title`, `body`, and `post_slug`. + +```sql title="schemas/schema.sql" +DROP TABLE IF EXISTS posts; +CREATE TABLE IF NOT EXISTS posts ( + id integer PRIMARY KEY AUTOINCREMENT, + author text NOT NULL, + title text NOT NULL, + body text NOT NULL, + post_slug text NOT NULL +); +``` + +Optinally, you can add the below INSERT statement to populate the table. + +```sql frame="none" +INSERT INTO posts (author, title, body, post_slug) VALUES ('Harshil', 'D1 HTTP API', 'Learn to create an API to query your D1 database.','d1-http-api'); +``` + +In your terminal, execute the following command to create this table: + +```sh frame="none" +npx wrangler d1 execute d1-http-example --file=./schemas/schema.sql +``` + +Upon successful execution, a new table will be added to your database. + +:::note +The table will be created in the local instance of the database. If you want to add this table to your production database, append the above command with the `--remote` flag. +::: + +## 9. Query the database + +Your application can now access the D1 database. In this step, you will update the API endpoints to query the database and return the result. + +In your `src/index.ts` file, update the code as follow. + +```ts title="src/index.ts" ins={10-21,31-37,47-62} del={9,30,46} +// Update the API routes + +/** + * Executes the `stmt.all()` method. + * https://developers.cloudflare.com/d1/build-with-d1/d1-client-api/#await-stmtall + */ + +app.post('/api/all', async (c) => { + return c.text("/api/all endpoint"); + try { + let { query, params } = await c.req.json(); + let stmt = c.env.DB.prepare(query); + if (params) { + stmt = stmt.bind(params); + } + + const result = await stmt.all(); + return c.json(result); + } catch (err) { + return c.json({ error: `Failed to run query: ${err}` }, 500); + } +}); + +/** + * Executes the `db.exec()` method. + * https://developers.cloudflare.com/d1/build-with-d1/d1-client-api/#await-dbexec + */ + +app.post('/api/exec', async (c) => { + return c.text("/api/exec endpoint"); + try { + let { query } = await c.req.json(); + let result = await c.env.DB.exec(query); + return c.json(result); + } catch (err) { + return c.json({ error: `Failed to run query: ${err}` }, 500); + } +}); + +/** + * Executes the `db.batch()` method. + * https://developers.cloudflare.com/d1/build-with-d1/d1-client-api/#dbbatch + */ + +app.post('/api/batch', async (c) => { + return c.text("/api/batch endpoint"); + try { + let { batch } = await c.req.json(); + let stmts = []; + for (let query of batch) { + let stmt = c.env.DB.prepare(query.query); + if (query.params) { + stmts.push(stmt.bind(query.params)); + } else { + stmts.push(stmt); + } + } + const results = await c.env.DB.batch(stmts); + return c.json(results); + } catch (err) { + return c.json({ error: `Failed to run query: ${err}` }, 500); + } +}); +... +``` + +In the above code, the endpoints are updated to receive `query` and `params`. These queries and parameters are passed to the respective functions to interact with the database. If the query is successful, you recieve the result from the database. If there is an error, the error message is returned. + +## 10. Test the API + +Now that the API can query the database, you can test it locally. If the local database is empty, populate it with some data. + +Start the development server by executing the following command: + + + +In a new terminal window, execute the following cURL commands. Make sure to replace `YOUR_API_KEY` with the correct value. + +```sh title="/api/all" +curl -H "Authorization: Bearer YOUR_API_KEY" "http://localhost:8787/api/all" --data '{"query": "SELECT title FROM posts WHERE id=?", "params":1}' +``` + +```sh title="/api/batch" +curl -H "Authorization: Bearer YOUR_API_KEY" "http://localhost:8787/api/batch" --data '{"batch": [ {"query": "SELECT title FROM posts WHERE id=?", "params":1},{"query": "SELECT id FROM posts"}]}' +``` + +```sh title="/api/exec" +curl -H "Authorization: Bearer YOUR_API_KEY" "localhost:8787/api/exec" --data '{"query": "INSERT INTO posts (author, title, body, post_slug) VALUES ('\''Harshil'\'', '\''D1 HTTP API'\'', '\''Learn to create an API to query your D1 database.'\'','\''d1-http-api'\'')" }' +``` + +If everything is implemented correctly, the above commands should result successful outputs. + +## 11. Deploy the API + +Now that everything is working as expected, the last step is to deploy it to the Cloudflare network. You will use Wrangler to deploy the API. The deployment involves two steps: + +1. Create a table in the production database +2. Deploy the app + +### 11.1 Create the table in the production database + +Until now, you were running a local instance of D1 database. To use the API in production, you need to add the table to your remote (production) database. To add the table to your production database, run the following command: + +```sh frame="none" +npx wrangler d1 execute d1-http-example --file=./schemas/schema.sql --remote +``` + +You should now be able to view the table on the Cloudflare D1 dashboard. + +### 11.2 Deploy the app + +To deploy the application to the Cloudflare network, run the following command: + +```sh frame="none" +npx wrangler deploy +``` + +Upon successful deployment, you will get the link of the deployed app in the terminal. Make a note of it. + +Next, generate a new API key to use in production and then execute the `wrangler secret put ` command to add the `API_KEY` to the deployed project. + +```sh frame="none" +npx wrangler secret put API_KEY +``` + +Enter the value of your API key. Your API key will get added to your project. Using this value you can make secure API calls to your deployed API. + +To test it, run the following cURL command with the correct `YOUR_API_KEY` and `WORKERS_URL`. + +```sh frame="none" +curl -H "Authorization: Bearer YOUR_API_KEY" "https://WORKERS_URL.workers.dev/api/exec" --data '{"query": "SELECT 1"}' +``` + +## Conclusion + +In this tutorial, you created an API that interacts with your D1 database. You deployed this API to the Workers. You can use this API in your external application to execute queries against your D1 database. The full code for this tutorial can be found on [GitHub](https://github.com/harshil1712/d1-http-example/tree/main). + +You can check out a similar implimentation that use Zod for validation in [this GitHub repository](https://github.com/elithrar/http-api-d1-example). If you want to build an OpenAPI compliant API for your D1 database, you should use the [Cloudflare Workers OpenAPI 3.1 template](https://github.com/cloudflare/workers-sdk/tree/main/templates/worker-openapi). From fc18cb1658b02a9a329efc1c0646695d2cea20cc Mon Sep 17 00:00:00 2001 From: Harshil Agrawal <18901032+harshil1712@users.noreply.github.com> Date: Fri, 23 Aug 2024 15:20:44 +0200 Subject: [PATCH 2/9] Apply suggestions from code review Co-authored-by: Max Rozen <3822106+rozenmd@users.noreply.github.com> --- .../docs/d1/tutorials/build-an-api-to-access-d1/index.mdx | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx b/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx index c8cad60e2c36e0a..e253e948e973c0e 100644 --- a/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx +++ b/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx @@ -25,7 +25,7 @@ To access a D1 database outside of a Worker project, you need to create an API u :::note -D1 uses patameterized queries. This prevents SQL injection. To make your API more secure, validate the input using a library like [zod](https://zod.dev/). +D1 uses parameterized queries. This prevents SQL injection. To make your API more secure, validate the input using a library like [zod](https://zod.dev/). ::: @@ -206,7 +206,7 @@ CREATE TABLE IF NOT EXISTS posts ( ); ``` -Optinally, you can add the below INSERT statement to populate the table. +Optionally, you can add the below INSERT statement to populate the table. ```sql frame="none" INSERT INTO posts (author, title, body, post_slug) VALUES ('Harshil', 'D1 HTTP API', 'Learn to create an API to query your D1 database.','d1-http-api'); From 5440395d3c437fbc277b7a8cfdd8b145d955608d Mon Sep 17 00:00:00 2001 From: Jun Lee Date: Wed, 18 Sep 2024 16:57:14 +0100 Subject: [PATCH 3/9] Update src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx Co-authored-by: hyperlint-ai[bot] <154288675+hyperlint-ai[bot]@users.noreply.github.com> --- .../docs/d1/tutorials/build-an-api-to-access-d1/index.mdx | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx b/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx index e253e948e973c0e..b9ef3eb36916f14 100644 --- a/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx +++ b/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx @@ -368,4 +368,4 @@ curl -H "Authorization: Bearer YOUR_API_KEY" "https://WORKERS_URL.workers.dev/ap In this tutorial, you created an API that interacts with your D1 database. You deployed this API to the Workers. You can use this API in your external application to execute queries against your D1 database. The full code for this tutorial can be found on [GitHub](https://github.com/harshil1712/d1-http-example/tree/main). -You can check out a similar implimentation that use Zod for validation in [this GitHub repository](https://github.com/elithrar/http-api-d1-example). If you want to build an OpenAPI compliant API for your D1 database, you should use the [Cloudflare Workers OpenAPI 3.1 template](https://github.com/cloudflare/workers-sdk/tree/main/templates/worker-openapi). +You can check out a similar implementation that uses Zod for validation in [this GitHub repository](https://github.com/elithrar/http-api-d1-example). If you want to build an OpenAPI compliant API for your D1 database, you should use the [Cloudflare Workers OpenAPI 3.1 template](https://github.com/cloudflare/workers-sdk/tree/main/templates/worker-openapi). From 5a1f2cc3029595e94bb4fbb4674b7fac99624df6 Mon Sep 17 00:00:00 2001 From: Jun Lee Date: Thu, 19 Sep 2024 17:56:40 +0100 Subject: [PATCH 4/9] Finishing first review of the tutorial doc. --- .../d1/tutorials/build-an-api-to-access-d1/index.mdx | 10 ++++------ 1 file changed, 4 insertions(+), 6 deletions(-) diff --git a/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx b/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx index e253e948e973c0e..c4c06103c5ac70f 100644 --- a/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx +++ b/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx @@ -31,9 +31,7 @@ D1 uses parameterized queries. This prevents SQL injection. To make your API mor ## Prerequisites -1. Sign up for a [Cloudflare account](https://dash.cloudflare.com/sign-up/workers-and-pages) if you have not already. -2. Install [`npm`](https://docs.npmjs.com/getting-started). -3. Install [`Node.js`](https://nodejs.org/en/). Use a Node version manager like [Volta](https://volta.sh/) or [nvm](https://github.com/nvm-sh/nvm) to avoid permission issues and change Node.js versions. [Wrangler](/workers/wrangler/install-and-update/) requires a Node version of `16.17.0` or later. + ## 1. Create a new project @@ -63,9 +61,9 @@ In this tutorial, you will use [Hono](https://github.com/honojs/hono), an Expres -## 3. Add API_KEY +## 3. Add an API_KEY -You will need an API Key to make authenticated calls to the API. To ensure that the API Key is secure, you will add it as a [secret](../../../workers/configuration/secrets). For local development, create a `.dev.vars` file in the root directory. Add your API key in the file as follows. +You need an API key to make authenticated calls to the API. To ensure that the API key is secure, add it as a [secret](/workers/configuration/secrets). For local development, create a `.dev.vars` file in the root directory. Add your API key in the file as follows. ```env API_KEY="YOUR_API_KEY" @@ -139,7 +137,7 @@ To test the API locally, execute the below cURL command. Replace `YOUR_API_KEY` curl -H "Authorization: Bearer YOUR_API_KEY" "http://localhost:8787/api/all" --data '{}' ``` -You should get the following output +You should get the following output: ```txt /api/all endpoint From 4191eb080c8ef910f432a625ef582e536fe72d89 Mon Sep 17 00:00:00 2001 From: Jun Lee Date: Thu, 19 Sep 2024 17:57:02 +0100 Subject: [PATCH 5/9] Finishing first review of the tutorial doc. --- .../build-an-api-to-access-d1/index.mdx | 532 ++++++++++-------- 1 file changed, 310 insertions(+), 222 deletions(-) diff --git a/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx b/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx index c4c06103c5ac70f..17bfcf7743d0365 100644 --- a/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx +++ b/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx @@ -13,7 +13,7 @@ languages: - SQL --- -import { Render, PackageManagers } from "~/components"; +import { Render, PackageManagers, Steps, Details } from "~/components"; In this tutorial, you will learn how to create an API that allows you to securely run queries against a D1 database. @@ -31,339 +31,427 @@ D1 uses parameterized queries. This prevents SQL injection. To make your API mor ## Prerequisites - +1. Sign up for a [Cloudflare account](https://dash.cloudflare.com/sign-up/workers-and-pages). +2. Install [`Node.js`](https://docs.npmjs.com/downloading-and-installing-node-js-and-npm). +3. Have an existing D1 database. Refer to [Get started tutorial for D1](/d1/get-started/). + +
+Use a Node version manager like [Volta](https://volta.sh/) or [nvm](https://github.com/nvm-sh/nvm) to avoid permission issues and change Node.js versions. [Wrangler](/workers/wrangler/install-and-update/), discussed later in this guide, requires a Node version of `16.17.0` or later. +
+ ## 1. Create a new project -Use [C3](/learning-paths/workers/get-started/c3-and-wrangler/#c3), the command-line tool for Cloudflare's developer products, to create a new directory and initialize a new Worker project: + +1. Use [C3](/learning-paths/workers/get-started/c3-and-wrangler/#c3), the command-line tool for Cloudflare's developer products, to create a new directory and initialize a new Worker project: - + - + -To start developing, change into your new project directory: +2. Change into your new project directory to start developing: -```sh frame="none" -cd d1-http -``` + ```sh frame="none" + cd d1-http + ``` + ## 2. Install Hono -In this tutorial, you will use [Hono](https://github.com/honojs/hono), an Express.js-style framework, to build the API. To use Hono in this project, install it using `npm`: +In this tutorial, you will use [Hono](https://github.com/honojs/hono), an Express.js-style framework, to build the API. + + +1. To use Hono in this project, install it using `npm`: - + + ## 3. Add an API_KEY -You need an API key to make authenticated calls to the API. To ensure that the API key is secure, add it as a [secret](/workers/configuration/secrets). For local development, create a `.dev.vars` file in the root directory. Add your API key in the file as follows. +You need an API key to make authenticated calls to the API. To ensure that the API key is secure, add it as a [secret](/workers/configuration/secrets). -```env -API_KEY="YOUR_API_KEY" -``` + +1. For local development, create a `.dev.vars` file in the root directory of `d1-http`. +2. Add your API key in the file as follows. -Replace `YOUR_API_KEY` with a valid string value. You can also generate this value using the following command. + ```bash title=".dev.vars" + API_KEY="YOUR_API_KEY" + ``` -```sh -openssl rand -base64 32 -``` + Replace `YOUR_API_KEY` with a valid string value. You can also generate this value using the following command. + + ```sh + openssl rand -base64 32 + ``` + ## 4. Initialise the application -In the `src/index.ts` file, import the required packages, initialize a new Hono application, and configure the following middleware: +Import the required packages, initialize a new Hono application, and configure the following middleware: - [Bearer Auth](https://hono.dev/docs/middleware/builtin/bearer-auth): Adds authentication to the API. - [Logger](https://hono.dev/docs/middleware/builtin/logger): Allows monitoring the flow of requests and responses. - [Pretty JSON](https://hono.dev/docs/middleware/builtin/pretty-json): Enables "JSON pretty print" for JSON response bodies. -```ts title="src/index.ts" -import { Hono } from "hono"; -import { bearerAuth } from "hono/bearer-auth"; -import { logger } from "hono/logger"; -import { prettyJSON } from "hono/pretty-json"; + +1. Replace the contents of the `src/index.ts` file with the code below. + + ```ts title="src/index.ts" + import { Hono } from "hono"; + import { bearerAuth } from "hono/bearer-auth"; + import { logger } from "hono/logger"; + import { prettyJSON } from "hono/pretty-json"; -type Bindings = { - API_KEY: string; -}; + type Bindings = { + API_KEY: string; + }; -const app = new Hono<{ Bindings: Bindings }>(); + const app = new Hono<{ Bindings: Bindings }>(); -app.use("*", prettyJSON(), logger(), async (c, next) => { - const auth = bearerAuth({ token: c.env.API_KEY }); - return auth(c, next); -}); -``` + app.use("*", prettyJSON(), logger(), async (c, next) => { + const auth = bearerAuth({ token: c.env.API_KEY }); + return auth(c, next); + }); + ``` + ## 5. Add API endpoints -Next, in the `src/index.ts` file, add the following endpoints: + +1. Add the following snippet into your `src/index.ts`. + + ```ts title="src/index.ts" -- POST `/api/all` -- POST `/api/exec` -- POST `/api/batch` + // Paste this code at the end of the src/index.ts file -```ts title="src/index.ts" -// Paste this code at the end of the src/index.ts file + app.post("/api/all", async (c) => { + return c.text("/api/all endpoint"); + }); -app.post("/api/all", async (c) => { - return c.text("/api/all endpoint"); -}); + app.post("/api/exec", async (c) => { + return c.text("/api/exec endpoint"); + }); -app.post("/api/exec", async (c) => { - return c.text("/api/exec endpoint"); -}); + app.post("/api/batch", async (c) => { + return c.text("/api/batch endpoint"); + }); -app.post("/api/batch", async (c) => { - return c.text("/api/batch endpoint"); -}); + export default app; + ``` -export default app; -``` + This adds the following endpoints: -Start the development server by running the following command: + - POST `/api/all` + - POST `/api/exec` + - POST `/api/batch` - +2. Start the development server by running the following command: -To test the API locally, execute the below cURL command. Replace `YOUR_API_KEY` with the value you set in the `.dev.vars` file. + -```sh frame="none" -curl -H "Authorization: Bearer YOUR_API_KEY" "http://localhost:8787/api/all" --data '{}' -``` +3. To test the API locally, open a second terminal, and change into your `d1-http` directory. -You should get the following output: +4. In the second terminal, execute the below cURL command. Replace `YOUR_API_KEY` with the value you set in the `.dev.vars` file. -```txt -/api/all endpoint -``` + ```sh frame="none" + curl -H "Authorization: Bearer YOUR_API_KEY" "http://localhost:8787/api/all" --data '{}' + ``` -The Hono application is now set up. You can test the other enpoints and add more endpoints if needed. The API does not yet return any information from your database. In the next steps, you will create a database, add its bindings, and update the endpoints to interact with the database. + You should get the following output: + + ```txt + /api/all endpoint + ``` + + +The Hono application is now set up. You can test the other endpoints and add more endpoints if needed. The API does not yet return any information from your database. In the next steps, you will create a database, add its bindings, and update the endpoints to interact with the database. ## 6. Create a database -If you don't have a D1 database already, you can create a new database with `wrangler d1 create`: +If you do not have a D1 database already, you can create a new database with `wrangler d1 create`. + + -```sh frame="none" -npx wrangler d1 create d1-http-example -``` +1. In your second terminal, run: -You might be asked to login to your Cloudflare account. Once logged in, the command will create a new D1 database. You should see a similar output in your terminal. + ```sh frame="none" + npx wrangler d1 create d1-http-example + ``` -```txt -✅ Successfully created DB 'd1-http-example' in region EEUR -Created your new D1 database. + You may be asked to login to your Cloudflare account. Once logged in, the command will create a new D1 database. You should see a similar output in your terminal. -[[d1_databases]] -binding = "DB" # i.e. available in your Worker on env.DB -database_name = "d1-http-example" -database_id = "1234567890" -``` + ```sh output + ✅ Successfully created DB 'd1-http-example' in region EEUR + Created your new D1 database. -Make a note of the displayed `database_name` and `database_id`. You will use this to reference to the database by creating a [binding](/workers/runtime-apis/bindings/). + [[d1_databases]] + binding = "DB" # i.e. available in your Worker on env.DB + database_name = "d1-http-example" + database_id = "1234567890" + ``` + -## 7. Add bindings +Make a note of the displayed `database_name` and `database_id`. You will use this to reference the database by creating a [binding](/workers/runtime-apis/bindings/). -Open the `wrangler.toml` file, Wrangler's configuration file. Add the following binding in the file. Make sure that the `database_name` and the `database_id` are correct. +## 7. Add a binding -```toml -[[d1_databases]] -binding = "DB" # i.e. available in your Worker on env.DB -database_name = "d1-http-example" -database_id = "1234567890" -``` + +1. From your `d1-http` folder, open the `wrangler.toml` file, Wrangler's configuration file. +2. Add the following binding in the file. Make sure that the `database_name` and the `database_id` are correct. -Next, in your `src/index.ts` file, update the `Bindings` type and add `DB: D1Database`. The updated type should be as follow: + ```toml + [[d1_databases]] + binding = "DB" # i.e. available in your Worker on env.DB + database_name = "d1-http-example" + database_id = "1234567890" + ``` -```ts ins={2} -type Bindings = { - DB: D1Database; - API_KEY: string; -}; -``` +3. In your `src/index.ts` file, update the `Bindings` type by adding `DB: D1Database`. + + ```ts ins={2} + type Bindings = { + DB: D1Database; + API_KEY: string; + }; + ``` + You can now access the database in the Hono application. ## 8. Create a table -To create a table in your newly created database, create a new `schemas/schema.sql` file and paste the following SQL statement into the file. The code will drop any table named `posts` if it exists and then create a new table `posts` with the field `id`, `author`, `title`, `body`, and `post_slug`. +To create a table in your newly created database: -```sql title="schemas/schema.sql" -DROP TABLE IF EXISTS posts; -CREATE TABLE IF NOT EXISTS posts ( - id integer PRIMARY KEY AUTOINCREMENT, - author text NOT NULL, - title text NOT NULL, - body text NOT NULL, - post_slug text NOT NULL -); -``` + -Optionally, you can add the below INSERT statement to populate the table. +1. Create a new folder called `schemas` inside your `d1-http` folder. +2. Create a new file called `schema.sql`, and paste the following SQL statement into the file. -```sql frame="none" -INSERT INTO posts (author, title, body, post_slug) VALUES ('Harshil', 'D1 HTTP API', 'Learn to create an API to query your D1 database.','d1-http-api'); -``` + ```sql title="schema.sql" + DROP TABLE IF EXISTS posts; + CREATE TABLE IF NOT EXISTS posts ( + id integer PRIMARY KEY AUTOINCREMENT, + author text NOT NULL, + title text NOT NULL, + body text NOT NULL, + post_slug text NOT NULL + ); + INSERT INTO posts (author, title, body, post_slug) VALUES ('Harshil', 'D1 HTTP API', 'Learn to create an API to query your D1 database.','d1-http-api'); + ``` + The code drops any table named `posts` if it exists, then creates a new table `posts` with the field `id`, `author`, `title`, `body`, and `post_slug`. It then uses an INSERT statement to populate the table. -In your terminal, execute the following command to create this table: +3. In your terminal, execute the following command to create this table: -```sh frame="none" -npx wrangler d1 execute d1-http-example --file=./schemas/schema.sql -``` + ```sh frame="none" + npx wrangler d1 execute d1-http-example --file=./schemas/schema.sql + ``` + Upon successful execution, a new table will be added to your database. :::note -The table will be created in the local instance of the database. If you want to add this table to your production database, append the above command with the `--remote` flag. +The table will be created in the local instance of the database. If you want to add this table to your production database, append the above command by adding the `--remote` flag. ::: ## 9. Query the database Your application can now access the D1 database. In this step, you will update the API endpoints to query the database and return the result. -In your `src/index.ts` file, update the code as follow. + +1. In your `src/index.ts` file, update the code as follow. -```ts title="src/index.ts" ins={10-21,31-37,47-62} del={9,30,46} -// Update the API routes + ```ts title="src/index.ts" ins={10-21,31-37,47-62} del={9,30,46} + // Update the API routes -/** - * Executes the `stmt.all()` method. - * https://developers.cloudflare.com/d1/build-with-d1/d1-client-api/#await-stmtall - */ + /** + * Executes the `stmt.all()` method. + * https://developers.cloudflare.com/d1/build-with-d1/d1-client-api/#await-stmtall + */ -app.post('/api/all', async (c) => { - return c.text("/api/all endpoint"); - try { - let { query, params } = await c.req.json(); - let stmt = c.env.DB.prepare(query); - if (params) { - stmt = stmt.bind(params); - } + app.post('/api/all', async (c) => { + return c.text("/api/all endpoint"); + try { + let { query, params } = await c.req.json(); + let stmt = c.env.DB.prepare(query); + if (params) { + stmt = stmt.bind(params); + } - const result = await stmt.all(); - return c.json(result); - } catch (err) { - return c.json({ error: `Failed to run query: ${err}` }, 500); - } -}); - -/** - * Executes the `db.exec()` method. - * https://developers.cloudflare.com/d1/build-with-d1/d1-client-api/#await-dbexec - */ - -app.post('/api/exec', async (c) => { - return c.text("/api/exec endpoint"); - try { - let { query } = await c.req.json(); - let result = await c.env.DB.exec(query); - return c.json(result); - } catch (err) { - return c.json({ error: `Failed to run query: ${err}` }, 500); - } -}); - -/** - * Executes the `db.batch()` method. - * https://developers.cloudflare.com/d1/build-with-d1/d1-client-api/#dbbatch - */ - -app.post('/api/batch', async (c) => { - return c.text("/api/batch endpoint"); - try { - let { batch } = await c.req.json(); - let stmts = []; - for (let query of batch) { - let stmt = c.env.DB.prepare(query.query); - if (query.params) { - stmts.push(stmt.bind(query.params)); - } else { - stmts.push(stmt); + const result = await stmt.all(); + return c.json(result); + } catch (err) { + return c.json({ error: `Failed to run query: ${err}` }, 500); + } + }); + + /** + * Executes the `db.exec()` method. + * https://developers.cloudflare.com/d1/build-with-d1/d1-client-api/#await-dbexec + */ + + app.post('/api/exec', async (c) => { + return c.text("/api/exec endpoint"); + try { + let { query } = await c.req.json(); + let result = await c.env.DB.exec(query); + return c.json(result); + } catch (err) { + return c.json({ error: `Failed to run query: ${err}` }, 500); + } + }); + + /** + * Executes the `db.batch()` method. + * https://developers.cloudflare.com/d1/build-with-d1/d1-client-api/#dbbatch + */ + + app.post('/api/batch', async (c) => { + return c.text("/api/batch endpoint"); + try { + let { batch } = await c.req.json(); + let stmts = []; + for (let query of batch) { + let stmt = c.env.DB.prepare(query.query); + if (query.params) { + stmts.push(stmt.bind(query.params)); + } else { + stmts.push(stmt); + } } + const results = await c.env.DB.batch(stmts); + return c.json(results); + } catch (err) { + return c.json({ error: `Failed to run query: ${err}` }, 500); } - const results = await c.env.DB.batch(stmts); - return c.json(results); - } catch (err) { - return c.json({ error: `Failed to run query: ${err}` }, 500); - } -}); -... -``` + }); + ... + ``` + + +In the above code, the endpoints are updated to receive `query` and `params`. These queries and parameters are passed to the respective functions to interact with the database. -In the above code, the endpoints are updated to receive `query` and `params`. These queries and parameters are passed to the respective functions to interact with the database. If the query is successful, you recieve the result from the database. If there is an error, the error message is returned. +- If the query is successful, you receive the result from the database. +- If there is an error, the error message is returned. ## 10. Test the API -Now that the API can query the database, you can test it locally. If the local database is empty, populate it with some data. +Now that the API can query the database, you can test it locally. -Start the development server by executing the following command: + +1. Start the development server by executing the following command: - + -In a new terminal window, execute the following cURL commands. Make sure to replace `YOUR_API_KEY` with the correct value. +2. In a new terminal window, execute the following cURL commands. Make sure to replace `YOUR_API_KEY` with the correct value. -```sh title="/api/all" -curl -H "Authorization: Bearer YOUR_API_KEY" "http://localhost:8787/api/all" --data '{"query": "SELECT title FROM posts WHERE id=?", "params":1}' -``` + ```sh title="/api/all" + curl -H "Authorization: Bearer YOUR_API_KEY" "http://localhost:8787/api/all" --data '{"query": "SELECT title FROM posts WHERE id=?", "params":1}' + ``` -```sh title="/api/batch" -curl -H "Authorization: Bearer YOUR_API_KEY" "http://localhost:8787/api/batch" --data '{"batch": [ {"query": "SELECT title FROM posts WHERE id=?", "params":1},{"query": "SELECT id FROM posts"}]}' -``` + ```sh title="/api/batch" + curl -H "Authorization: Bearer YOUR_API_KEY" "http://localhost:8787/api/batch" --data '{"batch": [ {"query": "SELECT title FROM posts WHERE id=?", "params":1},{"query": "SELECT id FROM posts"}]}' + ``` -```sh title="/api/exec" -curl -H "Authorization: Bearer YOUR_API_KEY" "localhost:8787/api/exec" --data '{"query": "INSERT INTO posts (author, title, body, post_slug) VALUES ('\''Harshil'\'', '\''D1 HTTP API'\'', '\''Learn to create an API to query your D1 database.'\'','\''d1-http-api'\'')" }' -``` + ```sh title="/api/exec" + curl -H "Authorization: Bearer YOUR_API_KEY" "localhost:8787/api/exec" --data '{"query": "INSERT INTO posts (author, title, body, post_slug) VALUES ('\''Harshil'\'', '\''D1 HTTP API'\'', '\''Learn to create an API to query your D1 database.'\'','\''d1-http-api'\'')" }' + ``` + If everything is implemented correctly, the above commands should result successful outputs. ## 11. Deploy the API -Now that everything is working as expected, the last step is to deploy it to the Cloudflare network. You will use Wrangler to deploy the API. The deployment involves two steps: +Now that everything is working as expected, the last step is to deploy it to the Cloudflare network. You will use Wrangler to deploy the API. + + +1. To use the API in production instead of using it locally, you need to add the table to your remote (production) database. To add the table to your production database, run the following command: + + ```sh frame="none" + npx wrangler d1 execute d1-http-example --file=./schemas/schema.sql --remote + ``` + + You should now be able to view the table on the [Cloudflare dashboard > **Storage & Databases** > **D1**.](https://dash.cloudflare.com/?to=/:account/workers/d1/) + +2. To deploy the application to the Cloudflare network, run the following command: + + ```sh frame="none" + npx wrangler deploy + ``` + + ```sh output + ⛅️ wrangler 3.78.4 (update available 3.78.5) + ------------------------------------------------------- + + Total Upload: 53.00 KiB / gzip: 13.16 KiB + Your worker has access to the following bindings: + - D1 Databases: + - DB: d1-http-example (DATABASE_ID) + Uploaded d1-http (4.29 sec) + Deployed d1-http triggers (5.57 sec) + [DEPLOYED_APP_LINK] + Current Version ID: [BINDING_ID] + ``` + + Upon successful deployment, you will get the link of the deployed app in the terminal (`DEPLOYED_APP_LINK`). Make a note of it. + +3. Generate a new API key to use in production. -1. Create a table in the production database -2. Deploy the app + ```sh + openssl rand -base64 32 + ``` -### 11.1 Create the table in the production database + ```sh output + [API_KEY] + ``` -Until now, you were running a local instance of D1 database. To use the API in production, you need to add the table to your remote (production) database. To add the table to your production database, run the following command: +4. Execute the `wrangler secret put [KEY]` command to add the `API_KEY` to the deployed project. -```sh frame="none" -npx wrangler d1 execute d1-http-example --file=./schemas/schema.sql --remote -``` + ```sh frame="none" + npx wrangler secret put [API_KEY] + ``` -You should now be able to view the table on the Cloudflare D1 dashboard. + ```sh output + ✔ Enter a secret value: + ``` -### 11.2 Deploy the app + The terminal will prompt you to enter a secret value. -To deploy the application to the Cloudflare network, run the following command: +5. Enter the value of your API key again. Your API key will now be added to your project. Using this value you can make secure API calls to your deployed API. -```sh frame="none" -npx wrangler deploy -``` + ```sh + ✔ Enter a secret value: [API_KEY] + ``` -Upon successful deployment, you will get the link of the deployed app in the terminal. Make a note of it. + ```sh output + 🌀 Creating the secret for the Worker "d1-http" + ✨ Success! Uploaded secret [API_KEY] + ``` -Next, generate a new API key to use in production and then execute the `wrangler secret put ` command to add the `API_KEY` to the deployed project. +6. To test it, run the following cURL command with the correct `YOUR_API_KEY` and `WORKERS_URL`. -```sh frame="none" -npx wrangler secret put API_KEY -``` + - Use the `API_KEY` you have generated as the secret API key. + - You can find your `WORKERS_URL` from the Cloudflare dashboard > **Workers & Pages** > **`d1-http`** > **Settings** > **Domains & Routes**. -Enter the value of your API key. Your API key will get added to your project. Using this value you can make secure API calls to your deployed API. + ```sh frame="none" + curl -H "Authorization: Bearer YOUR_API_KEY" "https://WORKERS_URL.workers.dev/api/exec" --data '{"query": "SELECT 1"}' + ``` + -To test it, run the following cURL command with the correct `YOUR_API_KEY` and `WORKERS_URL`. +## Summary -```sh frame="none" -curl -H "Authorization: Bearer YOUR_API_KEY" "https://WORKERS_URL.workers.dev/api/exec" --data '{"query": "SELECT 1"}' -``` +In this tutorial, you have: -## Conclusion +1. Created an API that interacts with your D1 database. +2. Deployed this API to the Workers. You can use this API in your external application to execute queries against your D1 database. The full code for this tutorial can be found on [GitHub](https://github.com/harshil1712/d1-http-example/tree/main). -In this tutorial, you created an API that interacts with your D1 database. You deployed this API to the Workers. You can use this API in your external application to execute queries against your D1 database. The full code for this tutorial can be found on [GitHub](https://github.com/harshil1712/d1-http-example/tree/main). +## Next steps -You can check out a similar implimentation that use Zod for validation in [this GitHub repository](https://github.com/elithrar/http-api-d1-example). If you want to build an OpenAPI compliant API for your D1 database, you should use the [Cloudflare Workers OpenAPI 3.1 template](https://github.com/cloudflare/workers-sdk/tree/main/templates/worker-openapi). +You can check out a similar implementation that use Zod for validation in [this GitHub repository](https://github.com/elithrar/http-api-d1-example). If you want to build an OpenAPI compliant API for your D1 database, you should use the [Cloudflare Workers OpenAPI 3.1 template](https://github.com/cloudflare/workers-sdk/tree/main/templates/worker-openapi). From a41ff476705afa2c0024505ea7e0896dc836dcf2 Mon Sep 17 00:00:00 2001 From: Jun Lee Date: Fri, 20 Sep 2024 11:31:29 +0100 Subject: [PATCH 6/9] Clarifying language surrounding API_KEY. --- .../build-an-api-to-access-d1/index.mdx | 27 ++++++++++++------- 1 file changed, 17 insertions(+), 10 deletions(-) diff --git a/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx b/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx index 876e3e564a0b90a..db073e2aca33c57 100644 --- a/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx +++ b/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx @@ -74,7 +74,7 @@ In this tutorial, you will use [Hono](https://github.com/honojs/hono), an Expres -## 3. Add an API_KEY +## 3. Add a API_KEY You need an API key to make authenticated calls to the API. To ensure that the API key is secure, add it as a [secret](/workers/configuration/secrets). @@ -93,7 +93,11 @@ You need an API key to make authenticated calls to the API. To ensure that the A ``` -## 4. Initialise the application +:::note +In this step, we have defined the name of the API key to be `API_KEY`. +::: + +## 4. Initialize the application Import the required packages, initialize a new Hono application, and configure the following middleware: @@ -170,6 +174,9 @@ Import the required packages, initialize a new Hono application, and configure t ```txt /api/all endpoint ``` + +5. Stop the local server from running by pressing `x` in the first terminal. + The Hono application is now set up. You can test the other endpoints and add more endpoints if needed. The API does not yet return any information from your database. In the next steps, you will create a database, add its bindings, and update the endpoints to interact with the database. @@ -180,7 +187,7 @@ If you do not have a D1 database already, you can create a new database with `wr -1. In your second terminal, run: +1. In your terminal, run: ```sh frame="none" npx wrangler d1 create d1-http-example @@ -409,13 +416,13 @@ Now that everything is working as expected, the last step is to deploy it to the ``` ```sh output - [API_KEY] + [YOUR_API_KEY] ``` -4. Execute the `wrangler secret put [KEY]` command to add the `API_KEY` to the deployed project. +4. Execute the `wrangler secret put` command to add an API to the deployed project. ```sh frame="none" - npx wrangler secret put [API_KEY] + npx wrangler secret put API_KEY ``` ```sh output @@ -424,20 +431,20 @@ Now that everything is working as expected, the last step is to deploy it to the The terminal will prompt you to enter a secret value. -5. Enter the value of your API key again. Your API key will now be added to your project. Using this value you can make secure API calls to your deployed API. +5. Enter the value of your API key (`YOUR_API_KEY`). Your API key will now be added to your project. Using this value you can make secure API calls to your deployed API. ```sh - ✔ Enter a secret value: [API_KEY] + ✔ Enter a secret value: [YOUR_API_KEY] ``` ```sh output 🌀 Creating the secret for the Worker "d1-http" - ✨ Success! Uploaded secret [API_KEY] + ✨ Success! Uploaded secret API_KEY ``` 6. To test it, run the following cURL command with the correct `YOUR_API_KEY` and `WORKERS_URL`. - - Use the `API_KEY` you have generated as the secret API key. + - Use the `YOUR_API_KEY` you have generated as the secret API key. - You can find your `WORKERS_URL` from the Cloudflare dashboard > **Workers & Pages** > **`d1-http`** > **Settings** > **Domains & Routes**. ```sh frame="none" From 60d5dc3b83b83596510642801927ab5457f5b9a8 Mon Sep 17 00:00:00 2001 From: Jun Lee Date: Fri, 20 Sep 2024 11:33:07 +0100 Subject: [PATCH 7/9] Minor grammar fix --- .../docs/d1/tutorials/build-an-api-to-access-d1/index.mdx | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx b/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx index db073e2aca33c57..610abfc0fdf02ab 100644 --- a/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx +++ b/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx @@ -74,7 +74,7 @@ In this tutorial, you will use [Hono](https://github.com/honojs/hono), an Expres -## 3. Add a API_KEY +## 3. Add an API_KEY You need an API key to make authenticated calls to the API. To ensure that the API key is secure, add it as a [secret](/workers/configuration/secrets). From 9161a06a0c7d4cc3a66752ae80ac32aac55b8933 Mon Sep 17 00:00:00 2001 From: Jun Lee Date: Fri, 20 Sep 2024 12:23:08 +0100 Subject: [PATCH 8/9] Improvements to clarity of the tutorial addressed in feedback. --- .../build-an-api-to-access-d1/index.mdx | 16 +++++++++------- 1 file changed, 9 insertions(+), 7 deletions(-) diff --git a/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx b/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx index 610abfc0fdf02ab..183de9158c970f6 100644 --- a/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx +++ b/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx @@ -1,5 +1,5 @@ --- -updated: 2024-08-23 +updated: 2024-09-20 difficulty: Intermediate content_type: 📝 Tutorial pcx_content_type: tutorial @@ -42,8 +42,10 @@ Use a Node version manager like [Volta](https://volta.sh/) or [nvm](https://gith ## 1. Create a new project +Create a new Worker to create and deploy your API. + -1. Use [C3](/learning-paths/workers/get-started/c3-and-wrangler/#c3), the command-line tool for Cloudflare's developer products, to create a new directory and initialize a new Worker project: +1. Create a Worker named `d1-http` by running: @@ -99,7 +101,7 @@ In this step, we have defined the name of the API key to be `API_KEY`. ## 4. Initialize the application -Import the required packages, initialize a new Hono application, and configure the following middleware: +To initialize the application, you need to import the required packages, initialize a new Hono application, and configure the following middleware: - [Bearer Auth](https://hono.dev/docs/middleware/builtin/bearer-auth): Adds authentication to the API. - [Logger](https://hono.dev/docs/middleware/builtin/logger): Allows monitoring the flow of requests and responses. @@ -161,7 +163,7 @@ Import the required packages, initialize a new Hono application, and configure t -3. To test the API locally, open a second terminal, and change into your `d1-http` directory. +3. To test the API locally, open a second terminal. 4. In the second terminal, execute the below cURL command. Replace `YOUR_API_KEY` with the value you set in the `.dev.vars` file. @@ -442,13 +444,13 @@ Now that everything is working as expected, the last step is to deploy it to the ✨ Success! Uploaded secret API_KEY ``` -6. To test it, run the following cURL command with the correct `YOUR_API_KEY` and `WORKERS_URL`. +6. To test it, run the following cURL command with the correct `YOUR_API_KEY` and `DEPLOYED_APP_LINK`. - Use the `YOUR_API_KEY` you have generated as the secret API key. - - You can find your `WORKERS_URL` from the Cloudflare dashboard > **Workers & Pages** > **`d1-http`** > **Settings** > **Domains & Routes**. + - You can also find your `DEPLOYED_APP_LINK` from the Cloudflare dashboard > **Workers & Pages** > **`d1-http`** > **Settings** > **Domains & Routes**. ```sh frame="none" - curl -H "Authorization: Bearer YOUR_API_KEY" "https://WORKERS_URL.workers.dev/api/exec" --data '{"query": "SELECT 1"}' + curl -H "Authorization: Bearer YOUR_API_KEY" "https://DEPLOYED_APP_LINK/api/exec" --data '{"query": "SELECT 1"}' ``` From 9ceecaf972d2835a409847409ba0c0eb46802e56 Mon Sep 17 00:00:00 2001 From: Jun Lee Date: Fri, 20 Sep 2024 13:58:23 +0100 Subject: [PATCH 9/9] Fixing broken link --- .../docs/d1/tutorials/build-an-api-to-access-d1/index.mdx | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx b/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx index 183de9158c970f6..0fde16c56b203b2 100644 --- a/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx +++ b/src/content/docs/d1/tutorials/build-an-api-to-access-d1/index.mdx @@ -19,7 +19,7 @@ In this tutorial, you will learn how to create an API that allows you to securel This is useful if you want to access a D1 database outside of a Worker or Pages project, customize access controls and/or limit what tables can be queried. -D1's built-in [REST API](/api/operations/cloudflare-d1-create-database) is best suited for administrative use as the global [Cloudflare API rate limit](../../../fundamentals/api/reference/limits) applies. +D1's built-in [REST API](/api/operations/cloudflare-d1-create-database) is best suited for administrative use as the global [Cloudflare API rate limit](/fundamentals/api/reference/limits) applies. To access a D1 database outside of a Worker project, you need to create an API using a Worker. Your application can then securely interact with this API to run D1 queries.