You signed in with another tab or window. Reload to refresh your session.You signed out in another tab or window. Reload to refresh your session.You switched accounts on another tab or window. Reload to refresh your session.Dismiss alert
title: Build a Retrieval Augmented Generation (RAG) AI
7
7
products:
8
8
- Workers
9
+
- D1
9
10
- Vectorize
10
11
tags:
11
12
- AI
@@ -24,7 +25,7 @@ At the end of this tutorial, you will have built an AI tool that allows you to s
24
25
25
26
<Renderfile="prereqs"product="workers" />
26
27
27
-
You will also need access to [Vectorize](/vectorize/platform/pricing/).
28
+
You will also need access to [Vectorize](/vectorize/platform/pricing/). During this tutorial, we will show how you can optionally integrate with [Anthropic Claude](http://anthropic.com) as well. You will need an [Anthropic API key](https://docs.anthropic.com/en/api/getting-started) to do so.
28
29
29
30
## 1. Create a new Worker project
30
31
@@ -196,7 +197,42 @@ Now, we can add a new note to our database using `wrangler d1 execute`:
196
197
npx wrangler d1 execute database --remote --command "INSERT INTO notes (text) VALUES ('The best pizza topping is pepperoni')"
197
198
```
198
199
199
-
## 5. Creating notes and adding them to Vectorize
200
+
## 5. Creating a workflow
201
+
202
+
Before we begin creating notes, we will introduce a [Cloudflare Workflow](/workflows). This will allow us to define a durable workflow that can safely and robustly execute all the steps of the RAG process.
203
+
204
+
To begin, add a new `[[workflows]]` block to `wrangler.toml`:
205
+
206
+
```toml
207
+
# ... existing wrangler configuration
208
+
209
+
[[workflows]]
210
+
name = "rag"
211
+
binding = "RAG_WORKFLOW"
212
+
class_name = "RAGWorkflow"
213
+
```
214
+
215
+
In `src/index.js`, add a new class called `RAGWorkflow` that extends `Workflow`:
216
+
217
+
```js
218
+
exportclassRAGWorkflow {
219
+
asyncrun(event, step) {
220
+
awaitstep.do('example step', async () => {
221
+
console.log("Hello World!")
222
+
})
223
+
}
224
+
}
225
+
```
226
+
227
+
This class will define a single workflow step that will log "Hello World!" to the console. You can add as many steps as you need to your workflow.
228
+
229
+
On its own, this workflow will not do anything. To execute the workflow, we will call the `RAG_WORKFLOW` binding, passing in any parameters that the workflow needs to properly complete. Here is an example of how we can call the workflow:
230
+
231
+
```js
232
+
env.RAG_WORKFLOW.create({ params: { text } })
233
+
```
234
+
235
+
## 6. Creating notes and adding them to Vectorize
200
236
201
237
To expand on your Workers function in order to handle multiple routes, we will add `hono`, a routing library for Workers. This will allow us to create a new route for adding notes to our database. Install `hono` using `npm`:
202
238
@@ -221,61 +257,69 @@ app.get("/", async (c) => {
221
257
exportdefaultapp;
222
258
```
223
259
224
-
This will establish a route at the root path `/` that is functionally equivalent to the previous version of your application. Now, we can add a new route for adding notes to our database.
260
+
This will establish a route at the root path `/` that is functionally equivalent to the previous version of your application.
261
+
262
+
Now, we can update our workflow to begin adding notes to our database, and generating the related embeddings for them.
225
263
226
264
This example features the [`@cf/baai/bge-base-en-v1.5` model](/workers-ai/models/bge-base-en-v1.5/), which can be used to create an embedding. Embeddings are stored and retrieved inside [Vectorize](/vectorize/), Cloudflare's vector database. The user query is also turned into an embedding so that it can be used for searching within Vectorize.
227
265
228
266
```js
229
-
app.post("/notes", async (c) => {
230
-
const { text } =awaitc.req.json();
231
-
if (!text) {
232
-
returnc.text("Missing text", 400);
233
-
}
234
-
235
-
const { results } =awaitc.env.DB.prepare(
236
-
"INSERT INTO notes (text) VALUES (?) RETURNING *",
constembeddings=awaitenv.AI.run('@cf/baai/bge-base-en-v1.5', { text: text })
285
+
constvalues=embeddings.data[0]
286
+
if (!values) thrownewError("Failed to generate vector embedding")
287
+
return values
288
+
})
289
+
290
+
awaitstep.do(`insert vector`, async () => {
291
+
returnenv.VECTOR_INDEX.upsert([
292
+
{
293
+
id:record.id.toString(),
294
+
values: embedding,
295
+
}
296
+
]);
297
+
})
245
298
}
246
-
247
-
const { data } =awaitc.env.AI.run("@cf/baai/bge-base-en-v1.5", {
248
-
text: [text],
249
-
});
250
-
constvalues= data[0];
251
-
252
-
if (!values) {
253
-
returnc.text("Failed to generate vector embedding", 500);
254
-
}
255
-
256
-
const { id } = record;
257
-
constinserted=awaitc.env.VECTOR_INDEX.upsert([
258
-
{
259
-
id:id.toString(),
260
-
values,
261
-
},
262
-
]);
263
-
264
-
returnc.json({ id, text, inserted });
265
-
});
299
+
}
266
300
```
267
301
268
-
This function does the following things:
302
+
The workflow does the following things:
269
303
270
-
1.Parse the JSON body of the request to get the `text`field.
304
+
1.Accepts a `text`parameter.
271
305
2. Insert a new row into the `notes` table in D1, and retrieve the `id` of the new row.
272
306
3. Convert the `text` into a vector using the `embeddings` model of the LLM binding.
273
307
4. Upsert the `id` and `vectors` into the `vector-index` index in Vectorize.
274
-
5. Return the `id` and `text` of the new note as JSON.
275
308
276
309
By doing this, you will create a new vector representation of the note, which can be used to retrieve the note later.
277
310
278
-
## 6. Querying Vectorize to retrieve notes
311
+
To complete the code, we will add a route that allows users to submit notes to the database. This route will parse the JSON request body, get the `note` parameter, and create a new instance of the workflow, passing the parameter:
312
+
313
+
```js
314
+
app.post('/notes', async (c) => {
315
+
const { text } =awaitc.req.json();
316
+
if (!text) returnc.text("Missing text", 400);
317
+
awaitc.env.RAG_WORKFLOW.create({ params: { text } })
318
+
returnc.text("Created note", 201);
319
+
})
320
+
```
321
+
322
+
## 7. Querying Vectorize to retrieve notes
279
323
280
324
To complete your code, you can update the root path (`/`) to query Vectorize. You will convert the query into a vector, and then use the `vector-index` index to find the most similar vectors.
281
325
@@ -333,7 +377,6 @@ app.get('/', async (c) => {
333
377
)
334
378
335
379
returnc.text(answer);
336
-
337
380
});
338
381
339
382
app.onError((err, c) => {
@@ -343,7 +386,80 @@ app.onError((err, c) => {
343
386
exportdefaultapp;
344
387
```
345
388
346
-
## 7. Deleting notes and vectors
389
+
## 8. Adding Anthropic Claude model (optional)
390
+
391
+
If you are working with larger documents, you have the option to use Anthropic's [Claude models](https://claude.ai/), which have large context windows and are well-suited to RAG workflows.
392
+
393
+
To begin, install the `@anthropic-ai/sdk` package:
394
+
395
+
```sh
396
+
npm install @anthropic-ai/sdk
397
+
```
398
+
399
+
In `src/index.js`, you can update the `GET /` route to check for the `ANTHROPIC_API_KEY` environment variable. If it's set, we can generate text using the Anthropic SDK. If it isn't set, we'll fall back to the existing Workers AI code:
400
+
401
+
```js
402
+
importAnthropicfrom'@anthropic-ai/sdk';
403
+
404
+
app.get('/', async (c) => {
405
+
// ... Existing code
406
+
constsystemPrompt=`When answering the question or responding, use the context provided, if it is provided and relevant.`
returnc.text("We were unable to generate output", 500)
452
+
}
453
+
})
454
+
```
455
+
456
+
Finally, you'll need to set the `ANTHROPIC_API_KEY` environment variable in your Workers application. You can do this by using `wrangler secret put`:
457
+
458
+
```sh
459
+
$ npx wrangler secret put ANTHROPIC_API_KEY
460
+
```
461
+
462
+
## 9. Deleting notes and vectors
347
463
348
464
If you no longer need a note, you can delete it from the database. Any time that you delete a note, you will also need to delete the corresponding vector from Vectorize. You can implement this by building a `DELETE /notes/:id` route in your `src/index.js` file:
For large pieces of text, it is recommended to split the text into smaller chunks. This allows LLMs to more effectively gather relevant context, without needing to retrieve large pieces of text.
482
+
483
+
To implement this, we'll add a new NPM package to our project, `@langchain/textsplitters':
484
+
485
+
```sh
486
+
npm install @cloudflare/textsplitters
487
+
```
488
+
489
+
The `RecursiveCharacterTextSplitter` class provided by this package will split the text into smaller chunks. It can be customized to your liking, but the default config works in most cases:
console.log(output) // [{ pageContent: 'Some long piece of text...' }]
504
+
```
505
+
506
+
To use this splitter, we'll update the workflow to split the text into smaller chunks. We'll then iterate over the chunks and run the rest of the workflow for each chunk of text:
507
+
508
+
```js
509
+
exportclassRAGWorkflow {
510
+
asyncrun(event, step) {
511
+
constenv=this.env
512
+
const { text } =event.payload;
513
+
let texts =awaitstep.do('split text', async () => {
Now, when large pieces of text are submitted to the `/notes` endpoint, they will be split into smaller chunks, and each chunk will be processed by the workflow.
556
+
557
+
## 11. Deploy your project
364
558
365
559
If you did not deploy your Worker during [step 1](/workers/get-started/guide/#1-create-a-new-worker-project), deploy your Worker via Wrangler, to a `*.workers.dev` subdomain, or a [Custom Domain](/workers/configuration/routing/custom-domains/), if you have one configured. If you have not configured any subdomain or domain, Wrangler will prompt you during the publish process to set one up.
366
560
@@ -388,4 +582,4 @@ To do more:
388
582
- Explore [Examples](/workers/examples/) to experiment with copy and paste Worker code.
389
583
- Understand how Workers works in [Reference](/workers/reference/).
390
584
- Learn about Workers features and functionality in [Platform](/workers/platform/).
391
-
- Set up [Wrangler](/workers/wrangler/install-and-update/) to programmatically create, test, and deploy your Worker projects.
585
+
- Set up [Wrangler](/workers/wrangler/install-and-update/) to programmatically create, test, and deploy your Worker projects.
0 commit comments