Serverless Image Generation Application Using Generative AI on AWS
Use Amazon Bedrock to build an image generation solution in Go and deploy it using AWS CDK.
The code is available on GitHub.
About | |
---|---|
✅ AWS Level | 200 - Intermediate |
⏱ Time to complete | 30 minutes |
💰 Cost to complete | Free when using the AWS Free Tier |
💻 Code Sample | Code sample used in tutorial on GitHub |
📢 Feedback | Any feedback, issues, or just a 👍 / 👎 ? |
⏰ Last Updated | 2023-11-01 |
- An AWS Account (if you don't yet have one, you can create one and set up your environment here).
- Go (v1.19 or higher).
- Git.
1
2
3
git clone https://github.com/build-on-aws/amazon-bedrock-lambda-image-generation-golang
cd amazon-bedrock-lambda-image-generation-golang
cdk deploy
.1
2
3
4
cd cdk
export DOCKER_DEFAULT_PLATFORM=linux/amd64
cdk deploy
1
2
3
4
5
6
7
8
9
10
11
12
Bundling asset BedrockLambdaImgeGenWebsiteStack/bedrock-imagegen-s3/Code/Stage...
✨ Synthesis time: 7.84s
//.... omitted
This deployment will make potentially sensitive changes according to your current security approval level (--require-approval broadening).
Please confirm you intend to make the following modifications:
//.... omitted
Do you wish to deploy these changes (y/n)? y
If you want to see the AWS CloudFormation template which will be used behind the scenes, runcdk synth
and check thecdk.out
folder.
CloudFormation > Stacks > BedrockLambdaImgeGenWebsiteStack
- The image generation Lambda function and API Gateway.
- An S3 bucket to host the website HTML page.
- CloudFront distribution.
- And a few other components (like IAM roles, permissions, S3 Bucket policy etc.)
index.html
file in the GitHub repo, and locate the following text ENTER_API_GATEWAY_URL
. Replace this with the API Gateway URL that you received as the CDK deployment output above.1
aws s3 cp index.html s3://<name of the S3 bucket from CDK output>
1
aws s3 ls s3://<name of the S3 bucket from CDK output>
- Prompt strength (
cfg_scale
) controls the image's fidelity to the prompt, with lower values increasing randomness. - Generation step (
steps
) determines the accuracy of the result, with more steps producing more precise images. - Seed (
seed
) sets the initial noise level, allowing for reproducible results when using the same seed and settings.
Max values forcfg_steps
andsteps
are 30 and 150 respectively.
1
2
3
4
5
cdk destroy
#output prompt (choose 'y' to continue)
Are you sure you want to delete: BedrockLambdaImgeGenWebsiteStack (y/n)?
You can refer to the CDK code here.
1
2
3
4
5
6
7
apigw := awscdkapigatewayv2alpha.NewHttpApi(stack, jsii.String("image-gen-http-api"), nil)
bucket := awss3.NewBucket(stack, jsii.String("website-s3-bucket"), &awss3.BucketProps{
BlockPublicAccess: awss3.BlockPublicAccess_BLOCK_ALL(),
RemovalPolicy: awscdk.RemovalPolicy_DESTROY,
AutoDeleteObjects: jsii.Bool(true),
})
- Specify the S3 bucket as the origin.
- Specify the Origin Access Identity that we created before.
1
2
3
4
5
6
7
8
9
10
11
12
oai := awscloudfront.NewOriginAccessIdentity(stack, jsii.String("OAI"), nil)
bucket.GrantRead(oai.GrantPrincipal(), "*")
distribution := awscloudfront.NewDistribution(stack, jsii.String("MyDistribution"), &awscloudfront.DistributionProps{
DefaultBehavior: &awscloudfront.BehaviorOptions{
Origin: awscloudfrontorigins.NewS3Origin(bucket, &awscloudfrontorigins.S3OriginProps{
OriginAccessIdentity: oai,
}),
},
DefaultRootObject: jsii.String("index.html"), //name of the file in S3
})
1
2
3
4
5
6
7
8
9
10
11
12
function := awscdklambdagoalpha.NewGoFunction(stack, jsii.String("bedrock-imagegen-s3"),
&awscdklambdagoalpha.GoFunctionProps{
Runtime: awslambda.Runtime_GO_1_X(),
Entry: jsii.String(functionDir),
Timeout: awscdk.Duration_Seconds(jsii.Number(30)),
})
function.AddToRolePolicy(awsiam.NewPolicyStatement(&awsiam.PolicyStatementProps{
Actions: jsii.Strings("bedrock:*"),
Effect: awsiam.Effect_ALLOW,
Resources: jsii.Strings("*"),
}))
1
2
3
4
5
6
7
8
9
10
11
12
functionIntg := awscdkapigatewayv2integrationsalpha.NewHttpLambdaIntegration(jsii.String("function-integration"), function, nil)
apigw.AddRoutes(&awscdkapigatewayv2alpha.AddRoutesOptions{
Path: jsii.String("/"),
Methods: &[]awscdkapigatewayv2alpha.HttpMethod{awscdkapigatewayv2alpha.HttpMethod_POST},
Integration: functionIntg})
awscdk.NewCfnOutput(stack, jsii.String("apigw URL"), &awscdk.CfnOutputProps{Value: apigw.Url(), Description: jsii.String("API Gateway endpoint")})
awscdk.NewCfnOutput(stack, jsii.String("cloud front domain name"), &awscdk.CfnOutputProps{Value: distribution.DomainName(), Description: jsii.String("cloud front domain name")})
awscdk.NewCfnOutput(stack, jsii.String("s3 bucket name"), &awscdk.CfnOutputProps{Value: bucket.BucketName(), Description: jsii.String("s3 bucket name")})
You can refer to the Lambda Function code here.
Request
struct.Response
struct which contains the generated image as a base64
string. This is returned as an events.APIGatewayV2HTTPResponse object along with CORS
headers.1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
func handler(ctx context.Context, req events.APIGatewayV2HTTPRequest) (events.APIGatewayV2HTTPResponse, error) {
prompt := req.Body
cfgScaleF, _ := strconv.ParseFloat(req.QueryStringParameters["cfg_scale"], 64)
seed, _ := strconv.Atoi(req.QueryStringParameters["seed"])
steps, _ := strconv.Atoi(req.QueryStringParameters["steps"])
payload := Request{
TextPrompts: []TextPrompt{{Text: prompt}},
CfgScale: cfgScaleF,
Steps: steps,
}
if seed > 0 {
payload.Seed = seed
}
payloadBytes, err := json.Marshal(payload)
output, err := brc.InvokeModel(context.Background(), &bedrockruntime.InvokeModelInput{
Body: payloadBytes,
ModelId: aws.String(stableDiffusionXLModelID),
ContentType: aws.String("application/json"),
})
var resp Response
err = json.Unmarshal(output.Body, &resp)
image := resp.Artifacts[0].Base64
return events.APIGatewayV2HTTPResponse{
StatusCode: http.StatusOK,
Body: image,
IsBase64Encoded: false,
Headers: map[string]string{
"Access-Control-Allow-Origin": "*",
"Access-Control-Allow-Methods": "POST,OPTIONS",
},
}, nil
}
//request/response model
type Request struct {
TextPrompts []TextPrompt `json:"text_prompts"`
CfgScale float64 `json:"cfg_scale"`
Steps int `json:"steps"`
Seed int `json:"seed"`
}
type TextPrompt struct {
Text string `json:"text"`
}
type Response struct {
Result string `json:"result"`
Artifacts []Artifact `json:"artifacts"`
}
type Artifact struct {
Base64 string `json:"base64"`
FinishReason string `json:"finishReason"`
}
Any opinions in this post are those of the individual author and may not reflect the opinions of AWS.