Movatterモバイル変換


[0]ホーム

URL:


Skip to content

Navigation Menu

Sign in
Appearance settings

Search code, repositories, users, issues, pull requests...

Provide feedback

We read every piece of feedback, and take your input very seriously.

Saved searches

Use saved searches to filter your results more quickly

Sign up
Appearance settings

Terraform module, which takes care of a lot of AWS Lambda/serverless tasks (build dependencies, packages, updates, deployments) in countless combinations

License

NotificationsYou must be signed in to change notification settings

opensource-terraform-modules/terraform-aws-lambda

 
 

Repository files navigation

Terraform module, which creates almost all supported AWS Lambda resources as well as taking care of building and packaging of required Lambda dependencies for functions and layers.

This Terraform module is the part ofserverless.tf framework, which aims to simplify all operations when working with the serverless in Terraform:

  1. Build and install dependencies -read more. Requires Python 3.6 or newer.
  2. Create, store, and use deployment packages -read more.
  3. Create, update, and publish AWS Lambda Function and Lambda Layer -see usage.
  4. Create static and dynamic aliases for AWS Lambda Function -see usage, seemodules/alias.
  5. Do complex deployments (eg, rolling, canary, rollbacks, triggers) -read more, seemodules/deploy.

Features

  • Build dependencies for your Lambda Function and Layer.
  • Support builds locally and in Docker (with or without SSH agent support for private builds).
  • Create deployment package or deploy existing (previously built package) from local, from S3, from URL, or from AWS ECR repository.
  • Store deployment packages locally or in the S3 bucket.
  • Support almost all features of Lambda resources (function, layer, alias, etc.)
  • Lambda@Edge
  • Conditional creation for many types of resources.
  • Control execution of nearly any step in the process - build, package, store package, deploy, update.
  • Control nearly all aspects of Lambda resources (provisioned concurrency, VPC, EFS, dead-letter notification, tracing, async events, event source mapping, IAM role, IAM policies, and more).
  • Support integration with otherserverless.tf modules likeHTTP API Gateway (seeexamples there).

Usage

Lambda Function (store package locally)

module"lambda_function" {source="terraform-aws-modules/lambda/aws"function_name="my-lambda1"description="My awesome lambda function"handler="index.lambda_handler"runtime="python3.8"source_path="../src/lambda-function1"tags={    Name="my-lambda1"  }}

Lambda Function and Lambda Layer (store packages on S3)

module"lambda_function" {source="terraform-aws-modules/lambda/aws"function_name="lambda-with-layer"description="My awesome lambda function"handler="index.lambda_handler"runtime="python3.8"publish=truesource_path="../src/lambda-function1"store_on_s3=trues3_bucket="my-bucket-id-with-lambda-builds"layers=[module.lambda_layer_s3.lambda_layer_arn,  ]environment_variables={    Serverless="Terraform"  }tags={    Module="lambda-with-layer"  }}module"lambda_layer_s3" {source="terraform-aws-modules/lambda/aws"create_layer=truelayer_name="lambda-layer-s3"description="My amazing lambda layer (deployed from S3)"compatible_runtimes=["python3.8"]source_path="../src/lambda-layer"store_on_s3=trues3_bucket="my-bucket-id-with-lambda-builds"}

Lambda Functions with existing package (prebuilt) stored locally

module"lambda_function_existing_package_local" {source="terraform-aws-modules/lambda/aws"function_name="my-lambda-existing-package-local"description="My awesome lambda function"handler="index.lambda_handler"runtime="python3.8"create_package=falselocal_existing_package="../existing_package.zip"}

Lambda Function or Lambda Layer with the deployable artifact maintained separately from the infrastructure

If you want to manage function code and infrastructure resources (such as IAM permissions, policies, events, etc) in separate flows (e.g., different repositories, teams, CI/CD pipelines).

Disable source code tracking to turn off deployments (and rollbacks) using the module by settingignore_source_code_hash = true and deploy adummy function.

When the infrastructure and the dummy function is deployed, you can use external tool to update the source code of the function (eg, usingAWS CLI) and keep using this module via Terraform to manage the infrastructure.

Be aware that changes inlocal_existing_package value may trigger deployment via Terraform.

module"lambda_function_externally_managed_package" {source="terraform-aws-modules/lambda/aws"function_name="my-lambda-externally-managed-package"description="My lambda function code is deployed separately"handler="index.lambda_handler"runtime="python3.8"create_package=falselocal_existing_package="./lambda_functions/code.zip"ignore_source_code_hash=true}

Lambda Function with existing package (prebuilt) stored in S3 bucket

Note that this module does not copy prebuilt packages into S3 bucket. This module can only store packages it builds locally and in S3 bucket.

locals {my_function_source="../path/to/package.zip"}resource"aws_s3_bucket""builds" {bucket="my-builds"acl="private"}resource"aws_s3_object""my_function" {bucket=aws_s3_bucket.builds.idkey="${filemd5(local.my_function_source)}.zip"source=local.my_function_source}module"lambda_function_existing_package_s3" {source="terraform-aws-modules/lambda/aws"function_name="my-lambda-existing-package-local"description="My awesome lambda function"handler="index.lambda_handler"runtime="python3.8"create_package=falses3_existing_package={    bucket= aws_s3_bucket.builds.id    key= aws_s3_object.my_function.id  }}

Lambda Functions from Container Image stored on AWS ECR

module"lambda_function_container_image" {source="terraform-aws-modules/lambda/aws"function_name="my-lambda-existing-package-local"description="My awesome lambda function"create_package=falseimage_uri="132367819851.dkr.ecr.eu-west-1.amazonaws.com/complete-cow:1.0"package_type="Image"}

Lambda Layers (store packages locally and on S3)

module"lambda_layer_local" {source="terraform-aws-modules/lambda/aws"create_layer=truelayer_name="my-layer-local"description="My amazing lambda layer (deployed from local)"compatible_runtimes=["python3.8"]source_path="../fixtures/python3.8-app1"}module"lambda_layer_s3" {source="terraform-aws-modules/lambda/aws"create_layer=truelayer_name="my-layer-s3"description="My amazing lambda layer (deployed from S3)"compatible_runtimes=["python3.8"]source_path="../fixtures/python3.8-app1"store_on_s3=trues3_bucket="my-bucket-id-with-lambda-builds"}

Lambda@Edge

Make sure, you deploy Lambda@Edge functions into US East (N. Virginia) region (us-east-1). SeeRequirements and Restrictions on Lambda Functions.

module"lambda_at_edge" {source="terraform-aws-modules/lambda/aws"lambda_at_edge=truefunction_name="my-lambda-at-edge"description="My awesome lambda@edge function"handler="index.lambda_handler"runtime="python3.8"source_path="../fixtures/python3.8-app1"tags={    Module="lambda-at-edge"  }}

Lambda Function in VPC

module"lambda_function_in_vpc" {source="terraform-aws-modules/lambda/aws"function_name="my-lambda-in-vpc"description="My awesome lambda function"handler="index.lambda_handler"runtime="python3.8"source_path="../fixtures/python3.8-app1"vpc_subnet_ids=module.vpc.intra_subnetsvpc_security_group_ids=[module.vpc.default_security_group_id]attach_network_policy=true}module"vpc" {source="terraform-aws-modules/vpc/aws"name="my-vpc"cidr="10.10.0.0/16"# Specify at least one of: intra_subnets, private_subnets, or public_subnetsazs=["eu-west-1a","eu-west-1b","eu-west-1c"]intra_subnets=["10.10.101.0/24","10.10.102.0/24","10.10.103.0/24"]}

Additional IAM policies for Lambda Functions

There are 6 supported ways to attach IAM policies to IAM role used by Lambda Function:

  1. policy_json - JSON string or heredoc, whenattach_policy_json = true.
  2. policy_jsons - List of JSON strings or heredoc, whenattach_policy_jsons = true andnumber_of_policy_jsons > 0.
  3. policy - ARN of existing IAM policy, whenattach_policy = true.
  4. policies - List of ARNs of existing IAM policies, whenattach_policies = true andnumber_of_policies > 0.
  5. policy_statements - Map of maps to define IAM statements which will be generated as IAM policy. Requiresattach_policy_statements = true. Seeexamples/complete for more information.
  6. assume_role_policy_statements - Map of maps to define IAM statements which will be generated as IAM policy for assuming Lambda Function role (trust relationship). Seeexamples/complete for more information.

Lambda Permissions for allowed triggers

Lambda Permissions should be specified to allow certain resources to invoke Lambda Function.

module"lambda_function" {source="terraform-aws-modules/lambda/aws"# ...omitted for brevityallowed_triggers={    APIGatewayAny= {      service="apigateway"      source_arn="arn:aws:execute-api:eu-west-1:135367859851:aqnku8akd0/*/*/*"    },    APIGatewayDevPost= {      service="apigateway"      source_arn="arn:aws:execute-api:eu-west-1:135367859851:aqnku8akd0/dev/POST/*"    },    OneRule= {      principal="events.amazonaws.com"      source_arn="arn:aws:events:eu-west-1:135367859851:rule/RunDaily"    }  }}

Conditional creation

Sometimes you need to have a way to create resources conditionally but Terraform does not allow usage ofcount insidemodule block, so the solution is to specifycreate arguments.

module"lambda" {source="terraform-aws-modules/lambda/aws"create=false# to disable all resourcescreate_package=false# to control build package processcreate_function=false# to control creation of the Lambda Function and related resourcescreate_layer=false# to control creation of the Lambda Layer and related resourcescreate_role=false# to control creation of the IAM role and policies required for Lambda Functionattach_cloudwatch_logs_policy=falseattach_dead_letter_policy=falseattach_network_policy=falseattach_tracing_policy=falseattach_async_event_policy=false# ... omitted}

How does building and packaging work?

This is one of the most complicated part done by the module and normally you don't have to know internals.

package.py is Python script which does it. Make sure, Python 3.6 or newer is installed. The main functions of the script are to generate a filename of zip-archive based on the content of the files, verify if zip-archive has been already created, and create zip-archive only when it is necessary (duringapply, notplan).

Hash of zip-archive created with the same content of the files is always identical which prevents unnecessary force-updates of the Lambda resources unless content modifies. If you need to have different filenames for the same content you can specify extra string argumenthash_extra.

When calling this module multiple times in one execution to create packages with the samesource_path, zip-archives will be corrupted due to concurrent writes into the same file. There are two solutions - set different values forhash_extra to create different archives, or create package once outside (using this module) and then passlocal_existing_package argument to create other Lambda resources.

Debug

Building and packaging has been historically hard to debug (especially with Terraform), so we made an effort to make it easier for user to see debug info. There are 3 different debug levels:DEBUG - to see only what is happening during planning phase and how a zip file content filtering in case of applied patterns,DEBUG2 - to see more logging output,DEBUG3 - to see all logging values,DUMP_ENV - to see all logging values and env variables (be careful sharing your env variables as they may contain secrets!).

User can specify debug level like this:

export TF_LAMBDA_PACKAGE_LOG_LEVEL=DEBUG2terraform apply

User can enable comments in heredoc strings inpatterns which can be helpful in some situations. To do this set this environment variable:

export TF_LAMBDA_PACKAGE_PATTERN_COMMENTS=trueterraform apply

Build Dependencies

You can specifysource_path in a variety of ways to achieve desired flexibility when building deployment packages locally or in Docker. You can use absolute or relative paths. If you have placed terraform files in subdirectories, note that relative paths are specified from the directory whereterraform plan is run and not the location of your terraform file.

Note that, when building locally, files are not copying anywhere from the source directories when making packages, we use fast Python regular expressions to find matching files and directories, which makes packaging very fast and easy to understand.

Simple build from single directory

Whensource_path is set to a string, the content of that path will be used to create deployment package as-is:

source_path = "src/function1"

Static build from multiple source directories

Whensource_path is set to a list of directories the content of each will be taken and one archive will be created.

Combine various options for extreme flexibility

This is the most complete way of creating a deployment package from multiple sources with multiple dependencies. This example is showing some of the available options (seeexamples/build-package for more):

source_path=["src/main-source","src/another-source/index.py",  {    path="src/function1-dep",    patterns= ["!.*/.*\\.txt",# Skip all txt files recursively    ]  }, {    path="src/python3.8-app1",    pip_requirements=true,    pip_tmp_dir="/tmp/dir/location"    prefix_in_zip="foo/bar1",  }, {    path="src/python3.8-app2",    pip_requirements="requirements-large.txt",    patterns= ["!vendor/colorful-0.5.4.dist-info/RECORD","!vendor/colorful-.+.dist-info/.*","!vendor/colorful/__pycache__/?.*",    ]  }, {    path="src/nodejs14.x-app1",    npm_requirements=true,    npm_tmp_dir="/tmp/dir/location"    prefix_in_zip="foo/bar1",  }, {    path="src/python3.8-app3",    commands= ["npm install",":zip"    ],    patterns= ["!.*/.*\\.txt",# Skip all txt files recursively"node_modules/.+",# Include all node_modules    ],  }, {    path="src/python3.8-app3",    commands= ["go build"],    patterns=<<END      bin/.*      abc/def/.*    END  }]

Few notes:

  • If you specify a source path as a string that references a folder and the runtime begins withpython ornodejs, the build process will automatically build python and nodejs dependencies ifrequirements.txt orpackage.json file will be found in the source folder. If you want to customize this behavior, please use the object notation as explained below.
  • All arguments exceptpath are optional.
  • patterns - List of Python regex filenames should satisfy. Default value is "include everything" which is equal topatterns = [".*"]. This can also be specified as multiline heredoc string (no comments allowed). Some examples of valid patterns:
    !.*/.*\.txt        # Filter all txt files recursively    node_modules/.*    # Include empty dir or with a content if it exists    node_modules/.+    # Include full non empty node_modules dir with its content    node_modules/      # Include node_modules itself without its content                       # It's also a way to include an empty dir if it exists    node_modules       # Include a file or an existing dir only    !abc/.*            # Filter out everything in an abc folder    abc/def/.*         # Re-include everything in abc/def sub folder    !abc/def/hgk/.*    # Filter out again in abc/def/hgk sub folder
  • commands - List of commands to run. If specified, this argument overridespip_requirements andnpm_requirements.
    • :zip [source] [destination] is a special command which creates content of current working directory (first argument) and places it inside of path (second argument).
  • pip_requirements - Controls whether to executepip install. Set tofalse to disable this feature,true to runpip install withrequirements.txt found inpath. Or set to another filename which you want to use instead.
  • pip_tmp_dir - Set the base directory to make the temporary directory for pip installs. Can be useful for Docker in Docker builds.
  • npm_requirements - Controls whether to executenpm install. Set tofalse to disable this feature,true to runnpm install withpackage.json found inpath. Or set to another filename which you want to use instead.
  • npm_tmp_dir - Set the base directory to make the temporary directory for npm installs. Can be useful for Docker in Docker builds.
  • prefix_in_zip - If specified, will be used as a prefix inside zip-archive. By default, everything installs into the root of zip-archive.

Building in Docker

If your Lambda Function or Layer uses some dependencies you can build them in Docker and have them included into deployment package. Here is how you can do it:

build_in_docker   = truedocker_file       = "src/python3.8-app1/docker/Dockerfile"docker_build_root = "src/python3.8-app1/docker"docker_image      = "public.ecr.aws/sam/build-python3.8"runtime           = "python3.8"    # Setting runtime is required when building package in Docker and Lambda Layer resource.

Using this module you can install dependencies from private hosts. To do this, you need for forward SSH agent:

docker_with_ssh_agent = true

Deployment package - Create or use existing

By default, this module creates deployment package and uses it to create or update Lambda Function or Lambda Layer.

Sometimes, you may want to separate build of deployment package (eg, to compile and install dependencies) from the deployment of a package into two separate steps.

When creating archive locally outside of this module you need to setcreate_package = false and then argumentlocal_existing_package = "existing_package.zip". Alternatively, you may prefer to keep your deployment packages into S3 bucket and provide a reference to them like this:

create_package=falses3_existing_package={    bucket="my-bucket-with-lambda-builds"    key="existing_package.zip"  }

Using deployment package from remote URL

This can be implemented in two steps: download file locally using CURL, and pass path to deployment package aslocal_existing_package argument.

locals {package_url="https://raw.githubusercontent.com/terraform-aws-modules/terraform-aws-lambda/master/examples/fixtures/python3.8-zip/existing_package.zip"downloaded="downloaded_package_${md5(local.package_url)}.zip"}resource"null_resource""download_package" {triggers={    downloaded= local.downloaded  }provisioner"local-exec" {command="curl -L -o${local.downloaded}${local.package_url}"  }}data"null_data_source""downloaded_package" {inputs={    id= null_resource.download_package.id    filename= local.downloaded  }}module"lambda_function_existing_package_from_remote_url" {source="terraform-aws-modules/lambda/aws"function_name="my-lambda-existing-package-local"description="My awesome lambda function"handler="index.lambda_handler"runtime="python3.8"create_package=falselocal_existing_package=data.null_data_source.downloaded_package.outputs["filename"]}

How to deploy and manage Lambda Functions?

Simple deployments

Typically, Lambda Function resource updates when source code changes. Ifpublish = true is specified a newLambda Function version will also be created.

Published Lambda Function can be invoked using either by version number or using$LATEST. This is the simplest way of deployment which does not required any additional tool or service.

Controlled deployments (rolling, canary, rollbacks)

In order to do controlled deployments (rolling, canary, rollbacks) of Lambda Functions we need to useLambda Function aliases.

In simple terms, Lambda alias is like a pointer to either one version of Lambda Function (when deployment complete), or to two weighted versions of Lambda Function (during rolling or canary deployment).

One Lambda Function can be used in multiple aliases. Using aliases gives large control of which version deployed when having multiple environments.

There isalias module, which simplifies working with alias (create, manage configurations, updates, etc). Seeexamples/alias for various use-cases how aliases can be configured and used.

There isdeploy module, which creates required resources to do deployments using AWS CodeDeploy. It also creates the deployment, and wait for completion. Seeexamples/deploy for complete end-to-end build/update/deploy process.

Terraform CI/CD

Terraform Cloud, Terraform Enterprise, and many other SaaS for running Terraform do not have Python pre-installed on the workers. You will need to provide analternative Docker image with Python installed to be able to use this module there.

FAQ

Q1: Why deployment package not recreating every time I change something? Or why deployment package is being recreated every time but content has not been changed?

Answer: There can be several reasons related to concurrent executions, or to content hash. Sometimes, changes has happened inside of dependency which is not used in calculating content hash. Or multiple packages are creating at the same time from the same sources. You can force it by setting value ofhash_extra to distinct values.

Q2: How to force recreate deployment package?

Answer: Delete an existing zip-archive frombuilds directory, or make a change in your source code. If there is no zip-archive for the current content hash, it will be recreated duringterraform apply.

Q3:null_resource.archive[0] must be replaced

Answer: This probably mean that zip-archive has been deployed, but is currently absent locally, and it has to be recreated locally. When you run into this issue during CI/CD process (where workspace is clean) or from multiple workspaces, you can set environment variableTF_RECREATE_MISSING_LAMBDA_PACKAGE=false or passrecreate_missing_package = false as a parameter to the module and runterraform apply.

Q4: What does this error mean -"We currently do not support adding policies for $LATEST." ?

Answer: When the Lambda function is created withpublish = true the new version is automatically increased and a qualified identifier (version number) becomes available and will be used when setting Lambda permissions.

Whenpublish = false (default), only unqualified identifier ($LATEST) is available which leads to the error.

The solution is to either disable the creation of Lambda permissions for the current version by settingcreate_current_version_allowed_triggers = false, or to enable publish of Lambda function (publish = true).

Notes

  1. Creation of Lambda Functions and Lambda Layers is very similar and both support the same features (building from source path, using existing package, storing package locally or on S3)
  2. Check out thisAwesome list of AWS Lambda Layers

Examples

  • Complete - Create Lambda resources in various combinations with all supported features.
  • Container Image - Create Docker image (usingdocker provider), push it to AWS ECR, and create Lambda function from it.
  • Build and Package - Build and create deployment packages in various ways.
  • Alias - Create static and dynamic aliases in various ways.
  • Deploy - Complete end-to-end build/update/deploy process using AWS CodeDeploy.
  • Async Invocations - Create Lambda Function with async event configuration (with SQS, SNS, and EventBridge integration).
  • With VPC - Create Lambda Function with VPC.
  • With EFS - Create Lambda Function with Elastic File System attached (Terraform 0.13+ is recommended).
  • Multiple regions - Create the same Lambda Function in multiple regions with non-conflicting IAM roles and policies.
  • Event Source Mapping - Create Lambda Function with event source mapping configuration (SQS, DynamoDB, Amazon MQ, and Kinesis).
  • Triggers - Create Lambda Function with some triggers (eg, Cloudwatch Events, EventBridge).

Examples by the users of this module

Requirements

NameVersion
terraform>= 0.13.1
aws>= 4.8
external>= 1.0
local>= 1.0
null>= 2.0

Providers

NameVersion
aws>= 4.8
external>= 1.0
local>= 1.0
null>= 2.0

Modules

No modules.

Resources

NameType
aws_cloudwatch_log_group.lambdaresource
aws_iam_policy.additional_inlineresource
aws_iam_policy.additional_jsonresource
aws_iam_policy.additional_jsonsresource
aws_iam_policy.asyncresource
aws_iam_policy.dead_letterresource
aws_iam_policy.logsresource
aws_iam_policy.tracingresource
aws_iam_policy.vpcresource
aws_iam_role.lambdaresource
aws_iam_role_policy_attachment.additional_inlineresource
aws_iam_role_policy_attachment.additional_jsonresource
aws_iam_role_policy_attachment.additional_jsonsresource
aws_iam_role_policy_attachment.additional_manyresource
aws_iam_role_policy_attachment.additional_oneresource
aws_iam_role_policy_attachment.asyncresource
aws_iam_role_policy_attachment.dead_letterresource
aws_iam_role_policy_attachment.logsresource
aws_iam_role_policy_attachment.tracingresource
aws_iam_role_policy_attachment.vpcresource
aws_lambda_event_source_mapping.thisresource
aws_lambda_function.thisresource
aws_lambda_function_event_invoke_config.thisresource
aws_lambda_layer_version.thisresource
aws_lambda_permission.current_version_triggersresource
aws_lambda_permission.unqualified_alias_triggersresource
aws_lambda_provisioned_concurrency_config.current_versionresource
aws_s3_object.lambda_packageresource
local_file.archive_planresource
null_resource.archiveresource
aws_arn.log_group_arndata source
aws_cloudwatch_log_group.lambdadata source
aws_iam_policy.tracingdata source
aws_iam_policy.vpcdata source
aws_iam_policy_document.additional_inlinedata source
aws_iam_policy_document.assume_roledata source
aws_iam_policy_document.asyncdata source
aws_iam_policy_document.dead_letterdata source
aws_iam_policy_document.logsdata source
aws_partition.currentdata source
external_external.archive_preparedata source

Inputs

NameDescriptionTypeDefaultRequired
allowed_triggersMap of allowed triggers to create Lambda permissionsmap(any){}no
architecturesInstruction set architecture for your Lambda function. Valid values are ["x86_64"] and ["arm64"].list(string)nullno
artifacts_dirDirectory name where artifacts should be storedstring"builds"no
assume_role_policy_statementsMap of dynamic policy statements for assuming Lambda Function role (trust relationship)any{}no
attach_async_event_policyControls whether async event policy should be added to IAM role for Lambda Functionboolfalseno
attach_cloudwatch_logs_policyControls whether CloudWatch Logs policy should be added to IAM role for Lambda Functionbooltrueno
attach_dead_letter_policyControls whether SNS/SQS dead letter notification policy should be added to IAM role for Lambda Functionboolfalseno
attach_network_policyControls whether VPC/network policy should be added to IAM role for Lambda Functionboolfalseno
attach_policiesControls whether list of policies should be added to IAM role for Lambda Functionboolfalseno
attach_policyControls whether policy should be added to IAM role for Lambda Functionboolfalseno
attach_policy_jsonControls whether policy_json should be added to IAM role for Lambda Functionboolfalseno
attach_policy_jsonsControls whether policy_jsons should be added to IAM role for Lambda Functionboolfalseno
attach_policy_statementsControls whether policy_statements should be added to IAM role for Lambda Functionboolfalseno
attach_tracing_policyControls whether X-Ray tracing policy should be added to IAM role for Lambda Functionboolfalseno
build_in_dockerWhether to build dependencies in Dockerboolfalseno
cloudwatch_logs_kms_key_idThe ARN of the KMS Key to use when encrypting log data.stringnullno
cloudwatch_logs_retention_in_daysSpecifies the number of days you want to retain log events in the specified log group. Possible values are: 1, 3, 5, 7, 14, 30, 60, 90, 120, 150, 180, 365, 400, 545, 731, 1827, and 3653.numbernullno
cloudwatch_logs_tagsA map of tags to assign to the resource.map(string){}no
compatible_architecturesA list of Architectures Lambda layer is compatible with. Currently x86_64 and arm64 can be specified.list(string)nullno
compatible_runtimesA list of Runtimes this layer is compatible with. Up to 5 runtimes can be specified.list(string)[]no
createControls whether resources should be createdbooltrueno
create_async_event_configControls whether async event configuration for Lambda Function/Alias should be createdboolfalseno
create_current_version_allowed_triggersWhether to allow triggers on current version of Lambda Function (this will revoke permissions from previous version because Terraform manages only current resources)booltrueno
create_current_version_async_event_configWhether to allow async event configuration on current version of Lambda Function (this will revoke permissions from previous version because Terraform manages only current resources)booltrueno
create_functionControls whether Lambda Function resource should be createdbooltrueno
create_layerControls whether Lambda Layer resource should be createdboolfalseno
create_packageControls whether Lambda package should be createdbooltrueno
create_roleControls whether IAM role for Lambda Function should be createdbooltrueno
create_unqualified_alias_allowed_triggersWhether to allow triggers on unqualified alias pointing to $LATEST versionbooltrueno
create_unqualified_alias_async_event_configWhether to allow async event configuration on unqualified alias pointing to $LATEST versionbooltrueno
dead_letter_target_arnThe ARN of an SNS topic or SQS queue to notify when an invocation fails.stringnullno
descriptionDescription of your Lambda Function (or Layer)string""no
destination_on_failureAmazon Resource Name (ARN) of the destination resource for failed asynchronous invocationsstringnullno
destination_on_successAmazon Resource Name (ARN) of the destination resource for successful asynchronous invocationsstringnullno
docker_build_rootRoot dir where to build in Dockerstring""no
docker_filePath to a Dockerfile when building in Dockerstring""no
docker_imageDocker image to use for the buildstring""no
docker_pip_cacheWhether to mount a shared pip cache folder into docker environment or notanynullno
docker_with_ssh_agentWhether to pass SSH_AUTH_SOCK into docker environment or notboolfalseno
environment_variablesA map that defines environment variables for the Lambda Function.map(string){}no
ephemeral_storage_sizeAmount of ephemeral storage (/tmp) in MB your Lambda Function can use at runtime. Valid value between 512 MB to 10,240 MB (10 GB).number512no
event_source_mappingMap of event source mappingany{}no
file_system_arnThe Amazon Resource Name (ARN) of the Amazon EFS Access Point that provides access to the file system.stringnullno
file_system_local_mount_pathThe path where the function can access the file system, starting with /mnt/.stringnullno
function_nameA unique name for your Lambda Functionstring""no
handlerLambda Function entrypoint in your codestring""no
hash_extraThe string to add into hashing function. Useful when building same source path for different functions.string""no
ignore_source_code_hashWhether to ignore changes to the function's source code hash. Set to true if you manage infrastructure and code deployments separately.boolfalseno
image_config_commandThe CMD for the docker imagelist(string)[]no
image_config_entry_pointThe ENTRYPOINT for the docker imagelist(string)[]no
image_config_working_directoryThe working directory for the docker imagestringnullno
image_uriThe ECR image URI containing the function's deployment package.stringnullno
kms_key_arnThe ARN of KMS key to use by your Lambda Functionstringnullno
lambda_at_edgeSet this to true if using Lambda@Edge, to enable publishing, limit the timeout, and allow edgelambda.amazonaws.com to invoke the functionboolfalseno
lambda_roleIAM role ARN attached to the Lambda Function. This governs both who / what can invoke your Lambda Function, as well as what resources our Lambda Function has access to. See Lambda Permission Model for more details.string""no
layer_nameName of Lambda Layer to createstring""no
layer_skip_destroyWhether to retain the old version of a previously deployed Lambda Layer.boolfalseno
layersList of Lambda Layer Version ARNs (maximum of 5) to attach to your Lambda Function.list(string)nullno
license_infoLicense info for your Lambda Layer. Eg, MIT or full url of a license.string""no
local_existing_packageThe absolute path to an existing zip-file to usestringnullno
maximum_event_age_in_secondsMaximum age of a request that Lambda sends to a function for processing in seconds. Valid values between 60 and 21600.numbernullno
maximum_retry_attemptsMaximum number of times to retry when the function returns an error. Valid values between 0 and 2. Defaults to 2.numbernullno
memory_sizeAmount of memory in MB your Lambda Function can use at runtime. Valid value between 128 MB to 10,240 MB (10 GB), in 64 MB increments.number128no
number_of_policiesNumber of policies to attach to IAM role for Lambda Functionnumber0no
number_of_policy_jsonsNumber of policies JSON to attach to IAM role for Lambda Functionnumber0no
package_typeThe Lambda deployment package type. Valid options: Zip or Imagestring"Zip"no
policiesList of policy statements ARN to attach to Lambda Function rolelist(string)[]no
policyAn additional policy document ARN to attach to the Lambda Function rolestringnullno
policy_jsonAn additional policy document as JSON to attach to the Lambda Function rolestringnullno
policy_jsonsList of additional policy documents as JSON to attach to Lambda Function rolelist(string)[]no
policy_pathPath of policies to that should be added to IAM role for Lambda Functionstringnullno
policy_statementsMap of dynamic policy statements to attach to Lambda Function roleany{}no
provisioned_concurrent_executionsAmount of capacity to allocate. Set to 1 or greater to enable, or set to 0 to disable provisioned concurrency.number-1no
publishWhether to publish creation/change as new Lambda Function Version.boolfalseno
recreate_missing_packageWhether to recreate missing Lambda package if it is missing locally or notbooltrueno
reserved_concurrent_executionsThe amount of reserved concurrent executions for this Lambda Function. A value of 0 disables Lambda Function from being triggered and -1 removes any concurrency limitations. Defaults to Unreserved Concurrency Limits -1.number-1no
role_descriptionDescription of IAM role to use for Lambda Functionstringnullno
role_force_detach_policiesSpecifies to force detaching any policies the IAM role has before destroying it.booltrueno
role_nameName of IAM role to use for Lambda Functionstringnullno
role_pathPath of IAM role to use for Lambda Functionstringnullno
role_permissions_boundaryThe ARN of the policy that is used to set the permissions boundary for the IAM role used by Lambda Functionstringnullno
role_tagsA map of tags to assign to IAM rolemap(string){}no
runtimeLambda Function runtimestring""no
s3_aclThe canned ACL to apply. Valid values are private, public-read, public-read-write, aws-exec-read, authenticated-read, bucket-owner-read, and bucket-owner-full-control. Defaults to private.string"private"no
s3_bucketS3 bucket to store artifactsstringnullno
s3_existing_packageThe S3 bucket object with keys bucket, key, version pointing to an existing zip-file to usemap(string)nullno
s3_object_storage_classSpecifies the desired Storage Class for the artifact uploaded to S3. Can be either STANDARD, REDUCED_REDUNDANCY, ONEZONE_IA, INTELLIGENT_TIERING, or STANDARD_IA.string"ONEZONE_IA"no
s3_object_tagsA map of tags to assign to S3 bucket object.map(string){}no
s3_object_tags_onlySet to true to not merge tags with s3_object_tags. Useful to avoid breaching S3 Object 10 tag limit.boolfalseno
s3_prefixDirectory name where artifacts should be stored in the S3 bucket. If unset, the path fromartifacts_dir is usedstringnullno
s3_server_side_encryptionSpecifies server-side encryption of the object in S3. Valid values are "AES256" and "aws:kms".stringnullno
source_pathThe absolute path to a local file or directory containing your Lambda source codeanynullno
store_on_s3Whether to store produced artifacts on S3 or locally.boolfalseno
tagsA map of tags to assign to resources.map(string){}no
timeoutThe amount of time your Lambda Function has to run in seconds.number3no
tracing_modeTracing mode of the Lambda Function. Valid value can be either PassThrough or Active.stringnullno
trusted_entitiesList of additional trusted entities for assuming Lambda Function role (trust relationship)any[]no
use_existing_cloudwatch_log_groupWhether to use an existing CloudWatch log group or create newboolfalseno
vpc_security_group_idsList of security group ids when Lambda Function should run in the VPC.list(string)nullno
vpc_subnet_idsList of subnet ids when Lambda Function should run in the VPC. Usually private or intra subnets.list(string)nullno

Outputs

NameDescription
lambda_cloudwatch_log_group_arnThe ARN of the Cloudwatch Log Group
lambda_cloudwatch_log_group_nameThe name of the Cloudwatch Log Group
lambda_event_source_mapping_function_arnThe the ARN of the Lambda function the event source mapping is sending events to
lambda_event_source_mapping_stateThe state of the event source mapping
lambda_event_source_mapping_state_transition_reasonThe reason the event source mapping is in its current state
lambda_event_source_mapping_uuidThe UUID of the created event source mapping
lambda_function_arnThe ARN of the Lambda Function
lambda_function_invoke_arnThe Invoke ARN of the Lambda Function
lambda_function_kms_key_arnThe ARN for the KMS encryption key of Lambda Function
lambda_function_last_modifiedThe date Lambda Function resource was last modified
lambda_function_nameThe name of the Lambda Function
lambda_function_qualified_arnThe ARN identifying your Lambda Function Version
lambda_function_source_code_hashBase64-encoded representation of raw SHA-256 sum of the zip file
lambda_function_source_code_sizeThe size in bytes of the function .zip file
lambda_function_versionLatest published version of Lambda Function
lambda_layer_arnThe ARN of the Lambda Layer with version
lambda_layer_created_dateThe date Lambda Layer resource was created
lambda_layer_layer_arnThe ARN of the Lambda Layer without version
lambda_layer_source_code_sizeThe size in bytes of the Lambda Layer .zip file
lambda_layer_versionThe Lambda Layer version
lambda_role_arnThe ARN of the IAM role created for the Lambda Function
lambda_role_nameThe name of the IAM role created for the Lambda Function
lambda_role_unique_idThe unique id of the IAM role created for the Lambda Function
local_filenameThe filename of zip archive deployed (if deployment was from local)
s3_objectThe map with S3 object data of zip archive deployed (if deployment was from S3)

Authors

Module managed byAnton Babenko. Check outserverless.tf to learn more about doing serverless with Terraform.

Please reach out toBetajob if you are looking for commercial support for your Terraform, AWS, or serverless project.

License

Apache 2 Licensed. SeeLICENSE for full details.

About

Terraform module, which takes care of a lot of AWS Lambda/serverless tasks (build dependencies, packages, updates, deployments) in countless combinations

Resources

License

Stars

Watchers

Forks

Packages

No packages published

Languages

  • HCL62.0%
  • Python38.0%

[8]ページ先頭

©2009-2025 Movatter.jp