Generate Images with Amazon Bedrock
Amazon Bedrock is a fully managed service that offers a choice of high-performing foundation models (FMs) from leading AI companies like AI21 Labs, Anthropic, Cohere, Meta, Mistral AI, Stability AI, and Amazon. Each model is accessible through a common API which implements a broad set of features to help build generative AI applications with security, privacy, and responsible AI in mind.
This guide will walk you through an example using the Amazon Bedrock JavaScript SDK in Supabase Edge Functions to generate images using the Amazon Titan Image Generator G1 model.
Setup
- In your AWS console, navigate to Amazon Bedrock and under "Request model access", select the Amazon Titan Image Generator G1 model.
- In your Supabase project, create a
.env
file in thesupabase
directory with the following contents:
12345678AWS_DEFAULT_REGION="<your_region>"AWS_ACCESS_KEY_ID="<replace_your_own_credentials>"AWS_SECRET_ACCESS_KEY="<replace_your_own_credentials>"AWS_SESSION_TOKEN="<replace_your_own_credentials>"# Mocked config filesAWS_SHARED_CREDENTIALS_FILE="./aws/credentials"AWS_CONFIG_FILE="./aws/config"
Configure Storage
- [locally] Run
supabase start
- Open Studio URL: locally | hosted
- Navigate to Storage
- Click "New bucket"
- Create a new public bucket called "images"
Code
Create a new function in your project:
1supabase functions new amazon-bedrock
And add the code to the index.ts
file:
123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778// We need to mock the file system for the AWS SDK to work.import { prepareVirtualFile } from 'https://deno.land/x/mock_file@v1.1.2/mod.ts'import { BedrockRuntimeClient, InvokeModelCommand } from 'npm:@aws-sdk/client-bedrock-runtime'import { createClient } from 'npm:@supabase/supabase-js'import { decode } from 'npm:base64-arraybuffer'console.log('Hello from Amazon Bedrock!')Deno.serve(async (req) => { prepareVirtualFile('./aws/config') prepareVirtualFile('./aws/credentials') const client = new BedrockRuntimeClient({ region: Deno.env.get('AWS_DEFAULT_REGION') ?? 'us-west-2', credentials: { accessKeyId: Deno.env.get('AWS_ACCESS_KEY_ID') ?? '', secretAccessKey: Deno.env.get('AWS_SECRET_ACCESS_KEY') ?? '', sessionToken: Deno.env.get('AWS_SESSION_TOKEN') ?? '', }, }) const { prompt, seed } = await req.json() console.log(prompt) const input = { contentType: 'application/json', accept: '*/*', modelId: 'amazon.titan-image-generator-v1', body: JSON.stringify({ taskType: 'TEXT_IMAGE', textToImageParams: { text: prompt }, imageGenerationConfig: { numberOfImages: 1, quality: 'standard', cfgScale: 8.0, height: 512, width: 512, seed: seed ?? 0, }, }), } const command = new InvokeModelCommand(input) const response = await client.send(command) console.log(response) if (response.$metadata.httpStatusCode === 200) { const { body, $metadata } = response const textDecoder = new TextDecoder('utf-8') const jsonString = textDecoder.decode(body.buffer) const parsedData = JSON.parse(jsonString) console.log(parsedData) const image = parsedData.images[0] const supabaseClient = createClient( // Supabase API URL - env var exported by default. Deno.env.get('SUPABASE_URL')!, // Supabase API ANON KEY - env var exported by default. Deno.env.get('SUPABASE_SERVICE_ROLE_KEY')! ) const { data: upload, error: uploadError } = await supabaseClient.storage .from('images') .upload(`${$metadata.requestId ?? ''}.png`, decode(image), { contentType: 'image/png', cacheControl: '3600', upsert: false, }) if (!upload) { return Response.json(uploadError) } const { data } = supabaseClient.storage.from('images').getPublicUrl(upload.path!) return Response.json(data) } return Response.json(response)})
Run the function locally
- Run
supabase start
(see: https://supabase.com/docs/reference/cli/supabase-start) - Start with env:
supabase functions serve --env-file supabase/.env
- Make an HTTP request:
1234curl -i --location --request POST 'http://127.0.0.1:54321/functions/v1/amazon-bedrock' \ --header 'Authorization: Bearer eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJpc3MiOiJzdXBhYmFzZS1kZW1vIiwicm9sZSI6ImFub24iLCJleHAiOjE5ODM4MTI5OTZ9.CRXP1A7WOeoJeXxjNni43kdQwgnWNReilDMblYTn_I0' \ --header 'Content-Type: application/json' \ --data '{"prompt":"A beautiful picture of a bird"}'
- Navigate back to your storage bucket. You might have to hit the refresh button to see the uploaded image.
Deploy to your hosted project
123supabase linksupabase functions deploy amazon-bedrocksupabase secrets set --env-file supabase/.env
You've now deployed a serverless function that uses AI to generate and upload images to your Supabase storage bucket.