Name:
interface
Value:
Amplify has re-imagined the way frontend developers build fullstack applications. Develop and deploy without the hassle.

Choose your framework/language

Page updated Nov 16, 2024

Set up AI

In this guide, you will learn how to get stared with the Amplify AI kit. This includes defining your AI backend with Conversation and Generation routes, and securely connecting to them from your frontend application.

Prerequisites

Before you begin, you will need:

  • Node.js v18.16.0 or later
  • npm v6.14.4 or later
  • git v2.14.1 or later

You will also need an AWS account that is setup for local development and has access to the Bedrock Foundation Model(s) you want to use. You can request access to Bedrock models by going in to the Bedrock console and requesting access.

Running inference on large language models (LLMs) can be costly. Amazon Bedrock is a serverless service so you only pay for what you use, but be mindful of the costs associated with building generative AI applications. See Bedrock pricing for more information.

Create an Amplify backend

Run the create amplify script in your project directory:

Terminal
npm create amplify@latest

Then run the Amplify sandbox to start your local cloud sandbox:

Terminal
npx ampx sandbox

This will provision the cloud resources you define in your amplify folder and watch for updates and redeploy them.

Build your AI backend

To build an AI backend, you define AI 'routes' in your Amplify Data schema. An AI route is like an API endpoint for interacting with backend AI functionality. There are currently 2 types of routes:

  • Conversation: A conversation route is a streaming, multi-turn API. Conversations and messages are automatically stored in DynamoDB so users can resume conversations. Examples of this are any chat-based AI experience or conversational UI.
  • Generation: A single synchronous request-response API. A generation route is just an AppSync Query. Examples of this are: generating alt text for an image, generating structured data from unstructured input, summarization, etc.

To define AI routes, open your amplify/data/resource.ts file and use a.generation() and a.conversation() in your schema.

amplify/data/resources.ts
import { a, defineData, type ClientSchema } from '@aws-amplify/backend';
const schema = a.schema({
// This will add a new conversation route to your Amplify Data backend.
chat: a.conversation({
aiModel: a.ai.model('Claude 3 Haiku'),
systemPrompt: 'You are a helpful assistant',
})
.authorization((allow) => allow.owner()),
// This adds a new generation route to your Amplify Data backend.
generateRecipe: a.generation({
aiModel: a.ai.model('Claude 3 Haiku'),
systemPrompt: 'You are a helpful assistant that generates recipes.',
})
.arguments({
description: a.string(),
})
.returns(
a.customType({
name: a.string(),
ingredients: a.string().array(),
instructions: a.string(),
})
)
.authorization((allow) => allow.authenticated()),
});

Conversation routes currently ONLY support owner-based authorization and generation routes ONLY support non-owner-based authorization (authenticated, guest, group, publicApiKey).

If you have the Amplify sandbox running, when you save this file it will pick up the changes and redeploy the necessary resources for you.

Connect your frontend

Once the cloud sandbox is up and running, it will also create an amplify_outputs.json file, which includes relevant connection information to your AI routes and other Amplify configuration.

To connect your frontend code to your backend, you need to:

  1. Configure the Amplify library with the Amplify client configuration file (amplify_outputs.json).
  2. Generate a new API client from the Amplify library.
  3. Make an API request with end-to-end type-safety.

Install the client libraries

Install the Amplify client library to your project:

Terminal
npm add aws-amplify @aws-amplify/ui-react @aws-amplify/ui-react-ai

Configure the libraries

Call Amplify.configure() with the amplify_outputs.json file where the React application is mounted.

src/main.tsx
import { Amplify } from 'aws-amplify';
import '@aws-amplify/ui-react/styles.css';
import outputs from '../amplify_outputs.json';
Amplify.configure(outputs);

Generate the data client

Next, generate a type-safe frontend client to talk to our backend using our backend data schema and the generateClient() function provided by the Amplify libraries.

It can be helpful to create a client.ts/js file that exports the generated Amplify data client as well as the generated React hooks.

src/client.ts
import { generateClient } from "aws-amplify/api";
import { Schema } from "../amplify/data/resource";
import { createAIHooks } from "@aws-amplify/ui-react-ai";
export const client = generateClient<Schema>({ authMode: "userPool" });
export const { useAIConversation, useAIGeneration } = createAIHooks(client);
src/client.js
import { generateClient } from "aws-amplify/api";
import { Schema } from "../amplify/data/resource";
import { createAIHooks } from "@aws-amplify/ui-react-ai";
/**
* @type {import('aws-amplify/data').Client<import('../amplify/data/resource').Schema>}
*/
export const client = generateClient({ authMode: "userPool" });
export const { useAIConversation, useAIGeneration } = createAIHooks(client);

Use a generation

import React, { useState, useEffect } from "react";
import {
View,
Text,
StyleSheet,
TextInput,
FlatList,
TouchableOpacity,
ActivityIndicator,
} from "react-native";
import { useAIGeneration } from './client';
export default function Screen() {
const [description, setDescription] = React.useState("");
const [{ data, isLoading, hasError }, generateRecipe] =
useAIGeneration("generateRecipe");
const handleClick = () => {
generateRecipe({ description });
};
return (
<View>
<TextInput
autoResize
value={description}
onChange={(e) => setDescription(e.target.value)}
label="Description"
/>
<Button onClick={handleClick}>Generate recipe</Button>
{isLoading ? (
<Loader variation="linear" />
) : (
<>
<Heading level={2}>{data?.name}</Heading>
<View as="ul">
{data?.ingredients?.map((ingredient) => (
<Text as="li" key={ingredient}>
{ingredient}
</Text>
))}
</View>
<Text>{data?.instructions}</Text>
</>
)}
</Flex>
);
}

Use a conversation

AI conversations are scoped to a user, so your users will need to be logged in with Amplify auth. The easiest way to do this is with the Authenticator component.